diff --git a/.editorconfig b/.editorconfig index 471170c449ec..ffa130255107 100644 --- a/.editorconfig +++ b/.editorconfig @@ -1,3 +1,5 @@ +root = true + [*] indent_style = tab indent_size = 4 diff --git a/.github/AUTODOC_GUIDE.md b/.github/AUTODOC_GUIDE.md index 0e1bcbb2cfb0..89dff2d50706 100644 --- a/.github/AUTODOC_GUIDE.md +++ b/.github/AUTODOC_GUIDE.md @@ -1,9 +1,8 @@ # dmdoc -[DOCUMENTATION]: https://codedocs.shiptest.net/ -[BYOND]: https://secure.byond.com/ - -[DMDOC]: https://github.com/SpaceManiac/SpacemanDMM/tree/master/src/dmdoc +[documentation]: https://codedocs.shiptest.net/ +[byond]: https://secure.byond.com/ +[dmdoc]: https://github.com/SpaceManiac/SpacemanDMM/tree/master/src/dmdoc [DMDOC] is a documentation generator for DreamMaker, the scripting language of the [BYOND] game engine. It produces simple static HTML files based on @@ -16,6 +15,7 @@ This gives new developers a clickable reference [DOCUMENTATION] they can browse gain understanding of the /tg/code codebase structure and api reference. ## Documenting code on /tg/code + We use block comments to document procs and classes, and we use `///` line comments when documenting individual variables. @@ -25,22 +25,24 @@ We also require that when you touch older code, you must document the functions have touched in the process of updating that code ### Required -A class *must* always be autodocumented, and all public functions *must* be documented -All class level defined variables *must* be documented +A class _must_ always be autodocumented, and all public functions _must_ be documented -Internal functions *should* be documented, but may not be +All class level defined variables _must_ be documented + +Internal functions _should_ be documented, but may not be A public function is any function that a developer might reasonably call while using or interacting with your object. Internal functions are helper functions that your public functions rely on to implement logic - ### Documenting a proc + When documenting a proc, we give a short one line description (as this is shown next to the proc definition in the list of all procs for a type or global namespace), then a longer paragraph which will be shown when the user clicks on the proc to jump to it's definition + ``` /** * Short description of the proc @@ -54,12 +56,14 @@ the proc to jump to it's definition ``` ### Documenting a class + We first give the name of the class as a header, this can be omitted if the name is just going to be the typepath of the class, as dmdoc uses that by default Then we give a short oneline description of the class Finally we give a longer multi paragraph description of the class and it's details + ``` /** * # Classname (Can be omitted if it's just going to be the typepath) @@ -74,13 +78,16 @@ Finally we give a longer multi paragraph description of the class and it's detai ``` ### Documenting a variable + Give a short explanation of what the variable is in the context of the class. + ``` /// Type path of item to go in suit slot var/suit = null ``` ## Module level description of code + Modules are the best way to describe the structure/intent of a package of code where you don't want to be tied to the formal layout of the class structure. @@ -92,7 +99,9 @@ you would like. [Here is a representative example of what you might write](https://codedocs.shiptest.net/code/game/atoms.html) ## Special variables + You can use certain special template variables in DM DOC comments and they will be expanded + ``` [DEFINE_NAME] - Expands to a link to the define definition if documented [/mob] - Expands to a link to the docs for the /mob class diff --git a/.github/CONTRIBUTING.md b/.github/CONTRIBUTING.md index ab1842b3bc3b..64a36fb4c17b 100644 --- a/.github/CONTRIBUTING.md +++ b/.github/CONTRIBUTING.md @@ -17,10 +17,14 @@ First things first, we want to make it clear how you can contribute (if you've n ## Getting Started Shiptest doesn't usually have a list of goals and features to add; we instead allow freedom for contributors to suggest and create their ideas for the game. That doesn't mean we aren't determined to squash bugs, which unfortunately pop up a lot due to the deep complexity of the game. Here are some useful starting guides, if you want to contribute or if you want to know what challenges you can tackle with zero knowledge about the game's code structure. + This needs to be updated still + If you want to contribute the first thing you'll need to do is [set up Git](https://wiki.white-sands.space/Setting_up_git) so you can download the source code. After setting it up, optionally navigate your git commandline to the project folder and run the command: 'git config blame.ignoreRevsFile .git-blame-ignore-revs' + + You can of course, as always, ask for help on the discord channels, or the forums, We're just here to have fun and help out, so please don't expect professional support. ## Meet the Team @@ -46,6 +50,7 @@ They also control the general "perspective" of the game - how sprites should gen The Head Mapper controls ships and all variants of shuttles, including their balance and cost. Final decision on whether or not a shuttle is added is at their discretion and cannot be vetoed by anyone other than the Head Coder. ### Maintainer Code of Conduct + Maintainers are expected to maintain the codebase in its entirety. This means that maintainers are in charge of pull requests, issues, and the Git discussion board. Maintainers have say on what will and will not be merged. Maintainers should assign themselves to pull requests that they are claiming and reviewing and should respect when others assign themselves to a pull request and not interfere except in situations where they believe a pull request to be heavily detrimental to the codebase or its playerbase. **Maintainers are not server admins and should not use their rank on the server to perform admin related tasks except where asked to by a Senior Admin or higher.** ## Specifications @@ -53,9 +58,11 @@ Maintainers are expected to maintain the codebase in its entirety. This means th As mentioned before, you are expected to follow these specifications in order to make everyone's lives easier. It'll save both your time and ours, by making sure you don't have to make any changes and we don't have to ask you to. Thank you for reading this section! ### Object Oriented Code + As BYOND's Dream Maker (henceforth "DM") is an object-oriented language, code must be object-oriented when possible in order to be more flexible when adding content to it. If you don't know what "object-oriented" means, we highly recommend you do some light research to grasp the basics. ### All BYOND paths must contain the full path + (i.e. absolute pathing) DM will allow you nest almost any type keyword into a block, such as: @@ -110,24 +117,31 @@ The previous code made compliant: ``` ### No overriding type safety checks + The use of the : operator to override type safety checks is not allowed. You must cast the variable to the proper type. ### Type paths must begin with a / + eg: `/datum/thing`, not `datum/thing` ### Paths must be in snake case + eg: `/obj/handheld_tool`, not `/obj/handheldTool` ### Improve code in any files you touch + If there is legacy code in a file you are modifying it is also your responsibility to bring the old code up to standards. In general this means that if you are expanding upon a proc that has single letter var names, improperly formatted var names, etc you should be modernizing that proc. **This does not mean you have to refactor the entirety of the file, although doing so would be appreciated.** ### Type paths must be lowercase + eg: `/datum/thing/blue`, not `datum/thing/BLUE` or `datum/thing/Blue` ### Datum type paths must began with "datum" + In DM, this is optional, but omitting it makes finding definitions harder. ### Do not use text/string based type paths + It is rarely allowed to put type paths in a text format, as there are no compile errors if the type path no longer exists. Here is an example: ```DM @@ -139,29 +153,37 @@ var/path_type = "/obj/item/baseball_bat" ``` ### Use var/name format when declaring variables + While DM allows other ways of declaring variables, this one should be used for consistency. ### Tabs, not spaces + You must use tabs to indent your code, NOT SPACES. ### No hacky code -Hacky code, such as adding specific checks, is highly discouraged and only allowed when there is ***no*** other option. (Protip: 'I couldn't immediately think of a proper way so thus there must be no other option' is not gonna cut it here! If you can't think of anything else, say that outright and admit that you need help with it. Maintainers exist for exactly that reason.) + +Hacky code, such as adding specific checks, is highly discouraged and only allowed when there is **_no_** other option. (Protip: 'I couldn't immediately think of a proper way so thus there must be no other option' is not gonna cut it here! If you can't think of anything else, say that outright and admit that you need help with it. Maintainers exist for exactly that reason.) You can avoid hacky code by using object-oriented methodologies, such as overriding a function (called "procs" in DM) or sectioning code into functions and then overriding them as required. ### No duplicated code + Copying code from one place to another may be suitable for small, short-time projects, but /tg/station is a long-term project and highly discourages this. Instead you can use object orientation, or simply placing repeated code in a function, to obey this specification easily. ### Document your code + Our codebase uses an interpreter called SpacemanDMM which includes the helpful ability to provide tooltips and inform you of documentation for various procs and vars. You are required to document any code you add so that it is readable and understandable to the maintainers of the codebase and also to other contributors. eg: + ```dm /// This proc causes the object to do a thing to the target mob /obj/proc/do_thing(mob/target) ``` + eg2: + ```dm /* This is a special proc that causes the target mob to instantly gib itself * If the argument recurse_contents is passed a truthy value all mobs inside the contents are also gibbed @@ -176,44 +198,55 @@ eg2: ``` ### Use self-explanatory var names + When adding any new vars to a type, they must be self-explanatory and concise. eg:`var/ticks_to_explosion` instead of `var/tte` ### Asyncronous proc calls + If there is something that must be done via an asyncronous call, it is required that it be done using the INVOKE_ASYNC macro. ### Signal Handlers + If you are registering signal handlers onto a type, the signal handler must have the SIGNAL_HANDLER definition and cannot sleep. If there is code in your signal handler that requires use of the sleep proc you must have your signal hander handle it via an invoke async call. ### Data caching + Types and procs that need to create or load large amounts of data that (should) never change needs to be cached into a static var so that in the event the proc needs to load the data again instead of recreating the data it has a cache that it can pull from, this reduces overhead and memory usage. + ### Startup/Runtime tradeoffs with lists and the "hidden" init proc + First, read the comments in [this BYOND thread](http://www.byond.com/forum/?post=2086980&page=2#comment19776775), starting where the link takes you. There are two key points here: -1) Defining a list in the variable's definition calls a hidden proc - init. If you have to define a list at startup, do so in New() (or preferably Initialize()) and avoid the overhead of a second call (Init() and then New()) +1. Defining a list in the variable's definition calls a hidden proc - init. If you have to define a list at startup, do so in New() (or preferably Initialize()) and avoid the overhead of a second call (Init() and then New()) -2) It also consumes more memory to the point where the list is actually required, even if the object in question may never use it! +2. It also consumes more memory to the point where the list is actually required, even if the object in question may never use it! Remember: although this tradeoff makes sense in many cases, it doesn't cover them all. Think carefully about your addition before deciding if you need to use it. ### Prefer `Initialize()` over `New()` when possible + Our game controller is pretty good at handling long operations and lag, but it can't control what happens when the map is loaded, which calls `New` for all atoms on the map. If you're creating a new atom, use the `Initialize` proc to do what you would normally do in `New`. This cuts down on the number of proc calls needed when the world is loaded. See here for details on `Initialize`: https://github.com/tgstation/tgstation/blob/master/code/game/atoms.dm#L49 While we normally encourage (and in some cases, even require) bringing out of date code up to date when you make unrelated changes near the out of date code, that is not the case for `New` -> `Initialize` conversions. These systems are generally more dependant on parent and children procs so unrelated random conversions of existing things can cause bugs that take months to figure out. ### No magic numbers or strings + This means stuff like having a "mode" variable for an object set to "1" or "2" with no clear indicator of what that means. Make these #defines with a name that more clearly states what it's for. For instance: -````DM + +```DM /datum/proc/do_the_thing(thing_to_do) switch(thing_to_do) if(1) (...) if(2) (...) -```` +``` + There's no indication of what "1" and "2" mean! Instead, you'd do something like this: -````DM + +```DM #define DO_THE_THING_REALLY_HARD 1 #define DO_THE_THING_EFFICIENTLY 2 /datum/proc/do_the_thing(thing_to_do) @@ -222,27 +255,33 @@ There's no indication of what "1" and "2" mean! Instead, you'd do something like (...) if(DO_THE_THING_EFFICIENTLY) (...) -```` +``` + This is clearer and enhances readability of your code! Get used to doing it! ### Control statements + (if, while, for, etc) -* All control statements must not contain code on the same line as the statement (`if (blah) return`) -* All control statements comparing a variable to a number should use the formula of `thing` `operator` `number`, not the reverse (eg: `if (count <= 10)` not `if (10 >= count)`) +- All control statements must not contain code on the same line as the statement (`if (blah) return`) +- All control statements comparing a variable to a number should use the formula of `thing` `operator` `number`, not the reverse (eg: `if (count <= 10)` not `if (10 >= count)`) ### Use early return + Do not enclose a proc in an if-block when returning on a condition is more feasible This is bad: -````DM + +```DM /datum/datum1/proc/proc1() if (thing1) if (!thing2) if (thing3 == 30) do stuff -```` +``` + This is good: -````DM + +```DM /datum/datum1/proc/proc1() if (!thing1) return @@ -251,123 +290,137 @@ This is good: if (thing3 != 30) return do stuff -```` +``` + This prevents nesting levels from getting deeper then they need to be. ### Develop Secure Code -* Player input must always be escaped safely, we recommend you use stripped_input in all cases where you would use input. Essentially, just always treat input from players as inherently malicious and design with that use case in mind +- Player input must always be escaped safely, we recommend you use stripped_input in all cases where you would use input. Essentially, just always treat input from players as inherently malicious and design with that use case in mind -* Calls to the database must be escaped properly - use sanitizeSQL to escape text based database entries from players or admins, and isnum() for number based database entries from players or admins. +- Calls to the database must be escaped properly - use sanitizeSQL to escape text based database entries from players or admins, and isnum() for number based database entries from players or admins. -* All calls to topics must be checked for correctness. Topic href calls can be easily faked by clients, so you should ensure that the call is valid for the state the item is in. Do not rely on the UI code to provide only valid topic calls, because it won't. +- All calls to topics must be checked for correctness. Topic href calls can be easily faked by clients, so you should ensure that the call is valid for the state the item is in. Do not rely on the UI code to provide only valid topic calls, because it won't. -* Information that players could use to metagame (that is, to identify round information and/or antagonist type via information that would not be available to them in character) should be kept as administrator only. +- Information that players could use to metagame (that is, to identify round information and/or antagonist type via information that would not be available to them in character) should be kept as administrator only. -* It is recommended as well you do not expose information about the players - even something as simple as the number of people who have readied up at the start of the round can and has been used to try to identify the round type. +- It is recommended as well you do not expose information about the players - even something as simple as the number of people who have readied up at the start of the round can and has been used to try to identify the round type. -* Where you have code that can cause large-scale modification and *FUN*, make sure you start it out locked behind one of the default admin roles - use common sense to determine which role fits the level of damage a function could do. +- Where you have code that can cause large-scale modification and _FUN_, make sure you start it out locked behind one of the default admin roles - use common sense to determine which role fits the level of damage a function could do. ### Files -* Because runtime errors do not give the full path, try to avoid having files with the same name across folders. -* File names should not be mixed case, or contain spaces or any character that would require escaping in a uri. +- Because runtime errors do not give the full path, try to avoid having files with the same name across folders. -* Files and path accessed and referenced by code above simply being #included should be strictly lowercase to avoid issues on filesystems where case matters. +- File names should not be mixed case, or contain spaces or any character that would require escaping in a uri. + +- Files and path accessed and referenced by code above simply being #included should be strictly lowercase to avoid issues on filesystems where case matters. ### SQL -* Do not use the shorthand sql insert format (where no column names are specified) because it unnecessarily breaks all queries on minor column changes and prevents using these tables for tracking outside related info such as in a connected site/forum. -* All changes to the database's layout(schema) must be specified in the database changelog in SQL, as well as reflected in the schema files +- Do not use the shorthand sql insert format (where no column names are specified) because it unnecessarily breaks all queries on minor column changes and prevents using these tables for tracking outside related info such as in a connected site/forum. + +- All changes to the database's layout(schema) must be specified in the database changelog in SQL, as well as reflected in the schema files -* Any time the schema is changed the `schema_revision` table and `DB_MAJOR_VERSION` or `DB_MINOR_VERSION` defines must be incremented. +- Any time the schema is changed the `schema_revision` table and `DB_MAJOR_VERSION` or `DB_MINOR_VERSION` defines must be incremented. -* Queries must never specify the database, be it in code, or in text files in the repo. +- Queries must never specify the database, be it in code, or in text files in the repo. -* Primary keys are inherently immutable and you must never do anything to change the primary key of a row or entity. This includes preserving auto increment numbers of rows when copying data to a table in a conversion script. No amount of bitching about gaps in ids or out of order ids will save you from this policy. +- Primary keys are inherently immutable and you must never do anything to change the primary key of a row or entity. This includes preserving auto increment numbers of rows when copying data to a table in a conversion script. No amount of bitching about gaps in ids or out of order ids will save you from this policy. ### Mapping Standards -* TGM Format & Map Merge - * All new maps submitted to the repo through a pull request must be in TGM format (unless there is a valid reason present to have it in the default BYOND format.) This is done using the [Map Merge](https://github.com/tgstation/tgstation/wiki/Map-Merger) utility included in the repo to convert the file to TGM format. - * Likewise, you MUST run Map Merge prior to opening your PR when updating existing maps to minimize the change differences (even when using third party mapping programs such as FastDMM.) - * Failure to run Map Merge on a map after using third party mapping programs (such as FastDMM) greatly increases the risk of the map's key dictionary becoming corrupted by future edits after running map merge. Resolving the corruption issue involves rebuilding the map's key dictionary; id est rewriting all the keys contained within the map by reconverting it from BYOND to TGM format - which creates very large differences that ultimately delay the PR process and is extremely likely to cause merge conflicts with other pull requests. -* Variable Editing (Var-edits) - * While var-editing an item within the editor is perfectly fine, it is preferred that when you are changing the base behavior of an item (how it functions) that you make a new subtype of that item within the code, especially if you plan to use the item in multiple locations on the same map, or across multiple maps. This makes it easier to make corrections as needed to all instances of the item at one time as opposed to having to find each instance of it and change them all individually. - * Subtypes only intended to be used on away mission or ruin maps should be contained within an .dm file with a name corresponding to that map within `code\modules\awaymissions` or `code\modules\ruins` respectively. This is so in the event that the map is removed, that subtype will be removed at the same time as well to minimize leftover/unused data within the repo. - * Please attempt to clean out any dirty variables that may be contained within items you alter through var-editing. For example, due to how DM functions, changing the `pixel_x` variable from 23 to 0 will leave a dirty record in the map's code of `pixel_x = 0`. Likewise this can happen when changing an item's icon to something else and then back. This can lead to some issues where an item's icon has changed within the code, but becomes broken on the map due to it still attempting to use the old entry. - * Areas should not be var-edited on a map to change it's name or attributes. All areas of a single type and it's altered instances are considered the same area within the code, and editing their variables on a map can lead to issues with powernets and event subsystems which are difficult to debug. +- TGM Format & Map Merge + + - All new maps submitted to the repo through a pull request must be in TGM format (unless there is a valid reason present to have it in the default BYOND format.) This is done using the [Map Merge](https://github.com/tgstation/tgstation/wiki/Map-Merger) utility included in the repo to convert the file to TGM format. + - Likewise, you MUST run Map Merge prior to opening your PR when updating existing maps to minimize the change differences (even when using third party mapping programs such as FastDMM.) + - Failure to run Map Merge on a map after using third party mapping programs (such as FastDMM) greatly increases the risk of the map's key dictionary becoming corrupted by future edits after running map merge. Resolving the corruption issue involves rebuilding the map's key dictionary; id est rewriting all the keys contained within the map by reconverting it from BYOND to TGM format - which creates very large differences that ultimately delay the PR process and is extremely likely to cause merge conflicts with other pull requests. + +- Variable Editing (Var-edits) + - While var-editing an item within the editor is perfectly fine, it is preferred that when you are changing the base behavior of an item (how it functions) that you make a new subtype of that item within the code, especially if you plan to use the item in multiple locations on the same map, or across multiple maps. This makes it easier to make corrections as needed to all instances of the item at one time as opposed to having to find each instance of it and change them all individually. + - Subtypes only intended to be used on away mission or ruin maps should be contained within an .dm file with a name corresponding to that map within `code\modules\awaymissions` or `code\modules\ruins` respectively. This is so in the event that the map is removed, that subtype will be removed at the same time as well to minimize leftover/unused data within the repo. + - Please attempt to clean out any dirty variables that may be contained within items you alter through var-editing. For example, due to how DM functions, changing the `pixel_x` variable from 23 to 0 will leave a dirty record in the map's code of `pixel_x = 0`. Likewise this can happen when changing an item's icon to something else and then back. This can lead to some issues where an item's icon has changed within the code, but becomes broken on the map due to it still attempting to use the old entry. + - Areas should not be var-edited on a map to change it's name or attributes. All areas of a single type and it's altered instances are considered the same area within the code, and editing their variables on a map can lead to issues with powernets and event subsystems which are difficult to debug. ### User Interfaces -* All new player-facing user interfaces must use TGUI. -* Raw HTML is permitted for admin and debug UIs. -* Documentation for TGUI can be found at: - * [tgui/README.md](../tgui/README.md) - * [tgui/tutorial-and-examples.md](../tgui/docs/tutorial-and-examples.md) + +- All new player-facing user interfaces must use TGUI. +- Raw HTML is permitted for admin and debug UIs. +- Documentation for TGUI can be found at: + - [tgui/README.md](../tgui/README.md) + - [tgui/tutorial-and-examples.md](../tgui/docs/tutorial-and-examples.md) ### Other Notes -* Code should be modular where possible; if you are working on a new addition, then strongly consider putting it in its own file unless it makes sense to put it with similar ones (i.e. a new tool would go in the "tools.dm" file) -* Bloated code may be necessary to add a certain feature, which means there has to be a judgement over whether the feature is worth having or not. You can help make this decision easier by making sure your code is modular. +- Code should be modular where possible; if you are working on a new addition, then strongly consider putting it in its own file unless it makes sense to put it with similar ones (i.e. a new tool would go in the "tools.dm" file) -* You are expected to help maintain the code that you add, meaning that if there is a problem then you are likely to be approached in order to fix any issues, runtimes, or bugs. +- Bloated code may be necessary to add a certain feature, which means there has to be a judgement over whether the feature is worth having or not. You can help make this decision easier by making sure your code is modular. -* Do not divide when you can easily convert it to multiplication. (ie `4/2` should be done as `4*0.5`) +- You are expected to help maintain the code that you add, meaning that if there is a problem then you are likely to be approached in order to fix any issues, runtimes, or bugs. -* If you used regex to replace code during development of your code, post the regex in your PR for the benefit of future developers and downstream users. +- Do not divide when you can easily convert it to multiplication. (ie `4/2` should be done as `4*0.5`) -* Changes to the `/config` tree must be made in a way that allows for updating server deployments while preserving previous behaviour. This is due to the fact that the config tree is to be considered owned by the user and not necessarily updated alongside the remainder of the code. The code to preserve previous behaviour may be removed at some point in the future given the OK by maintainers. +- If you used regex to replace code during development of your code, post the regex in your PR for the benefit of future developers and downstream users. -* The dlls section of tgs3.json is not designed for dlls that are purely `call()()`ed since those handles are closed between world reboots. Only put in dlls that may have to exist between world reboots. +- Changes to the `/config` tree must be made in a way that allows for updating server deployments while preserving previous behaviour. This is due to the fact that the config tree is to be considered owned by the user and not necessarily updated alongside the remainder of the code. The code to preserve previous behaviour may be removed at some point in the future given the OK by maintainers. + +- The dlls section of tgs3.json is not designed for dlls that are purely `call()()`ed since those handles are closed between world reboots. Only put in dlls that may have to exist between world reboots. #### Enforced not enforced + The following coding styles are not only not enforced at all, but are generally frowned upon to change for little to no reason: -* English/British spelling on var/proc names - * Color/Colour - both are fine, but keep in mind that BYOND uses `color` as a base variable -* Spaces after control statements - * `if()` and `if ()` - nobody cares! +- English/British spelling on var/proc names + - Color/Colour - both are fine, but keep in mind that BYOND uses `color` as a base variable +- Spaces after control statements + - `if()` and `if ()` - nobody cares! ### Operators + #### Spacing -* Operators that should be separated by spaces - * Boolean and logic operators like &&, || <, >, ==, etc (but not !) - * Bitwise AND & - * Argument separator operators like , (and ; when used in a forloop) - * Assignment operators like = or += or the like -* Operators that should not be separated by spaces - * Bitwise OR | - * Access operators like . and : - * Parentheses () - * logical not ! +- Operators that should be separated by spaces + - Boolean and logic operators like &&, || <, >, ==, etc (but not !) + - Bitwise AND & + - Argument separator operators like , (and ; when used in a forloop) + - Assignment operators like = or += or the like +- Operators that should not be separated by spaces + - Bitwise OR | + - Access operators like . and : + - Parentheses () + - logical not ! -Math operators like +, -, /, *, etc are up in the air, just choose which version looks more readable. +Math operators like +, -, /, \*, etc are up in the air, just choose which version looks more readable. #### Use -* Bitwise AND - '&' - * Should be written as ```bitfield & bitflag``` NEVER ```bitflag & bitfield```, both are valid, but the latter is confusing and nonstandard. -* Associated lists declarations must have their key value quoted if it's a string - * WRONG: list(a = "b") - * RIGHT: list("a" = "b") + +- Bitwise AND - '&' + - Should be written as `bitfield & bitflag` NEVER `bitflag & bitfield`, both are valid, but the latter is confusing and nonstandard. +- Associated lists declarations must have their key value quoted if it's a string + - WRONG: list(a = "b") + - RIGHT: list("a" = "b") ### Dream Maker Quirks/Tricks + Like all languages, Dream Maker has its quirks, some of them are beneficial to us, like these #### In-To for-loops -```for(var/i = 1, i <= some_value, i++)``` is a fairly standard way to write an incremental for loop in most languages (especially those in the C family), but DM's ```for(var/i in 1 to some_value)``` syntax is oddly faster than its implementation of the former syntax; where possible, it's advised to use DM's syntax. (Note, the ```to``` keyword is inclusive, so it automatically defaults to replacing ```<=```; if you want ```<``` then you should write it as ```1 to some_value-1```). -HOWEVER, if either ```some_value``` or ```i``` changes within the body of the for (underneath the ```for(...)``` header) or if you are looping over a list AND changing the length of the list then you can NOT use this type of for-loop! +`for(var/i = 1, i <= some_value, i++)` is a fairly standard way to write an incremental for loop in most languages (especially those in the C family), but DM's `for(var/i in 1 to some_value)` syntax is oddly faster than its implementation of the former syntax; where possible, it's advised to use DM's syntax. (Note, the `to` keyword is inclusive, so it automatically defaults to replacing `<=`; if you want `<` then you should write it as `1 to some_value-1`). + +HOWEVER, if either `some_value` or `i` changes within the body of the for (underneath the `for(...)` header) or if you are looping over a list AND changing the length of the list then you can NOT use this type of for-loop! ### for(var/A in list) VS for(var/i in 1 to list.len) + The former is faster than the latter, as shown by the following profile results: https://file.house/zy7H.png Code used for the test in a readable format: https://pastebin.com/w50uERkG - #### Istypeless for loops + A name for a differing syntax for writing for-each style loops in DM. It's NOT DM's standard syntax, hence why this is considered a quirk. Take a look at this: + ```DM var/list/bag_of_items = list(sword, apple, coinpouch, sword, sword) var/obj/item/sword/best_sword @@ -375,7 +428,9 @@ for(var/obj/item/sword/S in bag_of_items) if(!best_sword || S.damage > best_sword.damage) best_sword = S ``` -The above is a simple proc for checking all swords in a container and returning the one with the highest damage, and it uses DM's standard syntax for a for-loop by specifying a type in the variable of the for's header that DM interprets as a type to filter by. It performs this filter using ```istype()``` (or some internal-magic similar to ```istype()``` - this is BYOND, after all). This is fine in its current state for ```bag_of_items```, but if ```bag_of_items``` contained ONLY swords, or only SUBTYPES of swords, then the above is inefficient. For example: + +The above is a simple proc for checking all swords in a container and returning the one with the highest damage, and it uses DM's standard syntax for a for-loop by specifying a type in the variable of the for's header that DM interprets as a type to filter by. It performs this filter using `istype()` (or some internal-magic similar to `istype()` - this is BYOND, after all). This is fine in its current state for `bag_of_items`, but if `bag_of_items` contained ONLY swords, or only SUBTYPES of swords, then the above is inefficient. For example: + ```DM var/list/bag_of_swords = list(sword, sword, sword, sword) var/obj/item/sword/best_sword @@ -383,10 +438,12 @@ for(var/obj/item/sword/S in bag_of_swords) if(!best_sword || S.damage > best_sword.damage) best_sword = S ``` + specifies a type for DM to filter by. With the previous example that's perfectly fine, we only want swords, but here the bag only contains swords? Is DM still going to try to filter because we gave it a type to filter by? YES, and here comes the inefficiency. Wherever a list (or other container, such as an atom (in which case you're technically accessing their special contents list, but that's irrelevant)) contains datums of the same datatype or subtypes of the datatype you require for your loop's body, -you can circumvent DM's filtering and automatic ```istype()``` checks by writing the loop as such: +you can circumvent DM's filtering and automatic `istype()` checks by writing the loop as such: + ```DM var/list/bag_of_swords = list(sword, sword, sword, sword) var/obj/item/sword/best_sword @@ -395,18 +452,22 @@ for(var/s in bag_of_swords) if(!best_sword || S.damage > best_sword.damage) best_sword = S ``` + Of course, if the list contains data of a mixed type then the above optimisation is DANGEROUS, as it will blindly typecast all data in the list as the specified type, even if it isn't really that type, causing runtime errors. #### Dot variable -Like other languages in the C family, DM has a ```.``` or "Dot" operator, used for accessing variables/members/functions of an object instance. + +Like other languages in the C family, DM has a `.` or "Dot" operator, used for accessing variables/members/functions of an object instance. eg: + ```DM var/mob/living/carbon/human/H = YOU_THE_READER H.gib() ``` -However, DM also has a dot variable, accessed just as ```.``` on its own, defaulting to a value of null. Now, what's special about the dot operator is that it is automatically returned (as in the ```return``` statement) at the end of a proc, provided the proc does not already manually return (```return count``` for example.) Why is this special? -With ```.``` being everpresent in every proc, can we use it as a temporary variable? Of course we can! However, the ```.``` operator cannot replace a typecasted variable - it can hold data any other var in DM can, it just can't be accessed as one, although the ```.``` operator is compatible with a few operators that look weird but work perfectly fine, such as: ```.++``` for incrementing ```.'s``` value, or ```.[1]``` for accessing the first element of ```.```, provided that it's a list. +However, DM also has a dot variable, accessed just as `.` on its own, defaulting to a value of null. Now, what's special about the dot operator is that it is automatically returned (as in the `return` statement) at the end of a proc, provided the proc does not already manually return (`return count` for example.) Why is this special? + +With `.` being everpresent in every proc, can we use it as a temporary variable? Of course we can! However, the `.` operator cannot replace a typecasted variable - it can hold data any other var in DM can, it just can't be accessed as one, although the `.` operator is compatible with a few operators that look weird but work perfectly fine, such as: `.++` for incrementing `.'s` value, or `.[1]` for accessing the first element of `.`, provided that it's a list. ## Globals versus static @@ -418,6 +479,7 @@ mob global thing = TRUE ``` + This does NOT mean that you can access it everywhere like a global var. Instead, it means that that var will only exist once for all instances of its type, in this case that var will only exist once for all mobs - it's shared across everything in its type. (Much more like the keyword `static` in other languages like PHP/C++/C#/Java) Isn't that confusing? @@ -428,27 +490,27 @@ There is also an undocumented keyword called `static` that has the same behaviou There is no strict process when it comes to merging pull requests. Pull requests will sometimes take a while before they are looked at by a maintainer; the bigger the change, the more time it will take before they are accepted into the code. Every team member is a volunteer who is giving up their own time to help maintain and contribute, so please be courteous and respectful. Here are some helpful ways to make it easier for you and for the maintainers when making a pull request. -* Make sure your pull request complies to the requirements outlined here +- Make sure your pull request complies to the requirements outlined here -* You are going to be expected to document all your changes in the pull request. Failing to do so will mean delaying it as we will have to question why you made the change. On the other hand, you can speed up the process by making the pull request readable and easy to understand, with diagrams or before/after data. +- You are going to be expected to document all your changes in the pull request. Failing to do so will mean delaying it as we will have to question why you made the change. On the other hand, you can speed up the process by making the pull request readable and easy to understand, with diagrams or before/after data. -* We ask that you use the changelog system to document your change, which prevents our players from being caught unaware by changes. +- We ask that you use the changelog system to document your change, which prevents our players from being caught unaware by changes. -* If you are proposing multiple changes, which change many different aspects of the code, you are expected to section them off into different pull requests in order to make it easier to review them and to deny/accept the changes that are deemed acceptable. (This is called atomization, if someone asks you to do it.) +- If you are proposing multiple changes, which change many different aspects of the code, you are expected to section them off into different pull requests in order to make it easier to review them and to deny/accept the changes that are deemed acceptable. (This is called atomization, if someone asks you to do it.) -* If your pull request rebalances something or adds a large new feature, it may be put up to vote. This vote will usually end 24 hours after it is announced. If the vote passes, the code has not been substantially changed since the vote began, and no maintainers have any pending requested changes, the pull request will likely be merged. If a maintainer deems it so, a controversial tag will be added to the PR, which then requires all votes to require a ratio of 1:2 of likes to dislikes to pass (subject to the topic of the PR), and the vote will go on for at least double the normal time. +- If your pull request rebalances something or adds a large new feature, it may be put up to vote. This vote will usually end 24 hours after it is announced. If the vote passes, the code has not been substantially changed since the vote began, and no maintainers have any pending requested changes, the pull request will likely be merged. If a maintainer deems it so, a controversial tag will be added to the PR, which then requires all votes to require a ratio of 1:2 of likes to dislikes to pass (subject to the topic of the PR), and the vote will go on for at least double the normal time. -* Reverts of major features must be done three to four weeks (at minimum) after the PR that added it, unless said feature has a server-affecting exploit or error. Reverts of smaller features and rebalances must be done at minimum one week after. +- Reverts of major features must be done three to four weeks (at minimum) after the PR that added it, unless said feature has a server-affecting exploit or error. Reverts of smaller features and rebalances must be done at minimum one week after. -* Pull requests that are made as alternatives with few changes will be closed by maintainers. Use suggestions on the original pull request instead. +- Pull requests that are made as alternatives with few changes will be closed by maintainers. Use suggestions on the original pull request instead. -* If your pull request is accepted, the code you add no longer belongs exclusively to you but to everyone; everyone is free to work on it, but you are also free to support or object to any changes being made, which will likely hold more weight, as you're the one who added the feature. It is a shame this has to be explicitly said, but there have been cases where this would've saved some trouble. +- If your pull request is accepted, the code you add no longer belongs exclusively to you but to everyone; everyone is free to work on it, but you are also free to support or object to any changes being made, which will likely hold more weight, as you're the one who added the feature. It is a shame this has to be explicitly said, but there have been cases where this would've saved some trouble. -* Please explain why you are submitting the pull request, and how you think your change will be beneficial to the game. Failure to do so will be grounds for rejecting the PR. +- Please explain why you are submitting the pull request, and how you think your change will be beneficial to the game. Failure to do so will be grounds for rejecting the PR. -* If your pull request is not finished make sure it is at least testable in a live environment, or at the very least mark it as a draft. Pull requests that do not at least meet this requirement will be closed. You may request a maintainer reopen the pull request when you're ready, or make a new one. +- If your pull request is not finished make sure it is at least testable in a live environment, or at the very least mark it as a draft. Pull requests that do not at least meet this requirement will be closed. You may request a maintainer reopen the pull request when you're ready, or make a new one. -* While we have no issue helping contributors (and especially new contributors) bring reasonably sized contributions up to standards via the pull request review process, larger contributions are expected to pass a higher bar of completeness and code quality *before* you open a pull request. Maintainers may close such pull requests that are deemed to be substantially flawed. You should take some time to discuss with maintainers or other contributors on how to improve the changes. +- While we have no issue helping contributors (and especially new contributors) bring reasonably sized contributions up to standards via the pull request review process, larger contributions are expected to pass a higher bar of completeness and code quality _before_ you open a pull request. Maintainers may close such pull requests that are deemed to be substantially flawed. You should take some time to discuss with maintainers or other contributors on how to improve the changes. ## Porting features/sprites/sounds/tools from other codebases @@ -457,13 +519,16 @@ If you are porting features/tools from other codebases, you must give the origin Regarding sprites & sounds, you must credit the artist and possibly the codebase. All /tg/station assets including icons and sound are under a [Creative Commons 3.0 BY-SA license](https://creativecommons.org/licenses/by-sa/3.0/) unless otherwise indicated. However if you are porting assets from GoonStation or usually any assets under the [Creative Commons 3.0 BY-NC-SA license](https://creativecommons.org/licenses/by-nc-sa/3.0/) are to go into the 'goon' folder of the /tg/station codebase. ## Banned content + Do not add any of the following in a Pull Request or risk getting the PR closed: -* National Socialist Party of Germany content, National Socialist Party of Germany related content, or National Socialist Party of Germany references -* Code where one line of code is split across mutiple lines (except for multiple, separate strings and comments; in those cases, existing longer lines must not be split up) -* Code adding, removing, or updating the availability of alien races/species/human mutants without prior approval. Pull requests attempting to add or remove features from said races/species/mutants require prior approval as well. -* Code which violates GitHub's [terms of service](https://github.com/site/terms). + +- National Socialist Party of Germany content, National Socialist Party of Germany related content, or National Socialist Party of Germany references +- Code where one line of code is split across mutiple lines (except for multiple, separate strings and comments; in those cases, existing longer lines must not be split up) +- Code adding, removing, or updating the availability of alien races/species/human mutants without prior approval. Pull requests attempting to add or remove features from said races/species/mutants require prior approval as well. +- Code which violates GitHub's [terms of service](https://github.com/site/terms). Just because something isn't on this list doesn't mean that it's acceptable. Use common sense above all else. ## Line Endings -All newly created, uploaded, or modified files in this codebase are required to be using the Unix Schema for line endings. That means the only acceptable line ending is '__\n__', not '__\r\n__' nor '__\r\r__' + +All newly created, uploaded, or modified files in this codebase are required to be using the Unix Schema for line endings. That means the only acceptable line ending is '**\n**', not '**\r\n**' nor '**\r\r**' diff --git a/.github/FUNDING.yml b/.github/FUNDING.yml index a5c9737e8f89..51ac5900a69b 100644 --- a/.github/FUNDING.yml +++ b/.github/FUNDING.yml @@ -3,7 +3,7 @@ github: # Replace with up to 4 GitHub Sponsors-enabled usernames e.g., [user1, user2] patreon: shiptest_ss13 open_collective: # Replace with a single Open Collective username -ko_fi: # +ko_fi: # tidelift: # Replace with a single Tidelift platform-name/package-name e.g., npm/babel community_bridge: # Replace with a single Community Bridge project-name e.g., cloud-foundry liberapay: # Replace with a single Liberapay username diff --git a/.github/ISSUE_TEMPLATE/bug_report.md b/.github/ISSUE_TEMPLATE/bug_report.md index fbcbb15ede0d..09fb3498042e 100644 --- a/.github/ISSUE_TEMPLATE/bug_report.md +++ b/.github/ISSUE_TEMPLATE/bug_report.md @@ -3,11 +3,11 @@ name: Bug report about: Create a report to help reproduce and fix an issue title: "[BUG]" labels: Bug -assignees: '' - +assignees: "" --- + ## Round ID: + ## Name of feature: + ### Related Pull Request on other codebase: + ### Additional Info: + diff --git a/.github/MAPS_AND_AWAY_MISSIONS.md b/.github/MAPS_AND_AWAY_MISSIONS.md index d1f7d94f7021..5e437d293d2a 100644 --- a/.github/MAPS_AND_AWAY_MISSIONS.md +++ b/.github/MAPS_AND_AWAY_MISSIONS.md @@ -1,8 +1,8 @@ # MAPS -All maps have their own code file that is in the base of the _maps directory. Maps are loaded dynamically when the game starts. Follow this guideline when adding your own map, to your fork, for easy compatibility. +All maps have their own code file that is in the base of the \_maps directory. Maps are loaded dynamically when the game starts. Follow this guideline when adding your own map, to your fork, for easy compatibility. -The map that will be loaded for the upcoming round is determined by reading data/next_map.json, which is a copy of the json files found in the _maps tree. If this file does not exist, the default map from config/maps.txt will be loaded. Failing that, BoxStation will be loaded. If you want to set a specific map to load next round you can use the Change Map verb in game before restarting the server or copy a json from _maps to data/next_map.json before starting the server. Also, for debugging purposes, ticking a corresponding map's code file in Dream Maker will force that map to load every round. +The map that will be loaded for the upcoming round is determined by reading data/next_map.json, which is a copy of the json files found in the \_maps tree. If this file does not exist, the default map from config/maps.txt will be loaded. Failing that, BoxStation will be loaded. If you want to set a specific map to load next round you can use the Change Map verb in game before restarting the server or copy a json from \_maps to data/next_map.json before starting the server. Also, for debugging purposes, ticking a corresponding map's code file in Dream Maker will force that map to load every round. If you are hosting a server, and want randomly picked maps to be played each round, you can enable map rotation in [config.txt](config/config.txt) and then set the maps to be picked in the [maps.txt](config/maps.txt) file. diff --git a/.github/POLICYCONFIG.md b/.github/POLICYCONFIG.md index 0e5e46260baf..f0745f4f2a12 100644 --- a/.github/POLICYCONFIG.md +++ b/.github/POLICYCONFIG.md @@ -3,9 +3,11 @@ Welcome to this short guide to the POLICY config mechanism. You are probably reading this guide because you have been informed your antagonist or ghost role needs to support policy configuration. ## Requirements + It is a requirement of /tg/station development that all ghost roles, antags, minor antags and event mobs of any kind must support the policy system when implemented. ## What is policy configuration + Policy configuration is a json file that the administrators of a server can edit, which contains a dictionary of keywords -> string message. The policy text for a specific keyword should be displayed when relevant and appropriate, to allow server administrators to define the broad strokes of policy for some feature or mob. @@ -25,10 +27,13 @@ This will return a configured string of text, or blank/null if no policy string This is also accessible to the user if they use `/client/verb/policy()` which will display to them a list of all the policy texts for keywords applicable to the mob, you can add/modify the list of keywords by modifying the `get_policy_keywords()` proc of a mob type where that is relevant. ### Example + Here is a simple example taken from the slime pyroclastic event + ``` var/policy = get_policy(ROLE_PYROCLASTIC_SLIME) if (policy) to_chat(S, policy) ``` + It's recommended to use a define for your policy keyword to make it easily changeable by a developer diff --git a/.github/PULL_REQUEST_TEMPLATE.md b/.github/PULL_REQUEST_TEMPLATE.md index f204eb0a7236..d8e1a4830773 100644 --- a/.github/PULL_REQUEST_TEMPLATE.md +++ b/.github/PULL_REQUEST_TEMPLATE.md @@ -10,6 +10,7 @@ ## Changelog + :cl: add: Added new things add: Added more things diff --git a/.github/RUNNING_A_SERVER.md b/.github/RUNNING_A_SERVER.md index bdcd00556fa9..1d0d7f248f4e 100644 --- a/.github/RUNNING_A_SERVER.md +++ b/.github/RUNNING_A_SERVER.md @@ -1,4 +1,5 @@ # INSTALLATION + First-time installation should be fairly straightforward. First, you'll need BYOND installed. You can get it from https://www.byond.com/download. Once you've done that, extract the game files to wherever you want to keep them. This is a @@ -56,7 +57,7 @@ as these store your server configuration, player preferences and banlist. Then, extract the new files (preferably into a clean directory, but updating in place should work fine), copy your /config and /data folders back into the new install, overwriting when prompted except if we've specified otherwise, and -recompile the game. Once you start the server up again, you should be running +recompile the game. Once you start the server up again, you should be running the new version. ## HOSTING @@ -67,7 +68,7 @@ https://github.com/tgstation/tgstation-server ## SQL SETUP -The SQL backend requires a Mariadb server running 10.2 or later. Mysql is not supported but Mariadb is a drop in replacement for mysql. SQL is required for the library, stats tracking, admin notes, and job-only bans, among other features, mostly related to server administration. Your server details go in /config/dbconfig.txt, and the SQL schema is in /SQL/tgstation_schema.sql and /SQL/tgstation_schema_prefix.sql depending on if you want table prefixes. More detailed setup instructions are located here: https://wiki.white-sands.space/Downloading_the_source_code#Setting_up_the_database +The SQL backend requires a Mariadb server running 10.2 or later. Mysql is not supported but Mariadb is a drop in replacement for mysql. SQL is required for the library, stats tracking, admin notes, and job-only bans, among other features, mostly related to server administration. Your server details go in /config/dbconfig.txt, and the SQL schema is in /SQL/tgstation_schema.sql and /SQL/tgstation_schema_prefix.sql depending on if you want table prefixes. More detailed setup instructions are located here: https://wiki.white-sands.space/Downloading_the_source_code#Setting_up_the_database If you are hosting a testing server on windows you can use a standalone version of MariaDB pre load with a blank (but initialized) tgdb database. Find them here: https://tgstation13.download/database/ Just unzip and run for a working (but insecure) database server. Includes a zipped copy of the data folder for easy resetting back to square one. @@ -77,8 +78,8 @@ Web delivery of game resources makes it quicker for players to join and reduces 1. Edit compile_options.dm to set the `PRELOAD_RSC` define to `0` 1. Add a url to config/external_rsc_urls pointing to a .zip file containing the .rsc. - * If you keep up to date with White Sands you could reuse White Sands' rsc cdn at https://cdn.white-sands.space/rsc/tgstation.rsc. Otherwise you can use cdn services like CDN77 or cloudflare (requires adding a page rule to enable caching of the zip), or roll your own cdn using route 53 and vps providers. - * Regardless even offloading the rsc to a website without a CDN will be a massive improvement over the in game system for transferring files. + - If you keep up to date with White Sands you could reuse White Sands' rsc cdn at https://cdn.white-sands.space/rsc/tgstation.rsc. Otherwise you can use cdn services like CDN77 or cloudflare (requires adding a page rule to enable caching of the zip), or roll your own cdn using route 53 and vps providers. + - Regardless even offloading the rsc to a website without a CDN will be a massive improvement over the in game system for transferring files. ## IRC BOT SETUP diff --git a/.github/keylabeler.yml b/.github/keylabeler.yml index f15303e9a10b..2e60303ed4ef 100644 --- a/.github/keylabeler.yml +++ b/.github/keylabeler.yml @@ -9,51 +9,51 @@ caseSensitive: false # Explicit keyword mappings to labels. Form of match:label. Required. labelMappings: - "fix:": &fix_type Fix - "fixes:": *fix_type - "bugfix:": *fix_type - "[critical]": *fix_type - "[fix]": *fix_type - "[bugfix]": *fix_type - "[runtime]": *fix_type - "[bug]": Bug - "rsctweak:": &tweak_type Tweak - "tweak:": *tweak_type - "tweaks:": *tweak_type - "soundadd:": Sound - "sounddel:": Sound - "add:": &add_type Feature - "adds:": *add_type - "rscadd:": *add_type - "[enhancement]": *add_type - "[qol]": *add_type - "[feature]": *add_type - "del:": &del_type Removal - "dels:": *del_type - "rscdel:": *del_type - "[removal]": *del_type - "[revert]": *del_type - "imageadd:": Sprites - "imagedel:": Sprites - "typo:": &typo_type Grammar and Formatting - "spellcheck:": *typo_type - "balance:": &balance_type Balance/Rebalance - "rebalance:": *balance_type - "[rebalance]": *balance_type - "[balance]": *balance_type - "tgs:": &tgs_type TGS - "[tgs]": *tgs_type - "[dmapi]": *tgs_type - "code_imp:": &code_type Code Improvement - "code:": *code_type - "refactor:": Refactor - "config:": Config Update - "admin:": Administration - "server:": server - "[dnm]": &dnm_type Do not merge - "[do not merge]": *dnm_type - "[tgui]": &ui_type tgui - "[ui]": *ui_type - "[rework]": Rework - "[wiki]": Wiki Edit - "[wip]": WIP + "fix:": &fix_type Fix + "fixes:": *fix_type + "bugfix:": *fix_type + "[critical]": *fix_type + "[fix]": *fix_type + "[bugfix]": *fix_type + "[runtime]": *fix_type + "[bug]": Bug + "rsctweak:": &tweak_type Tweak + "tweak:": *tweak_type + "tweaks:": *tweak_type + "soundadd:": Sound + "sounddel:": Sound + "add:": &add_type Feature + "adds:": *add_type + "rscadd:": *add_type + "[enhancement]": *add_type + "[qol]": *add_type + "[feature]": *add_type + "del:": &del_type Removal + "dels:": *del_type + "rscdel:": *del_type + "[removal]": *del_type + "[revert]": *del_type + "imageadd:": Sprites + "imagedel:": Sprites + "typo:": &typo_type Grammar and Formatting + "spellcheck:": *typo_type + "balance:": &balance_type Balance/Rebalance + "rebalance:": *balance_type + "[rebalance]": *balance_type + "[balance]": *balance_type + "tgs:": &tgs_type TGS + "[tgs]": *tgs_type + "[dmapi]": *tgs_type + "code_imp:": &code_type Code Improvement + "code:": *code_type + "refactor:": Refactor + "config:": Config Update + "admin:": Administration + "server:": server + "[dnm]": &dnm_type Do not merge + "[do not merge]": *dnm_type + "[tgui]": &ui_type tgui + "[ui]": *ui_type + "[rework]": Rework + "[wiki]": Wiki Edit + "[wip]": WIP diff --git a/.github/labeler.yml b/.github/labeler.yml index b0f6bdd21e35..45585acfbc16 100644 --- a/.github/labeler.yml +++ b/.github/labeler.yml @@ -1,44 +1,44 @@ Admin: - - 'code/modules/admin/**' + - "code/modules/admin/**" # Any file within the config subfolder Config: - - 'config/**' + - "config/**" Dependencies: - - '**/package.json' - - '**/package-lock.json' - - '**/yarn.lock' + - "**/package.json" + - "**/package-lock.json" + - "**/yarn.lock" # When the .DME is changed DME Edit: - - './*.dme' - - '**/*.dme' + - "./*.dme" + - "**/*.dme" # Any .dmi changes Sprites: - - '**/*.dmi' + - "**/*.dmi" # Changes to a .dmm or anything in the _map subfolder Map Change: - - '**/*.dmm' - - '_maps/**' + - "**/*.dmm" + - "_maps/**" # Any changes to .ogg files are marked as sound Sound: - - '**/*.ogg' + - "**/*.ogg" # Changes to the SQL subfolder SQL: - - 'SQL/**' + - "SQL/**" # Changes to the tgui subfolder tgui: - - 'tgui/**' + - "tgui/**" # Changes to the .Github subfolder Github: - - '.github/**' + - ".github/**" Deprecated Modularization: - - 'whitesands/**' + - "whitesands/**" diff --git a/.github/workflows/ci_suite.yml b/.github/workflows/ci_suite.yml index 7d444ebb36c3..b79568eea7c0 100644 --- a/.github/workflows/ci_suite.yml +++ b/.github/workflows/ci_suite.yml @@ -2,62 +2,65 @@ name: Checks on: push: branches: - - master + - master pull_request: branches: - - master + - master jobs: run_linters: name: Run Linters runs-on: ubuntu-20.04 steps: - uses: actions/checkout@v2 + - name: Restore SpacemanDMM cache + uses: actions/cache@v3 with: - ref: master - - name: Python setup - uses: actions/setup-python@v1 - with: - python-version: "3.9" - - uses: actions/checkout@v2 - - name: Setup cache - id: cache-spacemandmm - uses: actions/cache@v2 + path: ~/SpacemanDMM + key: ${{ runner.os }}-spacemandmm-${{ secrets.CACHE_PURGE_KEY }} + - name: Restore Yarn cache + uses: actions/cache@v3 with: - path: ~/dreamchecker - key: ${{ runner.os }}-spacemandmm-cache-${{ hashFiles('dependencies.sh') }} - - name: Install SpacemanDMM - if: steps.cache-spacemandmm.outputs.cache-hit != 'true' - run: bash tools/ci/install_spaceman_dmm.sh dreamchecker + path: tgui/.yarn/cache + key: ${{ runner.os }}-yarn-${{ secrets.CACHE_PURGE_KEY }}-${{ hashFiles('tgui/yarn.lock') }} + restore-keys: | + ${{ runner.os }}-build-${{ secrets.CACHE_PURGE_KEY }}- + ${{ runner.os }}-build- + ${{ runner.os }}- - name: Install Tools run: | - pip install setuptools + pip3 install setuptools bash tools/ci/install_node.sh + bash tools/ci/install_byond.sh bash tools/ci/install_spaceman_dmm.sh dreamchecker - bash tools/ci/install_auxmos.sh tools/bootstrap/python -c '' - - name: Check line endings - uses: AODocs/check-eol@v1.1 - name: Run Linters run: | + tools/build/build --ci lint tgui-test bash tools/ci/check_filedirs.sh shiptest.dme bash tools/ci/check_changelogs.sh - find . -name "*.php" -print0 | xargs -0 -n1 php -l - find . -name "*.json" -not -path "*/node_modules/*" -print0 | xargs -0 tools/bootstrap/python ./tools/json_verifier.py - tgui/bin/tgui --lint + bash tools/ci/check_misc.sh bash tools/ci/check_grep.sh - tools/bootstrap/python -m ci.check_regex --log-changes-only tools/bootstrap/python -m dmi.test tools/bootstrap/python -m mapmerge2.dmm_test ~/dreamchecker > ${GITHUB_WORKSPACE}/output-annotations.txt 2>&1 - - name: Annotate Regex Matches - if: always() - run: | - cat check_regex_output.txt - name: Annotate Lints uses: yogstation13/DreamAnnotate@v1 if: always() with: outputFile: output-annotations.txt + - uses: actions/checkout@v2 + with: + ref: master + - uses: actions/setup-python@v1 + with: + python-version: "3.9" + - name: Run Check Regex + run: | + tools/bootstrap/python -m ci.check_regex --log-changes-only + - name: Annotate Regex Matches + if: always() + run: | + cat check_regex_output.txt compile_all_maps: name: Compile Maps @@ -79,14 +82,15 @@ jobs: run: bash tools/ci/install_byond.sh - name: Compile All Maps run: | + bash tools/ci/install_byond.sh source $HOME/BYOND/byond/bin/byondsetup - tools/bootstrap/python tools/ci/template_dm_generator.py - tgui/bin/tgui --build - bash tools/ci/dm.sh -DCIBUILDING -DCITESTING -DALL_MAPS shiptest.dme + tools/build/build --ci dm -DCIBUILDING -DCITESTING -DALL_MAPS run_all_tests: name: Integration Tests runs-on: ubuntu-20.04 + strategy: + fail-fast: false services: mysql: image: mysql:latest @@ -122,11 +126,14 @@ jobs: - name: Install auxmos run: | bash tools/ci/install_auxmos.sh - - name: Compile and run tests + - name: Compile Tests + run: | + bash tools/ci/install_byond.sh + source $HOME/BYOND/byond/bin/byondsetup + tools/build/build --ci dm -DCIBUILDING -DANSICOLORS + - name: Run Tests run: | source $HOME/BYOND/byond/bin/byondsetup - tgui/bin/tgui --build - bash tools/ci/dm.sh -DCIBUILDING shiptest.dme bash tools/ci/run_server.sh test_windows: @@ -135,8 +142,19 @@ jobs: runs-on: windows-latest steps: - uses: actions/checkout@v2 + - name: Restore Yarn cache + uses: actions/cache@v3 + with: + path: tgui/.yarn/cache + key: ${{ runner.os }}-yarn-${{ secrets.CACHE_PURGE_KEY }}-${{ hashFiles('tgui/yarn.lock') }} + restore-keys: | + ${{ runner.os }}-build-${{ secrets.CACHE_PURGE_KEY }}- + ${{ runner.os }}-build- + ${{ runner.os }}- - name: Compile run: pwsh tools/ci/build.ps1 + env: + DM_EXE: "C:\\byond\\bin\\dm.exe" - name: Create artifact run: | md deploy diff --git a/.github/workflows/codeowner_reviews.yml b/.github/workflows/codeowner_reviews.yml index 994b33f01a7c..cf4ec4138afb 100644 --- a/.github/workflows/codeowner_reviews.yml +++ b/.github/workflows/codeowner_reviews.yml @@ -5,7 +5,6 @@ on: pull_request_target jobs: assign-users: - runs-on: ubuntu-latest steps: @@ -22,5 +21,5 @@ jobs: if: steps.CodeOwnersParser.outputs.owners != '' uses: tgstation/RequestReviewFromUser@v1 with: - separator: ' ' + separator: " " users: ${{ steps.CodeOwnersParser.outputs.owners }} diff --git a/.github/workflows/compile_changelogs.yml b/.github/workflows/compile_changelogs.yml index 3c43df7a164e..d245073cc3ab 100644 --- a/.github/workflows/compile_changelogs.yml +++ b/.github/workflows/compile_changelogs.yml @@ -22,7 +22,7 @@ jobs: if: steps.value_holder.outputs.CL_ENABLED uses: actions/setup-python@v1 with: - python-version: '3.9' + python-version: "3.9" - name: "Install deps" if: steps.value_holder.outputs.CL_ENABLED run: | diff --git a/.github/workflows/dmi5.yml b/.github/workflows/dmi5.yml index b90705ec0129..7bf0a832206c 100644 --- a/.github/workflows/dmi5.yml +++ b/.github/workflows/dmi5.yml @@ -7,7 +7,7 @@ jobs: runs-on: ubuntu-latest steps: - - uses: actions/checkout@v2 - - uses: ParadiseSS13/DMI5Checker@v1 - with: - icons-path: 'icons' + - uses: actions/checkout@v2 + - uses: ParadiseSS13/DMI5Checker@v1 + with: + icons-path: "icons" diff --git a/.github/workflows/generate_documentation.yml b/.github/workflows/generate_documentation.yml index 1475d82727a7..ba85ed9f4424 100644 --- a/.github/workflows/generate_documentation.yml +++ b/.github/workflows/generate_documentation.yml @@ -2,7 +2,7 @@ name: Generate documentation on: push: branches: - - master + - master jobs: generate_documentation: if: "!contains(github.event.head_commit.message, '[ci skip]')" diff --git a/.github/workflows/round_id_linker.yml b/.github/workflows/round_id_linker.yml index 311ee7613c02..a70344d794ea 100644 --- a/.github/workflows/round_id_linker.yml +++ b/.github/workflows/round_id_linker.yml @@ -7,6 +7,6 @@ jobs: link_rounds: runs-on: ubuntu-20.04 steps: - - uses: shiptest-ss13/round_linker@master - with: - repo-token: ${{ secrets.GITHUB_TOKEN }} + - uses: shiptest-ss13/round_linker@master + with: + repo-token: ${{ secrets.GITHUB_TOKEN }} diff --git a/.github/workflows/stale.yml b/.github/workflows/stale.yml index 179ebc68a5cc..e51f59c279a3 100644 --- a/.github/workflows/stale.yml +++ b/.github/workflows/stale.yml @@ -2,20 +2,19 @@ name: Mark stale issues and pull requests on: schedule: - - cron: "0 0 * * *" + - cron: "0 0 * * *" jobs: stale: - runs-on: ubuntu-20.04 steps: - - uses: actions/stale@v4 - with: - repo-token: ${{ secrets.GITHUB_TOKEN }} - stale-pr-message: "This PR has been inactive for long enough to be automatically marked as stale. This means it is at risk of being auto closed in ~ 14 days, please address any outstanding review items and ensure your PR is finished, if these are all true and you are auto-staled anyway, you need to actively ask maintainers if your PR will be merged. Once you have done any of the previous actions then you should request a maintainer remove the stale label on your PR, to reset the stale timer. If you feel no maintainer will respond in that time, you may wish to close this PR youself, while you seek maintainer comment, as you will then be able to reopen the PR yourself" - days-before-stale: 14 - days-before-close: 7 - days-before-issue-stale: -1 - stale-pr-label: 'Stale' - exempt-pr-labels: 'RED LABEL, Test Merged, Test Merge Candidate, Stale Exempt' + - uses: actions/stale@v4 + with: + repo-token: ${{ secrets.GITHUB_TOKEN }} + stale-pr-message: "This PR has been inactive for long enough to be automatically marked as stale. This means it is at risk of being auto closed in ~ 14 days, please address any outstanding review items and ensure your PR is finished, if these are all true and you are auto-staled anyway, you need to actively ask maintainers if your PR will be merged. Once you have done any of the previous actions then you should request a maintainer remove the stale label on your PR, to reset the stale timer. If you feel no maintainer will respond in that time, you may wish to close this PR youself, while you seek maintainer comment, as you will then be able to reopen the PR yourself" + days-before-stale: 14 + days-before-close: 7 + days-before-issue-stale: -1 + stale-pr-label: "Stale" + exempt-pr-labels: "RED LABEL, Test Merged, Test Merge Candidate, Stale Exempt" diff --git a/.github/workflows/update_tgs_dmapi.yml b/.github/workflows/update_tgs_dmapi.yml index bbb93d24e0cf..0eb898628424 100644 --- a/.github/workflows/update_tgs_dmapi.yml +++ b/.github/workflows/update_tgs_dmapi.yml @@ -10,36 +10,36 @@ jobs: runs-on: ubuntu-20.04 name: Update the TGS DMAPI steps: - - name: Clone - uses: actions/checkout@v2 + - name: Clone + uses: actions/checkout@v2 - - name: Branch - run: | - git branch -f tgs-dmapi-update - git checkout tgs-dmapi-update - git reset --hard master + - name: Branch + run: | + git branch -f tgs-dmapi-update + git checkout tgs-dmapi-update + git reset --hard master - - name: Apply DMAPI update - uses: tgstation/tgs-dmapi-updater@v2 - with: - header-path: 'code/__DEFINES/tgs.dm' - library-path: 'code/modules/tgs' + - name: Apply DMAPI update + uses: tgstation/tgs-dmapi-updater@v2 + with: + header-path: "code/__DEFINES/tgs.dm" + library-path: "code/modules/tgs" - - name: Commit and Push - run: | - git config user.name github-actions - git config user.email action@github.com - git add . - git commit -m 'Update TGS DMAPI' - git push -f -u origin tgs-dmapi-update + - name: Commit and Push + run: | + git config user.name github-actions + git config user.email action@github.com + git add . + git commit -m 'Update TGS DMAPI' + git push -f -u origin tgs-dmapi-update - - name: Create Pull Request - uses: repo-sync/pull-request@v2 - with: - source_branch: "tgs-dmapi-update" - destination_branch: "master" - pr_title: "Automatic TGS DMAPI Update" - pr_body: "This pull request updates the TGS DMAPI to the latest version. Please note any breaking or unimplemented changes before merging." - pr_label: "Tools" - pr_allow_empty: false - github_token: ${{ secrets.GITHUB_TOKEN }} + - name: Create Pull Request + uses: repo-sync/pull-request@v2 + with: + source_branch: "tgs-dmapi-update" + destination_branch: "master" + pr_title: "Automatic TGS DMAPI Update" + pr_body: "This pull request updates the TGS DMAPI to the latest version. Please note any breaking or unimplemented changes before merging." + pr_label: "Tools" + pr_allow_empty: false + github_token: ${{ secrets.GITHUB_TOKEN }} diff --git a/.gitignore b/.gitignore index 67300f07139d..5ccdaded62b1 100644 --- a/.gitignore +++ b/.gitignore @@ -7,10 +7,16 @@ #Ignore byond config folder. /cfg/**/* +# Ignore compiled linux libs in the root folder, e.g. librust_g.so +/*.so + #Ignore compiled files and other files generated during compilation. *.mdme +*.mdme.* *.dmb *.rsc +*.m.dme +*.test.dme *.lk *.int *.backup @@ -49,27 +55,6 @@ __pycache__/ *.py[cod] *$py.class -# C extensions -#*.so - -# Distribution / packaging -.Python -env/ -build/ -develop-eggs/ -dist/ -downloads/ -eggs/ -.eggs/ -lib/ -lib64/ -parts/ -sdist/ -var/ -*.egg-info/ -.installed.cfg -*.egg - # PyInstaller # Usually these files are written by a python script from a template # before PyInstaller builds the exe, so as to inject date/other infos into it. @@ -77,8 +62,7 @@ var/ *.spec # Installer logs -pip-log.txt -pip-delete-this-directory.txt +pip-*.txt # Unit test / coverage reports htmlcov/ @@ -88,7 +72,6 @@ htmlcov/ .cache nosetests.xml coverage.xml -*,cover .hypothesis/ # Translations @@ -97,10 +80,6 @@ coverage.xml # Django stuff: *.log -local_settings.py - -# Flask instance folder -instance/ # Scrapy stuff: .scrapy @@ -108,9 +87,6 @@ instance/ # Sphinx documentation docs/_build/ -# PyBuilder -target/ - # IPython Notebook .ipynb_checkpoints @@ -123,10 +99,6 @@ celerybeat-schedule # dotenv .env -# virtualenv -venv/ -ENV/ - # IntelliJ IDEA / PyCharm (with plugin) .idea @@ -149,12 +121,6 @@ Desktop.ini # Recycle Bin used on file shares $RECYCLE.BIN/ -# Windows Installer files -#*.cab -#*.msi -#*.msm -#*.msp - # Windows shortcuts *.lnk @@ -195,10 +161,10 @@ Temporary Items #Visual studio stuff *.vscode/* -tools/MapAtmosFixer/MapAtmosFixer/obj/* -tools/MapAtmosFixer/MapAtmosFixer/bin/* -tools/obfStringGenerator/.vs/* -tools/obfStringGenerator/x64/* +/tools/MapAtmosFixer/MapAtmosFixer/obj/* +/tools/MapAtmosFixer/MapAtmosFixer/bin/* +/tools/CreditsTool/bin/* +/tools/CreditsTool/obj/* #GitHub Atom .atom-build.json @@ -223,20 +189,22 @@ tools/obfStringGenerator/x64/* !/config/title_screens/images/exclude #Linux docker -tools/LinuxOneShot/SetupProgram/obj/* -tools/LinuxOneShot/SetupProgram/bin/* -tools/LinuxOneShot/SetupProgram/.vs -tools/LinuxOneShot/Database -tools/LinuxOneShot/TGS_Config -tools/LinuxOneShot/TGS_Instances -tools/LinuxOneShot/TGS_Logs - -# Common build tooling -!/tools/build -code/modules/tgui/USE_BUILD_BAT_INSTEAD_OF_DREAM_MAKER.dm +/tools/LinuxOneShot/SetupProgram/obj/* +/tools/LinuxOneShot/SetupProgram/bin/* +/tools/LinuxOneShot/SetupProgram/.vs +/tools/LinuxOneShot/Database +/tools/LinuxOneShot/TGS_Config +/tools/LinuxOneShot/TGS_Instances +/tools/LinuxOneShot/TGS_Logs + +# JavaScript tools +**/node_modules + +# Screenshot tests +/artifacts # tool-generated files check_regex_output.txt -# vsc ionide cache -.ionide/symbolCache.db +# changelog ci +/html/changelogs/archive diff --git a/.gitlab-ci.yml b/.gitlab-ci.yml index 11d27b55d347..eab5bcfd4be4 100644 --- a/.gitlab-ci.yml +++ b/.gitlab-ci.yml @@ -1,11 +1,11 @@ build: - stage: build - rules: - - if: $CI_MERGE_REQUEST_IID || $CI_COMMIT_REF_NAME == "master" - changes: - - tgui/**/*.js - - tgui/**/*.scss - when: always - image: node:lts - script: - - tgui/bin/tgui --ci + stage: build + rules: + - if: $CI_MERGE_REQUEST_IID || $CI_COMMIT_REF_NAME == "master" + changes: + - tgui/**/*.js + - tgui/**/*.scss + when: always + image: node:lts + script: + - tgui/bin/tgui --ci diff --git a/.vscode/extensions.json b/.vscode/extensions.json index cd4a7fa1b717..3e21a9cf446c 100644 --- a/.vscode/extensions.json +++ b/.vscode/extensions.json @@ -5,6 +5,7 @@ "EditorConfig.EditorConfig", "arcanis.vscode-zipfs", "dbaeumer.vscode-eslint", - "anturk.dmi-editor" + "anturk.dmi-editor", + "esbenp.prettier-vscode" ] } diff --git a/.vscode/settings.json b/.vscode/settings.json index a564517648d9..ee251eb53460 100644 --- a/.vscode/settings.json +++ b/.vscode/settings.json @@ -7,22 +7,23 @@ "editor.renderWhitespace": "all", "editor.trimAutoWhitespace": true, "editor.tabSize": 4, - - "eslint.nodePath": "tgui/.yarn/sdks", - "eslint.workingDirectories": [ - "./tgui" - ], - "dreammaker.extoolsDLL": "byond-extools.dll", + "eslint.nodePath": "./tgui/.yarn/sdks", + "eslint.workingDirectories": ["./tgui"], + "prettier.prettierPath": "./tgui/.yarn/sdks/prettier/index.js", + "typescript.tsdk": "./tgui/.yarn/sdks/typescript/lib", + "typescript.enablePromptUseWorkspaceTsdk": true, "search.exclude": { - "tgui/.yarn": true, - "tgui/.pnp.*": true + "**/.yarn": true, + "**/.pnp.*": true }, + "editor.codeActionsOnSave": { + "source.fixAll.eslint": true + }, + "files.insertFinalNewline": true, "gitlens.advanced.blame.customArguments": ["-w"], - + "tgstationTestExplorer.project.resultsType": "json", "[python]": { - "gitlens.codeLens.symbolScopes": [ - "!Module" - ], + "gitlens.codeLens.symbolScopes": ["!Module"], "editor.wordBasedSuggestions": false, "editor.insertSpaces": true, "editor.tabSize": 4 @@ -31,18 +32,39 @@ "editor.insertSpaces": true, "editor.tabSize": 2, "editor.autoIndent": "advanced", - "gitlens.codeLens.scopes": [ - "document" - ] + "gitlens.codeLens.scopes": ["document"] }, "[json]": { "editor.quickSuggestions": { "strings": true }, "editor.suggest.insertMode": "replace", - "gitlens.codeLens.scopes": [ - "document" - ] + "gitlens.codeLens.scopes": ["document"] + }, + "[javascript]": { + "editor.rulers": [80], + "editor.defaultFormatter": "esbenp.prettier-vscode", + "editor.formatOnSave": true + }, + "[javascriptreact]": { + "editor.rulers": [80], + "editor.defaultFormatter": "esbenp.prettier-vscode", + "editor.formatOnSave": true + }, + "[typescript]": { + "editor.rulers": [80], + "editor.defaultFormatter": "esbenp.prettier-vscode", + "editor.formatOnSave": true + }, + "[typescriptreact]": { + "editor.rulers": [80], + "editor.defaultFormatter": "esbenp.prettier-vscode", + "editor.formatOnSave": true + }, + "[scss]": { + "editor.rulers": [80], + "editor.defaultFormatter": "esbenp.prettier-vscode", + "editor.formatOnSave": true }, "editor.guides.indentation": true } diff --git a/.vscode/tasks.json b/.vscode/tasks.json index d8402cad8676..e5f15008212b 100644 --- a/.vscode/tasks.json +++ b/.vscode/tasks.json @@ -7,10 +7,7 @@ "windows": { "command": ".\\tools\\build\\build.bat" }, - "problemMatcher": [ - "$dreammaker", - "$eslint-stylish" - ], + "problemMatcher": ["$dreammaker", "$eslint-stylish"], "group": { "kind": "build", "isDefault": true @@ -21,9 +18,7 @@ { "type": "dreammaker", "dme": "shiptest.dme", - "problemMatcher": [ - "$dreammaker" - ], + "problemMatcher": ["$dreammaker"], "group": "build", "label": "dm: build - shiptest.dme" }, @@ -33,9 +28,7 @@ "windows": { "command": ".\\tgui\\bin\\tgui.bat" }, - "problemMatcher": [ - "$eslint-stylish" - ], + "problemMatcher": ["$eslint-stylish"], "group": "build", "label": "tgui: build" }, diff --git a/README.md b/README.md index 9b1b70fcfb79..0c3f8281189c 100644 --- a/README.md +++ b/README.md @@ -4,12 +4,12 @@ [![forthebadge](https://forthebadge.com/images/badges/built-with-resentment.svg)](https://forthebadge.com) [![forthebadge](https://forthebadge.com/images/badges/contains-technical-debt.svg)](https://user-images.githubusercontent.com/8171642/50290880-ffef5500-043a-11e9-8270-a2e5b697c86c.png) [![forinfinityandbyond](https://user-images.githubusercontent.com/5211576/29499758-4efff304-85e6-11e7-8267-62919c3688a9.gif)](https://www.reddit.com/r/SS13/comments/5oplxp/what_is_the_main_problem_with_byond_as_an_engine/dclbu1a) -* **Website:** -* **Patreon:** -* **Wiki:** -* **Code Docs:** -* **Discord:** -* **Coderbus Discord:** +- **Website:** +- **Patreon:** +- **Wiki:** +- **Code Docs:** +- **Discord:** +- **Coderbus Discord:** This is the codebase for the Ship-based Shiptest flavoured fork of SpaceStation 13. @@ -33,13 +33,13 @@ Shiptest is a thrill-packed round-based exploration and roleplaying game set aga ## CODEBASE CREDITS -* Whitesands, for the original codebase -* /tg/, for the original codebase of the original codebase -* BeeStation, for the many QoL changes -* Oracle, for the inspiration and wonderful features and sprites -* Interstation, for bridging the gap between Oracle and Modern /tg/ -* YogStation, for multiple different features -* Baystation, for the initial overmap concept and sprites +- Whitesands, for the original codebase +- /tg/, for the original codebase of the original codebase +- BeeStation, for the many QoL changes +- Oracle, for the inspiration and wonderful features and sprites +- Interstation, for bridging the gap between Oracle and Modern /tg/ +- YogStation, for multiple different features +- Baystation, for the initial overmap concept and sprites And thank you to any other codebase not mentioned here that has been used in the code. Your wonderful contributions are known. @@ -54,7 +54,7 @@ See LICENSE and GPLv3.txt for more details. The TGS DMAPI API is licensed as a subproject under the MIT license. -See the footer of [code/__DEFINES/tgs.dm](./code/__DEFINES/tgs.dm) and [code/modules/tgs/LICENSE](./code/modules/tgs/LICENSE) for the MIT license. +See the footer of [code/\_\_DEFINES/tgs.dm](./code/__DEFINES/tgs.dm) and [code/modules/tgs/LICENSE](./code/modules/tgs/LICENSE) for the MIT license. All assets including icons and sound are under a [Creative Commons 3.0 BY-SA license](https://creativecommons.org/licenses/by-sa/3.0/) unless otherwise indicated. diff --git a/TGS3.json b/TGS3.json index 39b75bd913c0..0a9efe4e852d 100644 --- a/TGS3.json +++ b/TGS3.json @@ -1,22 +1,11 @@ { - "documentation": "/tg/station server 3 configuration file", - "changelog": { - "script": "tools/ss13_genchangelog.py", - "arguments": "html/changelog.html html/changelogs", - "pip_dependancies": [ - "PyYaml", - "beautifulsoup4" - ] - }, - "synchronize_paths": [ - "html/changelog.html", - "html/changelogs/*" - ], - "static_directories": [ - "config", - "data" - ], - "dlls": [ - "libmariadb.dll" - ] - } + "documentation": "/tg/station server 3 configuration file", + "changelog": { + "script": "tools/ss13_genchangelog.py", + "arguments": "html/changelog.html html/changelogs", + "pip_dependancies": ["PyYaml", "beautifulsoup4"] + }, + "synchronize_paths": ["html/changelog.html", "html/changelogs/*"], + "static_directories": ["config", "data"], + "dlls": ["libmariadb.dll"] +} diff --git a/_maps/RandomRuins/IceRuins/icemoon_surface_corporate_rejects.dmm b/_maps/RandomRuins/IceRuins/icemoon_surface_corporate_rejects.dmm index 6fd155ad8c1f..2b71760986d8 100644 --- a/_maps/RandomRuins/IceRuins/icemoon_surface_corporate_rejects.dmm +++ b/_maps/RandomRuins/IceRuins/icemoon_surface_corporate_rejects.dmm @@ -723,7 +723,7 @@ "rH" = ( /obj/effect/turf_decal/corner/white/diagonal, /obj/machinery/vending/wallmed{ - pixel_x = -24 + pixel_x = -25 }, /obj/structure/cable/blue{ icon_state = "1-2" diff --git a/_maps/RandomRuins/IceRuins/icemoon_surface_engioutpost.dmm b/_maps/RandomRuins/IceRuins/icemoon_surface_engioutpost.dmm index 3d3319ceb10b..d9961a69886a 100644 --- a/_maps/RandomRuins/IceRuins/icemoon_surface_engioutpost.dmm +++ b/_maps/RandomRuins/IceRuins/icemoon_surface_engioutpost.dmm @@ -290,7 +290,6 @@ dir = 10 }, /obj/structure/table/reinforced, -/obj/structure/table/reinforced, /obj/item/trash/plate, /obj/effect/turf_decal/corner/red/diagonal, /turf/open/floor/plasteel/white, @@ -596,7 +595,7 @@ }, /obj/machinery/power/apc/unlocked{ dir = 4; - pixel_x = 26 + pixel_x = 25 }, /obj/structure/cable{ icon_state = "0-8" diff --git a/_maps/RandomRuins/IceRuins/icemoon_surface_slimerancher.dmm b/_maps/RandomRuins/IceRuins/icemoon_surface_slimerancher.dmm index c163c10a6071..db9bf679a07d 100644 --- a/_maps/RandomRuins/IceRuins/icemoon_surface_slimerancher.dmm +++ b/_maps/RandomRuins/IceRuins/icemoon_surface_slimerancher.dmm @@ -281,7 +281,7 @@ /area/ruin/powered/slimerancher/house) "ld" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/siding/wood{ dir = 4 @@ -538,7 +538,7 @@ /area/ruin/powered/slimerancher/house) "ur" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/processor/slime{ rating_amount = 2; @@ -600,7 +600,7 @@ pixel_x = -40 }, /obj/structure/extinguisher_cabinet{ - pixel_x = -24 + pixel_x = -25 }, /turf/closed/wall/r_wall, /area/ruin/powered/slimerancher) @@ -664,7 +664,7 @@ /area/ruin/powered/slimerancher/prison) "wo" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/siding/wood{ dir = 4 @@ -708,7 +708,7 @@ /area/ruin/powered/slimerancher/maints) "yn" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/item/stack/sheet/glass/fifty, /obj/structure/rack, @@ -787,7 +787,7 @@ /obj/machinery/button/door{ id = "slimerancherlockdown"; name = "Facility Lockdown"; - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/mineral/plastitanium/red/brig, /area/ruin/powered/slimerancher/prison) @@ -969,7 +969,7 @@ /obj/machinery/button/door{ id = "slimerancherlockdown"; name = "Facility Lockdown"; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/wood, /area/ruin/powered/slimerancher/house) @@ -1109,8 +1109,8 @@ /obj/machinery/button/door{ id = "slimerancherlockdown"; name = "Facility Lockdown"; - pixel_x = 24; - pixel_y = -24 + pixel_x = 25; + pixel_y = -25 }, /turf/open/floor/wood, /area/ruin/powered/slimerancher/house) @@ -1225,7 +1225,7 @@ /obj/machinery/button/door{ id = "slimerancherlockdown"; name = "Facility Lockdown"; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/mineral/plastitanium, /area/ruin/powered/slimerancher/prison) diff --git a/_maps/RandomRuins/IceRuins/icemoon_underground_abandoned_newcops.dmm b/_maps/RandomRuins/IceRuins/icemoon_underground_abandoned_newcops.dmm index dbd56d34f119..c890253b7b62 100644 --- a/_maps/RandomRuins/IceRuins/icemoon_underground_abandoned_newcops.dmm +++ b/_maps/RandomRuins/IceRuins/icemoon_underground_abandoned_newcops.dmm @@ -213,7 +213,6 @@ dir = 1 }, /obj/structure/table/wood, -/obj/structure/table/wood, /obj/item/paicard, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plasteel, @@ -661,7 +660,7 @@ /area/ruin/powered) "Ec" = ( /obj/machinery/door/poddoor/shuttledock{ - name = "stolen shuttle storage" + name = "Stolen Shuttle Storage" }, /turf/open/floor/plating, /area/ruin/powered) @@ -918,7 +917,7 @@ "Rj" = ( /obj/machinery/door/poddoor/shutters{ id = "abandonednewcopshuttle"; - name = "shuttle dock" + name = "Shuttle Dock" }, /turf/open/floor/plating, /area/ruin/powered) diff --git a/_maps/RandomRuins/IceRuins/icemoon_underground_brazillianlab.dmm b/_maps/RandomRuins/IceRuins/icemoon_underground_brazillianlab.dmm index ac8094e8ddfa..5f29bba97a0b 100644 --- a/_maps/RandomRuins/IceRuins/icemoon_underground_brazillianlab.dmm +++ b/_maps/RandomRuins/IceRuins/icemoon_underground_brazillianlab.dmm @@ -52,7 +52,6 @@ /area/ruin/unpowered) "cr" = ( /obj/structure/barricade/sandbags, -/obj/structure/barricade/sandbags, /turf/open/floor/plating/asteroid/snow/icemoon, /area/icemoon/surface/outdoors) "ct" = ( @@ -75,7 +74,6 @@ }, /area/ruin/unpowered) "fd" = ( -/obj/structure/barricade/wooden/snowed, /obj/structure/barricade/wooden/crude/snow, /turf/open/floor/plating/snowed/smoothed/icemoon, /area/ruin/unpowered) @@ -112,7 +110,6 @@ /area/ruin/unpowered) "hg" = ( /obj/structure/barricade/wooden/snowed, -/obj/structure/barricade/wooden/snowed, /turf/open/floor/wood{ initial_gas_mix = "ICEMOON_ATMOS" }, diff --git a/_maps/RandomRuins/IceRuins/icemoon_underground_oldstation.dmm b/_maps/RandomRuins/IceRuins/icemoon_underground_oldstation.dmm index 36e4db69397e..40d8929942ef 100644 --- a/_maps/RandomRuins/IceRuins/icemoon_underground_oldstation.dmm +++ b/_maps/RandomRuins/IceRuins/icemoon_underground_oldstation.dmm @@ -291,7 +291,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/light{ dir = 4 @@ -379,7 +379,7 @@ }, /obj/machinery/firealarm{ dir = 8; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/blue{ dir = 1 @@ -561,7 +561,6 @@ /turf/open/floor/plating/icemoon, /area/ruin/space/has_grav/ancientstation/medbay) "bG" = ( -/obj/structure/lattice, /turf/closed/wall, /area/ruin/space/has_grav/ancientstation/betastorage) "bH" = ( @@ -850,7 +849,7 @@ /area/ruin/space/has_grav/ancientstation) "cr" = ( /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel, /area/ruin/space/has_grav/ancientstation/betacorridor) @@ -1186,7 +1185,7 @@ }, /obj/machinery/firealarm{ dir = 8; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/green{ dir = 1 @@ -1257,7 +1256,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/decal/cleanable/dirt, @@ -1579,7 +1578,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/firealarm{ dir = 8; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /obj/item/storage/backpack/old, @@ -1802,7 +1801,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/white, /area/ruin/space/has_grav/ancientstation/rnd) @@ -2188,7 +2187,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/firealarm{ dir = 8; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/white, /area/ruin/space/has_grav/ancientstation/rnd) @@ -2421,7 +2420,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Delta Station Artifical Program Core APC"; - pixel_x = 24; + pixel_x = 25; start_charge = 0 }, /obj/effect/decal/cleanable/blood/gibs/old, @@ -2724,7 +2723,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/firealarm{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /mob/living/simple_animal/hostile/alien/drone, @@ -2956,7 +2955,7 @@ "hj" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/decal/cleanable/dirt, @@ -3153,7 +3152,7 @@ }, /obj/machinery/firealarm{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/red, /obj/effect/turf_decal/corner/red{ @@ -3291,7 +3290,7 @@ /obj/effect/decal/cleanable/oil, /obj/machinery/firealarm{ dir = 8; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/yellow{ dir = 1 @@ -3761,7 +3760,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Charlie Engineering APC"; - pixel_x = 24; + pixel_x = 25; start_charge = 0 }, /obj/effect/turf_decal/corner/yellow, @@ -3902,7 +3901,7 @@ }, /obj/machinery/firealarm{ dir = 8; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/white{ dir = 1 @@ -4391,7 +4390,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plasteel, @@ -4546,7 +4545,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Charlie Main Corridor APC"; - pixel_x = 24; + pixel_x = 25; start_charge = 0 }, /obj/structure/cable, @@ -4628,7 +4627,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Beta Atmospherics APC"; - pixel_x = 24; + pixel_x = 25; start_charge = 0 }, /obj/effect/decal/cleanable/dirt, @@ -4938,7 +4937,7 @@ }, /obj/machinery/firealarm{ dir = 8; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/white, /area/ruin/space/has_grav/ancientstation/proto) @@ -5209,7 +5208,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Delta Station Corridor APC"; - pixel_x = 24; + pixel_x = 25; start_charge = 0 }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer2, @@ -5350,7 +5349,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel, /area/ruin/space/has_grav/ancientstation/engi) @@ -5358,7 +5357,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/yellow, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer2, @@ -5512,7 +5511,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/firealarm{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable{ icon_state = "1-2" @@ -6050,7 +6049,6 @@ /turf/closed/wall, /area/ruin/space/has_grav/ancientstation/betacorridor) "nj" = ( -/obj/structure/lattice, /turf/closed/mineral/snowmountain/cavern/icemoon, /area/icemoon/underground/unexplored) "nl" = ( @@ -6204,7 +6202,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/firealarm{ dir = 8; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/yellow{ dir = 1 @@ -6340,7 +6338,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/firealarm{ dir = 8; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/yellow{ dir = 1 @@ -6436,7 +6434,7 @@ }, /obj/machinery/firealarm{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/decal/cleanable/blood/tracks{ @@ -6907,7 +6905,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/firealarm{ dir = 8; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/xenoblood/xgibs/up, /obj/structure/cable{ @@ -6929,7 +6927,7 @@ /obj/effect/decal/cleanable/glass, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plating/icemoon{ icon_state = "platingdmg3" @@ -7242,7 +7240,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/firealarm{ dir = 8; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /obj/structure/cable{ @@ -8039,7 +8037,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/decal/cleanable/blood/tracks, @@ -8121,7 +8119,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/firealarm{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plasteel, @@ -8217,7 +8215,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/light{ dir = 8 @@ -8283,7 +8281,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/firealarm{ dir = 8; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /obj/structure/cable{ @@ -8747,7 +8745,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel, /area/ruin/space/has_grav/ancientstation/betacorridor) diff --git a/_maps/RandomRuins/JungleRuins/jungle_interceptor.dmm b/_maps/RandomRuins/JungleRuins/jungle_interceptor.dmm index d09666f2d75f..616726dcc836 100644 --- a/_maps/RandomRuins/JungleRuins/jungle_interceptor.dmm +++ b/_maps/RandomRuins/JungleRuins/jungle_interceptor.dmm @@ -56,7 +56,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters/preopen{ id = "condorwindows"; - name = "external shutters" + name = "External Shutters" }, /obj/structure/spacevine, /turf/open/floor/plating, @@ -89,7 +89,7 @@ /obj/structure/cable, /obj/machinery/door/poddoor/shutters/preopen{ id = "condorwindows"; - name = "external shutters" + name = "External Shutters" }, /obj/structure/frame/machine, /obj/structure/spacevine, @@ -244,7 +244,7 @@ }, /obj/machinery/flasher{ id = "Cell 1"; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable/orange{ icon_state = "2-8" @@ -286,7 +286,7 @@ /obj/structure/cable, /obj/machinery/door/poddoor/shutters/preopen{ id = "condorwindows"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating/rust, /area/ruin/jungle/interceptor/porthall) @@ -747,7 +747,7 @@ }, /obj/machinery/light_switch{ dir = 8; - pixel_x = 24; + pixel_x = 25; pixel_y = -6 }, /obj/machinery/firealarm{ @@ -919,11 +919,11 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters/preopen{ id = "condorwindows"; - name = "external shutters" + name = "External Shutters" }, /obj/machinery/door/poddoor/shutters/preopen{ id = "condorwindows"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ruin/jungle/interceptor/starhall) @@ -982,7 +982,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters/preopen{ id = "condorwindows"; - name = "external shutters" + name = "External Shutters" }, /obj/structure/spacevine, /turf/open/floor/plating, @@ -1209,7 +1209,7 @@ /obj/structure/cable, /obj/machinery/door/poddoor/shutters/preopen{ id = "condorwindows"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating/airless, /area/ruin/jungle/interceptor/crashsite) @@ -1292,7 +1292,7 @@ }, /obj/machinery/light_switch{ dir = 8; - pixel_x = 24; + pixel_x = 25; pixel_y = -6 }, /obj/machinery/firealarm{ @@ -1663,7 +1663,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters/preopen{ id = "condorwindows"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ruin/jungle/interceptor/starlauncherone) @@ -1786,7 +1786,7 @@ /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2, /obj/machinery/light_switch{ dir = 8; - pixel_x = 24; + pixel_x = 25; pixel_y = -9 }, /obj/machinery/firealarm{ @@ -1891,7 +1891,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters/preopen{ id = "condorwindows"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ruin/jungle/interceptor/starhall) @@ -2197,7 +2197,7 @@ /obj/structure/cable, /obj/machinery/door/poddoor/shutters/preopen{ id = "condorwindows"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating/airless, /area/ruin/jungle/interceptor/starhall) @@ -2217,7 +2217,7 @@ pixel_y = 6 }, /obj/structure/mirror{ - pixel_x = 24; + pixel_x = 25; pixel_y = 6 }, /obj/structure/cable/green{ @@ -2589,7 +2589,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters/preopen{ id = "condorwindows"; - name = "external shutters" + name = "External Shutters" }, /obj/structure/spacevine, /turf/open/floor/plating, @@ -2615,7 +2615,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters/preopen{ id = "condorwindows"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ruin/jungle/interceptor/starlaunchertwo) @@ -2645,7 +2645,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters/preopen{ id = "condorwindows"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating/rust, /area/ruin/jungle/interceptor/forehall) @@ -2950,7 +2950,7 @@ "yw" = ( /obj/machinery/door/poddoor/shutters/preopen{ id = "condorwindows"; - name = "external shutters" + name = "External Shutters" }, /obj/item/shard, /obj/structure/grille, @@ -3020,7 +3020,7 @@ /obj/effect/turf_decal/industrial/warning/fulltile, /obj/machinery/door/poddoor{ id = "portpodbay"; - name = "Port Podbay blast door" + name = "Port Podbay Blast Door" }, /turf/open/floor/plating, /area/ruin/jungle/interceptor/crashsite) @@ -3414,7 +3414,7 @@ }, /obj/machinery/light_switch{ dir = 8; - pixel_x = 24; + pixel_x = 25; pixel_y = -6 }, /obj/machinery/firealarm{ @@ -3497,7 +3497,7 @@ }, /obj/machinery/door/poddoor/shutters/preopen{ id = "condorwindows"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ruin/jungle/interceptor/security) @@ -3542,7 +3542,7 @@ "DG" = ( /obj/machinery/atmospherics/components/unary/vent_scrubber/on/layer4, /obj/machinery/firealarm{ - pixel_y = 24; + pixel_y = 25; pixel_x = 5 }, /obj/machinery/light_switch{ @@ -3937,7 +3937,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters/preopen{ id = "condorwindows"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ruin/jungle/interceptor/afthall) @@ -4354,7 +4354,7 @@ }, /obj/machinery/light_switch{ dir = 8; - pixel_x = 24; + pixel_x = 25; pixel_y = -6 }, /turf/open/floor/plating/rust, @@ -4363,7 +4363,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters/preopen{ id = "condorwindows"; - name = "external shutters" + name = "External Shutters" }, /obj/structure/spacevine, /obj/structure/spacevine, @@ -5231,7 +5231,7 @@ }, /obj/machinery/light_switch{ dir = 8; - pixel_x = 24; + pixel_x = 25; pixel_y = -6 }, /obj/machinery/firealarm{ @@ -5648,7 +5648,7 @@ /obj/structure/cable, /obj/machinery/door/poddoor/shutters/preopen{ id = "condorwindows"; - name = "external shutters" + name = "External Shutters" }, /obj/structure/frame/machine, /obj/item/stack/cable_coil/cut/orange, @@ -5711,7 +5711,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters/preopen{ id = "condorwindows"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ruin/jungle/interceptor/crashsite) @@ -6295,7 +6295,7 @@ /obj/structure/disposalpipe/segment, /obj/machinery/door/poddoor/shutters/preopen{ id = "condorwindows"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ruin/jungle/interceptor/porthall) diff --git a/_maps/RandomRuins/JungleRuins/jungle_medtech_outbreak.dmm b/_maps/RandomRuins/JungleRuins/jungle_medtech_outbreak.dmm index fd2100d29cde..3bae89b62fc4 100644 --- a/_maps/RandomRuins/JungleRuins/jungle_medtech_outbreak.dmm +++ b/_maps/RandomRuins/JungleRuins/jungle_medtech_outbreak.dmm @@ -413,7 +413,7 @@ }, /obj/machinery/light_switch{ pixel_x = 8; - pixel_y = 24; + pixel_y = 25; state_open = 1 }, /obj/effect/decal/cleanable/blood/bubblegum, @@ -1300,7 +1300,7 @@ "uS" = ( /obj/machinery/door/poddoor/shutters{ id = "chemdoors"; - name = "MedTech chemical manufacturing facility shutters" + name = "MedTech Chemical Manufacturing Facility Shutters" }, /turf/open/floor/plating, /area/ship/science/storage) @@ -1646,7 +1646,7 @@ /obj/machinery/door/airlock/command{ id_tag = "office_bolts"; locked = 1; - name = "Facility director's office" + name = "Facility Director's Office" }, /turf/open/floor/plasteel/dark, /area/ship/bridge) @@ -1831,7 +1831,7 @@ /area/ship/bridge) "CV" = ( /obj/machinery/door/airlock/research{ - name = "Chemical factory" + name = "Chemical Factory" }, /obj/effect/decal/cleanable/blood/tracks{ dir = 8 @@ -1914,7 +1914,7 @@ /area/ruin/jungle) "Ei" = ( /obj/machinery/door/airlock/research{ - name = "Chemical factory" + name = "Chemical Factory" }, /turf/open/floor/plasteel/white, /area/ship/science/storage) @@ -2649,7 +2649,7 @@ }, /obj/effect/decal/cleanable/blood/tracks, /obj/machinery/door/airlock/research{ - name = "Chemical factory" + name = "Chemical Factory" }, /turf/open/floor/plasteel/white, /area/ship/science/storage) @@ -3320,7 +3320,7 @@ /area/ship/medical) "XO" = ( /obj/machinery/door/airlock/public{ - name = "MedTech chemical manufacturing facility" + name = "MedTech Chemical Manufacturing Facility" }, /turf/open/floor/plasteel/tech, /area/ship/hallway) diff --git a/_maps/RandomRuins/LavaRuins/lavaland_surface_comm_outpost.dmm b/_maps/RandomRuins/LavaRuins/lavaland_surface_comm_outpost.dmm index fc837fc81c73..6c9c48308a55 100644 --- a/_maps/RandomRuins/LavaRuins/lavaland_surface_comm_outpost.dmm +++ b/_maps/RandomRuins/LavaRuins/lavaland_surface_comm_outpost.dmm @@ -137,7 +137,7 @@ "JO" = ( /obj/machinery/door/airlock/highsecurity{ hackProof = 1; - name = "secure airlock" + name = "Secure Airlock" }, /turf/open/floor/mineral/plastitanium{ name = "base floor" diff --git a/_maps/RandomRuins/LavaRuins/lavaland_surface_elephant_graveyard.dmm b/_maps/RandomRuins/LavaRuins/lavaland_surface_elephant_graveyard.dmm index 5dcaec5f400b..b617c2b773dc 100644 --- a/_maps/RandomRuins/LavaRuins/lavaland_surface_elephant_graveyard.dmm +++ b/_maps/RandomRuins/LavaRuins/lavaland_surface_elephant_graveyard.dmm @@ -83,7 +83,6 @@ /area/lavaland/surface) "av" = ( /obj/structure/barricade/wooden/crude, -/obj/structure/barricade/wooden, /obj/effect/decal/cleanable/blood/splatter, /turf/open/floor/plating/asteroid/basalt/wasteland, /area/ruin/unpowered/elephant_graveyard) @@ -436,7 +435,7 @@ /obj/effect/decal/cleanable/glass, /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/door/airlock/shuttle{ - name = "archaeology shuttle airlock" + name = "Archaeology Shuttle Airlock" }, /turf/open/floor/mineral/titanium/purple, /area/ruin/powered/graveyard_shuttle) diff --git a/_maps/RandomRuins/LavaRuins/lavaland_surface_golem_ship.dmm b/_maps/RandomRuins/LavaRuins/lavaland_surface_golem_ship.dmm index 0cd3c5c13e54..708308f69632 100644 --- a/_maps/RandomRuins/LavaRuins/lavaland_surface_golem_ship.dmm +++ b/_maps/RandomRuins/LavaRuins/lavaland_surface_golem_ship.dmm @@ -300,7 +300,7 @@ id = "golemloading"; name = "Cargo Blast Door Control"; pixel_x = -5; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/trimline/yellow/arrow_cw{ dir = 4 @@ -1079,14 +1079,14 @@ id = "golemloading"; name = "Cargo Blast Door Control"; pixel_x = -5; - pixel_y = -24 + pixel_y = -25 }, /obj/item/storage/firstaid/regular, /obj/machinery/button/door{ id = "golemwindows"; name = "Window Blast Door Control"; pixel_x = 5; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/trimline/blue/line, /obj/effect/turf_decal/corner/neutral{ diff --git a/_maps/RandomRuins/LavaRuins/lavaland_surface_syndicate_base1.dmm b/_maps/RandomRuins/LavaRuins/lavaland_surface_syndicate_base1.dmm index 757ce0575f78..70dca28c27d8 100644 --- a/_maps/RandomRuins/LavaRuins/lavaland_surface_syndicate_base1.dmm +++ b/_maps/RandomRuins/LavaRuins/lavaland_surface_syndicate_base1.dmm @@ -21,7 +21,7 @@ "ag" = ( /obj/machinery/airalarm/syndicate{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/red{ dir = 1 @@ -195,7 +195,7 @@ /obj/machinery/power/apc/syndicate{ dir = 8; name = "Chemistry APC"; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden{ dir = 6 @@ -255,7 +255,7 @@ "cI" = ( /obj/machinery/power/apc/syndicate{ name = "Experimentation Lab APC"; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/turf_decal/corner/neutral{ @@ -309,7 +309,7 @@ /obj/machinery/power/apc/syndicate{ dir = 1; name = "Virology APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /obj/structure/cable{ @@ -511,7 +511,7 @@ /area/ruin/unpowered/syndicate_lava_base/cargo) "dL" = ( /obj/machinery/airalarm/syndicate{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/closet/crate, /obj/item/extinguisher{ @@ -671,7 +671,7 @@ /obj/item/reagent_containers/dropper, /obj/machinery/airalarm/syndicate{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /obj/item/screwdriver/nuke{ @@ -1065,7 +1065,7 @@ "eN" = ( /obj/machinery/airalarm/syndicate{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden{ dir = 4 @@ -1433,7 +1433,7 @@ }, /obj/machinery/airalarm/syndicate{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/table, /obj/item/clothing/suit/hazardvest, @@ -1525,7 +1525,7 @@ dir = 8 }, /obj/machinery/airalarm/syndicate{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plasteel, @@ -1766,7 +1766,7 @@ "gU" = ( /obj/machinery/airalarm/syndicate{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/sink{ dir = 4; @@ -1806,7 +1806,7 @@ idDoor = "lavaland_syndie_virology_interior"; idSelf = "lavaland_syndie_virology_control"; name = "Virology Access Button"; - pixel_x = -24; + pixel_x = -25; pixel_y = 8; req_access_txt = "150" }, @@ -2163,7 +2163,7 @@ /obj/item/ammo_box/magazine/m10mm, /obj/item/ammo_box/magazine/sniper_rounds, /obj/machinery/airalarm/syndicate{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/grimy, /area/ruin/unpowered/syndicate_lava_base/dormitories) @@ -2188,7 +2188,7 @@ /obj/structure/table/wood, /obj/item/ammo_box/magazine/m10mm, /obj/machinery/airalarm/syndicate{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/grimy, /area/ruin/unpowered/syndicate_lava_base/dormitories) @@ -2510,7 +2510,7 @@ /area/ruin/unpowered/syndicate_lava_base/dormitories) "iB" = ( /obj/machinery/airalarm/syndicate{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/components/unary/vent_pump/on, /obj/effect/decal/cleanable/dirt, @@ -2679,7 +2679,7 @@ id = "syndie_lavaland_vault"; name = "Vault Bolt Control"; normaldoorcontrol = 1; - pixel_x = 24; + pixel_x = 25; pixel_y = 8; req_access_txt = "150"; specialfunctions = 4 @@ -2787,7 +2787,7 @@ dir = 4 }, /obj/machinery/airalarm/syndicate{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/grimy, /area/ruin/unpowered/syndicate_lava_base/dormitories) @@ -2803,7 +2803,7 @@ dir = 8 }, /obj/machinery/airalarm/syndicate{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/grimy, /area/ruin/unpowered/syndicate_lava_base/dormitories) @@ -3089,7 +3089,7 @@ "kq" = ( /obj/machinery/airalarm/syndicate{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/vending/coffee{ extended_inventory = 1 @@ -3664,7 +3664,7 @@ "lL" = ( /obj/machinery/airalarm/syndicate{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/light/small{ dir = 8 @@ -3733,7 +3733,7 @@ "lU" = ( /obj/machinery/airalarm/syndicate{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/chair/stool, /obj/effect/turf_decal/corner/neutral{ @@ -3792,7 +3792,7 @@ }, /obj/machinery/airalarm/syndicate{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plasteel, @@ -3913,7 +3913,7 @@ /obj/machinery/light/small, /obj/machinery/power/apc/syndicate{ name = "Bar APC"; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/cable, /turf/open/floor/wood, @@ -4127,7 +4127,7 @@ }, /obj/machinery/button/ignition/incinerator/syndicatelava{ pixel_x = 6; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/industrial/warning, /obj/effect/decal/cleanable/dirt, @@ -4349,7 +4349,7 @@ "nH" = ( /obj/machinery/airalarm/syndicate{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/light/small{ dir = 8 @@ -4434,7 +4434,7 @@ /obj/machinery/power/apc/syndicate{ dir = 4; name = "Medbay APC"; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /obj/structure/cable, @@ -4537,7 +4537,7 @@ }, /obj/machinery/power/apc/syndicate{ name = "Telecommunications APC"; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -4711,7 +4711,7 @@ idDoor = "lavaland_syndie_virology_exterior"; idSelf = "lavaland_syndie_virology_control"; name = "Virology Access Button"; - pixel_y = -24; + pixel_y = -25; req_access_txt = "150" }, /obj/machinery/atmospherics/pipe/simple/supply/hidden{ @@ -4738,7 +4738,7 @@ idInterior = "lavaland_syndie_virology_interior"; idSelf = "lavaland_syndie_virology_control"; name = "Virology Access Console"; - pixel_x = 24; + pixel_x = 25; pixel_y = -5; req_access_txt = "150" }, @@ -4775,7 +4775,7 @@ }, /obj/machinery/airalarm/syndicate{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden{ dir = 10 @@ -4922,7 +4922,7 @@ /obj/machinery/power/apc/syndicate{ dir = 1; name = "Engineering APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/simple/scrubbers/visible{ dir = 9 @@ -5087,7 +5087,7 @@ "vE" = ( /obj/machinery/airalarm/syndicate{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden, @@ -5170,7 +5170,7 @@ dir = 1 }, /obj/machinery/airalarm/syndicate{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden{ dir = 4 @@ -5939,7 +5939,7 @@ /obj/machinery/power/apc/syndicate{ dir = 8; name = "Primary Hallway APC"; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/red{ dir = 1 @@ -5991,7 +5991,7 @@ }, /obj/machinery/power/apc/syndicate{ name = "Dormitories APC"; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/neutral, /obj/structure/cable{ @@ -6552,7 +6552,7 @@ /obj/machinery/power/apc/syndicate{ dir = 1; name = "Cargo Bay APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/closet/emcloset/anchored, /obj/effect/decal/cleanable/dirt, @@ -6621,7 +6621,7 @@ /obj/machinery/power/apc/syndicate{ dir = 1; name = "Arrival Hallway APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/red{ dir = 1 diff --git a/_maps/RandomRuins/ReebeRuins/reebe_arena.dmm b/_maps/RandomRuins/ReebeRuins/reebe_arena.dmm index 69a2cd67058a..86bd4a91ac71 100644 --- a/_maps/RandomRuins/ReebeRuins/reebe_arena.dmm +++ b/_maps/RandomRuins/ReebeRuins/reebe_arena.dmm @@ -5,7 +5,6 @@ /area/template_noop) "bi" = ( /obj/structure/lattice/clockwork, -/obj/structure/lattice/clockwork, /turf/template_noop, /area/template_noop) "dM" = ( diff --git a/_maps/RandomRuins/RockRuins/rockplanet_boxsci.dmm b/_maps/RandomRuins/RockRuins/rockplanet_boxsci.dmm index cf272a5b6f65..6bbc8b234f19 100644 --- a/_maps/RandomRuins/RockRuins/rockplanet_boxsci.dmm +++ b/_maps/RandomRuins/RockRuins/rockplanet_boxsci.dmm @@ -61,7 +61,7 @@ /obj/structure/table, /obj/machinery/button/door{ pixel_x = 6; - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/white, /area/ruin/unpowered) @@ -76,7 +76,7 @@ "fV" = ( /obj/machinery/button/door{ pixel_x = 6; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/disposalpipe/segment{ dir = 4 @@ -329,7 +329,7 @@ "zz" = ( /obj/machinery/button/door{ pixel_x = 6; - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/light_switch{ pixel_x = -7; @@ -658,7 +658,7 @@ "YK" = ( /obj/structure/disposalpipe/broken, /obj/machinery/light_switch{ - pixel_x = -24; + pixel_x = -25; pixel_y = 8 }, /turf/open/floor/plating{ diff --git a/_maps/RandomRuins/RockRuins/rockplanet_crash_cult.dmm b/_maps/RandomRuins/RockRuins/rockplanet_crash_cult.dmm index 0c2992013427..7a2408a841ae 100644 --- a/_maps/RandomRuins/RockRuins/rockplanet_crash_cult.dmm +++ b/_maps/RandomRuins/RockRuins/rockplanet_crash_cult.dmm @@ -143,7 +143,7 @@ }, /obj/machinery/advanced_airlock_controller{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/item/flashlight/glowstick/red{ on = 1 @@ -169,7 +169,7 @@ }, /obj/effect/turf_decal/corner/blue, /obj/machinery/airalarm/directional/south{ - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plating, /area/ruin/unpowered) @@ -182,7 +182,6 @@ icon_state = "4-8" }, /obj/machinery/door/airlock/cult/friendly, -/obj/structure/barricade/wooden, /obj/structure/barricade/wooden/crude, /turf/open/floor/plasteel/cult, /area/ruin/unpowered) @@ -196,7 +195,7 @@ dir = 1 }, /obj/machinery/airalarm/directional/north{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plating, /area/ruin/unpowered) @@ -254,7 +253,6 @@ icon_state = "1-2" }, /obj/machinery/door/airlock/cult/friendly, -/obj/structure/barricade/wooden, /obj/structure/barricade/wooden/crude, /obj/effect/decal/cleanable/blood/tracks, /turf/open/floor/plasteel/cult, @@ -542,7 +540,7 @@ dir = 4 }, /obj/machinery/airalarm/directional/north{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/blood, /turf/open/floor/plasteel/cult, @@ -654,7 +652,7 @@ "wB" = ( /obj/machinery/atmospherics/components/unary/vent_pump/on, /obj/item/radio/intercom/wideband{ - pixel_x = -24; + pixel_x = -25; pixel_y = 28 }, /turf/open/floor/plating, @@ -820,7 +818,7 @@ /obj/machinery/atmospherics/components/unary/vent_pump, /obj/machinery/advanced_airlock_controller{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plating, /area/ruin/unpowered) @@ -991,7 +989,7 @@ "Hl" = ( /obj/effect/turf_decal/corner/brown, /obj/machinery/airalarm/directional/south{ - pixel_y = -24 + pixel_y = -25 }, /obj/structure/rack, /obj/item/pickaxe/emergency, diff --git a/_maps/RandomRuins/RockRuins/rockplanet_crash_kitchen.dmm b/_maps/RandomRuins/RockRuins/rockplanet_crash_kitchen.dmm index 16582fb670dc..2ef54257b6d7 100644 --- a/_maps/RandomRuins/RockRuins/rockplanet_crash_kitchen.dmm +++ b/_maps/RandomRuins/RockRuins/rockplanet_crash_kitchen.dmm @@ -64,7 +64,7 @@ }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/carpet/nanoweave/purple, /area/ruin/unpowered) @@ -304,7 +304,7 @@ pixel_x = 12 }, /obj/structure/mirror{ - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/white, /area/ruin/unpowered) @@ -392,7 +392,7 @@ "QS" = ( /obj/structure/chair/comfy/teal, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/wood, /area/ruin/unpowered) @@ -402,7 +402,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters/preopen{ id = "sgwindowshut"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ruin/unpowered) @@ -447,7 +447,7 @@ }, /obj/item/oar, /obj/machinery/advanced_airlock_controller{ - pixel_y = -24 + pixel_y = -25 }, /obj/structure/closet/emcloset/wall{ pixel_x = 32 diff --git a/_maps/RandomRuins/SandRuins/whitesands_surface_camp_saloon.dmm b/_maps/RandomRuins/SandRuins/whitesands_surface_camp_saloon.dmm index 32663b364968..d3d1f6a9f30e 100644 --- a/_maps/RandomRuins/SandRuins/whitesands_surface_camp_saloon.dmm +++ b/_maps/RandomRuins/SandRuins/whitesands_surface_camp_saloon.dmm @@ -236,7 +236,6 @@ /area/whitesands/surface/outdoors) "zh" = ( /obj/structure/table/wood, -/obj/structure/table/wood, /turf/open/floor/wood, /area/whitesands/surface/outdoors) "AW" = ( diff --git a/_maps/RandomRuins/SandRuins/whitesands_surface_waterplant.dmm b/_maps/RandomRuins/SandRuins/whitesands_surface_waterplant.dmm index d64dbad927bb..9f5eb3f4df8f 100644 --- a/_maps/RandomRuins/SandRuins/whitesands_surface_waterplant.dmm +++ b/_maps/RandomRuins/SandRuins/whitesands_surface_waterplant.dmm @@ -651,7 +651,7 @@ /area/whitesands/surface/outdoors) "qs" = ( /obj/machinery/door/airlock/security/glass{ - name = "Break room" + name = "Break Room" }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden{ dir = 8 @@ -796,7 +796,6 @@ /area/whitesands/surface/outdoors) "tu" = ( /obj/structure/chair/stool, -/obj/structure/chair/stool, /obj/effect/decal/cleanable/dirt, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden{ dir = 5 diff --git a/_maps/RandomRuins/SpaceRuins/DJstation.dmm b/_maps/RandomRuins/SpaceRuins/DJstation.dmm index 79e39b7ed311..152d41ccddf2 100644 --- a/_maps/RandomRuins/SpaceRuins/DJstation.dmm +++ b/_maps/RandomRuins/SpaceRuins/DJstation.dmm @@ -460,7 +460,7 @@ "uK" = ( /obj/machinery/power/apc{ name = "Worn-out APC"; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/cable{ icon_state = "0-4" diff --git a/_maps/RandomRuins/SpaceRuins/Fast_Food.dmm b/_maps/RandomRuins/SpaceRuins/Fast_Food.dmm index aa617cb2a062..1b581c110fd1 100644 --- a/_maps/RandomRuins/SpaceRuins/Fast_Food.dmm +++ b/_maps/RandomRuins/SpaceRuins/Fast_Food.dmm @@ -332,7 +332,6 @@ /turf/open/floor/plasteel, /area/ruin/space/has_grav/powered/macspace) "aI" = ( -/obj/structure/table, /obj/structure/table/wood/fancy/blue, /obj/effect/turf_decal/corner/white{ dir = 1 @@ -1647,13 +1646,11 @@ /turf/open/floor/mineral/titanium, /area/ruin/space/has_grav/powered/macspace) "jH" = ( -/obj/structure/table, /obj/structure/table/wood/fancy/blue, /obj/item/reagent_containers/food/snacks/pizza/margherita, /turf/open/floor/carpet, /area/ruin/space/has_grav/powered/macspace) "yl" = ( -/obj/structure/table, /obj/structure/table/wood/fancy/blue, /obj/item/reagent_containers/food/snacks/burger/brain, /turf/open/floor/carpet, @@ -1673,7 +1670,6 @@ /turf/open/floor/mineral/titanium/airless, /area/ruin/space/has_grav/powered/macspace) "LY" = ( -/obj/structure/table, /obj/structure/table/wood/fancy/blue, /obj/item/reagent_containers/food/snacks/burger/jelly/slime, /turf/open/floor/carpet, diff --git a/_maps/RandomRuins/SpaceRuins/bigderelict1.dmm b/_maps/RandomRuins/SpaceRuins/bigderelict1.dmm index cd2a940db128..78d883dbcd47 100644 --- a/_maps/RandomRuins/SpaceRuins/bigderelict1.dmm +++ b/_maps/RandomRuins/SpaceRuins/bigderelict1.dmm @@ -38,7 +38,7 @@ /obj/machinery/button/door{ id = "bigderelictshipdock"; name = "tradepost entry doors"; - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel, /area/ruin/space/has_grav/derelictoutpost/cargobay) @@ -62,7 +62,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Cargo Bay APC"; - pixel_x = 24; + pixel_x = 25; start_charge = 0 }, /obj/structure/cable{ @@ -319,7 +319,7 @@ /obj/machinery/button/door{ id = "bigderelictship"; name = "shuttle cargo doors"; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/alien/weeds{ color = "#4BAE56"; @@ -645,7 +645,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Power Storage APC"; - pixel_x = 24; + pixel_x = 25; start_charge = 0 }, /obj/structure/cable{ @@ -688,7 +688,7 @@ /area/ruin/space/has_grav/derelictoutpost/cargobay) "ch" = ( /obj/structure/extinguisher_cabinet{ - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel, /area/ruin/space/has_grav/derelictoutpost) @@ -711,7 +711,7 @@ /obj/machinery/power/apc{ dir = 2; name = "Tradepost APC"; - pixel_y = -24; + pixel_y = -25; start_charge = 0 }, /obj/structure/cable{ @@ -838,7 +838,7 @@ /obj/machinery/door/airlock/public/glass, /obj/machinery/door/poddoor{ id = "bigderelictcheckpoint"; - name = "checkpoint security doors" + name = "Checkpoint Security Doors" }, /obj/structure/cable{ icon_state = "4-8" @@ -1704,7 +1704,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Cargo Storage APC"; - pixel_x = 24; + pixel_x = 25; start_charge = 0 }, /obj/structure/cable{ @@ -1830,7 +1830,7 @@ /obj/machinery/button/door{ id = "bigderelictcheckpoint"; name = "security checkpoint control"; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/alien/weeds{ color = "#4BAE56"; @@ -2063,7 +2063,7 @@ /area/ruin/space/has_grav/derelictoutpost/cargostorage) "EZ" = ( /obj/structure/extinguisher_cabinet{ - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/industrial/hatch/yellow, /turf/open/floor/plasteel, diff --git a/_maps/RandomRuins/SpaceRuins/crashedship.dmm b/_maps/RandomRuins/SpaceRuins/crashedship.dmm index d737907ad81f..5d7b809a516f 100644 --- a/_maps/RandomRuins/SpaceRuins/crashedship.dmm +++ b/_maps/RandomRuins/SpaceRuins/crashedship.dmm @@ -14,7 +14,7 @@ /obj/machinery/button/door{ id = "packerMed"; pixel_x = 0; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plating/airless, /area/awaymission/BMPship/Midship) @@ -29,7 +29,7 @@ /obj/machinery/button/door{ id = "packerMed"; pixel_x = 0; - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel, /area/awaymission/BMPship/Midship) @@ -200,7 +200,7 @@ /obj/machinery/button/door{ id = "packerMine"; pixel_x = 0; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel, /area/awaymission/BMPship/Midship) @@ -214,7 +214,7 @@ /obj/machinery/button/door{ id = "packerMine"; pixel_x = 0; - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plating/asteroid/airless, /area/awaymission/BMPship/Midship) @@ -543,7 +543,7 @@ dir = 1; environ = 0; equipment = 3; - pixel_y = 24; + pixel_y = 25; req_access = null }, /turf/open/floor/carpet, @@ -981,7 +981,7 @@ dir = 1; environ = 0; equipment = 3; - pixel_y = 24; + pixel_y = 25; req_access = null }, /turf/open/floor/plating, @@ -1302,7 +1302,7 @@ }, /obj/machinery/power/apc/unlocked{ dir = 1; - pixel_y = 24; + pixel_y = 25; req_access = null }, /obj/effect/turf_decal/corner/bar, diff --git a/_maps/RandomRuins/SpaceRuins/cryocontainment.dmm b/_maps/RandomRuins/SpaceRuins/cryocontainment.dmm index e911f31440da..8fba3670be83 100644 --- a/_maps/RandomRuins/SpaceRuins/cryocontainment.dmm +++ b/_maps/RandomRuins/SpaceRuins/cryocontainment.dmm @@ -192,7 +192,6 @@ /area/ruin/unpowered) "jq" = ( /obj/structure/lattice, -/obj/structure/lattice, /turf/open/space/basic, /area/space) "jN" = ( @@ -283,7 +282,7 @@ icon_state = "0-4" }, /obj/machinery/power/apc/away{ - pixel_x = -24; + pixel_x = -25; start_charge = 0 }, /obj/item/ammo_casing/spent{ diff --git a/_maps/RandomRuins/SpaceRuins/fueldepot.dmm b/_maps/RandomRuins/SpaceRuins/fueldepot.dmm index 43d50c4ac42a..64fff663949e 100644 --- a/_maps/RandomRuins/SpaceRuins/fueldepot.dmm +++ b/_maps/RandomRuins/SpaceRuins/fueldepot.dmm @@ -298,7 +298,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt/dust, /obj/effect/decal/cleanable/greenglow, @@ -807,7 +807,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "pirateshutters"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/plasma/reinforced/plastitanium, /turf/open/floor/plating, @@ -882,7 +882,7 @@ /area/ruin/unpowered) "CZ" = ( /obj/machinery/door/airlock/hatch{ - name = "external access hatch" + name = "External Access Hatch" }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4{ dir = 4 diff --git a/_maps/RandomRuins/SpaceRuins/hellfactory.dmm b/_maps/RandomRuins/SpaceRuins/hellfactory.dmm index 93a6ecf5bd59..e826fe880ec0 100644 --- a/_maps/RandomRuins/SpaceRuins/hellfactory.dmm +++ b/_maps/RandomRuins/SpaceRuins/hellfactory.dmm @@ -808,7 +808,7 @@ "kf" = ( /obj/machinery/power/apc/highcap/ten_k{ dir = 1; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable{ icon_state = "2-4" @@ -936,7 +936,7 @@ "AY" = ( /obj/machinery/power/apc/highcap/ten_k{ dir = 1; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable{ icon_state = "0-2" diff --git a/_maps/RandomRuins/SpaceRuins/lab4071.dmm b/_maps/RandomRuins/SpaceRuins/lab4071.dmm index c128fc11956a..a7afbde2429d 100644 --- a/_maps/RandomRuins/SpaceRuins/lab4071.dmm +++ b/_maps/RandomRuins/SpaceRuins/lab4071.dmm @@ -164,7 +164,6 @@ /area/ruin/space/has_grav/crazylab/watchpost) "dI" = ( /obj/structure/lattice, -/obj/structure/lattice, /turf/open/space/basic, /area/ruin/space/has_grav/crazylab/outside) "dJ" = ( @@ -966,7 +965,7 @@ /obj/machinery/button/door{ id = 98; name = "Lab Shutters"; - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/mineral/titanium/white, /area/ruin/space/has_grav/crazylab/chem) @@ -2883,7 +2882,6 @@ /turf/open/floor/mineral/plastitanium, /area/ruin/space/has_grav/crazylab/airlock) "LV" = ( -/obj/structure/lattice, /obj/structure/cable{ icon_state = "4-8" }, @@ -2891,7 +2889,6 @@ /turf/open/space/basic, /area/ruin/space/has_grav/crazylab/bomb) "Mb" = ( -/obj/structure/lattice, /obj/structure/cable{ icon_state = "2-8" }, @@ -3004,7 +3001,6 @@ /area/ruin/space/has_grav/crazylab/airlock) "Oq" = ( /obj/structure/lattice, -/obj/structure/lattice/catwalk, /obj/structure/cable{ icon_state = "1-4" }, @@ -3012,15 +3008,12 @@ /area/ruin/space/has_grav/crazylab/bomb) "Ow" = ( /obj/structure/lattice, -/obj/structure/lattice/catwalk, /obj/structure/cable{ icon_state = "4-8" }, /turf/open/space/basic, /area/ruin/space/has_grav/crazylab/bomb) "OA" = ( -/obj/structure/lattice, -/obj/structure/lattice/catwalk, /obj/structure/lattice/catwalk, /obj/structure/cable{ icon_state = "4-8" @@ -3028,8 +3021,6 @@ /turf/open/space/basic, /area/ruin/space/has_grav/crazylab/bomb) "OP" = ( -/obj/structure/lattice, -/obj/structure/lattice, /obj/structure/lattice/catwalk, /obj/structure/cable{ icon_state = "2-8" @@ -3160,15 +3151,12 @@ /turf/open/space/basic, /area/ruin/space/has_grav/crazylab/airlock) "Qu" = ( -/obj/structure/lattice, /obj/machinery/light/floor, /obj/structure/lattice, -/obj/structure/lattice/catwalk, /turf/open/space/basic, /area/ruin/space/has_grav/crazylab/bomb) "Qv" = ( /obj/structure/lattice, -/obj/structure/lattice/catwalk, /obj/structure/cable{ icon_state = "2-8" }, @@ -3270,14 +3258,11 @@ /turf/open/floor/mineral/plastitanium, /area/ruin/space/has_grav/crazylab/airlock) "RQ" = ( -/obj/structure/lattice, /obj/machinery/light/floor, /obj/structure/lattice/catwalk, /turf/open/space/basic, /area/ruin/space/has_grav/crazylab/bomb) "RT" = ( -/obj/structure/lattice, -/obj/structure/lattice, /obj/structure/lattice/catwalk, /obj/structure/cable{ icon_state = "1-4" @@ -3286,7 +3271,6 @@ /area/ruin/space/has_grav/crazylab/bomb) "Sa" = ( /obj/structure/lattice, -/obj/structure/lattice/catwalk, /obj/structure/cable{ icon_state = "4-8" }, @@ -3365,14 +3349,12 @@ /turf/open/floor/mineral/plastitanium, /area/ruin/space/has_grav/crazylab/airlock) "TC" = ( -/obj/structure/lattice, /obj/machinery/power/apc/auto_name/east, /obj/structure/cable, /obj/structure/lattice/catwalk, /turf/open/space/basic, /area/ruin/space/has_grav/crazylab/bomb) "TJ" = ( -/obj/structure/lattice, /turf/closed/wall/mineral/plastitanium, /area/ruin/space/has_grav/crazylab/bomb) "TK" = ( diff --git a/_maps/RandomRuins/SpaceRuins/ntfacility.dmm b/_maps/RandomRuins/SpaceRuins/ntfacility.dmm index a2921283c1ec..eaba817e1c7d 100644 --- a/_maps/RandomRuins/SpaceRuins/ntfacility.dmm +++ b/_maps/RandomRuins/SpaceRuins/ntfacility.dmm @@ -3,19 +3,19 @@ /obj/machinery/button/door{ id = "a"; name = "door lock"; - pixel_x = -24; + pixel_x = -25; pixel_y = -7 }, /obj/machinery/button/door{ id = "medical_lock_cmo"; name = "door lock"; - pixel_x = -24; + pixel_x = -25; pixel_y = 9 }, /obj/machinery/button/door{ id = "medical_lock_medlock"; name = "door lock"; - pixel_x = -24; + pixel_x = -25; pixel_y = 1 }, /obj/effect/decal/cleanable/dirt/dust, @@ -394,7 +394,7 @@ id = "medical_lock_lobby"; name = "door lock"; pixel_x = -8; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/decal/cleanable/dirt/dust, @@ -882,13 +882,13 @@ /obj/machinery/button/door{ id = "b"; name = "door lock"; - pixel_x = -24; + pixel_x = -25; pixel_y = 10 }, /obj/machinery/button/door{ id = "captain_lock"; name = "door lock"; - pixel_x = -24; + pixel_x = -25; pixel_y = 1 }, /turf/open/floor/carpet/blue, @@ -1456,13 +1456,13 @@ id = "celock"; name = "door lock"; pixel_x = 6; - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/button/door{ id = "c"; name = "door lock"; pixel_x = -6; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt/dust, /turf/open/floor/plasteel/dark, diff --git a/_maps/RandomRuins/SpaceRuins/nuclear_dump.dmm b/_maps/RandomRuins/SpaceRuins/nuclear_dump.dmm index 7b653c873408..087714156a58 100644 --- a/_maps/RandomRuins/SpaceRuins/nuclear_dump.dmm +++ b/_maps/RandomRuins/SpaceRuins/nuclear_dump.dmm @@ -295,7 +295,6 @@ /turf/open/floor/plasteel, /area/ruin/space/has_grav/powered) "zY" = ( -/obj/structure/lattice, /turf/closed/wall, /area/space/nearstation) "AO" = ( @@ -436,7 +435,6 @@ /area/ruin/space/has_grav/storage/materials2) "Oc" = ( /obj/structure/lattice, -/obj/structure/lattice, /turf/template_noop, /area/space/nearstation) "Oq" = ( @@ -565,7 +563,7 @@ /area/ruin/space/has_grav/powered) "Yg" = ( /obj/machinery/advanced_airlock_controller{ - pixel_y = -24 + pixel_y = -25 }, /obj/effect/mob_spawn/human/corpse/russian, /obj/item/tank/internals/emergency_oxygen/empty, diff --git a/_maps/RandomRuins/SpaceRuins/oldstation.dmm b/_maps/RandomRuins/SpaceRuins/oldstation.dmm index e406e21de9e2..c5bff11a56f4 100644 --- a/_maps/RandomRuins/SpaceRuins/oldstation.dmm +++ b/_maps/RandomRuins/SpaceRuins/oldstation.dmm @@ -352,7 +352,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/light{ dir = 4 @@ -457,7 +457,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Charlie Station Bridge APC"; - pixel_y = 24; + pixel_y = 25; start_charge = 0 }, /obj/effect/decal/cleanable/cobweb, @@ -648,7 +648,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Delta Station Artifical Program Core APC"; - pixel_x = 24; + pixel_x = 25; start_charge = 0 }, /obj/effect/decal/cleanable/blood/gibs/old, @@ -1047,7 +1047,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel, /area/ruin/space/has_grav/ancientstation/mining) @@ -1372,7 +1372,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/decal/cleanable/dirt, @@ -1420,7 +1420,6 @@ /turf/open/floor/plasteel, /area/ruin/space/has_grav/ancientstation/mining) "dC" = ( -/obj/structure/lattice, /turf/closed/mineral/random, /area/ruin/unpowered) "dD" = ( @@ -1848,7 +1847,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/white, /area/ruin/space/has_grav/ancientstation/rnd) @@ -1955,7 +1954,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Beta Station Main Corridor APC"; - pixel_y = 24; + pixel_y = 25; start_charge = 0 }, /obj/structure/cable{ @@ -2368,7 +2367,7 @@ "fI" = ( /obj/machinery/power/apc{ name = "Beta Station Mining Equipment APC "; - pixel_y = -24; + pixel_y = -25; start_charge = 0 }, /obj/effect/turf_decal/corner/brown{ @@ -2735,7 +2734,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /obj/structure/cable{ @@ -2906,7 +2905,7 @@ /obj/machinery/power/apc{ dir = 8; name = "Charlie Security APC"; - pixel_x = -24; + pixel_x = -25; start_charge = 0 }, /obj/effect/turf_decal/corner/red{ @@ -2984,7 +2983,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/decal/cleanable/blood/old, @@ -3023,7 +3022,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Delta Station RnD APC"; - pixel_y = 24; + pixel_y = 25; start_charge = 0 }, /obj/structure/cable{ @@ -3148,7 +3147,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Beta Station Medbay APC"; - pixel_y = 24; + pixel_y = 25; start_charge = 0 }, /obj/effect/turf_decal/corner/blue, @@ -3432,7 +3431,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/cable{ icon_state = "4-8" @@ -3444,7 +3443,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel, /area/ruin/space/has_grav/ancientstation/betacorridor) @@ -3866,7 +3865,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Charlie Engineering APC"; - pixel_x = 24; + pixel_x = 25; start_charge = 0 }, /obj/effect/turf_decal/corner/yellow, @@ -3903,7 +3902,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel, /area/ruin/space/has_grav/ancientstation/sec) @@ -3938,7 +3937,7 @@ /obj/structure/closet/crate/bin, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/cable{ icon_state = "4-8" @@ -4171,7 +4170,7 @@ }, /obj/machinery/power/apc{ name = "Charlie Station Garden APC "; - pixel_y = -24; + pixel_y = -25; start_charge = 0 }, /obj/item/reagent_containers/glass/bottle/nutrient/ez, @@ -4451,7 +4450,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plasteel, @@ -4768,7 +4767,7 @@ "kj" = ( /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/white, /area/ruin/space/has_grav/ancientstation/proto) @@ -5491,7 +5490,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel, /area/ruin/space/has_grav/ancientstation/engi) @@ -5500,7 +5499,7 @@ /obj/machinery/atmospherics/pipe/simple/supply/hidden, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/yellow, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden, @@ -5559,7 +5558,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/light_switch{ pixel_x = 0; @@ -5576,7 +5575,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/airless, /area/ruin/space/has_grav/ancientstation/medbay) @@ -5700,7 +5699,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Delta Station Corridor APC"; - pixel_x = 24; + pixel_x = 25; start_charge = 0 }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden, @@ -6197,7 +6196,7 @@ "nh" = ( /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/food/egg_smudge, /obj/structure/cable{ @@ -6212,7 +6211,6 @@ /turf/open/floor/plasteel, /area/ruin/space/has_grav/ancientstation/kitchen) "nj" = ( -/obj/structure/lattice, /turf/closed/mineral/plasma, /area/ruin/unpowered) "nk" = ( @@ -6254,7 +6252,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Charlie Station Kitchen APC"; - pixel_y = 24; + pixel_y = 25; start_charge = 0 }, /obj/machinery/light/small{ @@ -6338,7 +6336,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plating/airless, /area/ruin/space/has_grav/ancientstation/betastorage) @@ -6437,7 +6435,6 @@ /turf/open/floor/plating/airless, /area/ruin/space/has_grav/ancientstation/betastorage) "nE" = ( -/obj/structure/lattice, /turf/closed/wall/rust, /area/ruin/space/has_grav/ancientstation/betastorage) "nF" = ( @@ -6788,7 +6785,7 @@ "ok" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/decal/cleanable/blood/old, @@ -6807,7 +6804,7 @@ "om" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/decal/cleanable/dirt, @@ -6957,7 +6954,7 @@ /obj/machinery/power/apc{ dir = 8; name = "Beta Storage APC"; - pixel_x = -24; + pixel_x = -25; start_charge = 0 }, /obj/structure/cable, @@ -7474,7 +7471,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Charlie Main Corridor APC"; - pixel_x = 24; + pixel_x = 25; start_charge = 0 }, /obj/item/stack/sheet/glass{ @@ -7881,7 +7878,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Beta Atmospherics APC"; - pixel_x = 24; + pixel_x = 25; start_charge = 0 }, /obj/effect/decal/cleanable/dirt, @@ -7898,7 +7895,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Delta Prototype Lab APC"; - pixel_y = 24; + pixel_y = 25; start_charge = 0 }, /obj/structure/cable{ @@ -8092,7 +8089,7 @@ /obj/effect/decal/cleanable/glass, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plating/airless{ icon_state = "platingdmg3" @@ -8537,7 +8534,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/decal/cleanable/blood/tracks, @@ -8624,7 +8621,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/light{ dir = 8 diff --git a/_maps/RandomRuins/SpaceRuins/onehalf.dmm b/_maps/RandomRuins/SpaceRuins/onehalf.dmm index 9a3f0b0b3759..3b2e61b9a1b6 100644 --- a/_maps/RandomRuins/SpaceRuins/onehalf.dmm +++ b/_maps/RandomRuins/SpaceRuins/onehalf.dmm @@ -97,7 +97,7 @@ "as" = ( /obj/machinery/door/poddoor{ id = "onehalf_drone1ext"; - name = "mining drone bay blast door" + name = "Mining Drone Bay Blast Door" }, /obj/effect/turf_decal/industrial/warning{ dir = 1 @@ -107,7 +107,7 @@ "at" = ( /obj/machinery/door/poddoor{ id = "onehalf_drone2ext"; - name = "mining drone bay blast door" + name = "Mining Drone Bay Blast Door" }, /obj/effect/turf_decal/industrial/warning{ dir = 1 @@ -117,7 +117,7 @@ "au" = ( /obj/machinery/door/poddoor/preopen{ id = "onehalf_drone3ext"; - name = "mining drone bay blast door" + name = "Mining Drone Bay Blast Door" }, /obj/effect/turf_decal/industrial/warning{ dir = 1 @@ -127,7 +127,7 @@ "av" = ( /obj/machinery/door/poddoor{ id = "onehalf_drone4ext"; - name = "mining drone bay blast door" + name = "Mining Drone Bay Blast Door" }, /obj/effect/turf_decal/industrial/warning{ dir = 1 @@ -240,7 +240,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Crew Quarters APC"; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/white, /area/ruin/space/has_grav/onehalf/dorms_med) @@ -248,7 +248,7 @@ /obj/structure/disposalpipe/segment, /obj/machinery/door/poddoor{ id = "onehalf_drone1int"; - name = "mining drone bay blast door" + name = "Mining Drone Bay Blast Door" }, /turf/open/floor/plating, /area/ruin/space/has_grav/onehalf/drone_bay) @@ -256,7 +256,7 @@ /obj/structure/disposalpipe/segment, /obj/machinery/door/poddoor{ id = "onehalf_drone2int"; - name = "mining drone bay blast door" + name = "Mining Drone Bay Blast Door" }, /turf/open/floor/plating, /area/ruin/space/has_grav/onehalf/drone_bay) @@ -264,7 +264,7 @@ /obj/structure/disposalpipe/segment, /obj/machinery/door/poddoor{ id = "onehalf_drone3int"; - name = "mining drone bay blast door" + name = "Mining Drone Bay Blast Door" }, /turf/open/floor/plating, /area/ruin/space/has_grav/onehalf/drone_bay) @@ -272,7 +272,7 @@ /obj/structure/disposalpipe/segment, /obj/machinery/door/poddoor{ id = "onehalf_drone4int"; - name = "mining drone bay blast door" + name = "Mining Drone Bay Blast Door" }, /turf/open/floor/plating, /area/ruin/space/has_grav/onehalf/drone_bay) @@ -331,7 +331,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Mining Drone Bay APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/industrial/warning{ dir = 1 @@ -610,7 +610,7 @@ /obj/machinery/power/apc{ dir = 2; name = "Hallway APC"; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/airless, /area/ruin/space/has_grav/onehalf/hallway) @@ -751,7 +751,7 @@ /obj/effect/spawner/structure/window/reinforced, /obj/machinery/door/poddoor/preopen{ id = "bridge_onehalf"; - name = "bridge blast door" + name = "Bridge Blast Door" }, /turf/open/floor/plating, /area/ruin/space/has_grav/onehalf/bridge) @@ -788,7 +788,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Bridge APC"; - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel, /area/ruin/space/has_grav/onehalf/bridge) @@ -840,7 +840,7 @@ }, /obj/machinery/door/poddoor/preopen{ id = "bridge_onehalf"; - name = "bridge blast door" + name = "Bridge Blast Door" }, /turf/open/floor/plating, /area/ruin/space/has_grav/onehalf/bridge) @@ -893,7 +893,7 @@ }, /obj/machinery/door/poddoor/preopen{ id = "bridge_onehalf"; - name = "bridge blast door" + name = "Bridge Blast Door" }, /turf/open/floor/plating, /area/ruin/space/has_grav/onehalf/bridge) @@ -955,7 +955,7 @@ }, /obj/machinery/door/poddoor/preopen{ id = "bridge_onehalf"; - name = "bridge blast door" + name = "Bridge Blast Door" }, /turf/open/floor/plating, /area/ruin/space/has_grav/onehalf/bridge) @@ -975,7 +975,7 @@ "cC" = ( /obj/machinery/door/poddoor/preopen{ id = "bridge_onehalf"; - name = "bridge blast door" + name = "Bridge Blast Door" }, /obj/machinery/door/airlock/command/glass{ name = "Bridge" @@ -1089,7 +1089,7 @@ /obj/structure/cable, /obj/machinery/door/poddoor/preopen{ id = "bridge_onehalf"; - name = "bridge blast door" + name = "Bridge Blast Door" }, /turf/open/floor/plating, /area/ruin/space/has_grav/onehalf/bridge) @@ -1158,7 +1158,7 @@ }, /obj/machinery/door/poddoor/preopen{ id = "bridge_onehalf"; - name = "bridge blast door" + name = "Bridge Blast Door" }, /turf/open/floor/plating, /area/ruin/space/has_grav/onehalf/bridge) @@ -1172,7 +1172,7 @@ }, /obj/machinery/door/poddoor/preopen{ id = "bridge_onehalf"; - name = "bridge blast door" + name = "Bridge Blast Door" }, /turf/open/floor/plating, /area/ruin/space/has_grav/onehalf/bridge) @@ -1186,7 +1186,7 @@ }, /obj/machinery/door/poddoor/preopen{ id = "bridge_onehalf"; - name = "bridge blast door" + name = "Bridge Blast Door" }, /turf/open/floor/plating, /area/ruin/space/has_grav/onehalf/bridge) diff --git a/_maps/RandomRuins/SpaceRuins/oretruck.dmm b/_maps/RandomRuins/SpaceRuins/oretruck.dmm index 1571d68d9550..cda5dfa1677e 100644 --- a/_maps/RandomRuins/SpaceRuins/oretruck.dmm +++ b/_maps/RandomRuins/SpaceRuins/oretruck.dmm @@ -1133,7 +1133,7 @@ }, /obj/machinery/door/window{ dir = 4; - name = "Engine access" + name = "Engine Access" }, /obj/structure/window/reinforced{ dir = 8 @@ -1373,7 +1373,6 @@ "JB" = ( /obj/structure/window/reinforced/fulltile, /obj/structure/grille, -/turf/closed/mineral/random/asteroid, /area/template_noop) "JS" = ( /obj/effect/turf_decal/industrial/warning, @@ -1634,7 +1633,7 @@ }, /obj/machinery/door/window{ dir = 4; - name = "Engine access" + name = "Engine Access" }, /obj/structure/window/reinforced{ dir = 8 diff --git a/_maps/RandomRuins/SpaceRuins/power_puzzle.dmm b/_maps/RandomRuins/SpaceRuins/power_puzzle.dmm index 3b6e3bd6fc98..0fd9a236e71f 100644 --- a/_maps/RandomRuins/SpaceRuins/power_puzzle.dmm +++ b/_maps/RandomRuins/SpaceRuins/power_puzzle.dmm @@ -553,7 +553,7 @@ /area/ruin/space/has_grav/storage/central) "gD" = ( /obj/machinery/power/apc/auto_name/north{ - pixel_y = 24; + pixel_y = 25; start_charge = 0 }, /obj/effect/decal/cleanable/ash, @@ -564,7 +564,7 @@ /area/ruin/space/has_grav/storage/materials1) "gG" = ( /obj/machinery/power/apc/auto_name/west{ - pixel_x = -24; + pixel_x = -25; start_charge = 0 }, /obj/structure/cable{ @@ -630,7 +630,7 @@ /area/ruin/space/has_grav/storage/materials1) "lG" = ( /obj/machinery/power/apc/auto_name/east{ - pixel_x = 24; + pixel_x = 25; start_charge = 0 }, /obj/effect/decal/cleanable/vomit, @@ -647,7 +647,7 @@ /area/ruin/space/has_grav/storage/central) "mF" = ( /obj/machinery/power/apc/auto_name/east{ - pixel_x = 24; + pixel_x = 25; start_charge = 0 }, /obj/structure/cable{ @@ -730,7 +730,7 @@ /area/ruin/space/has_grav/storage/central) "vJ" = ( /obj/machinery/power/apc/auto_name/west{ - pixel_x = -24; + pixel_x = -25; start_charge = 0 }, /obj/structure/cable{ @@ -812,7 +812,7 @@ /area/ruin/space/has_grav/storage/central) "In" = ( /obj/machinery/power/apc/auto_name/south{ - pixel_y = -24; + pixel_y = -25; start_charge = 0 }, /obj/structure/cable{ @@ -855,7 +855,7 @@ /area/ruin/space/has_grav/storage/materials1) "Mh" = ( /obj/machinery/power/apc/auto_name/south{ - pixel_y = -24; + pixel_y = -25; start_charge = 0 }, /obj/structure/cable{ @@ -921,7 +921,7 @@ /area/ruin/space/has_grav/storage/central) "SY" = ( /obj/machinery/power/apc/auto_name/east{ - pixel_x = 24; + pixel_x = 25; start_charge = 0 }, /obj/structure/cable, diff --git a/_maps/RandomRuins/SpaceRuins/provinggrounds.dmm b/_maps/RandomRuins/SpaceRuins/provinggrounds.dmm index eb8fd85f8b51..28b20d2d1226 100644 --- a/_maps/RandomRuins/SpaceRuins/provinggrounds.dmm +++ b/_maps/RandomRuins/SpaceRuins/provinggrounds.dmm @@ -1249,7 +1249,6 @@ /area/ruin/space/has_grav/syndicircle/halls) "HF" = ( /obj/structure/lattice, -/obj/structure/lattice, /turf/open/space/basic, /area/template_noop) "HV" = ( @@ -1828,7 +1827,6 @@ /area/ruin/space/has_grav/syndicircle/escape) "Xt" = ( /obj/structure/barricade/sandbags, -/obj/structure/barricade/sandbags, /turf/open/floor/plating/sandy_dirt, /area/ruin/space/has_grav/syndicircle/training) "XA" = ( diff --git a/_maps/RandomRuins/SpaceRuins/scav_mining.dmm b/_maps/RandomRuins/SpaceRuins/scav_mining.dmm index d04ae57696ef..e580bc1be525 100644 --- a/_maps/RandomRuins/SpaceRuins/scav_mining.dmm +++ b/_maps/RandomRuins/SpaceRuins/scav_mining.dmm @@ -105,7 +105,7 @@ /area/ruin/space/has_grav/scav_mining/core) "cs" = ( /obj/machinery/airalarm/directional/west{ - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plating, /area/ruin/space/has_grav/scav_mining/dorm) @@ -505,7 +505,7 @@ /area/ruin/space/has_grav/scav_mining/core) "JB" = ( /obj/machinery/airalarm/directional/south{ - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plating/airless, /area/ruin/space/has_grav/scav_mining/entrance) @@ -613,7 +613,7 @@ /area/ruin/space/has_grav/scav_mining/entrance) "Sd" = ( /obj/machinery/power/apc/auto_name/east{ - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable, /turf/open/floor/plating, @@ -636,7 +636,7 @@ /area/ruin/space/has_grav/scav_mining/entrance) "Ti" = ( /obj/machinery/power/apc/auto_name/east{ - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable{ icon_state = "0-8" @@ -695,7 +695,7 @@ /area/ruin/space/has_grav) "Xg" = ( /obj/machinery/airalarm/directional/north{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plating, /area/ruin/space/has_grav/scav_mining/core) @@ -722,7 +722,7 @@ "YF" = ( /obj/structure/table, /obj/machinery/power/apc/auto_name/west{ - pixel_x = -24 + pixel_x = -25 }, /obj/structure/cable{ icon_state = "0-2" @@ -748,7 +748,7 @@ dir = 4 }, /obj/machinery/advanced_airlock_controller{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/light/small/broken, /turf/open/floor/plating/airless, diff --git a/_maps/RandomRuins/SpaceRuins/transport18.dmm b/_maps/RandomRuins/SpaceRuins/transport18.dmm index eee273747011..0a7a8e88354d 100644 --- a/_maps/RandomRuins/SpaceRuins/transport18.dmm +++ b/_maps/RandomRuins/SpaceRuins/transport18.dmm @@ -160,7 +160,7 @@ /area/ruin/space/has_grav/transport18mid) "eY" = ( /obj/item/wallframe/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/decal/cleanable/dirt/dust, @@ -438,7 +438,7 @@ /obj/structure/table/reinforced, /obj/effect/decal/cleanable/dirt/dust, /obj/item/wallframe/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/button/door{ id = "transp19"; @@ -1572,7 +1572,7 @@ broken = 1; desc = "Oh no, seven years of bad luck!"; icon_state = "mirror_broke"; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/sink{ pixel_y = 20 diff --git a/_maps/RandomRuins/deprecated/TheDerelict.dmm b/_maps/RandomRuins/deprecated/TheDerelict.dmm index 417fe717b22a..75c463269628 100644 --- a/_maps/RandomRuins/deprecated/TheDerelict.dmm +++ b/_maps/RandomRuins/deprecated/TheDerelict.dmm @@ -1078,7 +1078,7 @@ /obj/structure/table, /obj/machinery/power/apc{ name = "Worn-out APC"; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/spawner/lootdrop/maintenance, /obj/structure/cable, @@ -1433,7 +1433,7 @@ "gB" = ( /obj/machinery/power/apc{ name = "Worn-out APC"; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/cable, /turf/open/floor/plasteel/airless, @@ -1706,7 +1706,7 @@ /area/ruin/space/derelict/medical/chapel) "hG" = ( /obj/machinery/door/morgue{ - name = "coffin storage"; + name = "Coffin Storage"; req_access_txt = "22" }, /turf/open/floor/plasteel/dark, @@ -2225,7 +2225,7 @@ "jz" = ( /obj/machinery/power/apc{ name = "Worn-out APC"; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/cable, /turf/open/floor/plasteel/white/airless, @@ -2389,7 +2389,7 @@ "kr" = ( /obj/machinery/power/apc{ name = "Worn-out APC"; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/cable, /turf/open/floor/plasteel, @@ -2503,7 +2503,7 @@ "la" = ( /obj/machinery/power/apc{ name = "Worn-out APC"; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/cable, /turf/open/floor/plasteel/airless, @@ -3169,7 +3169,7 @@ equipment = 0; lighting = 0; name = "Worn-out APC"; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/cable, /turf/open/floor/plating/airless, @@ -3430,7 +3430,7 @@ "ud" = ( /obj/machinery/power/apc{ name = "Worn-out APC"; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/cable{ icon_state = "0-8" @@ -3514,7 +3514,7 @@ areastring = "/area/ruin/space/derelict/atmospherics"; dir = 1; name = "Worn-out APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable{ icon_state = "0-4" @@ -3990,7 +3990,7 @@ equipment = 0; lighting = 0; name = "Starboard Solar APC"; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/cable, /obj/structure/cable{ @@ -4044,7 +4044,7 @@ /obj/machinery/power/apc{ dir = 8; name = "Worn-out APC"; - pixel_x = -24; + pixel_x = -25; start_charge = 0 }, /obj/structure/cable, @@ -4335,7 +4335,7 @@ /obj/machinery/power/apc{ dir = 8; name = "Worn-out APC"; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/cable{ icon_state = "1-2" @@ -4508,7 +4508,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Worn-out APC"; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable{ icon_state = "0-2" diff --git a/_maps/RandomRuins/deprecated/caravanambush.dmm b/_maps/RandomRuins/deprecated/caravanambush.dmm index 96faa78b94ce..56ea1fc7bff9 100644 --- a/_maps/RandomRuins/deprecated/caravanambush.dmm +++ b/_maps/RandomRuins/deprecated/caravanambush.dmm @@ -76,14 +76,14 @@ /obj/machinery/power/apc{ dir = 8; name = "Tiny Freighter APC"; - pixel_x = -24; + pixel_x = -25; req_access = null; start_charge = 0 }, /obj/machinery/button/door{ id = "caravantrade2_cargo_port"; name = "Cargo Blast Door Control"; - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/light/small{ dir = 1 @@ -162,14 +162,14 @@ /obj/machinery/power/apc{ dir = 8; name = "Tiny Freighter APC"; - pixel_x = -24; + pixel_x = -25; req_access = null; start_charge = 0 }, /obj/machinery/button/door{ id = "caravantrade3_cargo_port"; name = "Cargo Blast Door Control"; - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/light/small{ dir = 1 @@ -213,7 +213,7 @@ /obj/machinery/button/door{ id = "caravantrade2_cargo_starboard"; name = "Cargo Blast Door Control"; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/light/small, /turf/open/floor/plasteel/dark/airless, @@ -289,7 +289,7 @@ "aO" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/blood, /obj/machinery/atmospherics/components/unary/vent_pump/on{ @@ -359,7 +359,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/atmospherics/components/unary/vent_pump/on{ dir = 1 @@ -524,7 +524,7 @@ /obj/machinery/button/door{ id = "caravantrade3_cargo_port"; name = "Cargo Blast Door Control"; - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/dark/airless, /area/shuttle/caravan/freighter3) @@ -719,7 +719,7 @@ "hz" = ( /obj/machinery/firealarm{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/blue{ dir = 4 @@ -776,7 +776,7 @@ /obj/machinery/button/door{ id = "caravantrade2_cargo_port"; name = "Cargo Blast Door Control"; - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/light/small{ dir = 1 @@ -843,7 +843,7 @@ "ie" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/decal/cleanable/dirt, @@ -1057,7 +1057,7 @@ /obj/machinery/button/door{ id = "caravantrade3_cargo_starboard"; name = "Cargo Blast Door Control"; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/dark/airless, /area/shuttle/caravan/freighter3) @@ -1113,7 +1113,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/airless, /area/shuttle/caravan/freighter2) diff --git a/_maps/RandomRuins/deprecated/deepstorage.dmm b/_maps/RandomRuins/deprecated/deepstorage.dmm index 08dddccfe653..2cb7f1561f08 100644 --- a/_maps/RandomRuins/deprecated/deepstorage.dmm +++ b/_maps/RandomRuins/deprecated/deepstorage.dmm @@ -151,7 +151,7 @@ /obj/structure/table, /obj/machinery/reagentgrinder, /obj/machinery/airalarm/away{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/white{ dir = 1 @@ -204,7 +204,7 @@ /obj/machinery/power/apc/away{ dir = 2; name = "Recycling APC"; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plating, /area/ruin/space/has_grav/deepstorage/crusher) @@ -254,7 +254,7 @@ /obj/item/stack/packageWrap, /obj/effect/turf_decal/industrial/hatch/yellow, /obj/machinery/airalarm/away{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plasteel, @@ -487,13 +487,13 @@ "bb" = ( /obj/machinery/hydroponics/constructable, /obj/machinery/airalarm/away{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/light, /area/ruin/space/has_grav/deepstorage/hydroponics) "bc" = ( /obj/structure/sink/kitchen{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/white{ dir = 1 @@ -630,7 +630,7 @@ "br" = ( /obj/structure/extinguisher_cabinet{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/components/unary/vent_pump/on/layer1{ dir = 8; @@ -699,7 +699,7 @@ /obj/machinery/microwave, /obj/structure/extinguisher_cabinet{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/white{ dir = 1 @@ -852,7 +852,7 @@ /obj/machinery/power/apc/away{ dir = 2; name = "Kitchen APC"; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/white{ dir = 1 @@ -970,7 +970,7 @@ "bV" = ( /obj/machinery/airalarm/away{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /obj/machinery/atmospherics/pipe/simple/supplymain/hidden/layer1, @@ -1010,7 +1010,7 @@ /area/ruin/space/has_grav/deepstorage) "bY" = ( /obj/machinery/airalarm/away{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/components/unary/vent_pump/on/layer1, /turf/open/floor/plasteel/freezer, @@ -1018,7 +1018,7 @@ "bZ" = ( /obj/structure/table, /obj/machinery/airalarm/away{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/bar, /obj/effect/turf_decal/corner/bar{ @@ -1094,7 +1094,7 @@ /obj/machinery/power/apc/highcap/five_k{ dir = 4; name = "Hydroponics APC"; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel, /area/ruin/space/has_grav/deepstorage/hydroponics) @@ -1312,7 +1312,7 @@ /obj/machinery/power/apc/highcap/five_k{ dir = 4; name = "Storage APC"; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden, @@ -1324,7 +1324,7 @@ pixel_x = 11 }, /obj/structure/mirror{ - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/pipe/simple/supplymain/hidden/layer1, /turf/open/floor/plasteel/freezer, @@ -1361,7 +1361,7 @@ /obj/machinery/vending/cigarette, /obj/structure/extinguisher_cabinet{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/bar, /obj/effect/turf_decal/corner/bar{ @@ -1806,7 +1806,7 @@ /obj/machinery/power/apc/away{ dir = 2; name = "Main Area APC"; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/industrial/warning/corner, /obj/effect/decal/cleanable/dirt, @@ -2000,7 +2000,7 @@ }, /obj/machinery/airalarm/away{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/dark, /area/ruin/space/has_grav/deepstorage/armory) @@ -2161,7 +2161,7 @@ }, /obj/structure/extinguisher_cabinet{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /obj/machinery/atmospherics/pipe/simple/supplymain/hidden/layer1, @@ -2186,7 +2186,7 @@ /obj/machinery/power/apc/highcap/five_k{ dir = 4; name = "Armory APC"; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/dark, /area/ruin/space/has_grav/deepstorage/armory) @@ -2243,7 +2243,7 @@ /obj/machinery/power/apc/highcap/five_k{ dir = 4; name = "Dormitory APC"; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /obj/machinery/atmospherics/pipe/simple/supplymain/hidden/layer1, @@ -2373,20 +2373,20 @@ /obj/machinery/button/door{ id = "bunkerexterior"; name = "exterior blast door access"; - pixel_x = -24; + pixel_x = -25; pixel_y = -8; req_access_txt = "200" }, /obj/machinery/button/door{ id = "bunkerinterior"; name = "interior blast door access"; - pixel_x = -24; + pixel_x = -25; req_access_txt = "200" }, /obj/machinery/button/door{ id = "bunkershutter"; name = "hallway shutter toggle"; - pixel_x = -24; + pixel_x = -25; pixel_y = 8; req_access_txt = "200" }, @@ -2452,7 +2452,7 @@ /obj/machinery/power/apc/away{ dir = 1; name = "Airlock Control APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plasteel, @@ -2559,7 +2559,7 @@ /area/ruin/space/has_grav/deepstorage) "eS" = ( /obj/machinery/airalarm/away{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /obj/machinery/atmospherics/pipe/simple/green/visible, @@ -2599,7 +2599,7 @@ /obj/machinery/power/apc/away{ dir = 8; name = "Power and Atmospherics APC"; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden, @@ -2616,7 +2616,7 @@ "eX" = ( /obj/structure/extinguisher_cabinet{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /obj/machinery/atmospherics/components/unary/portables_connector/visible{ @@ -2799,7 +2799,7 @@ "fu" = ( /obj/machinery/airalarm/away{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plasteel, @@ -3063,7 +3063,7 @@ }, /obj/machinery/airalarm/away{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plasteel, @@ -3098,7 +3098,7 @@ }, /obj/structure/extinguisher_cabinet{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plasteel, diff --git a/_maps/RandomRuins/deprecated/forgottenship.dmm b/_maps/RandomRuins/deprecated/forgottenship.dmm index 1320059d9105..c48c7077d17d 100644 --- a/_maps/RandomRuins/deprecated/forgottenship.dmm +++ b/_maps/RandomRuins/deprecated/forgottenship.dmm @@ -20,7 +20,7 @@ "ae" = ( /obj/structure/fans/tiny, /obj/machinery/door/airlock/external{ - name = "Syndicate ship airlock"; + name = "Syndicate Ship Airlock"; req_one_access_txt = "150" }, /turf/open/floor/mineral/plastitanium, @@ -98,7 +98,7 @@ /obj/structure/window/plasma/reinforced/plastitanium, /obj/machinery/door/poddoor{ id = "fslockdown"; - name = "Ship blast door"; + name = "Ship Blast Door"; state_open = 1 }, /turf/open/floor/mineral/plastitanium, @@ -243,7 +243,7 @@ /area/ruin/space/has_grav/syndicate_forgotten_ship) "aU" = ( /obj/machinery/door/airlock/external{ - name = "Syndicate ship airlock"; + name = "Syndicate Ship Airlock"; req_one_access_txt = "150" }, /turf/open/floor/mineral/plastitanium, @@ -407,12 +407,12 @@ /area/ruin/space/has_grav/syndicate_forgotten_ship) "bx" = ( /obj/machinery/door/airlock/grunge{ - name = "Captain's room"; + name = "Captain's Room"; req_one_access_txt = "150" }, /obj/machinery/door/poddoor{ id = "fscaproom"; - name = "Captain's blast door"; + name = "Captain's Blast Door"; state_open = 1 }, /turf/open/floor/carpet/royalblack, @@ -513,7 +513,7 @@ /area/ruin/space/has_grav/syndicate_forgotten_ship) "bP" = ( /obj/machinery/airalarm/syndicate{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/mineral/plastitanium, /area/ruin/space/has_grav/syndicate_forgotten_ship) @@ -630,12 +630,12 @@ /area/ruin/space/has_grav/syndicate_forgotten_ship) "ch" = ( /obj/machinery/door/airlock/grunge{ - name = "Captain's room"; + name = "Captain's Room"; req_one_access_txt = "150" }, /obj/machinery/door/poddoor{ id = "fscaproom"; - name = "Captain's blast door"; + name = "Captain's Blast Door"; state_open = 1 }, /turf/open/floor/mineral/plastitanium/red, @@ -682,7 +682,7 @@ /obj/structure/filingcabinet, /obj/machinery/door/window{ dir = 8; - name = "Syndicate interior door"; + name = "Syndicate Interior Door"; req_one_access_txt = "150" }, /turf/open/floor/mineral/plastitanium/red, @@ -690,7 +690,7 @@ "cp" = ( /obj/machinery/door/window{ armor = list("melee" = 50, "bullet" = 50, "laser" = 50, "energy" = 50, "bomb" = 10, "bio" = 100, "rad" = 100, "fire" = 70, "acid" = 100); - name = "Control room"; + name = "Control Room"; req_one_access_txt = "150" }, /turf/open/floor/mineral/plastitanium/red, @@ -785,7 +785,7 @@ "cJ" = ( /obj/machinery/door/window{ dir = 1; - name = "Spare equipment"; + name = "Spare Equipment"; req_one_access_txt = "150" }, /turf/open/floor/mineral/plastitanium/red, @@ -1178,7 +1178,7 @@ /area/ruin/space/has_grav/syndicate_forgotten_ship) "tu" = ( /obj/machinery/door/airlock/external{ - name = "Syndicate ship airlock"; + name = "Syndicate Ship Airlock"; req_one_access_txt = "150" }, /obj/structure/cable{ @@ -1226,7 +1226,7 @@ /area/ruin/space/has_grav/syndicate_forgotten_ship) "BZ" = ( /obj/machinery/door/airlock/external{ - name = "Syndicate ship airlock"; + name = "Syndicate Ship Airlock"; req_one_access_txt = "150" }, /obj/structure/fans/tiny, @@ -1239,7 +1239,7 @@ /obj/machinery/power/apc/syndicate{ dir = 1; name = "Syndicate Cargo Pod APC"; - pixel_y = 24; + pixel_y = 25; start_charge = 0 }, /obj/structure/closet/crate/secure/gear{ @@ -1319,7 +1319,7 @@ "Qd" = ( /obj/structure/fans/tiny, /obj/machinery/door/airlock/external{ - name = "Syndicate ship airlock"; + name = "Syndicate Ship Airlock"; req_one_access_txt = "150" }, /obj/structure/cable{ @@ -1353,7 +1353,7 @@ /obj/machinery/power/apc/syndicate{ dir = 1; name = "Syndicate Forgotten Ship APC"; - pixel_y = 24; + pixel_y = 25; start_charge = 0 }, /obj/structure/cable{ diff --git a/_maps/RandomRuins/deprecated/listeningstation.dmm b/_maps/RandomRuins/deprecated/listeningstation.dmm index a3cad319448d..b584ddc5736d 100644 --- a/_maps/RandomRuins/deprecated/listeningstation.dmm +++ b/_maps/RandomRuins/deprecated/listeningstation.dmm @@ -13,7 +13,7 @@ dir = 2 }, /obj/machinery/airalarm/syndicate{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/decal/cleanable/dirt, @@ -245,7 +245,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/syndicate{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/dark, /area/ruin/space/has_grav/listeningstation) @@ -260,7 +260,7 @@ id = "syndie_listeningpost_external"; name = "External Bolt Control"; normaldoorcontrol = 1; - pixel_x = 24; + pixel_x = 25; req_access_txt = "150"; specialfunctions = 4 }, @@ -564,7 +564,7 @@ /area/ruin/space/has_grav/listeningstation) "aU" = ( /obj/machinery/airalarm/syndicate{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/baseturf_helper/asteroid/airless, @@ -696,7 +696,7 @@ }, /obj/machinery/airalarm/syndicate{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /obj/machinery/atmospherics/pipe/manifold/scrubbers/hidden{ @@ -882,7 +882,7 @@ /obj/machinery/power/apc/syndicate{ dir = 4; name = "Syndicate Listening Post APC"; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer1, @@ -1034,7 +1034,7 @@ /obj/machinery/light/small, /obj/machinery/airalarm/syndicate{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/decal/cleanable/dirt, /obj/machinery/atmospherics/components/unary/vent_pump/on/layer1{ diff --git a/_maps/RandomRuins/deprecated/oldAIsat.dmm b/_maps/RandomRuins/deprecated/oldAIsat.dmm index ec986d4a4f73..4ca95a8dbefe 100644 --- a/_maps/RandomRuins/deprecated/oldAIsat.dmm +++ b/_maps/RandomRuins/deprecated/oldAIsat.dmm @@ -46,7 +46,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Worn-out APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable{ icon_state = "0-4" diff --git a/_maps/RandomRuins/deprecated/whitesands_surface_crash_bar.dmm b/_maps/RandomRuins/deprecated/whitesands_surface_crash_bar.dmm index c17eef0961f1..a39d4e6b2fd0 100644 --- a/_maps/RandomRuins/deprecated/whitesands_surface_crash_bar.dmm +++ b/_maps/RandomRuins/deprecated/whitesands_surface_crash_bar.dmm @@ -292,7 +292,6 @@ /area/whitesands/surface/outdoors) "pk" = ( /obj/structure/lattice, -/obj/structure/lattice, /turf/open/floor/plating/asteroid/whitesands/dried, /area/whitesands/surface/outdoors) "qe" = ( @@ -824,7 +823,6 @@ /area/whitesands/surface/outdoors) "Np" = ( /obj/structure/lattice, -/obj/structure/lattice, /turf/open/floor/plating/asteroid/whitesands, /area/whitesands/surface/outdoors) "Nr" = ( diff --git a/_maps/RandomRuins/deprecated/whitesands_surface_crash_cargo.dmm b/_maps/RandomRuins/deprecated/whitesands_surface_crash_cargo.dmm index 400181ae3d42..f2972508789c 100644 --- a/_maps/RandomRuins/deprecated/whitesands_surface_crash_cargo.dmm +++ b/_maps/RandomRuins/deprecated/whitesands_surface_crash_cargo.dmm @@ -262,7 +262,7 @@ icon_state = "2-8" }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/industrial/outline/yellow, /obj/structure/table, @@ -397,7 +397,7 @@ /obj/machinery/button/door{ id = "whiteship_starboard"; name = "Starboard Blast Door Control"; - pixel_x = -24; + pixel_x = -25; pixel_y = -5 }, /turf/open/floor/plasteel/dark, @@ -637,14 +637,14 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/firealarm{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/dark, /area/whitesands/surface/outdoors) "Po" = ( /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/light/small/built{ dir = 1 diff --git a/_maps/RandomRuins/deprecated/whiteshipruin_box.dmm b/_maps/RandomRuins/deprecated/whiteshipruin_box.dmm index deb91645bae5..e19fe1a1112c 100644 --- a/_maps/RandomRuins/deprecated/whiteshipruin_box.dmm +++ b/_maps/RandomRuins/deprecated/whiteshipruin_box.dmm @@ -91,7 +91,7 @@ "q" = ( /obj/machinery/door/poddoor{ id = "oldship_ruin_gun"; - name = "pod bay door" + name = "Pod Bay Door" }, /turf/open/floor/plating, /area/ruin/space/has_grav/whiteship/box) diff --git a/_maps/RandomZLevels/Academy.dmm b/_maps/RandomZLevels/Academy.dmm index 1d7838483ae0..ebf5f8c3ede6 100644 --- a/_maps/RandomZLevels/Academy.dmm +++ b/_maps/RandomZLevels/Academy.dmm @@ -48,7 +48,7 @@ dir = 1; environ = 3; equipment = 3; - pixel_y = 23; + pixel_y = 25; req_access = null }, /turf/open/floor/carpet, @@ -446,7 +446,7 @@ "bD" = ( /obj/machinery/button/door{ id = "AcademyAuto"; - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel, /area/awaymission/academy/classrooms) @@ -1286,7 +1286,7 @@ dir = 1; environ = 3; equipment = 3; - pixel_y = 23; + pixel_y = 25; req_access = null }, /turf/open/floor/plasteel/grimy, @@ -1397,7 +1397,6 @@ /area/awaymission/academy) "eA" = ( /obj/machinery/door/airlock/public/glass, -/obj/machinery/door/airlock/external, /obj/effect/mapping_helpers/airlock/cyclelink_helper{ dir = 4 }, @@ -2646,7 +2645,7 @@ dir = 1; environ = 3; equipment = 3; - pixel_y = 23; + pixel_y = 25; req_access = null }, /turf/open/floor/plasteel, @@ -3712,7 +3711,7 @@ dir = 1; environ = 3; equipment = 3; - pixel_y = 23; + pixel_y = 25; req_access = null }, /obj/structure/cable{ @@ -4059,7 +4058,7 @@ "lp" = ( /obj/machinery/power/apc{ dir = 1; - pixel_y = 23 + pixel_y = 25 }, /obj/structure/cable{ icon_state = "0-8" @@ -4163,7 +4162,7 @@ "lK" = ( /obj/effect/immovablerod{ dir = 4; - + }, /obj/structure/cable, /obj/structure/cable{ @@ -4507,7 +4506,7 @@ /obj/machinery/button/door{ id = "AcademyGate"; name = "Skeleton Storage Control"; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/wood, /area/awaymission/academy/headmaster) diff --git a/_maps/RandomZLevels/SnowCabin.dmm b/_maps/RandomZLevels/SnowCabin.dmm index e61874d205cb..de2ff724812d 100644 --- a/_maps/RandomZLevels/SnowCabin.dmm +++ b/_maps/RandomZLevels/SnowCabin.dmm @@ -251,7 +251,7 @@ /area/awaymission/cabin) "aR" = ( /obj/machinery/door/window/westright{ - name = "fireplace" + name = "Fireplace" }, /obj/structure/fireplace, /obj/effect/decal/cleanable/dirt, @@ -272,7 +272,7 @@ /area/awaymission/cabin) "aT" = ( /obj/machinery/door/window/eastleft{ - name = "fireplace" + name = "Fireplace" }, /obj/structure/fireplace, /obj/effect/decal/cleanable/dirt, @@ -281,7 +281,7 @@ "aU" = ( /obj/structure/fireplace, /obj/machinery/door/window/westright{ - name = "fireplace" + name = "Fireplace" }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plating, @@ -293,7 +293,7 @@ "aW" = ( /obj/structure/fireplace, /obj/machinery/door/window/eastleft{ - name = "fireplace" + name = "Fireplace" }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plating, @@ -336,7 +336,7 @@ /area/awaymission/cabin) "bg" = ( /obj/machinery/door/window/westleft{ - name = "manager's desk" + name = "Manager's Desk" }, /turf/open/floor/carpet, /area/awaymission/cabin) @@ -802,7 +802,7 @@ "cS" = ( /obj/machinery/button/door{ id = "garage_cabin"; - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plating, /area/awaymission/cabin) @@ -1223,7 +1223,7 @@ "eq" = ( /obj/machinery/door/poddoor/shutters{ id = "garage_cabin"; - name = "garage door" + name = "Garage Door" }, /obj/structure/fans/tiny, /turf/open/floor/plating/snowed/temperatre, @@ -2594,7 +2594,7 @@ /area/awaymission/cabin) "hg" = ( /obj/machinery/door/airlock/maintenance{ - name = "janitor closet" + name = "Janitor Closet" }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plating, @@ -2666,7 +2666,7 @@ /area/awaymission/cabin) "hy" = ( /obj/machinery/door/airlock/maintenance{ - name = "heater storage" + name = "Heater Storage" }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plating, @@ -2908,7 +2908,7 @@ /area/awaymission/cabin/caves/sovietcave) "io" = ( /obj/structure/extinguisher_cabinet{ - pixel_x = -24; + pixel_x = -25; pixel_y = 0 }, /turf/open/floor/wood, @@ -3683,7 +3683,6 @@ }, /area/awaymission/cabin/caves) "kv" = ( -/obj/structure/barricade/wooden/snowed, /obj/structure/barricade/wooden/crude/snow, /obj/effect/light_emitter{ name = "outdoor light"; @@ -5305,7 +5304,7 @@ /obj/machinery/power/apc{ dir = 1; name = "cabin APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /obj/structure/cable{ diff --git a/_maps/RandomZLevels/TheBeach.dmm b/_maps/RandomZLevels/TheBeach.dmm index e7581b1621c6..af223ef0f79a 100644 --- a/_maps/RandomZLevels/TheBeach.dmm +++ b/_maps/RandomZLevels/TheBeach.dmm @@ -307,9 +307,9 @@ "bi" = ( /obj/machinery/button/door{ id = "changlinhut2"; - name = "changing room lock"; + name = "Changing Room lock"; normaldoorcontrol = 1; - pixel_x = 24; + pixel_x = 25; specialfunctions = 4 }, /turf/open/floor/wood, @@ -317,9 +317,9 @@ "bj" = ( /obj/machinery/button/door{ id = "changlinhut1"; - name = "changing room lock"; + name = "Changing Room lock"; normaldoorcontrol = 1; - pixel_x = -24; + pixel_x = -25; specialfunctions = 4 }, /turf/open/floor/wood, @@ -335,7 +335,7 @@ id = "theloveshack1"; name = "door lock"; normaldoorcontrol = 1; - pixel_x = 24; + pixel_x = 25; specialfunctions = 4 }, /obj/item/bedsheet/dorms, @@ -347,7 +347,7 @@ id = "theloveshack2"; name = "door lock"; normaldoorcontrol = 1; - pixel_x = 24; + pixel_x = 25; specialfunctions = 4 }, /obj/item/bedsheet/dorms, @@ -359,7 +359,7 @@ id = "theloveshack3"; name = "door lock"; normaldoorcontrol = 1; - pixel_x = 24; + pixel_x = 25; specialfunctions = 4 }, /obj/item/bedsheet/dorms, @@ -390,14 +390,14 @@ "bs" = ( /obj/machinery/door/airlock/sandstone{ id_tag = "changlinhut2"; - name = "changing room" + name = "Changing Room" }, /turf/open/floor/wood, /area/awaymission/beach) "bt" = ( /obj/machinery/door/airlock/sandstone{ id_tag = "changlinhut1"; - name = "changing room" + name = "Changing Room" }, /turf/open/floor/wood, /area/awaymission/beach) @@ -564,7 +564,7 @@ id = "toilet1"; name = "restroom lock"; normaldoorcontrol = 1; - pixel_x = 24; + pixel_x = 25; specialfunctions = 4 }, /obj/effect/turf_decal/sand, @@ -575,7 +575,7 @@ id = "toilet2"; name = "restroom lock"; normaldoorcontrol = 1; - pixel_x = -24; + pixel_x = -25; specialfunctions = 4 }, /obj/effect/turf_decal/sand, @@ -587,7 +587,7 @@ id = "loveshack"; name = "love shack lock"; normaldoorcontrol = 1; - pixel_x = 24; + pixel_x = 25; specialfunctions = 4 }, /obj/item/bedsheet/red, @@ -599,7 +599,7 @@ id = "theloveshack4"; name = "door lock"; normaldoorcontrol = 1; - pixel_x = 24; + pixel_x = 25; specialfunctions = 4 }, /obj/item/bedsheet/dorms, @@ -617,7 +617,7 @@ id = "theloveshack5"; name = "door lock"; normaldoorcontrol = 1; - pixel_x = 24; + pixel_x = 25; specialfunctions = 4 }, /obj/item/bedsheet/dorms, @@ -626,7 +626,7 @@ "bX" = ( /obj/machinery/door/airlock/sandstone{ id_tag = "toilet1"; - name = "restroom stall" + name = "Restroom Stall" }, /obj/effect/turf_decal/sand, /turf/open/floor/plasteel/white, @@ -634,7 +634,7 @@ "bY" = ( /obj/machinery/door/airlock/sandstone{ id_tag = "toilet2"; - name = "restroom stall" + name = "Restroom Stall" }, /obj/effect/turf_decal/sand, /turf/open/floor/plasteel/white, diff --git a/_maps/RandomZLevels/moonoutpost19.dmm b/_maps/RandomZLevels/moonoutpost19.dmm index 86ccd7d94254..91a3d20b5e23 100644 --- a/_maps/RandomZLevels/moonoutpost19.dmm +++ b/_maps/RandomZLevels/moonoutpost19.dmm @@ -292,7 +292,7 @@ }, /obj/machinery/airalarm{ dir = 8; - pixel_x = 24; + pixel_x = 25; req_access = null; req_access_txt = "150" }, @@ -354,7 +354,7 @@ /area/awaymission/moonoutpost19/syndicate) "cd" = ( /obj/machinery/airalarm/unlocked{ - pixel_y = 24; + pixel_y = 25; req_access = null; req_access_txt = "150" }, @@ -421,7 +421,7 @@ dir = 4 }, /obj/machinery/airalarm/unlocked{ - pixel_y = 24; + pixel_y = 25; req_access = null }, /obj/structure/cable{ @@ -561,7 +561,7 @@ /obj/structure/chair/wood, /obj/machinery/airalarm{ dir = 4; - pixel_x = -24; + pixel_x = -25; req_access = null; req_access_txt = "150" }, @@ -591,7 +591,7 @@ "dk" = ( /obj/machinery/airalarm{ dir = 8; - pixel_x = 24; + pixel_x = 25; req_access = null; req_access_txt = "150" }, @@ -903,13 +903,13 @@ /obj/machinery/door/poddoor/preopen{ desc = "A heavy duty blast door that opens mechanically. This one has been applied with an acid-proof coating."; id = "Awaybiohazard"; - name = "Acid-Proof biohazard containment door" + name = "Acid-Proof Biohazard Containment Door" }, /obj/machinery/door/poddoor{ desc = "A heavy duty blast door that opens mechanically. This one has been applied with an acid-proof coating."; id = "Awaybiohazard"; layer = 2.9; - name = "Acid-Proof biohazard containment door" + name = "Acid-Proof Biohazard Containment Door" }, /obj/effect/spawner/structure/window/reinforced, /turf/open/floor/plating{ @@ -1061,7 +1061,7 @@ dir = 1 }, /obj/machinery/airalarm/unlocked{ - pixel_y = 24; + pixel_y = 25; req_access = null }, /obj/structure/alien/weeds, @@ -1071,7 +1071,7 @@ /area/awaymission/moonoutpost19/research) "fh" = ( /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/table, /obj/item/storage/box/beakers{ @@ -1116,7 +1116,7 @@ /obj/machinery/processor, /obj/machinery/airalarm/unlocked{ dir = 8; - pixel_x = 24; + pixel_x = 25; req_access = null }, /obj/effect/turf_decal/corner/white{ @@ -1244,7 +1244,7 @@ /obj/machinery/door/poddoor/preopen{ desc = "A heavy duty blast door that opens mechanically. This one has been applied with an acid-proof coating."; id = "Awaylab"; - name = "Acid-Proof containment chamber blast door" + name = "Acid-Proof Containment Chamber Blast Door" }, /obj/item/stack/cable_coil/cut, /turf/open/floor/plating{ @@ -1485,7 +1485,7 @@ /area/awaymission/moonoutpost19/research) "he" = ( /obj/machinery/airalarm{ - pixel_y = 24; + pixel_y = 25; req_access = null; req_access_txt = "150" }, @@ -1539,7 +1539,7 @@ /obj/machinery/door/poddoor{ id = "AwayRD"; layer = 2.9; - name = "privacy shutter" + name = "Privacy Shutter" }, /obj/effect/spawner/structure/window/reinforced, /turf/open/floor/plating{ @@ -1721,7 +1721,7 @@ "ij" = ( /obj/machinery/airalarm/unlocked{ dir = 4; - pixel_x = -24; + pixel_x = -25; req_access = null }, /obj/machinery/light/small{ @@ -2070,7 +2070,7 @@ /area/awaymission/moonoutpost19/arrivals) "jI" = ( /obj/machinery/airalarm/unlocked{ - pixel_y = 24; + pixel_y = 25; req_access = null }, /turf/open/floor/plasteel{ @@ -2282,7 +2282,7 @@ "kJ" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plasteel{ @@ -2292,7 +2292,7 @@ "kO" = ( /obj/machinery/firealarm{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plasteel{ @@ -2415,7 +2415,7 @@ /obj/structure/chair/wood, /obj/machinery/airalarm/unlocked{ dir = 8; - pixel_x = 24; + pixel_x = 25; req_access = null }, /turf/open/floor/carpet{ @@ -2913,7 +2913,7 @@ }, /obj/machinery/airalarm/unlocked{ dir = 8; - pixel_x = 24; + pixel_x = 25; req_access = null }, /turf/open/floor/carpet{ @@ -3027,7 +3027,7 @@ "nj" = ( /obj/machinery/firealarm{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel{ dir = 8; @@ -3500,7 +3500,7 @@ pixel_y = 2 }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/white{ dir = 1 @@ -3613,7 +3613,7 @@ dir = 1; locked = 0; name = "Worn-out APC"; - pixel_y = 24; + pixel_y = 25; start_charge = 100 }, /obj/structure/cable{ @@ -3807,7 +3807,7 @@ pixel_y = -2 }, /obj/machinery/airalarm/unlocked{ - pixel_y = 24; + pixel_y = 25; req_access = null }, /obj/effect/turf_decal/corner/red{ @@ -4038,7 +4038,7 @@ "ux" = ( /obj/machinery/airalarm/unlocked{ dir = 8; - pixel_x = 24; + pixel_x = 25; req_access = null }, /obj/effect/turf_decal/corner/neutral, @@ -4977,7 +4977,7 @@ /obj/machinery/door/poddoor/preopen{ desc = "A heavy duty blast door that opens mechanically. This one has been applied with an acid-proof coating."; id = "Awaylab"; - name = "Acid-Proof containment chamber blast door" + name = "Acid-Proof Containment Chamber Blast Door" }, /obj/effect/spawner/structure/window/reinforced, /obj/structure/cable{ @@ -5012,7 +5012,7 @@ "Gf" = ( /obj/machinery/firealarm{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /obj/machinery/camera{ @@ -5414,7 +5414,7 @@ }, /obj/machinery/airalarm/unlocked{ dir = 8; - pixel_x = 24; + pixel_x = 25; req_access = null }, /obj/effect/turf_decal/corner/purple, @@ -5430,7 +5430,7 @@ /obj/item/storage/box, /obj/machinery/airalarm/unlocked{ dir = 4; - pixel_x = -24; + pixel_x = -25; req_access = null }, /obj/effect/turf_decal/corner/bar, @@ -5564,7 +5564,7 @@ "Lo" = ( /obj/machinery/portable_atmospherics/canister/air, /obj/machinery/airalarm{ - pixel_y = 24; + pixel_y = 25; req_access = null; req_access_txt = "150" }, @@ -5618,7 +5618,7 @@ "LG" = ( /obj/machinery/power/apc/highcap/fifteen_k{ name = "Worn-out APC"; - pixel_y = -24; + pixel_y = -25; req_access_txt = "150"; start_charge = 0 }, @@ -5788,7 +5788,7 @@ /obj/machinery/door/poddoor/preopen{ desc = "A heavy duty blast door that opens mechanically. This one has been applied with an acid-proof coating."; id = "Awaylab"; - name = "Acid-Proof containment chamber blast door" + name = "Acid-Proof Containment Chamber Blast Door" }, /obj/machinery/atmospherics/pipe/simple/general/visible{ desc = "A one meter section of pipe. This one has been applied with an acid-proof coating."; @@ -5850,7 +5850,7 @@ dir = 1 }, /obj/machinery/airalarm/unlocked{ - pixel_y = 24; + pixel_y = 25; req_access = null }, /obj/item/paper/fluff/awaymissions/moonoutpost19/log/gerald, @@ -6061,7 +6061,7 @@ "Ps" = ( /obj/machinery/firealarm{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/table, /obj/effect/decal/cleanable/dirt, @@ -6297,7 +6297,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/unlocked{ dir = 8; - pixel_x = 24; + pixel_x = 25; req_access = null }, /obj/effect/turf_decal/corner/white{ @@ -6465,7 +6465,7 @@ dir = 4; locked = 0; name = "Worn-out APC"; - pixel_x = 24; + pixel_x = 25; start_charge = 100 }, /obj/effect/turf_decal/corner/purple, @@ -6816,7 +6816,7 @@ /obj/machinery/door/poddoor/preopen{ desc = "A heavy duty blast door that opens mechanically. This one has been applied with an acid-proof coating."; id = "Awaylab"; - name = "Acid-Proof containment chamber blast door" + name = "Acid-Proof Containment Chamber Blast Door" }, /obj/effect/spawner/structure/window/reinforced, /obj/structure/cable{ @@ -6965,7 +6965,7 @@ dir = 1 }, /obj/machinery/airalarm/unlocked{ - pixel_y = 24; + pixel_y = 25; req_access = null }, /obj/effect/turf_decal/corner/purple{ @@ -7012,7 +7012,7 @@ "Yp" = ( /obj/machinery/airalarm{ dir = 8; - pixel_x = 24; + pixel_x = 25; req_access = null; req_access_txt = "150" }, @@ -7199,7 +7199,7 @@ desc = "A heavy duty blast door that opens mechanically. This one has been applied with an acid-proof coating."; id = "Awaybiohazard"; layer = 2.9; - name = "Acid-Proof biohazard containment door" + name = "Acid-Proof Biohazard Containment Door" }, /obj/effect/turf_decal/industrial/hatch/yellow, /turf/open/floor/plasteel{ diff --git a/_maps/RandomZLevels/research.dmm b/_maps/RandomZLevels/research.dmm index cd5b6c28e5d0..16c8b99b96bb 100644 --- a/_maps/RandomZLevels/research.dmm +++ b/_maps/RandomZLevels/research.dmm @@ -298,7 +298,7 @@ }, /obj/machinery/airalarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/yellow, /obj/effect/turf_decal/corner/yellow{ @@ -837,7 +837,7 @@ /obj/item/storage/firstaid/regular, /obj/machinery/airalarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/dark, /area/awaymission/research/interior/gateway) @@ -918,7 +918,7 @@ name = "panic lockdown button" }, /obj/machinery/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/purple{ dir = 1 @@ -1653,7 +1653,7 @@ "eb" = ( /obj/machinery/door/poddoor{ id = "cryopodg2"; - name = "cryogenetic genetics blastdoor" + name = "Cryogenetic Genetics Blastdoor" }, /turf/open/floor/plasteel/stairs, /area/awaymission/research/interior/genetics) @@ -1688,7 +1688,7 @@ /area/awaymission/research/interior) "ej" = ( /obj/machinery/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/yellow, /obj/effect/turf_decal/corner/yellow{ @@ -1817,7 +1817,7 @@ /area/awaymission/research/interior/cryo) "ew" = ( /obj/machinery/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/purple{ dir = 1 @@ -2032,7 +2032,7 @@ "eT" = ( /obj/machinery/airalarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/dark, /area/awaymission/research/interior/secure) @@ -2195,7 +2195,7 @@ /area/awaymission/research/interior/security) "fu" = ( /obj/machinery/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/red, /obj/effect/turf_decal/corner/red{ @@ -3090,7 +3090,7 @@ "hK" = ( /obj/machinery/door/poddoor{ id = "cryopodg1"; - name = "cryogenetic genetics blastdoor" + name = "Cryogenetic Genetics Blastdoor" }, /turf/open/floor/plasteel/stairs{ dir = 1 @@ -3141,7 +3141,7 @@ }, /obj/structure/sign/directions/evac{ pixel_x = 32; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/green{ dir = 1 @@ -3519,7 +3519,7 @@ }, /obj/machinery/airalarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/purple{ dir = 1 @@ -3617,7 +3617,7 @@ /area/awaymission/research/interior/dorm) "iZ" = ( /obj/machinery/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/blue, /turf/open/floor/plasteel/white, @@ -3685,7 +3685,6 @@ /area/awaymission/research/interior/medbay) "ji" = ( /obj/machinery/door/airlock/glass_large, -/turf/closed/mineral, /area/awaymission/research/exterior) "jj" = ( /obj/structure/dresser, @@ -4827,7 +4826,7 @@ }, /obj/machinery/airalarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/spline/plain/yellow{ dir = 4 @@ -5291,7 +5290,7 @@ "mX" = ( /obj/machinery/airalarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/green{ dir = 1 @@ -5412,7 +5411,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Security APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable{ icon_state = "4-8" @@ -5555,7 +5554,7 @@ /obj/machinery/power/apc/highcap/fifteen_k{ dir = 4; name = "Vault APC"; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable{ icon_state = "0-8" @@ -5595,7 +5594,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Escape APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable{ icon_state = "4-8" @@ -5677,7 +5676,7 @@ /obj/machinery/power/apc/highcap/five_k{ dir = 4; name = "Cryostatis APC"; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/purple{ dir = 1 @@ -5843,7 +5842,7 @@ /obj/machinery/power/apc/highcap/five_k{ dir = 4; name = "Genetics APC"; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable, /obj/structure/cable{ @@ -5913,7 +5912,7 @@ /obj/machinery/power/apc/highcap/five_k{ dir = 4; name = "Dorms APC"; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable{ icon_state = "1-2" @@ -6115,7 +6114,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Medbay APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable{ icon_state = "0-8" @@ -6126,7 +6125,7 @@ /obj/machinery/power/apc/highcap/fifteen_k{ dir = 4; name = "Gateway APC"; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable{ icon_state = "0-2" @@ -6339,7 +6338,7 @@ auto_name = 1; dir = 4; name = "Engineering APC"; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable{ icon_state = "0-2" @@ -6533,7 +6532,7 @@ /obj/machinery/power/apc/highcap/five_k{ dir = 4; name = "Genetics APC"; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable{ icon_state = "1-2" diff --git a/_maps/RandomZLevels/snowdin.dmm b/_maps/RandomZLevels/snowdin.dmm index bcf821ad6fa2..35a6bdd328a5 100644 --- a/_maps/RandomZLevels/snowdin.dmm +++ b/_maps/RandomZLevels/snowdin.dmm @@ -568,7 +568,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Dorms APC"; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable/yellow{ icon_state = "0-2" @@ -706,7 +706,7 @@ /area/awaymission/snowdin/post/kitchen) "cf" = ( /obj/machinery/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/spider/stickyweb, /obj/effect/decal/cleanable/dirt, @@ -716,7 +716,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Kitchen APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable/yellow{ icon_state = "0-2" @@ -1390,7 +1390,7 @@ /obj/machinery/power/apc{ dir = 2; name = "Gateway APC"; - pixel_y = -24; + pixel_y = -25; req_access = 150 }, /obj/structure/cable/yellow{ @@ -1406,7 +1406,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Research Center APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable/yellow{ icon_state = "4-8" @@ -1435,7 +1435,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Mess Hall APC"; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable/yellow{ icon_state = "0-8" @@ -1775,7 +1775,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Outpost Hallway APC"; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable/yellow{ icon_state = "0-8" @@ -2069,7 +2069,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Garage APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable/yellow{ icon_state = "0-8" @@ -2574,7 +2574,7 @@ /obj/structure/table, /obj/machinery/airalarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/item/paper_bin, /turf/open/floor/plasteel, @@ -2652,7 +2652,7 @@ dir = 4 }, /obj/machinery/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel, /area/awaymission/snowdin/post/garage) @@ -2761,7 +2761,7 @@ "iX" = ( /obj/structure/table, /obj/machinery/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plating, /area/awaymission/snowdin/post/garage) @@ -2878,7 +2878,7 @@ /obj/machinery/button/door{ id = "snowdin_gate"; pixel_x = 7; - pixel_y = -24 + pixel_y = -25 }, /obj/item/disk/holodisk/snowdin/welcometodie, /turf/open/floor/plasteel, @@ -3246,7 +3246,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Custodials APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable/yellow{ icon_state = "0-2" @@ -3256,7 +3256,7 @@ "kE" = ( /obj/structure/table, /obj/machinery/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/dark, /area/awaymission/snowdin/post/custodials) @@ -3339,7 +3339,7 @@ "la" = ( /obj/structure/filingcabinet, /obj/machinery/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel, /area/awaymission/snowdin/post/garage) @@ -4179,8 +4179,8 @@ "mY" = ( /obj/machinery/button/door{ id = "snowdingarage1"; - name = "garage door toggle"; - pixel_x = -24; + name = "Garage Door toggle"; + pixel_x = -25; pixel_y = -7 }, /turf/open/floor/plating, @@ -4309,7 +4309,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Engineering APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable/yellow{ icon_state = "4-8" @@ -4354,7 +4354,7 @@ "nB" = ( /obj/machinery/door/poddoor/shutters{ id = "snowdingarage1"; - name = "garage door" + name = "Garage Door" }, /turf/open/floor/plating, /area/awaymission/snowdin/post/garage) @@ -4541,7 +4541,7 @@ "ot" = ( /obj/machinery/firealarm{ dir = 2; - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel, /area/awaymission/snowdin/post/hydro) @@ -4555,7 +4555,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Hydroponics APC"; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable/yellow{ icon_state = "0-8" @@ -5147,7 +5147,7 @@ /obj/machinery/button/door{ id = "snowdinturbinegas"; name = "Turbine Gas Release"; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/cable{ icon_state = "4-8" @@ -5199,7 +5199,7 @@ /area/awaymission/snowdin/post/cavern2) "rg" = ( /obj/machinery/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/engine/cult, /area/awaymission/snowdin/post/cavern2) @@ -5407,9 +5407,9 @@ idDoor = "snowdin_turbine_interior"; idSelf = "snowdin_turbine_access"; layer = 3.1; - name = "Turbine airlock control"; + name = "Turbine Airlock Control"; pixel_x = 8; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/engine, /area/awaymission/snowdin/post/engineering) @@ -5429,9 +5429,9 @@ /obj/machinery/doorButtons/access_button{ idDoor = "snowdin_turbine_exterior"; idSelf = "snowdin_turbine_access"; - name = "Turbine airlock control"; + name = "Turbine Airlock Control"; pixel_x = -8; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/sign/warning/fire{ pixel_y = -32 @@ -5528,7 +5528,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Main Outpost APC"; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable/yellow, /obj/structure/cable/yellow{ @@ -6021,7 +6021,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Main Outpost APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable/yellow{ icon_state = "0-2" @@ -6117,7 +6117,7 @@ /area/awaymission/snowdin/cave/cavern) "uy" = ( /obj/machinery/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plating, /area/awaymission/snowdin/post/cavern1) @@ -6808,7 +6808,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Main Outpost APC"; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable/yellow, /turf/open/floor/plating, @@ -7297,7 +7297,7 @@ "zo" = ( /obj/machinery/door/poddoor/shutters{ id = "snowdingarage2"; - name = "garage door" + name = "Garage Door" }, /turf/open/floor/plating, /area/awaymission/snowdin/post/minipost) @@ -7357,9 +7357,9 @@ /obj/machinery/light/small, /obj/machinery/button/door{ id = "snowdingarage2"; - name = "garage door toggle"; + name = "Garage Door toggle"; pixel_x = -7; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plating, /area/awaymission/snowdin/post/minipost) @@ -7803,7 +7803,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Recon Post APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable/yellow{ icon_state = "0-2" @@ -9137,7 +9137,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Robotics APC"; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable/yellow{ icon_state = "1-2" @@ -9231,7 +9231,7 @@ "Ia" = ( /obj/machinery/door/poddoor/shutters{ id = "snowdingarage3"; - name = "garage door" + name = "Garage Door" }, /turf/open/floor/plating, /area/awaymission/snowdin/post/mining_main) @@ -9305,9 +9305,9 @@ "Iw" = ( /obj/machinery/button/door{ id = "snowdingarage3"; - name = "garage door toggle"; + name = "Garage Door toggle"; pixel_x = 7; - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plating, /area/awaymission/snowdin/post/mining_main) @@ -9399,7 +9399,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Main Outpost APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable/yellow{ icon_state = "4-8" @@ -9413,7 +9413,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Mechbay APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable/yellow{ icon_state = "0-8" @@ -9744,7 +9744,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Mining Post APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable/yellow{ icon_state = "0-8" @@ -9813,7 +9813,7 @@ /obj/effect/turf_decal/industrial/warning, /obj/machinery/airalarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plating{ icon_state = "platingdmg1" @@ -10051,7 +10051,7 @@ }, /obj/machinery/airalarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/turf_decal/corner/neutral, @@ -10132,7 +10132,7 @@ "LT" = ( /obj/machinery/airalarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/green{ dir = 1 @@ -10552,7 +10552,7 @@ /area/awaymission/snowdin/post/cavern2) "MP" = ( /obj/machinery/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/sign/warning/docking{ pixel_x = 32 @@ -10658,7 +10658,7 @@ "Ng" = ( /obj/machinery/firealarm{ dir = 2; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/green{ dir = 1 @@ -10754,7 +10754,7 @@ /area/awaymission/snowdin/post) "Ns" = ( /obj/machinery/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -11330,7 +11330,7 @@ /obj/effect/turf_decal/industrial/warning, /obj/machinery/airalarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel, /area/awaymission/snowdin/post/mining_main/robotics) @@ -11682,7 +11682,7 @@ /area/awaymission/snowdin/cave) "PB" = ( /obj/machinery/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -12132,7 +12132,7 @@ "QA" = ( /obj/machinery/door/poddoor/shutters{ id = "snowdingarageunder2"; - name = "garage door" + name = "Garage Door" }, /obj/effect/turf_decal/industrial/hatch/yellow, /turf/open/floor/plasteel, @@ -12163,7 +12163,7 @@ }, /obj/machinery/firealarm{ dir = 2; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -12183,7 +12183,7 @@ /area/awaymission/snowdin/post/engineering) "QH" = ( /obj/machinery/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/bar, /obj/effect/turf_decal/corner/bar{ @@ -12416,15 +12416,15 @@ "Rh" = ( /obj/machinery/button/door{ id = "snowdingarageunder2"; - name = "right garage door toggle"; + name = "right Garage Door toggle"; pixel_x = 7; - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/button/door{ id = "snowdingarageunder"; - name = "left garage door toggle"; + name = "left Garage Door toggle"; pixel_x = -7; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/industrial/warning/corner{ dir = 1 @@ -12770,7 +12770,7 @@ /area/awaymission/snowdin/post/dorm) "Sc" = ( /obj/machinery/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/turf_decal/corner/neutral{ @@ -12855,7 +12855,7 @@ pixel_y = 5 }, /obj/machinery/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/red{ dir = 1 @@ -13191,7 +13191,7 @@ /obj/machinery/power/apc{ dir = 1; name = "Security Outpost APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable/yellow{ icon_state = "0-4" @@ -13510,7 +13510,7 @@ "TN" = ( /obj/machinery/door/poddoor/shutters{ id = "snowdingarageunder"; - name = "garage door" + name = "Garage Door" }, /obj/effect/turf_decal/industrial/hatch/yellow, /turf/open/floor/plasteel, @@ -13553,7 +13553,7 @@ /obj/machinery/button/ignition{ id = "snowdin_turbine_ignitor"; pixel_x = 6; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/yellow, /obj/effect/turf_decal/corner/yellow{ @@ -13906,7 +13906,7 @@ }, /obj/machinery/firealarm{ dir = 2; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/blue{ dir = 4 @@ -14158,7 +14158,7 @@ "Vr" = ( /obj/machinery/firealarm{ dir = 2; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/turf_decal/corner/neutral{ @@ -15611,7 +15611,7 @@ "Za" = ( /obj/machinery/airalarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/white{ dir = 1 @@ -15638,7 +15638,7 @@ "Zd" = ( /obj/machinery/firealarm{ dir = 2; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/bar, /obj/effect/turf_decal/corner/bar{ @@ -15650,7 +15650,7 @@ /obj/structure/table, /obj/item/clothing/glasses/hud/health, /obj/machinery/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/blue{ dir = 4 @@ -15870,7 +15870,7 @@ icon_state = "4-8" }, /obj/machinery/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/yellow{ dir = 1 diff --git a/_maps/RandomZLevels/spacebattle.dmm b/_maps/RandomZLevels/spacebattle.dmm index 8bcaee9f3158..1c7303238138 100644 --- a/_maps/RandomZLevels/spacebattle.dmm +++ b/_maps/RandomZLevels/spacebattle.dmm @@ -1740,7 +1740,7 @@ /obj/machinery/button/door{ id = "spacebattlestorage"; name = "Secure Storage"; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plating, /area/awaymission/spacebattle/cruiser) @@ -2469,7 +2469,6 @@ /area/awaymission/spacebattle/secret) "jn" = ( /obj/machinery/door/airlock/plasma, -/turf/closed/wall/mineral/plasma, /area/awaymission/spacebattle/secret) "jo" = ( /obj/item/clothing/suit/space/hardsuit/wizard, diff --git a/_maps/RandomZLevels/speedway.dmm b/_maps/RandomZLevels/speedway.dmm index 8c316adbaeb0..b0b0ae526ac8 100644 --- a/_maps/RandomZLevels/speedway.dmm +++ b/_maps/RandomZLevels/speedway.dmm @@ -526,7 +526,7 @@ id = "racepodbay"; name = "Pod Door Control"; pixel_x = 6; - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel, /area/awaymission/speedway/track) @@ -633,7 +633,6 @@ /area/awaymission/speedway/lounge) "wr" = ( /obj/structure/lattice, -/obj/structure/lattice, /turf/open/space/basic, /area/awaymission/speedway/track) "wE" = ( diff --git a/_maps/RandomZLevels/undergroundoutpost45.dmm b/_maps/RandomZLevels/undergroundoutpost45.dmm index 198b7871e6df..0abd86a015ff 100644 --- a/_maps/RandomZLevels/undergroundoutpost45.dmm +++ b/_maps/RandomZLevels/undergroundoutpost45.dmm @@ -89,14 +89,14 @@ id = "UO45_Elevator"; name = "Elevator Doors"; pixel_x = 6; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/button/door{ desc = "A remote control-switch to call the elevator to your level."; id = "UO45_useless"; name = "B1"; pixel_x = -6; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/button/door{ desc = "A remote control-switch to call the elevator to your level."; @@ -134,7 +134,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/bar, /obj/effect/turf_decal/corner/bar{ @@ -188,14 +188,14 @@ id = "UO45_useless"; name = "Call Elevator"; pixel_x = -6; - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/button/door{ desc = "A remote control-switch for the elevator doors."; id = "UO45_Elevator"; name = "Elevator Doors"; pixel_x = 6; - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel{ heat_capacity = 1e+006 @@ -428,7 +428,7 @@ /obj/machinery/light/small, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/freezer{ heat_capacity = 1e+006 @@ -450,7 +450,7 @@ "bx" = ( /obj/machinery/firealarm{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel{ heat_capacity = 1e+006 @@ -801,7 +801,7 @@ dir = 1 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden{ dir = 10 @@ -815,7 +815,7 @@ dir = 1 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden{ dir = 10 @@ -1153,7 +1153,7 @@ /area/awaymission/undergroundoutpost45/central) "dm" = ( /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel{ heat_capacity = 1e+006 @@ -1181,7 +1181,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel{ dir = 8; @@ -1789,7 +1789,7 @@ /obj/machinery/light/small, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/components/unary/vent_scrubber/on{ dir = 1 @@ -1819,7 +1819,7 @@ "fU" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/camera{ c_tag = "Central Hallway"; @@ -2149,7 +2149,7 @@ /area/awaymission/undergroundoutpost45/research) "gY" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/light/small{ dir = 1 @@ -2164,7 +2164,7 @@ /area/awaymission/undergroundoutpost45/research) "gZ" = ( /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/white{ heat_capacity = 1e+006 @@ -2206,7 +2206,7 @@ }, /obj/machinery/firealarm{ dir = 8; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel{ heat_capacity = 1e+006 @@ -2215,7 +2215,7 @@ "hg" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel{ heat_capacity = 1e+006 @@ -2332,7 +2332,7 @@ "ic" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden, /obj/structure/chair{ @@ -2614,7 +2614,7 @@ "jg" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/camera{ c_tag = "Gateway Chamber"; @@ -2813,7 +2813,7 @@ "jK" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/pipe/manifold/scrubbers/hidden{ dir = 4 @@ -3010,7 +3010,7 @@ /area/awaymission/undergroundoutpost45/crew_quarters) "ko" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel{ heat_capacity = 1e+006 @@ -3145,7 +3145,7 @@ "lf" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel{ heat_capacity = 1e+006 @@ -3187,7 +3187,7 @@ icon_state = "2-4" }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden{ dir = 4 @@ -3400,7 +3400,7 @@ /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden, /obj/machinery/door/poddoor/shutters/preopen{ id = "UO45_rdprivacy"; - name = "privacy shutters" + name = "Privacy Shutters" }, /turf/open/floor/plating{ heat_capacity = 1e+006 @@ -3410,7 +3410,7 @@ /obj/effect/spawner/structure/window/reinforced, /obj/machinery/door/poddoor/shutters/preopen{ id = "UO45_rdprivacy"; - name = "privacy shutters" + name = "Privacy Shutters" }, /turf/open/floor/plating{ heat_capacity = 1e+006 @@ -3450,7 +3450,7 @@ dir = 1 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/carpet{ heat_capacity = 1e+006 @@ -3477,7 +3477,7 @@ dir = 1 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/chair/wood{ dir = 8 @@ -3644,7 +3644,7 @@ "nh" = ( /obj/machinery/door/poddoor{ id = "UO45_Secure Storage"; - name = "secure storage" + name = "Secure Storage" }, /turf/open/floor/plating{ heat_capacity = 1e+006 @@ -4023,7 +4023,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/light/small{ dir = 4 @@ -4182,7 +4182,7 @@ /obj/machinery/atmospherics/pipe/simple/supply/hidden, /obj/machinery/firealarm{ dir = 8; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plasteel{ @@ -4538,7 +4538,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/carpet{ heat_capacity = 1e+006 @@ -4556,7 +4556,7 @@ "qv" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/carpet{ heat_capacity = 1e+006 @@ -4568,7 +4568,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/freezer{ heat_capacity = 1e+006 @@ -4675,7 +4675,7 @@ }, /obj/machinery/airalarm/server{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/rnd/server{ req_access = null @@ -4837,7 +4837,7 @@ }, /obj/machinery/firealarm{ dir = 8; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel{ dir = 8; @@ -4871,7 +4871,7 @@ /obj/machinery/power/apc/highcap/fifteen_k{ dir = 8; name = "UO45 Engineering APC"; - pixel_x = -24; + pixel_x = -25; req_access = null; req_access_txt = "201"; start_charge = 100 @@ -5207,7 +5207,7 @@ }, /obj/machinery/door/poddoor/preopen{ id = "UO45_Engineering"; - name = "engineering security door" + name = "Engineering Security Door" }, /turf/open/floor/plating{ heat_capacity = 1e+006 @@ -5431,7 +5431,7 @@ }, /obj/machinery/door/poddoor/preopen{ id = "UO45_Engineering"; - name = "engineering security door" + name = "Engineering Security Door" }, /turf/open/floor/plating{ heat_capacity = 1e+006 @@ -6001,7 +6001,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plasteel{ @@ -6229,7 +6229,7 @@ dir = 4 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plasteel{ @@ -6796,7 +6796,7 @@ "wC" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plasteel{ @@ -6938,7 +6938,7 @@ }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/closet/secure_closet/miner{ req_access = null; @@ -7009,7 +7009,7 @@ /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable{ icon_state = "1-2" @@ -7273,7 +7273,7 @@ /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden, /obj/machinery/firealarm{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/closet/crate, /obj/item/stack/sheet/mineral/plasma{ @@ -7307,7 +7307,7 @@ "xZ" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/closet/emcloset, /obj/effect/decal/cleanable/dirt, @@ -7599,7 +7599,7 @@ "yF" = ( /obj/machinery/atmospherics/pipe/simple/supply/hidden{ dir = 4; - + }, /obj/structure/table, /obj/item/book/manual/chef_recipes, @@ -7609,9 +7609,6 @@ /obj/effect/turf_decal/corner/white{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/atmospherics/pipe/simple/supply/hidden{ dir = 4 }, @@ -7743,7 +7740,7 @@ dir = 2; locked = 0; name = "UO45 Research Division APC"; - pixel_y = -24; + pixel_y = -25; req_access = null; start_charge = 100 }, @@ -7756,16 +7753,13 @@ /obj/effect/turf_decal/corner/purple{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/structure/cable{ icon_state = "0-8" }, /obj/machinery/power/apc/highcap/fifteen_k{ locked = 0; name = "UO45 Research Division APC"; - pixel_y = -24; + pixel_y = -25; req_access = null; start_charge = 100 }, @@ -7859,17 +7853,6 @@ /obj/effect/turf_decal/corner/red{ dir = 8 }, -/obj{ - name = "---Merge conflict marker---" - }, -/obj/item/storage/belt/security, -/obj/item/assembly/flash/handheld, -/obj/effect/decal/cleanable/dirt, -/obj/structure/closet/secure_closet{ - icon_state = "sec"; - name = "security officer's locker"; - req_access_txt = "201" - }, /obj/effect/turf_decal/corner/red{ dir = 1 }, @@ -7931,9 +7914,6 @@ /obj/effect/turf_decal/corner/purple{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/structure/cable{ icon_state = "4-8" }, @@ -7958,7 +7938,7 @@ "zB" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/camera{ c_tag = "Kitchen"; @@ -8051,7 +8031,7 @@ }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/neutral{ dir = 8 @@ -8130,7 +8110,7 @@ dir = 2; locked = 0; name = "UO45 Mining APC"; - pixel_y = -24; + pixel_y = -25; req_access = null; start_charge = 100 }, @@ -8150,28 +8130,6 @@ /obj/effect/turf_decal/corner/brown{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, -/obj/structure/cable, -/obj/machinery/power/apc/highcap/fifteen_k{ - locked = 0; - name = "UO45 Mining APC"; - pixel_y = -24; - req_access = null; - start_charge = 100 - }, -/obj/machinery/light/small, -/obj/machinery/atmospherics/pipe/simple/scrubbers/hidden{ - dir = 4 - }, -/obj/structure/closet/secure_closet/engineering_personal{ - icon_state = "mining"; - locked = 0; - name = "miner's equipment"; - req_access = null; - req_access_txt = "201" - }, /obj/item/storage/backpack/satchel/eng, /obj/item/clothing/gloves/fingerless, /obj/effect/turf_decal/corner/brown, @@ -8200,9 +8158,6 @@ /obj/effect/turf_decal/industrial/warning{ dir = 4 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/conveyor{ id = "UO45_mining" }, @@ -8246,9 +8201,6 @@ /obj/effect/turf_decal/industrial/outline/yellow{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/portable_atmospherics/canister/air, /obj/effect/turf_decal/industrial/outline/yellow, /turf/open/floor/plasteel{ @@ -8263,9 +8215,6 @@ /obj/effect/turf_decal/corner/green{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/item/kirbyplants{ layer = 5 }, @@ -8466,7 +8415,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/green, /obj/effect/turf_decal/corner/green{ @@ -8640,14 +8589,11 @@ "CF" = ( /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden{ dir = 5; - + }, /obj/effect/turf_decal/corner/neutral{ dir = 4 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden{ dir = 5 }, @@ -8848,9 +8794,6 @@ /obj/effect/turf_decal/corner/neutral{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/atmospherics/components/unary/vent_pump/on{ dir = 1 }, @@ -8875,7 +8818,7 @@ /area/awaymission/undergroundoutpost45/central) "DM" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/light/small{ dir = 1 @@ -8936,18 +8879,6 @@ /obj/effect/turf_decal/corner/red{ dir = 8 }, -/obj{ - name = "---Merge conflict marker---" - }, -/obj/machinery/atmospherics/components/unary/vent_scrubber/on, -/obj/item/restraints/handcuffs, -/obj/item/assembly/flash/handheld, -/obj/item/reagent_containers/spray/pepper, -/obj/structure/closet/secure_closet{ - icon_state = "sec"; - name = "security officer's locker"; - req_access_txt = "201" - }, /obj/effect/turf_decal/corner/red, /obj/effect/turf_decal/corner/red{ dir = 4 @@ -9007,7 +8938,7 @@ /area/awaymission/undergroundoutpost45/gateway) "Ev" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/light/small{ dir = 1 @@ -9069,7 +9000,7 @@ }, /obj/machinery/door/poddoor/preopen{ id = "UO45_Engineering"; - name = "engineering security door" + name = "Engineering Security Door" }, /obj/machinery/atmospherics/pipe/simple/supply/hidden, /obj/effect/turf_decal/industrial/hatch/yellow, @@ -9085,10 +9016,6 @@ /obj/effect/turf_decal/industrial/outline/yellow{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, -/obj/structure/closet/firecloset, /obj/machinery/atmospherics/pipe/simple/supply/hidden{ dir = 4 }, @@ -9111,7 +9038,7 @@ /obj/machinery/door/firedoor, /obj/machinery/door/poddoor/preopen{ id = "UO45_biohazard"; - name = "biohazard containment door" + name = "Biohazard Containment Door" }, /obj/effect/turf_decal/industrial/hatch/yellow, /turf/open/floor/plasteel{ @@ -9254,15 +9181,12 @@ }, /obj/machinery/firealarm{ dir = 2; - pixel_y = 24 + pixel_y = 25 }, /obj/item/multitool, /obj/effect/turf_decal/corner/yellow{ dir = 1 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/light{ dir = 1 }, @@ -9279,7 +9203,7 @@ pixel_y = 5 }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/item/multitool, /obj/effect/turf_decal/corner/yellow{ @@ -9414,7 +9338,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -9429,7 +9353,7 @@ "Gn" = ( /obj/machinery/firealarm{ dir = 8; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/disposalpipe/segment, /obj/effect/turf_decal/corner/white{ @@ -9495,9 +9419,6 @@ /obj/effect/turf_decal/corner/white{ dir = 1 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/atmospherics/components/unary/portables_connector/visible, /obj/machinery/portable_atmospherics/pump, /obj/effect/turf_decal/corner/blue{ @@ -9518,9 +9439,6 @@ /obj/effect/turf_decal/corner/purple{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/structure/cable{ icon_state = "4-8" }, @@ -9603,9 +9521,6 @@ /obj/effect/turf_decal/corner/purple{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/structure/cable{ icon_state = "4-8" }, @@ -9641,7 +9556,7 @@ "GU" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/light/small{ dir = 8 @@ -9675,10 +9590,6 @@ /obj/effect/turf_decal/industrial/outline/yellow{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, -/obj/structure/closet/emcloset, /obj/item/clothing/mask/breath, /obj/machinery/atmospherics/pipe/simple/supply/hidden{ dir = 4 @@ -9776,9 +9687,6 @@ /obj/effect/turf_decal/industrial/warning{ dir = 4 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/conveyor{ id = "UO45_mining" }, @@ -9825,9 +9733,6 @@ /obj/effect/turf_decal/industrial/warning{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/structure/cable{ icon_state = "2-4" }, @@ -10095,9 +10000,6 @@ /obj/effect/turf_decal/corner/green{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/effect/turf_decal/corner/green, /turf/open/floor/plasteel{ heat_capacity = 1e+006 @@ -10156,7 +10058,7 @@ desc = "A remote control-switch for the engineering security doors."; id = "UO45_Engineering"; name = "Engineering Lockdown"; - pixel_x = 24; + pixel_x = 25; pixel_y = 6; req_access_txt = "201" }, @@ -10175,27 +10077,6 @@ /obj/effect/turf_decal/corner/red{ dir = 8 }, -/obj{ - name = "---Merge conflict marker---" - }, -/obj/machinery/atmospherics/components/unary/vent_scrubber/on{ - dir = 1 - }, -/obj/machinery/button/door{ - desc = "A remote control-switch for the engineering security doors."; - id = "UO45_Engineering"; - name = "Engineering Lockdown"; - pixel_x = 24; - pixel_y = 6; - req_access_txt = "201" - }, -/obj/item/clothing/suit/armor/vest, -/obj/item/clothing/head/helmet, -/obj/structure/closet/secure_closet{ - icon_state = "sec"; - name = "security officer's locker"; - req_access_txt = "201" - }, /obj/effect/turf_decal/corner/red, /obj/effect/turf_decal/corner/red{ dir = 4 @@ -10228,9 +10109,6 @@ /obj/effect/turf_decal/corner/purple{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/structure/cable{ icon_state = "4-8" }, @@ -10256,7 +10134,7 @@ }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden{ dir = 4 @@ -10269,15 +10147,12 @@ /obj/effect/turf_decal/corner/purple{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/structure/cable{ icon_state = "4-8" }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden{ dir = 4 @@ -10392,7 +10267,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden, /obj/effect/turf_decal/corner/neutral{ @@ -10416,7 +10291,7 @@ }, /obj/machinery/door/poddoor/preopen{ id = "UO45_Engineering"; - name = "engineering security door" + name = "Engineering Security Door" }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden{ dir = 9 @@ -10467,7 +10342,7 @@ "JI" = ( /obj/machinery/firealarm{ dir = 2; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/tank_dispenser{ pixel_x = -1 @@ -10481,11 +10356,8 @@ /obj/effect/turf_decal/corner/red{ dir = 8 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/tank_dispenser{ pixel_x = -1 @@ -10637,9 +10509,6 @@ /obj/effect/turf_decal/corner/purple{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/atmospherics/components/unary/vent_pump/on{ dir = 8 }, @@ -10677,7 +10546,7 @@ desc = "A remote control-switch for the security privacy shutters."; id = "UO45_EngineeringOffice"; name = "Privacy Shutters"; - pixel_x = -24; + pixel_x = -25; pixel_y = 6; req_access_txt = "201" }, @@ -10702,7 +10571,7 @@ /area/awaymission/undergroundoutpost45/gateway) "Km" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/light{ dir = 1 @@ -10744,7 +10613,7 @@ }, /obj/machinery/firealarm{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/neutral, /obj/effect/turf_decal/corner/neutral{ @@ -10771,9 +10640,6 @@ /obj/effect/turf_decal/corner/white{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/structure/table/reinforced, /obj/structure/window/reinforced{ dir = 1 @@ -10817,7 +10683,7 @@ dir = 2; locked = 0; name = "Hydroponics APC"; - pixel_y = -24; + pixel_y = -25; req_access = null; start_charge = 100 }, @@ -10828,9 +10694,6 @@ /obj/effect/turf_decal/corner/green{ dir = 8 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/camera{ c_tag = "Hydroponics"; dir = 1; @@ -10839,7 +10702,7 @@ /obj/machinery/power/apc/highcap/fifteen_k{ locked = 0; name = "Hydroponics APC"; - pixel_y = -24; + pixel_y = -25; req_access = null; start_charge = 100 }, @@ -10942,9 +10805,6 @@ /obj/effect/turf_decal/industrial/outline/yellow{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/atmospherics/components/unary/portables_connector/visible{ dir = 1 }, @@ -11043,18 +10903,6 @@ /obj/effect/turf_decal/corner/white{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, -/obj/item/storage/backpack/satchel/tox, -/obj/item/clothing/gloves/color/latex, -/obj/item/clothing/suit/toggle/labcoat/science, -/obj/effect/decal/cleanable/dirt, -/obj/structure/closet/secure_closet{ - icon_state = "rd"; - name = "research director's locker"; - req_access_txt = "201" - }, /turf/open/floor/plasteel{ heat_capacity = 1e+006 }, @@ -11300,7 +11148,7 @@ "Ma" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden, /obj/structure/filingcabinet, @@ -11439,9 +11287,6 @@ /obj/effect/turf_decal/corner/purple{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/effect/turf_decal/corner/purple, /turf/open/floor/plasteel/white{ heat_capacity = 1e+006 @@ -11498,7 +11343,7 @@ }, /obj/machinery/firealarm{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/turf_decal/corner/bar, @@ -11638,10 +11483,6 @@ /obj/effect/turf_decal/corner/neutral{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, -/obj/machinery/door/firedoor, /obj/effect/turf_decal/corner/neutral, /turf/open/floor/plasteel{ heat_capacity = 1e+006 @@ -11744,9 +11585,6 @@ /obj/effect/turf_decal/industrial/warning{ dir = 4 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/conveyor{ id = "UO45_mining" }, @@ -11892,9 +11730,6 @@ /obj/effect/turf_decal/industrial/warning{ dir = 4 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/atmospherics/components/binary/valve, /obj/effect/turf_decal/industrial/warning{ dir = 4 @@ -11919,9 +11754,6 @@ /obj/effect/turf_decal/corner/neutral{ dir = 1 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/structure/cable{ icon_state = "4-8" }, @@ -12016,7 +11848,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/bar, /obj/effect/turf_decal/corner/bar{ @@ -12044,7 +11876,7 @@ desc = "A remote control-switch whichs locks the research division down in the event of a biohazard leak or contamination."; id = "UO45_biohazard"; name = "Biohazard Door Control"; - pixel_y = -24; + pixel_y = -25; req_access_txt = "201" }, /obj/effect/decal/cleanable/dirt, @@ -12265,10 +12097,6 @@ /obj/effect/turf_decal/industrial/warning{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, -/obj/structure/closet/firecloset, /obj/machinery/light/small, /obj/structure/sign/warning/securearea{ pixel_y = -32 @@ -12428,7 +12256,7 @@ dir = 1; locked = 0; name = "UO45 Bar APC"; - pixel_y = 24; + pixel_y = 25; req_access = null; start_charge = 100 }, @@ -12485,9 +12313,6 @@ /obj/effect/turf_decal/corner/purple{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden, /obj/machinery/atmospherics/pipe/simple/supply/hidden{ dir = 4 @@ -12537,9 +12362,6 @@ /obj/effect/turf_decal/industrial/warning{ dir = 5 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/mineral/processing_unit{ dir = 1 }, @@ -12599,9 +12421,6 @@ /obj/effect/turf_decal/industrial/outline/yellow{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/atmospherics/pipe/simple/cyan/visible{ dir = 10 }, @@ -12678,7 +12497,7 @@ }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/yellow{ dir = 8 @@ -12755,7 +12574,7 @@ "Su" = ( /obj/structure/table, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden, /obj/item/hand_labeler, @@ -12790,9 +12609,6 @@ /obj/effect/turf_decal/corner/neutral{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/atmospherics/pipe/manifold/supply/hidden, /obj/effect/turf_decal/corner/neutral, /turf/open/floor/plasteel{ @@ -12803,7 +12619,7 @@ /obj/machinery/door/firedoor, /obj/machinery/door/poddoor/preopen{ id = "UO45_Engineering"; - name = "engineering security door" + name = "Engineering Security Door" }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden{ dir = 4 @@ -12893,7 +12709,7 @@ "SW" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/camera{ c_tag = "Research Division East"; @@ -12903,12 +12719,9 @@ /obj/effect/turf_decal/corner/purple{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/camera{ c_tag = "Research Division East"; @@ -12951,10 +12764,6 @@ /obj/effect/turf_decal/industrial/outline/yellow{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, -/obj/structure/closet/firecloset, /obj/machinery/atmospherics/pipe/simple/supply/hidden{ dir = 9 }, @@ -13063,7 +12872,7 @@ dir = 2; locked = 0; name = "UO45 Gateway APC"; - pixel_y = -24; + pixel_y = -25; req_access = null; start_charge = 100 }, @@ -13073,14 +12882,11 @@ /obj/effect/turf_decal/industrial/warning{ dir = 1 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/structure/cable, /obj/machinery/power/apc/highcap/fifteen_k{ locked = 0; name = "UO45 Gateway APC"; - pixel_y = -24; + pixel_y = -25; req_access = null; start_charge = 100 }, @@ -13118,7 +12924,7 @@ "TR" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/rack, /obj/item/clothing/shoes/magboots, @@ -13174,10 +12980,6 @@ /obj/effect/turf_decal/corner/purple{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, -/obj/machinery/door/firedoor, /obj/structure/disposalpipe/segment{ dir = 4 }, @@ -13411,9 +13213,6 @@ /obj/effect/turf_decal/corner/purple{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/structure/cable{ icon_state = "4-8" }, @@ -13437,7 +13236,7 @@ }, /obj/machinery/firealarm{ dir = 2; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/green{ dir = 1 @@ -13445,9 +13244,6 @@ /obj/effect/turf_decal/corner/green{ dir = 4 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/light{ dir = 1 }, @@ -13455,7 +13251,7 @@ dir = 4 }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/green{ dir = 1 @@ -13470,7 +13266,7 @@ "Vk" = ( /obj/machinery/firealarm{ dir = 8; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/bar, /obj/effect/turf_decal/corner/bar{ @@ -13488,9 +13284,6 @@ /obj/effect/turf_decal/corner/bar{ dir = 1 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/vending/boozeomat, /obj/effect/turf_decal/corner/bar, /obj/effect/turf_decal/corner/bar{ @@ -13503,7 +13296,7 @@ "Vq" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/light{ dir = 8 @@ -13567,9 +13360,6 @@ /obj/effect/turf_decal/industrial/outline/yellow{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/atmospherics/pipe/simple/cyan/visible, /obj/machinery/portable_atmospherics/scrubber, /obj/effect/turf_decal/industrial/outline/yellow, @@ -13739,14 +13529,6 @@ /obj/effect/turf_decal/corner/white{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, -/obj/structure/closet/secure_closet{ - locked = 0; - name = "kitchen Cabinet"; - req_access_txt = "201" - }, /obj/item/reagent_containers/food/condiment/flour, /obj/item/reagent_containers/food/condiment/flour, /obj/item/reagent_containers/food/condiment/sugar, @@ -13882,7 +13664,7 @@ "WH" = ( /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden{ dir = 10; - + }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -13890,9 +13672,6 @@ /obj/effect/turf_decal/corner/neutral{ dir = 4 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden{ dir = 10 }, @@ -14014,15 +13793,12 @@ }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/pipe/manifold/supply/hidden, /obj/effect/turf_decal/corner/purple{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/structure/cable{ icon_state = "4-8" }, @@ -14032,7 +13808,7 @@ }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/pipe/manifold/supply/hidden, /obj/effect/turf_decal/corner/purple, @@ -14228,9 +14004,6 @@ /obj/effect/turf_decal/corner/purple{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/structure/cable{ icon_state = "4-8" }, @@ -14264,10 +14037,6 @@ /obj/effect/turf_decal/corner/purple{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, -/obj/machinery/door/firedoor, /obj/structure/cable{ icon_state = "4-8" }, @@ -14396,7 +14165,7 @@ icon_state = "4-8" }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/disposalpipe/segment{ dir = 4 @@ -14453,15 +14222,15 @@ id = "UO45_Engineering"; name = "Engineering Lockdown"; pixel_x = -6; - pixel_y = -24; + pixel_y = -25; req_access_txt = "201" }, /obj/machinery/button/door{ - desc = "A remote control-switch for secure storage."; + desc = "A remote control-switch for Secure Storage."; id = "UO45_Secure Storage"; name = "Engineering Secure Storage"; pixel_x = 6; - pixel_y = -24; + pixel_y = -25; req_access_txt = "201" }, /obj/effect/turf_decal/corner/neutral{ @@ -14494,9 +14263,6 @@ /obj/effect/turf_decal/corner/white{ dir = 1 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/light/small, /obj/machinery/atmospherics/components/unary/portables_connector/visible, /obj/structure/window/reinforced{ @@ -14632,7 +14398,7 @@ icon_state = "4-8" }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/disposalpipe/segment{ dir = 4 @@ -14658,9 +14424,6 @@ /obj/effect/turf_decal/corner/neutral{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/atmospherics/pipe/simple/supply/hidden{ dir = 4 }, @@ -14675,9 +14438,6 @@ /obj/effect/turf_decal/corner/neutral{ dir = 2 }, -/obj{ - name = "---Merge conflict marker---" - }, /obj/machinery/atmospherics/pipe/manifold/supply/hidden, /obj/effect/decal/cleanable/dirt, /obj/effect/turf_decal/corner/neutral, diff --git a/_maps/RandomZLevels/wildwest.dmm b/_maps/RandomZLevels/wildwest.dmm index d738e9780617..15a9fd4cbf5f 100644 --- a/_maps/RandomZLevels/wildwest.dmm +++ b/_maps/RandomZLevels/wildwest.dmm @@ -651,7 +651,6 @@ /area/space/nearstation) "cu" = ( /obj/structure/lattice, -/obj/structure/lattice, /turf/open/space, /area/space/nearstation) "cv" = ( diff --git a/_maps/configs/IndiCaravanTypeA.json b/_maps/configs/IndiCaravanTypeA.json index 3d445753d46f..a01622b8d672 100644 --- a/_maps/configs/IndiCaravanTypeA.json +++ b/_maps/configs/IndiCaravanTypeA.json @@ -6,33 +6,27 @@ "prefix": "ISV", "namelists": "GENREAL, SPACE", "roundstart": true, - "job_slots": - { - "Captain": - { + "job_slots": { + "Captain": { "outfit": "/datum/outfit/job/captain/western", "officer": true, "slots": 1 }, - "Ship's Doctor": - { + "Ship's Doctor": { "outfit": "/datum/outfit/job/doctor", "slots": 1 }, - "Engine Technician": - { + "Engine Technician": { "outfit": "/datum/outfit/job/atmos", "slots": 1 }, - "Asteroid Miner": - { + "Asteroid Miner": { "outfit": "/datum/outfit/job/miner/hazard", - "slots":1 + "slots": 1 }, - "Fauna Researcher": - { + "Fauna Researcher": { "outfit": "/datum/job/scientist", - "slots":1 + "slots": 1 }, "Assistant": 1 }, diff --git a/_maps/configs/bogatyr.json b/_maps/configs/bogatyr.json index a8dbd240789e..3325028ef536 100644 --- a/_maps/configs/bogatyr.json +++ b/_maps/configs/bogatyr.json @@ -13,7 +13,6 @@ "Uchenyy": { "outfit": "/datum/outfit/job/scientist", "slots": 1 - }, "Shakhter": { "outfit": "/datum/outfit/job/miner", diff --git a/_maps/configs/cascade.json b/_maps/configs/cascade.json index 8100ed7174dd..78874850d4f1 100644 --- a/_maps/configs/cascade.json +++ b/_maps/configs/cascade.json @@ -17,7 +17,7 @@ }, "Quartermaster": 1, - "Deck Assistant":{ + "Deck Assistant": { "outfit": "/datum/outfit/syndicate_empty/sbc", "slots": 3 }, @@ -27,10 +27,9 @@ "slots": 1 }, "Paramedic": { - "outfit" : "/datum/outfit/job/paramedic/syndicate/gorlex", + "outfit": "/datum/outfit/job/paramedic/syndicate/gorlex", "slots": 1 } - }, "cost": 700 } diff --git a/_maps/configs/chapel.json b/_maps/configs/chapel.json index a5d67d1382ba..7dcbd68f5afc 100644 --- a/_maps/configs/chapel.json +++ b/_maps/configs/chapel.json @@ -2,7 +2,7 @@ "map_name": "Shepherd-Class Space Monastery", "map_short_name": "Shepherd-class", "map_path": "_maps/shuttles/shiptest/chapel.dmm", - "map_id" : "chapel", + "map_id": "chapel", "job_slots": { "Chaplain": 1, "Curator": 1, diff --git a/_maps/configs/cricket.json b/_maps/configs/cricket.json index 38eb329104ca..10a19be5367f 100644 --- a/_maps/configs/cricket.json +++ b/_maps/configs/cricket.json @@ -2,7 +2,7 @@ "map_name": "Cricket-Class Solgov Intel Scout", "map_short_name": "Solgov Cricket", "map_path": "_maps/shuttles/shiptest/solgov_cricket.dmm", - "map_id" : "solgov_cricket", + "map_id": "solgov_cricket", "job_slots": { "Captain": 1, "SolGov Representative": 1, diff --git a/_maps/configs/diner.json b/_maps/configs/diner.json index e4a3f3161c43..346cbfe7edd6 100644 --- a/_maps/configs/diner.json +++ b/_maps/configs/diner.json @@ -12,8 +12,8 @@ "Janitor": 1, "Waiter": { "outfit": "/datum/outfit/job/assistant/waiter", -"slots": 2 - } + "slots": 2 + } }, "cost": 750 } diff --git a/_maps/configs/diner_b.json b/_maps/configs/diner_b.json index 5b3e78a7e127..1402b811bd6e 100644 --- a/_maps/configs/diner_b.json +++ b/_maps/configs/diner_b.json @@ -11,12 +11,12 @@ "Janitor": 1, "Security Officer": { "outfit": "/datum/outfit/job/security/corporate", -"slots":1 -}, + "slots": 1 + }, "Waiter": { "outfit": "/datum/outfit/job/assistant/waiter/syndicate", -"slots": 2 - } + "slots": 2 + } }, "cost": 750 } diff --git a/_maps/configs/dwayne.json b/_maps/configs/dwayne.json index 4f02370569d8..1e22e280147f 100644 --- a/_maps/configs/dwayne.json +++ b/_maps/configs/dwayne.json @@ -15,11 +15,11 @@ "Foreman": { "outfit": "/datum/outfit/job/quartermaster/western", "slots": 1 - }, + }, "Ship's Doctor": { "outfit": "/datum/outfit/job/doctor", "slots": 1 - }, + }, "Ship's Engineer": { "outfit": "/datum/outfit/job/engineer/hazard", "slots": 1 diff --git a/_maps/configs/geneva.json b/_maps/configs/geneva.json index 470eabc44c30..8451929f29f3 100644 --- a/_maps/configs/geneva.json +++ b/_maps/configs/geneva.json @@ -27,10 +27,9 @@ "slots": 1 }, "Paramedic": { - "outfit" : "/datum/outfit/job/paramedic/syndicate/gorlex", + "outfit": "/datum/outfit/job/paramedic/syndicate/gorlex", "slots": 1 } }, "cost": 500 } - diff --git a/_maps/configs/goon.json b/_maps/configs/goon.json index 494660a606a1..0533d6158078 100644 --- a/_maps/configs/goon.json +++ b/_maps/configs/goon.json @@ -12,4 +12,3 @@ }, "cost": 300 } - \ No newline at end of file diff --git a/_maps/configs/gorlex_hyena.json b/_maps/configs/gorlex_hyena.json index 61689d8c0e07..e29f9c4be963 100644 --- a/_maps/configs/gorlex_hyena.json +++ b/_maps/configs/gorlex_hyena.json @@ -1,4 +1,5 @@ -{ "$schema": "https://raw.githubusercontent.com/shiptest-ss13/Shiptest/master/_maps/ship_config_schema.json", +{ + "$schema": "https://raw.githubusercontent.com/shiptest-ss13/Shiptest/master/_maps/ship_config_schema.json", "prefix": "SSV", "namelists": ["GENERAL", "NATURAL_AGGRESSIVE", "BEASTS", "WEAPONS"], "map_name": "Hyena-class Wrecking Tug", diff --git a/_maps/configs/gun_dealer.json b/_maps/configs/gun_dealer.json index 97b2f7f5418a..fb0554c78752 100644 --- a/_maps/configs/gun_dealer.json +++ b/_maps/configs/gun_dealer.json @@ -1,7 +1,7 @@ { "map_name": "Halftrack-Class Merchant Vessel", "prefix": "ISV", - "namelists": ["MERCHANTILE","WEAPON"], + "namelists": ["MERCHANTILE", "WEAPON"], "map_short_name": "Halftrack-Class", "map_path": "_maps/shuttles/shiptest/gun_dealer.dmm", "map_id": "gun_dealer", diff --git a/_maps/configs/independent_rigger.json b/_maps/configs/independent_rigger.json index 55f988667a1e..86b721ea4af7 100644 --- a/_maps/configs/independent_rigger.json +++ b/_maps/configs/independent_rigger.json @@ -1,7 +1,7 @@ { "map_name": "Riggs-class Sloop", "prefix": "SV", - "namelists": ["GENERAL", "SPACE","NATURAL","NATURAL_AGGRESSIVE"], + "namelists": ["GENERAL", "SPACE", "NATURAL", "NATURAL_AGGRESSIVE"], "map_short_name": "Riggs-class", "map_path": "_maps/shuttles/shiptest/independent_rigger.dmm", "map_id": "rigger", @@ -21,7 +21,7 @@ "Ship's Doctor": { "outfit": "/datum/outfit/job/doctor", "slots": 1 - }, + }, "Machinist's Mate": { "outfit": "/datum/outfit/job/engineer", "slots": 2 diff --git a/_maps/configs/inteq_colossus.json b/_maps/configs/inteq_colossus.json index dd0799f53e6d..f67ccd49e56c 100644 --- a/_maps/configs/inteq_colossus.json +++ b/_maps/configs/inteq_colossus.json @@ -16,7 +16,7 @@ "outfit": "/datum/outfit/job/engineer/inteq", "slots": 1 }, - "Corpsman":{ + "Corpsman": { "outfit": "/datum/outfit/job/paramedic/inteq", "slots": 1 }, diff --git a/_maps/configs/kilo.json b/_maps/configs/kilo.json index dd419927e625..83cf838ef765 100644 --- a/_maps/configs/kilo.json +++ b/_maps/configs/kilo.json @@ -14,11 +14,11 @@ "Foreman": { "outfit": "/datum/outfit/job/quartermaster/western", "slots": 1 - }, + }, "Ship's Doctor": { "outfit": "/datum/outfit/job/doctor", "slots": 1 - }, + }, "Ship's Engineer": { "outfit": "/datum/outfit/job/engineer/hazard", "slots": 1 diff --git a/_maps/configs/komodo.json b/_maps/configs/komodo.json index b8cf6dc54537..e2c6bb3c7548 100644 --- a/_maps/configs/komodo.json +++ b/_maps/configs/komodo.json @@ -1,5 +1,5 @@ { - "prefix": "SSV", + "prefix": "SSV", "namelists": ["GENERAL", "NATURAL_AGGRESSIVE", "BEASTS", "WEAPONS"], "map_name": "Komodo-class Warship", "map_short_name": "Komodo-class", @@ -16,7 +16,7 @@ "officer": true, "slots": 1 }, - "Medic":{ + "Medic": { "outfit": "/datum/outfit/job/doctor/syndicate_komodo", "slots": 1 }, @@ -24,7 +24,7 @@ "outfit": "/datum/outfit/job/engineer/syndicate/gorlex", "slots": 1 }, - "Trooper":{ + "Trooper": { "outfit": "/datum/outfit/job/security/syndicate/gorlex", "slots": 3 }, @@ -32,12 +32,10 @@ "outfit": "/datum/outfit/job/assistant/syndicate/gorlex", "slots": 2 }, - "Bridge officer":{ + "Bridge officer": { "outfit": "/datum/outfit/job/head_of_personnel/syndicate", - "slots": 1} - - - + "slots": 1 + } }, "cost": 500 } diff --git a/_maps/configs/luxembourg.json b/_maps/configs/luxembourg.json index 6cfeab6caf32..9d1f84e4d126 100644 --- a/_maps/configs/luxembourg.json +++ b/_maps/configs/luxembourg.json @@ -13,4 +13,3 @@ }, "cost": 600 } - \ No newline at end of file diff --git a/_maps/configs/metis.json b/_maps/configs/metis.json index 8d11d8ad5dab..e68d4ccb62d3 100644 --- a/_maps/configs/metis.json +++ b/_maps/configs/metis.json @@ -9,28 +9,23 @@ "outfit": "/datum/outfit/job/rd", "officer": true, "slots": 1 - }, "Invertebrate Xenofauna Morphology Analyst": { "outfit": "/datum/outfit/job/scientist/xenobiologist", "slots": 1 - }, "Hostile Planetary Exobiologist": { "outfit": "/datum/outfit/job/scientist/xenobiologist/fauna", "slots": 1 - }, "Mechatronic Hydraulics Calibration Engineer": { "outfit": "/datum/outfit/job/roboticist/mechatronicengineer", "slots": 1 - }, "Positronic Reliability Technician": { "outfit": "/datum/outfit/job/roboticist/biomechanicalengineer", "slots": 1 - }, "Ionic Dynamo Engineer": { "outfit": "/datum/outfit/job/roboticist/engineer", @@ -39,22 +34,18 @@ "Percussive Acquisitions-Focused Minerologist": { "outfit": "/datum/outfit/job/miner/scientist", "slots": 1 - }, "Mechanosynthesis Specialist": { "outfit": "/datum/outfit/job/scientist/naniteresearcher", "slots": 1 - }, "Plasmic Pyrolysis Researcher": { "outfit": "/datum/outfit/job/scientist/seniorscientist", "slots": 1 - }, "Fiberboard Containment Inspector": { "outfit": "/datum/outfit/job/scientist/juniorscientist", "slots": 1 - }, "Hyphenated-Specialist": { "outfit": "/datum/outfit/job/scientist/juniorscientist", diff --git a/_maps/configs/nanotrasent_powerrangers.json b/_maps/configs/nanotrasent_powerrangers.json index d4b5ebeb343d..249b87edd29f 100644 --- a/_maps/configs/nanotrasent_powerrangers.json +++ b/_maps/configs/nanotrasent_powerrangers.json @@ -20,7 +20,7 @@ "LP Engineering Specialist": { "outfit": "/datum/outfit/job/lp/engineer", "slots": 1 - }, + }, "LP Security Specialist": { "outfit": "/datum/outfit/job/lp/security", "slots": 1 diff --git a/_maps/configs/nemo-class.json b/_maps/configs/nemo-class.json index d2bbd036580d..91c68ef60e22 100644 --- a/_maps/configs/nemo-class.json +++ b/_maps/configs/nemo-class.json @@ -8,28 +8,28 @@ "job_slots": { "Research Director": 1, "Fauna Researcher": { - "outfit": "/datum/outfit/job/scientist", - "slots": 1 - }, + "outfit": "/datum/outfit/job/scientist", + "slots": 1 + }, "Fauna Retrieval Specialist": { - "outfit": "/datum/outfit/job/miner/scientist", - "slots": 1 - }, + "outfit": "/datum/outfit/job/miner/scientist", + "slots": 1 + }, "Excavator": { - "outfit": "/datum/outfit/job/miner/hazard", - "slots": 1 - }, + "outfit": "/datum/outfit/job/miner/hazard", + "slots": 1 + }, "Mech Pilot": { - "outfit": "/datum/outfit/job/roboticist/technician", - "slots": 1 - }, + "outfit": "/datum/outfit/job/roboticist/technician", + "slots": 1 + }, "Ship Engineer": { - "outfit": "/datum/outfit/job/engineer/maintenancetechnician", - "slots": 1 - }, + "outfit": "/datum/outfit/job/engineer/maintenancetechnician", + "slots": 1 + }, "Atmospheric Technician": 1, "Curator": 1, "Assistant": 1 }, "cost": 600 -} \ No newline at end of file +} diff --git a/_maps/configs/ntsv_osprey.json b/_maps/configs/ntsv_osprey.json index dbe6b8f76db0..82749a8f2c43 100644 --- a/_maps/configs/ntsv_osprey.json +++ b/_maps/configs/ntsv_osprey.json @@ -2,7 +2,13 @@ "$schema": "https://raw.githubusercontent.com/shiptest-ss13/Shiptest/master/_maps/ship_config_schema.json", "map_name": "Osprey-class Exploration Ship", "prefix": "NTSV", - "namelists": ["GENERAL", "SPACE", "BRITISH_NAVY", "MYTHOLOGICAL", "WEAPONS"], + "namelists": [ + "GENERAL", + "SPACE", + "BRITISH_NAVY", + "MYTHOLOGICAL", + "WEAPONS" + ], "map_short_name": "Osprey-class", "map_path": "_maps/shuttles/shiptest/ntsv_osprey.dmm", "map_id": "ntsv_osprey", diff --git a/_maps/configs/pubby.json b/_maps/configs/pubby.json index e3303f24f336..c30d167e1ab5 100644 --- a/_maps/configs/pubby.json +++ b/_maps/configs/pubby.json @@ -20,7 +20,6 @@ "outfit": "/datum/outfit/job/security/nanotrasen", "slots": 2 } - }, "cost": 500 } diff --git a/_maps/configs/scav.json b/_maps/configs/scav.json index f2828f65226e..42eec0cfb824 100644 --- a/_maps/configs/scav.json +++ b/_maps/configs/scav.json @@ -2,7 +2,7 @@ "map_name": "Scav-class Drifter", "map_short_name": "Scav-class", "prefix": "ISV", - "namelists": ["BEASTS", "SPACE" ], + "namelists": ["BEASTS", "SPACE"], "map_path": "_maps/shuttles/shiptest/scav.dmm", "map_id": "scav", "roundstart": true, diff --git a/_maps/configs/schmiedeberg-class.json b/_maps/configs/schmiedeberg-class.json index 3e78e7bbe273..cf6603f88c15 100644 --- a/_maps/configs/schmiedeberg-class.json +++ b/_maps/configs/schmiedeberg-class.json @@ -11,4 +11,4 @@ "Assistant": 3 }, "cost": 600 -} \ No newline at end of file +} diff --git a/_maps/configs/synapse.json b/_maps/configs/synapse.json index 7788c8bf37a2..1b3512951bb2 100644 --- a/_maps/configs/synapse.json +++ b/_maps/configs/synapse.json @@ -11,5 +11,5 @@ "Chemist": 1, "Medical Doctor": 2 }, - "cost":150 + "cost": 150 } diff --git a/_maps/configs/tour_cruise_ship.json b/_maps/configs/tour_cruise_ship.json index 186856f502e8..5bb3dc4ec96f 100644 --- a/_maps/configs/tour_cruise_ship.json +++ b/_maps/configs/tour_cruise_ship.json @@ -31,4 +31,4 @@ } }, "cost": 600 -} \ No newline at end of file +} diff --git a/_maps/configs/tranq.json b/_maps/configs/tranq.json index 68fdbb8afc1b..15f5876d3c06 100644 --- a/_maps/configs/tranq.json +++ b/_maps/configs/tranq.json @@ -14,11 +14,11 @@ "Scholar": { "outfit": "/datum/outfit/job/curator/librarian", "slots": 1 - }, + }, "Medical Tenant": { "outfit": "/datum/outfit/job/chemist/pharmacologist", "slots": 1 - }, + }, "Engineering Tenant": { "outfit": "/datum/outfit/job/engineer/electrician", "slots": 1 diff --git a/_maps/configs/twinkleshine.json b/_maps/configs/twinkleshine.json index 01fb2e903666..965b6cd2b446 100644 --- a/_maps/configs/twinkleshine.json +++ b/_maps/configs/twinkleshine.json @@ -14,19 +14,19 @@ "officer": true, "slots": 1 }, - "Medic":{ + "Medic": { "outfit": "/datum/outfit/syndicate_empty/sbc/med", "slots": 2 }, - "Mechanic":{ + "Mechanic": { "outfit": "/datum/outfit/syndicate_empty/sbc/engi", "slots": 2 }, - "Trooper":{ + "Trooper": { "outfit": "/datum/outfit/syndicate_empty/sbc/assault", "slots": 5 }, - "Deck Assistant":{ + "Deck Assistant": { "outfit": "/datum/outfit/syndicate_empty/sbc", "slots": 2 } diff --git a/_maps/map_files/generic/CentCom.dmm b/_maps/map_files/generic/CentCom.dmm index b19fa41425b2..a84694bae498 100644 --- a/_maps/map_files/generic/CentCom.dmm +++ b/_maps/map_files/generic/CentCom.dmm @@ -370,7 +370,7 @@ "akv" = ( /obj/machinery/door/poddoor/shuttledock{ checkdir = 1; - name = "syndicate blast door"; + name = "Syndicate Blast Door"; turftype = /turf/open/floor/plating/asteroid/snow }, /turf/open/floor/plating, @@ -1219,7 +1219,7 @@ /area/centcom/ferry) "ape" = ( /obj/machinery/keycard_auth{ - pixel_y = -24 + pixel_y = -25 }, /obj/structure/table/reinforced, /obj/machinery/recharger, @@ -1376,7 +1376,7 @@ "aqp" = ( /obj/structure/closet/secure_closet/ertCom, /obj/structure/sign/directions/command{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/industrial/warning, /turf/open/floor/plasteel, @@ -2158,7 +2158,7 @@ "aud" = ( /obj/machinery/door/poddoor/shutters{ id = "nukeop_ready"; - name = "shuttle dock" + name = "Shuttle Dock" }, /turf/open/floor/plating, /area/syndicate_mothership/control) @@ -2873,7 +2873,7 @@ "axD" = ( /obj/structure/closet/secure_closet/ertEngi, /obj/machinery/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/industrial/warning{ dir = 6 @@ -3124,7 +3124,7 @@ /obj/structure/table/reinforced, /obj/machinery/airalarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/blue{ dir = 4 @@ -3543,7 +3543,7 @@ /obj/structure/closet/secure_closet/ertSec, /obj/structure/sign/directions/security{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/industrial/warning{ dir = 1 @@ -3702,7 +3702,7 @@ /obj/item/pen/blue, /obj/machinery/airalarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -4931,7 +4931,7 @@ /obj/machinery/power/apc{ dir = 4; name = "Briefing Area APC"; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -5584,7 +5584,7 @@ }, /obj/machinery/airalarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -5711,7 +5711,7 @@ "aMk" = ( /obj/machinery/airalarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -6200,14 +6200,14 @@ layer = 3.5; name = "CC Customs 1 Control"; pixel_x = 8; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/button/door/indestructible{ id = "XCCcustoms2"; layer = 3.5; name = "CC Customs 2 Control"; pixel_x = -8; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/red, /obj/effect/turf_decal/corner/red{ @@ -6608,14 +6608,14 @@ id = "XCCFerry"; name = "Hanger Bay Shutters"; pixel_x = -8; - pixel_y = 24; + pixel_y = 25; req_access_txt = "101" }, /obj/machinery/button/door/indestructible{ id = "XCCsec3"; name = "CC Main Access Control"; pixel_x = 8; - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/button/door/indestructible{ id = "XCCsec1"; @@ -7659,7 +7659,7 @@ }, /obj/machinery/airalarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -7972,7 +7972,7 @@ /obj/machinery/button/door/indestructible{ id = "XCCsec1"; name = "CC Shutter 1 Control"; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/industrial/warning{ dir = 10 @@ -8192,7 +8192,7 @@ /obj/machinery/button/door/indestructible{ id = "XCCFerry"; name = "Hanger Bay Shutters"; - pixel_y = 24; + pixel_y = 25; req_access_txt = "101" }, /obj/effect/turf_decal/industrial/warning{ @@ -8447,8 +8447,8 @@ id = "XCCcustoms1"; layer = 3; name = "CC Emergency Docks Control"; - pixel_x = 24; - pixel_y = 24 + pixel_x = 25; + pixel_y = 25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -8921,7 +8921,7 @@ "aTf" = ( /obj/structure/closet/secure_closet/ertEngi, /obj/structure/sign/directions/engineering{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/industrial/warning, /turf/open/floor/plasteel, @@ -9364,7 +9364,7 @@ }, /obj/machinery/airalarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -9496,7 +9496,7 @@ /obj/structure/table/reinforced, /obj/machinery/airalarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/industrial/warning{ dir = 1 @@ -9884,7 +9884,7 @@ }, /obj/machinery/airalarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -10566,7 +10566,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/components/unary/portables_connector/visible{ dir = 1 @@ -10788,7 +10788,7 @@ }, /obj/machinery/airalarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -10814,7 +10814,7 @@ }, /obj/machinery/power/apc{ name = "Briefing Room APC"; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -10940,7 +10940,7 @@ /obj/structure/closet/secure_closet/ertMed, /obj/structure/sign/directions/medical{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/industrial/warning{ dir = 1 @@ -11624,7 +11624,7 @@ /obj/item/pen/fourcolor, /obj/machinery/airalarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -12417,7 +12417,7 @@ /obj/item/book/codex_gigas, /obj/machinery/airalarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -13255,7 +13255,7 @@ "hyx" = ( /obj/machinery/airalarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/filingcabinet/filingcabinet, /obj/effect/turf_decal/corner/neutral{ @@ -13376,7 +13376,7 @@ /obj/machinery/power/apc{ dir = 8; name = "Commander's Office APC"; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/industrial/warning, /obj/effect/decal/cleanable/dirt, @@ -13550,8 +13550,8 @@ /obj/machinery/button/door/indestructible{ id = "XCCsec3"; name = "XCC Shutter 3 Control"; - pixel_x = 24; - pixel_y = -24 + pixel_x = 25; + pixel_y = -25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -13628,7 +13628,7 @@ }, /obj/machinery/airalarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -13649,7 +13649,7 @@ "jPr" = ( /obj/machinery/airalarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/brown{ dir = 1 @@ -13711,8 +13711,8 @@ id = "XCCsecdepartment"; layer = 3; name = "CC Security Checkpoint Control"; - pixel_x = 24; - pixel_y = 24 + pixel_x = 25; + pixel_y = 25 }, /obj/effect/turf_decal/industrial/warning{ dir = 10 @@ -13755,8 +13755,8 @@ /obj/machinery/button/door/indestructible{ id = "XCCsec3"; name = "XCC Shutter 3 Control"; - pixel_x = -24; - pixel_y = 24 + pixel_x = -25; + pixel_y = 25 }, /obj/effect/turf_decal/industrial/warning{ dir = 6 @@ -13859,7 +13859,7 @@ "kTF" = ( /obj/machinery/airalarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/filingcabinet/filingcabinet, /obj/effect/turf_decal/corner/neutral{ @@ -14156,7 +14156,7 @@ /obj/structure/closet/secure_closet/quartermaster, /obj/machinery/airalarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/industrial/outline/yellow, /turf/open/floor/plasteel, @@ -14789,7 +14789,7 @@ "qsF" = ( /obj/machinery/airalarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/industrial/warning{ dir = 8 @@ -15018,7 +15018,7 @@ /obj/structure/bookcase/random, /obj/machinery/airalarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -15563,7 +15563,7 @@ }, /obj/item/radio, /obj/machinery/airalarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/industrial/warning, /turf/open/floor/plasteel, @@ -15621,7 +15621,7 @@ /obj/machinery/computer/security/wooden_tv, /obj/item/storage/secure/safe{ pixel_x = 32; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -15708,7 +15708,7 @@ /obj/item/assembly/flash/handheld, /obj/machinery/airalarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -15941,7 +15941,7 @@ /area/ctf) "wsh" = ( /obj/machinery/keycard_auth{ - pixel_y = -24 + pixel_y = -25 }, /obj/structure/table/reinforced, /obj/item/stack/packageWrap, @@ -16010,7 +16010,7 @@ /obj/structure/filingcabinet/filingcabinet, /obj/machinery/airalarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/industrial/warning{ dir = 9 @@ -16116,7 +16116,7 @@ /obj/item/pen/fourcolor, /obj/machinery/airalarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 diff --git a/_maps/ship_config_schema.json b/_maps/ship_config_schema.json index 37e234909b5a..e238a1cb4a02 100644 --- a/_maps/ship_config_schema.json +++ b/_maps/ship_config_schema.json @@ -29,14 +29,29 @@ "uniqueItems": true, "items": { "type": "string", - "enum": ["GENERAL", "PIRATES", "BRITISH_NAVY", "MERCANTILE", "REVOLUTIONARY", "SPACE", "NATURAL", "NATURAL_AGGRESSIVE", "BEASTS", "MYTHOLOGICAL", "HISTORICAL", "WEAPONS", "PILLS", "ENGINEERING"] + "enum": [ + "GENERAL", + "PIRATES", + "BRITISH_NAVY", + "MERCANTILE", + "REVOLUTIONARY", + "SPACE", + "NATURAL", + "NATURAL_AGGRESSIVE", + "BEASTS", + "MYTHOLOGICAL", + "HISTORICAL", + "WEAPONS", + "PILLS", + "ENGINEERING" + ] } }, "map_path": { "title": "Map File Path", "type": "string", "description": "The path to the ship class's map file. Use forward slashes (/) for directories, and include the .dmm extension. Map files must be somewhere under the _maps folder.", - "pattern": "^_maps\/([a-zA-Z0-9_/.]*)dmm$" + "pattern": "^_maps/([a-zA-Z0-9_/.]*)dmm$" }, "map_id": { "title": "Map ID (DEPRECATED)", @@ -60,7 +75,7 @@ "outfit": { "type": "string", "description": "The name of the outfit that will be placed in this slot. Must be exact, will error if not found in the code.", - "pattern": "^\/datum\/outfit\/(.*)$" + "pattern": "^/datum/outfit/(.*)$" }, "officer": { "type": "boolean", @@ -92,8 +107,5 @@ } }, - "required": [ - "map_name", - "map_path" - ] + "required": ["map_name", "map_path"] } diff --git a/_maps/shuttles/misc/infiltrator_advanced.dmm b/_maps/shuttles/misc/infiltrator_advanced.dmm index 9b40fb432f80..542e775efa8e 100644 --- a/_maps/shuttles/misc/infiltrator_advanced.dmm +++ b/_maps/shuttles/misc/infiltrator_advanced.dmm @@ -6,7 +6,7 @@ /obj/structure/window/plasma/reinforced/plastitanium, /obj/machinery/door/poddoor/shutters{ id = "syndieshutters"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/grille, /turf/open/floor/plating, @@ -661,7 +661,7 @@ /obj/effect/turf_decal/box, /obj/machinery/airalarm/syndicate{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/pod/dark, /area/shuttle/syndicate/eva) @@ -776,7 +776,7 @@ }, /obj/machinery/airalarm/syndicate{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/pod/dark, @@ -1027,7 +1027,7 @@ }, /obj/machinery/airalarm/syndicate{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/industrial/warning{ dir = 6 @@ -1041,7 +1041,7 @@ }, /obj/machinery/airalarm/syndicate{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/turf_decal/industrial/warning{ @@ -1215,7 +1215,7 @@ /obj/effect/turf_decal/industrial/outline/yellow, /obj/machinery/airalarm/syndicate{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/industrial/warning, /turf/open/floor/pod/dark, @@ -1343,7 +1343,7 @@ pixel_x = 26 }, /obj/machinery/airalarm/syndicate{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/pod/dark, /area/shuttle/syndicate/armory) @@ -1352,7 +1352,7 @@ pixel_y = 28 }, /obj/structure/sink{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/industrial/outline/yellow, /obj/effect/turf_decal/industrial/warning{ @@ -1585,7 +1585,7 @@ aidisabled = 1; area = "/area/shuttle/syndicate/bridge"; name = "Infiltrator E.V.A APC"; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/cable{ icon_state = "0-4" @@ -1674,11 +1674,11 @@ area = "/area/shuttle/syndicate/hallway"; dir = 1; name = "Infiltrator APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/airalarm/syndicate{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable{ icon_state = "0-8" @@ -1801,7 +1801,7 @@ }, /obj/machinery/airalarm/syndicate{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/mineral/plastitanium/red, @@ -1875,7 +1875,7 @@ area = "/area/shuttle/syndicate/medical"; dir = 8; name = "Infiltrator Medical APC"; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /obj/structure/cable{ @@ -1911,7 +1911,7 @@ area = "/area/shuttle/syndicate/armory"; dir = 4; name = "Infiltrator Armory APC"; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable{ icon_state = "0-8" @@ -2068,7 +2068,7 @@ area = "/area/shuttle/syndicate/airlock"; dir = 4; name = "Infiltrator Airlock APC"; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable{ icon_state = "0-2" @@ -2127,7 +2127,7 @@ /obj/machinery/button/door{ id = "infiltrator_medbay"; name = "Infiltrator Medical Bay Toggle"; - pixel_x = 24; + pixel_x = 25; req_access_txt = "150" }, /obj/structure/cable{ @@ -2166,7 +2166,7 @@ }, /obj/machinery/airalarm/syndicate{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/cable{ icon_state = "1-2" @@ -2182,7 +2182,7 @@ area = "/area/shuttle/syndicate/eva"; dir = 1; name = "Infiltrator E.V.A APC"; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable{ icon_state = "0-2" @@ -2303,7 +2303,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/syndicate{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable{ icon_state = "1-2" @@ -2406,7 +2406,7 @@ /obj/machinery/button/door{ id = "infiltrator_armorybay"; name = "Infiltrator Armory Bay Toggle"; - pixel_x = -24; + pixel_x = -25; req_access_txt = "150" }, /obj/structure/cable{ diff --git a/_maps/shuttles/misc/pirate_default.dmm b/_maps/shuttles/misc/pirate_default.dmm index 4498cc8081fe..cd9bce1cfb43 100644 --- a/_maps/shuttles/misc/pirate_default.dmm +++ b/_maps/shuttles/misc/pirate_default.dmm @@ -8,7 +8,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/atmospherics/components/unary/vent_pump/on, /obj/effect/decal/cleanable/dirt, @@ -93,7 +93,7 @@ "ak" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /obj/machinery/light/small{ @@ -160,7 +160,7 @@ id = "piratebridgebolt"; name = "Bridge Bolt Control"; normaldoorcontrol = 1; - pixel_y = -24; + pixel_y = -25; specialfunctions = 4 }, /obj/effect/turf_decal/corner/red, @@ -175,7 +175,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/components/unary/vent_pump/on, /obj/effect/decal/cleanable/dirt, @@ -290,7 +290,7 @@ /area/shuttle/pirate) "ax" = ( /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden{ dir = 4 @@ -335,7 +335,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/red{ dir = 1 @@ -443,7 +443,7 @@ name = "External Bolt Control"; normaldoorcontrol = 1; pixel_x = -4; - pixel_y = -24; + pixel_y = -25; specialfunctions = 4 }, /obj/effect/turf_decal/industrial/warning/corner{ @@ -459,7 +459,7 @@ name = "External Bolt Control"; normaldoorcontrol = 1; pixel_x = 4; - pixel_y = -24; + pixel_y = -25; specialfunctions = 4 }, /obj/effect/turf_decal/industrial/warning/corner, @@ -516,7 +516,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/red, /obj/effect/turf_decal/corner/red{ @@ -546,7 +546,7 @@ icon_state = "control_kill"; lethal = 1; locked = 0; - pixel_y = -24; + pixel_y = -25; req_access = null }, /obj/effect/turf_decal/corner/red{ @@ -587,7 +587,7 @@ dir = 1 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /obj/structure/table, @@ -632,7 +632,7 @@ /area/shuttle/pirate) "bu" = ( /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden{ dir = 4 @@ -678,7 +678,7 @@ "bC" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/light/small{ dir = 4 @@ -740,7 +740,7 @@ "bK" = ( /obj/effect/decal/cleanable/dirt, /obj/structure/sink{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/toilet{ dir = 8 @@ -781,7 +781,7 @@ aidisabled = 1; dir = 1; name = "Pirate Corvette APC"; - pixel_y = 24; + pixel_y = 25; req_access = null }, /obj/structure/reagent_dispensers/watertank, @@ -994,7 +994,7 @@ /obj/machinery/atmospherics/components/unary/tank/air, /obj/effect/turf_decal/industrial/outline/yellow, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plating, @@ -1021,7 +1021,7 @@ /obj/structure/reagent_dispensers/fueltank, /obj/effect/turf_decal/industrial/outline/yellow, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plating, @@ -1163,7 +1163,7 @@ /area/shuttle/pirate) "OD" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/sign/poster/contraband/random{ pixel_x = 32 @@ -1194,7 +1194,7 @@ dir = 4 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /obj/structure/sign/poster/contraband/random{ @@ -1241,7 +1241,7 @@ dir = 1 }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /obj/structure/table, diff --git a/_maps/shuttles/misc/ruin_caravan_victim.dmm b/_maps/shuttles/misc/ruin_caravan_victim.dmm index 1a868525ed8f..79ff4cd2f3d2 100644 --- a/_maps/shuttles/misc/ruin_caravan_victim.dmm +++ b/_maps/shuttles/misc/ruin_caravan_victim.dmm @@ -44,7 +44,7 @@ /area/ship/crew) "bg" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/manifold/supply/hidden{ dir = 1 @@ -80,7 +80,7 @@ /obj/machinery/button/door{ id = "caravantrade1_cargo"; name = "Cargo Blast Door Control"; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/closet/crate, /obj/item/stack/sheet/mineral/diamond{ @@ -96,7 +96,7 @@ dir = 4 }, /obj/structure/sink{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/light/small, /obj/effect/decal/cleanable/dirt, @@ -346,7 +346,7 @@ }, /obj/machinery/firealarm{ dir = 8; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /obj/structure/rack, @@ -459,7 +459,7 @@ "qM" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/decal/cleanable/blood, @@ -506,7 +506,7 @@ pixel_y = 5 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plasteel/airless, @@ -575,7 +575,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/button/door{ id = "caravantrade1_cabin1"; @@ -877,7 +877,7 @@ }, /obj/machinery/firealarm{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/blood, /obj/machinery/atmospherics/components/unary/vent_pump/on{ @@ -933,7 +933,7 @@ /area/ship/cargo) "GJ" = ( /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/manifold/supply/hidden{ dir = 1 @@ -957,7 +957,7 @@ dir = 1 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden{ dir = 4 @@ -1182,7 +1182,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/button/door{ id = "caravantrade1_cabin2"; @@ -1251,7 +1251,7 @@ /obj/structure/table, /obj/machinery/cell_charger, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/item/stack/cable_coil/yellow{ pixel_x = 12; @@ -1328,7 +1328,7 @@ "UW" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden, /obj/structure/cable{ @@ -1425,7 +1425,7 @@ "WU" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /obj/machinery/atmospherics/pipe/simple/supply/hidden, diff --git a/_maps/shuttles/misc/ruin_pirate_cutter.dmm b/_maps/shuttles/misc/ruin_pirate_cutter.dmm index 01355f95d946..22b574be3e21 100644 --- a/_maps/shuttles/misc/ruin_pirate_cutter.dmm +++ b/_maps/shuttles/misc/ruin_pirate_cutter.dmm @@ -104,7 +104,7 @@ /obj/item/bedsheet/brown, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/red{ dir = 8 @@ -228,7 +228,7 @@ "jo" = ( /obj/structure/table, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/item/ammo_box/a40mm, /obj/effect/turf_decal/corner/neutral{ @@ -348,7 +348,7 @@ /obj/item/storage/firstaid/fire, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/white, /area/ship/medical) @@ -505,7 +505,7 @@ "pZ" = ( /obj/structure/tank_dispenser/oxygen, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -875,7 +875,7 @@ /obj/machinery/atmospherics/pipe/simple/supply/hidden, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/power/apc/auto_name/west, /obj/machinery/power/terminal{ @@ -892,7 +892,7 @@ "DY" = ( /obj/structure/closet/crate/secure/loot, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/dark, /area/ship/bridge) @@ -1071,7 +1071,7 @@ /obj/effect/turf_decal/industrial/hatch/yellow, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/white, /area/ship/medical) @@ -1232,7 +1232,7 @@ }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/holopad/emergency/command, /turf/open/floor/plasteel/dark, diff --git a/_maps/shuttles/misc/ruin_syndicate_dropship.dmm b/_maps/shuttles/misc/ruin_syndicate_dropship.dmm index 1c97267db010..f5cd652c56dd 100644 --- a/_maps/shuttles/misc/ruin_syndicate_dropship.dmm +++ b/_maps/shuttles/misc/ruin_syndicate_dropship.dmm @@ -2,7 +2,7 @@ "al" = ( /obj/machinery/airalarm/syndicate{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plasteel/dark, @@ -27,7 +27,7 @@ "bo" = ( /obj/machinery/firealarm{ dir = 8; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/dark, /area/ship/crew) @@ -39,7 +39,7 @@ id = "caravansyndicate3_bolt_starboard"; name = "External Bolt Control"; normaldoorcontrol = 1; - pixel_x = -24; + pixel_x = -25; pixel_y = -6; req_access_txt = "150"; specialfunctions = 4 @@ -266,7 +266,7 @@ id = "caravansyndicate3_bolt_port"; name = "External Bolt Control"; normaldoorcontrol = 1; - pixel_x = -24; + pixel_x = -25; pixel_y = 6; req_access_txt = "150"; specialfunctions = 4 @@ -333,7 +333,7 @@ "EO" = ( /obj/structure/chair/comfy/shuttle, /obj/machinery/airalarm/syndicate{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/pod/dark, @@ -355,7 +355,7 @@ "Gx" = ( /obj/machinery/airalarm/syndicate{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/dark, /area/ship/crew) @@ -648,7 +648,7 @@ "ZZ" = ( /obj/machinery/firealarm{ dir = 8; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /obj/machinery/holopad/emergency/command, diff --git a/_maps/shuttles/shiptest/IndiCaravanTypeA.dmm b/_maps/shuttles/shiptest/IndiCaravanTypeA.dmm index bb32938c055b..6736ec047566 100644 --- a/_maps/shuttles/shiptest/IndiCaravanTypeA.dmm +++ b/_maps/shuttles/shiptest/IndiCaravanTypeA.dmm @@ -68,8 +68,8 @@ dir = 1 }, /obj/machinery/light_switch{ - pixel_x = -24; - pixel_y = 24 + pixel_x = -25; + pixel_y = 25 }, /obj/machinery/computer/rdconsole, /turf/open/floor/plasteel/white, @@ -244,7 +244,7 @@ "dW" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/siding/wood, /turf/open/floor/wood, @@ -274,7 +274,7 @@ /obj/machinery/button/door{ id = "ModShip_thruster_port"; name = "thruster doors"; - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/portable_atmospherics/scrubber, /turf/open/floor/plating, @@ -500,7 +500,7 @@ "iY" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/frame/machine, /turf/open/floor/plasteel/tech, @@ -512,7 +512,7 @@ id = "modwindows"; name = "Full Lockdown"; pixel_x = 2; - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/button/door{ id = "modbridge"; @@ -564,8 +564,8 @@ pixel_x = -8 }, /obj/machinery/light_switch{ - pixel_x = 24; - pixel_y = 24 + pixel_x = 25; + pixel_y = 25 }, /obj/structure/sign/poster/contraband/random{ pixel_y = 32 @@ -610,7 +610,7 @@ }, /obj/machinery/door/poddoor{ id = "ModShip_thruster_starboard"; - name = "thruster blast door" + name = "Thruster Blast Door" }, /turf/open/floor/plating, /area/ship/engineering/atmospherics) @@ -670,7 +670,7 @@ icon_state = "4-8" }, /obj/machinery/door/airlock/hatch{ - name = "external airlock" + name = "External Airlock" }, /obj/machinery/door/firedoor/border_only{ dir = 8 @@ -962,7 +962,7 @@ /obj/item/reagent_containers/food/drinks/bottle/vodka, /obj/item/storage/pill_bottle/potassiodide, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plating, /area/ship/engineering/atmospherics) @@ -1090,8 +1090,8 @@ dir = 4 }, /obj/machinery/light_switch{ - pixel_x = 24; - pixel_y = -24 + pixel_x = 25; + pixel_y = -25 }, /obj/machinery/computer/monitor{ dir = 8 @@ -1134,7 +1134,7 @@ }, /obj/machinery/door/poddoor{ id = "ModShip_thruster_port"; - name = "thruster blast door" + name = "Thruster Blast Door" }, /turf/open/floor/plating, /area/ship/engineering/atmospherics) @@ -1282,7 +1282,7 @@ /obj/machinery/door/firedoor/heavy, /obj/machinery/door/poddoor{ id = "cargoblastdoors"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /turf/open/floor/plasteel/tech/techmaint, /area/ship/cargo) @@ -1543,7 +1543,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plating, /area/ship/engineering/atmospherics) @@ -1620,11 +1620,11 @@ /area/ship/cargo) "Eu" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/light_switch{ - pixel_x = 24; - pixel_y = 24 + pixel_x = 25; + pixel_y = 25 }, /obj/structure/table/reinforced, /obj/item/paper_bin{ @@ -1642,8 +1642,8 @@ /area/ship/bridge) "EL" = ( /obj/machinery/light_switch{ - pixel_x = 24; - pixel_y = 24 + pixel_x = 25; + pixel_y = 25 }, /obj/machinery/firealarm{ dir = 2; @@ -1839,7 +1839,7 @@ }, /obj/machinery/door/poddoor{ id = "ModShip_thruster_port"; - name = "thruster blast door" + name = "Thruster Blast Door" }, /turf/open/floor/plating, /area/ship/engineering/atmospherics) @@ -1925,7 +1925,7 @@ dir = 1; id = "ModShip_thruster_starboard"; name = "thruster doors"; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/closet/crate/radiation, /obj/item/stack/sheet/mineral/plasma/five, @@ -1968,7 +1968,7 @@ }, /obj/machinery/door/poddoor{ id = "ModShip_thruster_starboard"; - name = "thruster blast door" + name = "Thruster Blast Door" }, /turf/open/floor/plating, /area/ship/engineering/atmospherics) @@ -2067,7 +2067,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/robot_debris, /obj/structure/reagent_dispensers/fueltank, @@ -2179,7 +2179,7 @@ dir = 9 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/table/glass, /obj/item/reagent_containers/spray/cleaner, @@ -2274,7 +2274,7 @@ "PF" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/window/reinforced{ dir = 8 @@ -2699,8 +2699,8 @@ dir = 4 }, /obj/machinery/light_switch{ - pixel_x = 24; - pixel_y = 24 + pixel_x = 25; + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/manifold/scrubbers/hidden/layer4, /obj/machinery/atmospherics/pipe/manifold/supply/hidden/layer2{ @@ -2741,8 +2741,8 @@ dir = 1 }, /obj/machinery/light_switch{ - pixel_x = 24; - pixel_y = 24 + pixel_x = 25; + pixel_y = 25 }, /obj/machinery/computer/operating, /turf/open/floor/plasteel/white, @@ -2824,8 +2824,8 @@ dir = 8 }, /obj/machinery/light_switch{ - pixel_x = -24; - pixel_y = 24 + pixel_x = -25; + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4{ dir = 4 @@ -2908,8 +2908,8 @@ /obj/machinery/button/door{ id = "cargoblastdoors"; name = "Blast Door Control"; - pixel_x = 24; - pixel_y = 24 + pixel_x = 25; + pixel_y = 25 }, /turf/open/floor/plasteel/tech/techmaint, /area/ship/cargo) diff --git a/_maps/shuttles/shiptest/Syndicate_Cascade.dmm b/_maps/shuttles/shiptest/Syndicate_Cascade.dmm index ca21bf5f2401..581baf0bbb30 100644 --- a/_maps/shuttles/shiptest/Syndicate_Cascade.dmm +++ b/_maps/shuttles/shiptest/Syndicate_Cascade.dmm @@ -96,7 +96,7 @@ name = "Robotics Operating Table" }, /obj/machinery/defibrillator_mount/loaded{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/white, /area/ship/medical) @@ -1319,7 +1319,7 @@ dir = 1 }, /obj/machinery/advanced_airlock_controller{ - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/industrial/warning, /obj/structure/closet/emcloset/anchored, diff --git a/_maps/shuttles/shiptest/amogus_sus.dmm b/_maps/shuttles/shiptest/amogus_sus.dmm index 5f37f95a49a2..b258e5344455 100644 --- a/_maps/shuttles/shiptest/amogus_sus.dmm +++ b/_maps/shuttles/shiptest/amogus_sus.dmm @@ -110,7 +110,7 @@ pixel_x = 12 }, /obj/structure/mirror{ - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/white{ dir = 1 @@ -169,7 +169,7 @@ pixel_y = 32 }, /obj/machinery/vending/security/wall{ - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/wood, /area/ship/security) @@ -211,7 +211,7 @@ "cV" = ( /obj/machinery/atmospherics/components/unary/vent_pump/on/layer2, /obj/machinery/computer/cryopod{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/dresser, /turf/open/floor/wood, @@ -236,7 +236,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/pipe/manifold/scrubbers/hidden/layer4{ dir = 4 @@ -270,7 +270,7 @@ "dC" = ( /obj/machinery/firealarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel, /area/ship/cargo) @@ -331,7 +331,7 @@ "ec" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/cryopod{ dir = 1 @@ -404,7 +404,7 @@ /obj/machinery/button/door{ id = "amogusdoors"; name = "Blast Door Control"; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/mass_driver{ id = "ejected" @@ -467,7 +467,7 @@ "fr" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/borderfloor, /obj/effect/turf_decal/corner/white/half{ @@ -510,7 +510,7 @@ }, /obj/machinery/firealarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/red/diagonal, /turf/open/floor/plasteel/white, @@ -601,7 +601,7 @@ /area/ship/hallway/port) "gZ" = ( /obj/machinery/advanced_airlock_controller{ - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/components/unary/vent_pump/siphon/layer4, /turf/open/floor/plasteel/dark, @@ -630,7 +630,7 @@ /area/ship/engineering/atmospherics) "hk" = ( /obj/machinery/advanced_airlock_controller{ - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/components/unary/vent_pump/siphon/layer4{ dir = 1 @@ -709,7 +709,7 @@ "ie" = ( /obj/machinery/firealarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel, /area/ship/engineering/atmospherics) @@ -776,7 +776,7 @@ "iO" = ( /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2, /obj/effect/turf_decal/corner/bottlegreen/full, @@ -791,7 +791,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/pipe/manifold/supply/hidden/layer2, /obj/machinery/atmospherics/pipe/manifold/scrubbers/hidden/layer4, @@ -826,7 +826,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plating, /area/ship/engineering/electrical) @@ -974,7 +974,7 @@ "kK" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/table, /obj/machinery/light/small, @@ -1017,7 +1017,7 @@ /area/ship/hallway/starboard) "lj" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/table, /obj/machinery/microwave, @@ -1301,7 +1301,7 @@ "oS" = ( /obj/machinery/door/poddoor{ id = "amogusdoors"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /obj/structure/fans/tiny, /turf/open/floor/plating, @@ -1364,7 +1364,7 @@ "pw" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/neutral/three_quarters{ dir = 8 @@ -1388,7 +1388,7 @@ /obj/item/storage/bag/ore, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel, /area/ship/cargo) @@ -1430,7 +1430,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/catwalk/over/plated_catwalk, /turf/open/floor/plating, @@ -1471,7 +1471,7 @@ "qU" = ( /obj/machinery/firealarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plating, /area/ship/engineering/engine) @@ -1596,7 +1596,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/catwalk/over/plated_catwalk, /turf/open/floor/plating, @@ -1719,7 +1719,7 @@ }, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plating, /area/ship/engineering/electrical) @@ -1753,7 +1753,7 @@ "tt" = ( /obj/machinery/firealarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/dark, /area/ship/engineering) @@ -1777,7 +1777,7 @@ /obj/structure/curtain/bounty, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/wood, /area/ship/crew) @@ -1834,7 +1834,7 @@ "uv" = ( /obj/structure/table/glass, /obj/machinery/vending/wallmed{ - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/door/window/eastright, /obj/item/storage/firstaid/fire, @@ -1894,7 +1894,7 @@ /area/ship/engineering) "vc" = ( /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/catwalk/over/plated_catwalk/dark, /turf/open/floor/plating, @@ -2331,7 +2331,7 @@ "zT" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/wood, /area/ship/crew/office) @@ -2441,7 +2441,7 @@ "Bo" = ( /obj/structure/bookcase/random, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ dir = 4 @@ -2547,7 +2547,7 @@ "Dp" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plating, /area/ship/engineering/engine) @@ -2804,7 +2804,7 @@ /area/ship/cargo) "GT" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/manifold/scrubbers/hidden/layer4{ dir = 1 @@ -2962,7 +2962,7 @@ "IG" = ( /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/dark, /area/ship/hallway/fore) @@ -3154,7 +3154,7 @@ "Kg" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/borderfloor, /obj/effect/turf_decal/corner/white/half{ @@ -3178,7 +3178,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/box, /turf/open/floor/plasteel/dark, @@ -3196,7 +3196,7 @@ /area/ship/medical) "KC" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel, /area/ship/hallway/fore) @@ -3215,7 +3215,7 @@ "Lb" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/table/reinforced, /obj/effect/turf_decal/corner/neutral/three_quarters{ @@ -3339,7 +3339,7 @@ }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel, /area/ship/hallway/starboard) @@ -4094,7 +4094,7 @@ "Uw" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/table/wood, /obj/item/paper_bin, @@ -4167,7 +4167,7 @@ "Vk" = ( /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2, /turf/open/floor/carpet/blue, @@ -4331,7 +4331,7 @@ "WX" = ( /obj/machinery/camera/autoname, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel, /area/ship/hallway/port) @@ -4578,7 +4578,7 @@ /area/ship/security) "ZD" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/neutral/three_quarters, /turf/open/floor/plasteel/dark, diff --git a/_maps/shuttles/shiptest/bar_ship.dmm b/_maps/shuttles/shiptest/bar_ship.dmm index dbd7bd7aeaf2..aa5c2aab853e 100644 --- a/_maps/shuttles/shiptest/bar_ship.dmm +++ b/_maps/shuttles/shiptest/bar_ship.dmm @@ -12,7 +12,7 @@ "bk" = ( /obj/structure/table/reinforced, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/item/storage/box/donkpockets, /obj/effect/turf_decal/corner/white/half, @@ -39,7 +39,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/box, /obj/item/reagent_containers/food/snacks/meat/slab/monkey, @@ -84,8 +84,8 @@ icon_state = "1-2" }, /obj/machinery/light_switch{ - pixel_x = -24; - pixel_y = 24 + pixel_x = -25; + pixel_y = 25 }, /turf/open/floor/carpet/nanoweave, /area/ship/crew) @@ -109,8 +109,8 @@ icon_state = "1-8" }, /obj/machinery/light_switch{ - pixel_x = -24; - pixel_y = 24 + pixel_x = -25; + pixel_y = 25 }, /obj/machinery/holopad, /turf/open/floor/plasteel/freezer, @@ -134,7 +134,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/wood, /area/ship/crew) @@ -375,7 +375,7 @@ "ie" = ( /obj/machinery/advanced_airlock_controller{ locked = 0; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/chair, /obj/item/radio/intercom{ @@ -387,7 +387,7 @@ /obj/machinery/light, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/mono/dark, /area/ship/crew/canteen) @@ -424,8 +424,8 @@ /area/ship/crew/canteen) "jv" = ( /obj/machinery/light_switch{ - pixel_x = 24; - pixel_y = -24 + pixel_x = 25; + pixel_y = -25 }, /turf/open/floor/plasteel, /area/ship/cargo) @@ -480,7 +480,7 @@ /area/ship/crew/canteen) "ly" = ( /obj/machinery/advanced_airlock_controller{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/components/unary/vent_pump/siphon/layer4{ dir = 4 @@ -866,7 +866,7 @@ /obj/machinery/hydroponics/constructable, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -967,7 +967,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/item/soap/deluxe, /turf/open/floor/plasteel/patterned, @@ -1258,7 +1258,7 @@ /area/ship/crew/canteen) "AW" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/industrial/warning/corner{ dir = 4 @@ -1336,8 +1336,8 @@ /area/ship/bridge) "Cx" = ( /obj/machinery/light_switch{ - pixel_x = 24; - pixel_y = -24 + pixel_x = 25; + pixel_y = -25 }, /turf/open/floor/plasteel/mono, /area/ship/bridge) @@ -1398,7 +1398,7 @@ pixel_x = -12 }, /obj/structure/mirror{ - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/patterned, /area/ship/crew/canteen) @@ -1466,7 +1466,7 @@ /area/ship/maintenance) "DK" = ( /obj/machinery/door/airlock/external/glass{ - name = "internal airlock" + name = "Internal Airlock" }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ dir = 8 @@ -1618,8 +1618,8 @@ icon_state = "1-4" }, /obj/machinery/light_switch{ - pixel_x = 24; - pixel_y = -24 + pixel_x = 25; + pixel_y = -25 }, /obj/structure/cable{ icon_state = "1-2" @@ -2023,7 +2023,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plating, /area/ship/maintenance) @@ -2165,7 +2165,7 @@ "Qn" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel, /area/ship/crew/canteen) @@ -2215,7 +2215,7 @@ }, /obj/item/folder, /obj/machinery/computer/cryopod{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/wood, /area/ship/crew) @@ -2445,8 +2445,8 @@ /obj/machinery/button/door{ id = "cargoblastdoors"; name = "Blast Door Control"; - pixel_x = 24; - pixel_y = 24 + pixel_x = 25; + pixel_y = 25 }, /turf/open/floor/plasteel, /area/ship/cargo) @@ -2603,7 +2603,7 @@ /area/ship/crew) "ZH" = ( /obj/machinery/door/airlock/external/glass{ - name = "internal airlock" + name = "Internal Airlock" }, /turf/open/floor/plasteel/dark, /area/ship/crew/canteen) @@ -2618,8 +2618,8 @@ icon_state = "4-8" }, /obj/machinery/light_switch{ - pixel_x = -24; - pixel_y = -24 + pixel_x = -25; + pixel_y = -25 }, /turf/open/floor/plasteel, /area/ship/crew/hydroponics) diff --git a/_maps/shuttles/shiptest/bar_ship_b.dmm b/_maps/shuttles/shiptest/bar_ship_b.dmm index 0fbcc8ccac05..8ea69057e200 100644 --- a/_maps/shuttles/shiptest/bar_ship_b.dmm +++ b/_maps/shuttles/shiptest/bar_ship_b.dmm @@ -35,7 +35,7 @@ "bM" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/door/airlock/hatch, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, @@ -77,8 +77,8 @@ icon_state = "1-2" }, /obj/machinery/light_switch{ - pixel_x = -24; - pixel_y = 24 + pixel_x = -25; + pixel_y = 25 }, /turf/open/floor/mineral/plastitanium, /area/ship/crew) @@ -98,8 +98,8 @@ icon_state = "4-8" }, /obj/machinery/light_switch{ - pixel_x = -24; - pixel_y = 24 + pixel_x = -25; + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ dir = 8 @@ -122,7 +122,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/vending/autodrobe, /turf/open/floor/carpet/nanoweave/red, @@ -378,7 +378,7 @@ "ie" = ( /obj/machinery/advanced_airlock_controller{ locked = 0; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/chair, /obj/item/radio/intercom{ @@ -388,7 +388,7 @@ /area/ship/crew/canteen) "iP" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/industrial/warning/corner{ dir = 4 @@ -441,8 +441,8 @@ /area/ship/crew/canteen) "jv" = ( /obj/machinery/light_switch{ - pixel_x = 24; - pixel_y = -24 + pixel_x = 25; + pixel_y = -25 }, /obj/effect/turf_decal/industrial/warning, /turf/open/floor/pod/dark, @@ -722,7 +722,7 @@ pixel_x = -12 }, /obj/structure/mirror{ - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/patterned, /area/ship/crew/canteen) @@ -996,8 +996,8 @@ /area/ship/crew/canteen) "vb" = ( /obj/machinery/light_switch{ - pixel_x = 24; - pixel_y = -24 + pixel_x = 25; + pixel_y = -25 }, /obj/item/storage/box/ingredients/wildcard, /obj/item/storage/box/ingredients/wildcard, @@ -1179,7 +1179,6 @@ /area/ship/crew/canteen) "zD" = ( /obj/structure/chair/stool, -/obj/structure/chair/stool, /turf/open/floor/carpet/black, /area/ship/crew/canteen) "zE" = ( @@ -1222,7 +1221,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/cable{ icon_state = "1-4" @@ -1390,7 +1389,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/item/soap/syndie, /turf/open/floor/plasteel/patterned, @@ -1471,8 +1470,8 @@ icon_state = "1-4" }, /obj/machinery/light_switch{ - pixel_x = 24; - pixel_y = -24 + pixel_x = 25; + pixel_y = -25 }, /turf/open/floor/plating, /area/ship/maintenance) @@ -1575,8 +1574,8 @@ /obj/machinery/button/door{ id = "cargoblastdoors"; name = "Blast Door Control"; - pixel_x = 24; - pixel_y = 24 + pixel_x = 25; + pixel_y = 25 }, /turf/open/floor/pod/dark, /area/ship/cargo) @@ -1630,7 +1629,7 @@ /obj/machinery/light, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/carpet/red, /area/ship/crew/canteen) @@ -1965,7 +1964,7 @@ "Qn" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/carpet/red, /area/ship/crew/canteen) @@ -2013,7 +2012,7 @@ }, /obj/item/folder, /obj/machinery/computer/cryopod{ - pixel_y = 24 + pixel_y = 25 }, /obj/item/storage/firstaid/medical{ icon_state = "bezerk"; @@ -2384,7 +2383,7 @@ "Xd" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/item/radio/intercom{ pixel_y = 20 @@ -2471,7 +2470,7 @@ "Yr" = ( /obj/structure/table/reinforced, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/item/storage/box/donkpockets, /obj/effect/spawner/lootdrop/donkpockets, @@ -2534,8 +2533,8 @@ icon_state = "4-8" }, /obj/machinery/light_switch{ - pixel_x = -24; - pixel_y = -24 + pixel_x = -25; + pixel_y = -25 }, /turf/open/floor/plasteel/freezer{ color = "#8D8B8B" diff --git a/_maps/shuttles/shiptest/bogatyr.dmm b/_maps/shuttles/shiptest/bogatyr.dmm index dfec00723fdb..0d565f788581 100644 --- a/_maps/shuttles/shiptest/bogatyr.dmm +++ b/_maps/shuttles/shiptest/bogatyr.dmm @@ -242,13 +242,13 @@ /obj/machinery/button/door{ id = "bogatyr_windows"; name = "window lockdown"; - pixel_x = -24; + pixel_x = -25; pixel_y = 7 }, /obj/machinery/button/door{ id = "bogatyr_bridge"; name = "bridge lockdown"; - pixel_x = -24; + pixel_x = -25; pixel_y = -5 }, /obj/machinery/light/small, @@ -1427,8 +1427,8 @@ "Ux" = ( /obj/machinery/button/door{ id = "blastdoors"; - name = "cargo bay blast doors"; - pixel_x = -24 + name = "Cargo Bay Blast Doors"; + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/mineral/plastitanium, diff --git a/_maps/shuttles/shiptest/cargotide.dmm b/_maps/shuttles/shiptest/cargotide.dmm index c3732b9728eb..d3d363df1c88 100644 --- a/_maps/shuttles/shiptest/cargotide.dmm +++ b/_maps/shuttles/shiptest/cargotide.dmm @@ -104,7 +104,7 @@ }, /obj/machinery/door/poddoor{ id = "baydoors"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /turf/open/floor/plating, /area/ship/cargo) @@ -154,7 +154,7 @@ /obj/structure/fans/tiny, /obj/machinery/door/poddoor{ id = "baydoors"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /turf/open/floor/plating, /area/ship/cargo) @@ -409,7 +409,7 @@ "qt" = ( /obj/machinery/door/poddoor/shutters{ desc = "Heavy duty metal shutters that open mechanically. This one appears to lack proper setup, thus functionally useless."; - name = "broken shutters" + name = "Broken Shutters" }, /turf/open/floor/plating, /area/ship/maintenance/fore) @@ -497,7 +497,7 @@ "sF" = ( /obj/machinery/button/door{ id = "Tcargotide1"; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/decal/cleanable/dirt/dust, /obj/item/trash/semki, @@ -1001,7 +1001,7 @@ open_state = "crateopen" }, /obj/machinery/computer/cryopod{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plating, /area/ship/crew) diff --git a/_maps/shuttles/shiptest/carrier.dmm b/_maps/shuttles/shiptest/carrier.dmm index 7fb32d2554b5..cd1a3e6b7f91 100644 --- a/_maps/shuttles/shiptest/carrier.dmm +++ b/_maps/shuttles/shiptest/carrier.dmm @@ -88,14 +88,10 @@ icon_state = "1-2" }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer2, -/obj/machinery/door/firedoor/border_only{ - dir = 1 - }, /obj/machinery/door/firedoor/border_only, /obj/machinery/door/firedoor/border_only{ dir = 1 }, -/obj/machinery/door/firedoor/border_only, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer4, /turf/open/floor/plasteel/dark, /area/ship/engineering) @@ -480,7 +476,7 @@ dir = 10 }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/dark, /area/ship/hallway/central) @@ -1968,7 +1964,7 @@ "xL" = ( /obj/effect/decal/cleanable/dirt, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/dark, /area/ship/hallway/central) diff --git a/_maps/shuttles/shiptest/chapel.dmm b/_maps/shuttles/shiptest/chapel.dmm index 6e9c161feafd..9221fa0f8aa4 100644 --- a/_maps/shuttles/shiptest/chapel.dmm +++ b/_maps/shuttles/shiptest/chapel.dmm @@ -31,7 +31,7 @@ /obj/machinery/door/firedoor/window, /obj/machinery/door/poddoor/shutters/preopen{ id = "chapel_bridgewindow"; - name = "window shutters" + name = "Window Shutters" }, /turf/open/floor/plating, /area/ship/crew/library) @@ -166,7 +166,7 @@ /obj/machinery/button/door{ id = "chapel_orm"; name = "ORM Shutter Control"; - pixel_x = -24; + pixel_x = -25; pixel_y = 8 }, /obj/item/pickaxe/rusted, @@ -394,7 +394,7 @@ /obj/machinery/door/firedoor/window, /obj/machinery/door/poddoor/shutters/preopen{ id = "chapel_bridgewindow"; - name = "window shutters" + name = "Window Shutters" }, /turf/open/floor/plating, /area/ship/bridge) @@ -594,7 +594,7 @@ }, /obj/machinery/door/poddoor/shutters/preopen{ id = "chapel_bridgelock"; - name = "privacy shutters" + name = "Privacy Shutters" }, /obj/structure/grille, /obj/effect/spawner/structure/window/reinforced, @@ -618,7 +618,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters/preopen{ id = "chapel_medshutter"; - name = "privacy shutters" + name = "Privacy Shutters" }, /obj/effect/spawner/structure/window/reinforced, /obj/structure/cable{ @@ -640,14 +640,14 @@ }, /obj/machinery/door/poddoor/shutters/preopen{ id = "chapel_bridgelock"; - name = "privacy shutters" + name = "Privacy Shutters" }, /turf/open/floor/carpet, /area/ship/bridge) "kc" = ( /obj/machinery/door/poddoor/shutters/preopen{ id = "chapel_bridgelock"; - name = "privacy shutters" + name = "Privacy Shutters" }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ dir = 1 @@ -683,7 +683,7 @@ /obj/machinery/door/window/westleft, /obj/machinery/door/poddoor/shutters/preopen{ id = "chapel_engshutter"; - name = "engineering shutters" + name = "Engineering Shutters" }, /obj/machinery/door/firedoor/heavy, /turf/open/floor/plasteel, @@ -853,7 +853,7 @@ /obj/machinery/door/firedoor/window, /obj/machinery/door/poddoor/shutters/preopen{ id = "chapel_backwindow"; - name = "window shutters" + name = "Window Shutters" }, /turf/open/floor/plating, /area/ship/crew/chapel/office) @@ -882,7 +882,7 @@ /obj/item/lighter, /obj/item/toner, /obj/structure/extinguisher_cabinet{ - pixel_x = 24 + pixel_x = 25 }, /obj/item/table_bell/brass, /turf/open/floor/wood, @@ -1213,7 +1213,7 @@ dir = 4 }, /obj/structure/extinguisher_cabinet{ - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/carpet/nanoweave/blue, /area/ship/crew/chapel/office) @@ -1513,7 +1513,7 @@ /obj/structure/table/reinforced, /obj/machinery/door/poddoor/shutters/preopen{ id = "chapel_engshutter"; - name = "engineering shutters" + name = "Engineering Shutters" }, /obj/machinery/door/firedoor/heavy, /obj/structure/window/reinforced/spawner/west, @@ -1539,7 +1539,7 @@ }, /obj/machinery/door/poddoor/shutters{ id = "chapel_orm"; - name = "access shutters" + name = "Access Shutters" }, /turf/open/floor/plating, /area/ship/engineering/electrical) @@ -1808,7 +1808,7 @@ /obj/machinery/door/firedoor/window, /obj/machinery/door/poddoor/shutters/preopen{ id = "chapel_backwindow"; - name = "window shutters" + name = "Window Shutters" }, /turf/open/floor/plating, /area/ship/crew/chapel) @@ -2270,7 +2270,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters/preopen{ id = "chapel_medshutter"; - name = "privacy shutters" + name = "Privacy Shutters" }, /obj/effect/spawner/structure/window/reinforced, /obj/structure/cable{ @@ -2375,7 +2375,7 @@ "GZ" = ( /obj/structure/chair/office, /obj/machinery/light_switch{ - pixel_x = 24 + pixel_x = 25 }, /obj/effect/landmark/start/librarian, /turf/open/floor/wood, @@ -2402,7 +2402,7 @@ dir = 4 }, /obj/structure/extinguisher_cabinet{ - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plating, /area/ship/engineering/atmospherics) @@ -2681,7 +2681,7 @@ /obj/machinery/door/window/westright, /obj/machinery/door/poddoor/shutters/preopen{ id = "chapel_engshutter"; - name = "engineering shutters" + name = "Engineering Shutters" }, /obj/machinery/door/firedoor/heavy, /turf/open/floor/plasteel, @@ -2786,7 +2786,7 @@ /obj/item/storage/box/disks_plantgene, /obj/machinery/airalarm/directional/north, /obj/machinery/light_switch{ - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/wood, /area/ship/storage) @@ -2903,7 +2903,7 @@ /area/ship/hallway/port) "Oh" = ( /obj/machinery/advanced_airlock_controller{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plating, @@ -3198,7 +3198,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters/preopen{ id = "chapel_medshutter"; - name = "privacy shutters" + name = "Privacy Shutters" }, /obj/effect/spawner/structure/window/reinforced, /obj/structure/cable{ @@ -3214,7 +3214,7 @@ }, /obj/machinery/door/poddoor/shutters/preopen{ id = "chapel_bridgewindow"; - name = "window shutters" + name = "Window Shutters" }, /turf/open/floor/plating, /area/ship/engineering/atmospherics) @@ -3458,7 +3458,7 @@ /obj/machinery/door/firedoor/window, /obj/machinery/door/poddoor/shutters/preopen{ id = "chapel_backwindow"; - name = "window shutters" + name = "Window Shutters" }, /turf/open/floor/plating, /area/ship/medical/morgue) @@ -3532,7 +3532,7 @@ dir = 1 }, /obj/structure/extinguisher_cabinet{ - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/dark, /area/ship/hallway/starboard) @@ -3945,7 +3945,7 @@ /obj/effect/spawner/structure/window/reinforced, /obj/machinery/door/poddoor/shutters/preopen{ id = "chapel_bridgewindow"; - name = "window shutters" + name = "Window Shutters" }, /turf/open/floor/plating, /area/ship/engineering/atmospherics) @@ -3970,7 +3970,7 @@ }, /obj/machinery/door/poddoor/shutters/preopen{ id = "chapel_bridgewindow"; - name = "window shutters" + name = "Window Shutters" }, /turf/open/floor/plating, /area/ship/engineering/atmospherics) diff --git a/_maps/shuttles/shiptest/corp_high.dmm b/_maps/shuttles/shiptest/corp_high.dmm index e637344caea8..5ad0715c8cdc 100644 --- a/_maps/shuttles/shiptest/corp_high.dmm +++ b/_maps/shuttles/shiptest/corp_high.dmm @@ -300,7 +300,7 @@ "dM" = ( /obj/structure/table, /obj/machinery/light_switch{ - pixel_x = 24; + pixel_x = 25; pixel_y = 10 }, /obj/structure/reagent_dispensers/peppertank{ @@ -422,7 +422,7 @@ /obj/effect/spawner/structure/window/reinforced, /obj/machinery/door/poddoor/shutters/preopen{ id = "chwindow"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ship/engineering) @@ -1012,7 +1012,7 @@ dir = 8 }, /obj/machinery/advanced_airlock_controller{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plating, /area/ship/hallway/starboard) @@ -1196,7 +1196,7 @@ /obj/effect/spawner/structure/window/reinforced, /obj/machinery/door/poddoor/shutters/preopen{ id = "chwindow"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ship/engineering) @@ -1464,7 +1464,7 @@ /obj/structure/fans/tiny, /obj/machinery/door/poddoor{ id = "corpcargobay1"; - name = "cargo bay exterior blast door" + name = "Cargo Bay Exterior Blast Door" }, /turf/open/floor/engine/hull/interior, /area/ship/cargo) @@ -1916,7 +1916,7 @@ "Bu" = ( /obj/machinery/button/door{ id = "chmaint"; - pixel_x = -24; + pixel_x = -25; pixel_y = -25 }, /turf/open/floor/carpet/nanoweave/purple, @@ -2031,7 +2031,7 @@ /obj/effect/spawner/structure/window/reinforced, /obj/machinery/door/poddoor/shutters/preopen{ id = "chwindow"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ship/crew/dorm) @@ -2109,7 +2109,7 @@ /obj/effect/spawner/structure/window/reinforced, /obj/machinery/door/poddoor/shutters/preopen{ id = "chwindow"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ship/bridge) @@ -2187,7 +2187,7 @@ pixel_x = -12 }, /obj/structure/mirror{ - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/red/diagonal, /turf/open/floor/plasteel/white, @@ -2414,7 +2414,7 @@ /obj/effect/spawner/structure/window/reinforced, /obj/machinery/door/poddoor/shutters/preopen{ id = "chwindow"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ship/hallway/starboard) @@ -2470,7 +2470,7 @@ /obj/effect/spawner/structure/window/reinforced, /obj/machinery/door/poddoor/shutters/preopen{ id = "chwindow"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ship/crew/chapel/office) @@ -2654,7 +2654,7 @@ /obj/effect/spawner/structure/window/reinforced, /obj/machinery/door/poddoor/shutters/preopen{ id = "chmeet"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ship/crew/office) @@ -2734,8 +2734,8 @@ }, /obj/machinery/button/door{ id = "chmaint"; - pixel_x = -24; - pixel_y = 24 + pixel_x = -25; + pixel_y = 25 }, /obj/structure/catwalk/over/plated_catwalk/dark, /turf/open/floor/plating, @@ -3052,7 +3052,7 @@ /obj/effect/spawner/structure/window/reinforced, /obj/machinery/door/poddoor/shutters/preopen{ id = "chwindow"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ship/engineering) @@ -3154,7 +3154,7 @@ /obj/effect/spawner/structure/window/reinforced, /obj/machinery/door/poddoor/shutters/preopen{ id = "chwindow"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ship/engineering) @@ -3298,7 +3298,7 @@ "VC" = ( /obj/machinery/door/poddoor{ id = "corpcargobay2"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /obj/machinery/door/firedoor/border_only{ dir = 8 @@ -3521,7 +3521,7 @@ /obj/effect/spawner/structure/window/reinforced, /obj/machinery/door/poddoor/shutters/preopen{ id = "chwindow"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ship/crew) @@ -3555,7 +3555,7 @@ }, /obj/machinery/door/poddoor{ id = "corpcargobay2"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /turf/open/floor/plasteel/patterned/ridged{ color = "#4c535b" diff --git a/_maps/shuttles/shiptest/engi_moth.dmm b/_maps/shuttles/shiptest/engi_moth.dmm index 8a0f14047507..1ec727cad735 100644 --- a/_maps/shuttles/shiptest/engi_moth.dmm +++ b/_maps/shuttles/shiptest/engi_moth.dmm @@ -993,7 +993,7 @@ "oh" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/item/radio/intercom{ pixel_x = 32 @@ -1010,7 +1010,7 @@ }, /obj/effect/decal/cleanable/dirt, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/white, /area/ship/medical) @@ -1096,7 +1096,7 @@ dir = 9 }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/mineral/plastitanium, /area/ship/science/robotics) @@ -1725,7 +1725,7 @@ dir = 1 }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/mineral/plastitanium, /area/ship/crew) @@ -2899,7 +2899,7 @@ }, /obj/effect/turf_decal/techfloor/orange/corner, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/tech/grid, /area/ship/engineering) diff --git a/_maps/shuttles/shiptest/engineeringmess.dmm b/_maps/shuttles/shiptest/engineeringmess.dmm index 17ccaa491019..7e95c7b34b1d 100644 --- a/_maps/shuttles/shiptest/engineeringmess.dmm +++ b/_maps/shuttles/shiptest/engineeringmess.dmm @@ -10,7 +10,7 @@ icon_state = "4-8" }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/insectguts, /turf/open/floor/plating, @@ -1172,7 +1172,7 @@ /obj/structure/bedsheetbin, /obj/machinery/computer/cryopod{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/carpet/royalblue, /area/ship/crew/dorm) @@ -1241,14 +1241,13 @@ icon_state = "4-10" }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/railing/corner, /turf/open/floor/plating/airless, /area/ship/hallway) "kM" = ( /obj/structure/lattice/catwalk, -/obj/structure/lattice/catwalk, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, /obj/structure/cable/green{ @@ -1461,7 +1460,7 @@ }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plating, /area/ship/engineering/atmospherics) @@ -1487,7 +1486,7 @@ dir = 4; id = "Storage Bay Blast"; name = "Storage Bay Doors Control"; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plating/airless, /area/ship/external) @@ -1629,7 +1628,7 @@ dir = 4; id = "C02 Chamber Blast"; name = "C02 Chamber Vent Control"; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/oil, /turf/open/floor/plating, @@ -1667,7 +1666,7 @@ icon_state = "4-8" }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/brown/border{ dir = 1 @@ -2186,7 +2185,7 @@ "uU" = ( /obj/machinery/camera/autoname, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/stairs{ dir = 4 @@ -2878,7 +2877,7 @@ /obj/machinery/firealarm{ dir = 4; pixel_x = 26; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/carpet/stellar, /area/ship/crew/canteen) @@ -2900,7 +2899,7 @@ }, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/industrial/radiation{ dir = 4 @@ -2945,7 +2944,7 @@ "BK" = ( /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/carpet/royalblue, /area/ship/crew/dorm) @@ -3316,7 +3315,7 @@ dir = 4; id = "N2 Chamber Blast"; name = "N2 Chamber Vent Control"; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/blood/tracks, /turf/open/floor/plating, @@ -3878,7 +3877,7 @@ /obj/machinery/button/door{ dir = 4; name = "02 Chamber Vent Control"; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/blood/tracks, /turf/open/floor/plating, @@ -3978,7 +3977,7 @@ dir = 4; id = "Storage Bay Blast"; name = "Storage Bay Doors Control"; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/industrial/radiation{ dir = 10 @@ -4125,6 +4124,10 @@ /turf/open/floor/plasteel/grimy, /area/ship/crew/canteen) "NB" = ( +/obj/structure/closet/firecloset/wall{ + dir = 8; + pixel_x = 28 + }, /obj/machinery/door/airlock/hatch, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ dir = 8 @@ -4142,10 +4145,6 @@ /obj/structure/closet/emcloset/wall{ pixel_y = 28 }, -/obj/structure/closet/firecloset/wall{ - dir = 8; - pixel_x = 28 - }, /obj/machinery/atmospherics/components/unary/vent_pump/on/layer2{ dir = 8 }, @@ -4156,7 +4155,7 @@ dir = 4; id = "Plasma Chamber Blast"; name = "Plasma Chamber Vent Control"; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plating, /area/ship/engineering/atmospherics) @@ -4223,7 +4222,6 @@ /turf/open/floor/plating, /area/ship/engineering/atmospherics) "Om" = ( -/obj/structure/lattice/catwalk, /turf/closed/wall/mineral/titanium/nodiagonal, /area/ship/engineering/atmospherics) "Ot" = ( diff --git a/_maps/shuttles/shiptest/golem_ship.dmm b/_maps/shuttles/shiptest/golem_ship.dmm index 500b557c3fe0..60d586a0e6a8 100644 --- a/_maps/shuttles/shiptest/golem_ship.dmm +++ b/_maps/shuttles/shiptest/golem_ship.dmm @@ -320,14 +320,14 @@ id = "golemloading"; name = "Cargo Blast Door Control"; pixel_x = -5; - pixel_y = -24 + pixel_y = -25 }, /obj/item/storage/firstaid/regular, /obj/machinery/button/door{ id = "golemwindows"; name = "Window Blast Door Control"; pixel_x = 5; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/trimline/blue/line, /obj/effect/turf_decal/corner/neutral{ @@ -2685,7 +2685,7 @@ id = "golemloading"; name = "Cargo Blast Door Control"; pixel_x = -5; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/trimline/yellow/arrow_cw{ dir = 4 diff --git a/_maps/shuttles/shiptest/gorlex_Komodo.dmm b/_maps/shuttles/shiptest/gorlex_Komodo.dmm index 6fe20604c2cc..cbfefa2ca6a9 100644 --- a/_maps/shuttles/shiptest/gorlex_Komodo.dmm +++ b/_maps/shuttles/shiptest/gorlex_Komodo.dmm @@ -186,7 +186,7 @@ "bA" = ( /obj/machinery/door/poddoor{ id = "syndie_warship_cargo"; - name = "Cargo hatch" + name = "Cargo Hatch" }, /obj/structure/fans/tiny, /turf/open/floor/plasteel/tech/grid, @@ -202,7 +202,7 @@ /obj/effect/spawner/structure/window/plasma/reinforced/plastitanium, /obj/machinery/door/poddoor/shutters{ id = "syndiewarship_windows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/hallway/central) @@ -267,7 +267,7 @@ /obj/effect/spawner/structure/window/plasma/reinforced/plastitanium, /obj/machinery/door/poddoor/shutters{ id = "syndiewarship_windows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/crew) @@ -298,7 +298,7 @@ /area/ship/hallway/central) "cR" = ( /obj/machinery/door/airlock/hatch{ - name = "Cargo bay" + name = "Cargo Bay" }, /obj/machinery/door/firedoor, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2, @@ -379,7 +379,7 @@ icon_state = "1-2" }, /obj/machinery/door/airlock/hatch{ - name = "Weapons platform" + name = "Weapons Platform" }, /turf/open/floor/mineral/plastitanium/red, /area/ship/maintenance/starboard) @@ -512,7 +512,7 @@ /obj/effect/turf_decal/borderfloorblack, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/tech, /area/ship/maintenance/port) @@ -893,7 +893,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/cable{ icon_state = "4-8" @@ -1116,7 +1116,7 @@ dir = 4 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable{ icon_state = "4-8" @@ -1335,7 +1335,7 @@ /obj/machinery/button/door{ id = "warship_engines"; name = "Engine shutters"; - pixel_y = -24; + pixel_y = -25; dir = 1 }, /turf/open/floor/plasteel/stairs{ @@ -1378,7 +1378,7 @@ }, /obj/machinery/door/poddoor{ id = "warship_engines"; - name = "thruster blast door" + name = "Thruster Blast Door" }, /turf/open/floor/plating, /area/ship/engineering) @@ -1389,7 +1389,7 @@ /obj/structure/window/plasma/reinforced/spawner, /obj/machinery/door/poddoor{ id = "warship_engines"; - name = "thruster blast door" + name = "Thruster Blast Door" }, /obj/machinery/door/window/eastleft{ dir = 1; @@ -1547,7 +1547,7 @@ }, /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/carpet/red_gold, /area/ship/crew) @@ -1679,7 +1679,7 @@ /obj/effect/turf_decal/industrial/outline/yellow, /obj/effect/decal/cleanable/greenglow, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable{ icon_state = "4-8" @@ -1792,7 +1792,7 @@ /obj/effect/spawner/structure/window/plasma/reinforced/plastitanium, /obj/machinery/door/poddoor/shutters{ id = "syndiewarship_windows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/engineering) @@ -1800,7 +1800,7 @@ /obj/machinery/button/door{ id = "syndie_mechbay"; name = "mechbay door"; - pixel_y = -24; + pixel_y = -25; dir = 1 }, /obj/effect/decal/cleanable/dirt/dust, @@ -1945,7 +1945,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/holofloor/wood, /area/ship/crew) @@ -2203,7 +2203,7 @@ }, /obj/machinery/door/poddoor{ id = "warship_engines"; - name = "thruster blast door" + name = "Thruster Blast Door" }, /turf/open/floor/plating, /area/ship/engineering) @@ -2261,7 +2261,7 @@ name = "tactical chair" }, /obj/item/radio/intercom{ - pixel_y = 24; + pixel_y = 25; pixel_x = 4 }, /obj/machinery/light_switch{ @@ -2464,7 +2464,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/mineral/plastitanium, /area/ship/medical) @@ -2484,7 +2484,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/power/apc/auto_name/north, /obj/structure/cable{ @@ -2697,7 +2697,7 @@ /obj/effect/spawner/structure/window/plasma/reinforced/plastitanium, /obj/machinery/door/poddoor/shutters{ id = "syndiewarship_windows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/crew/canteen) @@ -2911,7 +2911,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/dark, /area/ship/bridge) @@ -2929,7 +2929,7 @@ }, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/cable{ icon_state = "1-2" @@ -3168,7 +3168,7 @@ /obj/machinery/button/door{ id = "syndie_mechbay"; name = "mechbay door"; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/techfloor{ dir = 5 @@ -3378,7 +3378,7 @@ }, /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/techfloor{ dir = 1 @@ -3586,7 +3586,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/components/unary/vent_scrubber/on/layer4{ dir = 8 @@ -3769,7 +3769,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/cable{ icon_state = "1-2" @@ -3816,7 +3816,7 @@ }, /obj/effect/decal/cleanable/dirt/dust, /obj/item/radio/intercom{ - pixel_y = 24; + pixel_y = 25; pixel_x = 4 }, /obj/machinery/light_switch{ @@ -3856,7 +3856,7 @@ /area/ship/hallway/central) "Lt" = ( /obj/machinery/door/airlock/hatch{ - name = "captain's office"; + name = "Captain's Office"; req_access_txt = "20" }, /obj/machinery/door/firedoor, @@ -3965,7 +3965,7 @@ /obj/effect/spawner/structure/window/plasma/reinforced/plastitanium, /obj/machinery/door/poddoor/shutters{ id = "warshipbridge"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/bridge) @@ -4169,7 +4169,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/item/storage/box/firingpins{ pixel_x = 21 @@ -4271,7 +4271,7 @@ /obj/structure/window/plasma/reinforced/spawner, /obj/machinery/door/poddoor{ id = "warship_engines"; - name = "thruster blast door" + name = "Thruster Blast Door" }, /obj/machinery/door/window/eastright{ dir = 1; @@ -4467,7 +4467,7 @@ "RT" = ( /obj/machinery/door/firedoor, /obj/machinery/door/airlock/hatch{ - name = "Weapons platform" + name = "Weapons Platform" }, /obj/structure/barricade/wooden/crude, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ @@ -4716,7 +4716,7 @@ "Ux" = ( /obj/machinery/door/poddoor/shutters{ id = "syndie_mechbay"; - name = "mech bay" + name = "Mechbay" }, /obj/machinery/door/firedoor/border_only, /obj/machinery/door/firedoor/border_only{ @@ -4791,7 +4791,7 @@ icon_state = "1-2" }, /obj/machinery/door/airlock/hatch{ - name = "Command hall"; + name = "Command Hall"; req_access_txt = "19" }, /turf/open/floor/plasteel/dark, @@ -4885,7 +4885,7 @@ pixel_y = 3 }, /obj/machinery/light_switch{ - pixel_x = -24; + pixel_x = -25; dir = 4; pixel_y = 10 }, @@ -5005,7 +5005,7 @@ /obj/effect/spawner/structure/window/plasma/reinforced/plastitanium, /obj/machinery/door/poddoor/shutters{ id = "syndiewarship_windows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/medical) @@ -5035,7 +5035,7 @@ /obj/effect/turf_decal/trimline/bar/filled/line, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/decal/cleanable/vomit/old{ pixel_y = -1; @@ -5290,7 +5290,7 @@ /obj/effect/turf_decal/borderfloorblack, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plating{ icon_state = "platingdmg3" @@ -5318,11 +5318,11 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/light_switch{ pixel_x = -8; - pixel_y = -24; + pixel_y = -25; dir = 1 }, /obj/structure/cable{ diff --git a/_maps/shuttles/shiptest/gorlex_hyena.dmm b/_maps/shuttles/shiptest/gorlex_hyena.dmm index 829c5fa69537..2d442920c690 100644 --- a/_maps/shuttles/shiptest/gorlex_hyena.dmm +++ b/_maps/shuttles/shiptest/gorlex_hyena.dmm @@ -74,7 +74,7 @@ "bV" = ( /obj/machinery/door/poddoor/shutters{ id = "wreckerarmory"; - name = "security shutters" + name = "Security Shutters" }, /obj/effect/turf_decal/industrial/warning, /obj/effect/turf_decal/industrial/warning{ @@ -117,7 +117,7 @@ }, /obj/machinery/door/poddoor/shutters{ id = "wreckerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/storage) @@ -284,7 +284,7 @@ /obj/effect/decal/cleanable/dirt, /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/industrial/outline, /turf/open/floor/mineral/plastitanium, @@ -294,7 +294,7 @@ dir = 4 }, /obj/machinery/advanced_airlock_controller{ - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/borderfloor{ dir = 4 @@ -387,7 +387,6 @@ /turf/open/floor/carpet/black, /area/ship/bridge) "hy" = ( -/obj/structure/lattice, /obj/structure/sign/number/eight{ dir = 1 }, @@ -413,7 +412,7 @@ id = "wreckercargobay"; name = "cargo bay doors"; pixel_x = 10; - pixel_y = -24 + pixel_y = -25 }, /obj/item/gps/mining{ pixel_x = 9; @@ -549,7 +548,7 @@ /obj/effect/spawner/structure/window/plasma/reinforced/plastitanium, /obj/machinery/door/poddoor/shutters{ id = "wreckerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/storage) @@ -636,7 +635,7 @@ /obj/machinery/button/door{ id = "wreckerarmory"; name = "armory shutters"; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/industrial/outline, /turf/open/floor/mineral/plastitanium, @@ -663,7 +662,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/mono/dark, /area/ship/cargo) @@ -728,7 +727,7 @@ /obj/machinery/button/door{ id = "wreckerarmory"; name = "armory shutters"; - pixel_y = 24; + pixel_y = 25; req_one_access_txt = "list(19)" }, /obj/structure/cable{ @@ -798,7 +797,7 @@ /obj/effect/spawner/structure/window/plasma/reinforced/plastitanium, /obj/machinery/door/poddoor/shutters{ id = "wreckerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/bridge) @@ -819,7 +818,6 @@ /turf/open/floor/plasteel/tech, /area/ship/cargo) "oO" = ( -/obj/structure/lattice, /turf/closed/wall/mineral/plastitanium, /area/ship/maintenance/fore) "oR" = ( @@ -844,7 +842,7 @@ icon_state = "2-4" }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plating, /area/ship/maintenance/starboard) @@ -931,7 +929,7 @@ dir = 8; id = "wrecker_engine_stbd"; name = "thruster doors"; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/tech/techmaint, /area/ship/maintenance/starboard) @@ -979,7 +977,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/dark, /area/ship/bridge) @@ -1039,7 +1037,7 @@ /obj/structure/fans/tiny, /obj/machinery/door/poddoor{ id = "wreckercargobay"; - name = "cargo bay exterior blast door" + name = "Cargo Bay Exterior Blast Door" }, /obj/effect/turf_decal/industrial/warning/fulltile, /obj/effect/decal/cleanable/dirt/dust, @@ -1059,7 +1057,7 @@ /obj/effect/decal/cleanable/dirt, /obj/effect/turf_decal/industrial/warning/fulltile, /obj/machinery/door/airlock/hatch{ - name = "external airlock" + name = "External Airlock" }, /obj/effect/mapping_helpers/airlock/cyclelink_helper{ dir = 1 @@ -1127,7 +1125,7 @@ /obj/item/clothing/mask/gas/syndicate, /obj/machinery/light_switch{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/carpet/black, /area/ship/bridge) @@ -1152,7 +1150,7 @@ dir = 1 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/tech/grid, /area/ship/storage) @@ -1203,7 +1201,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/tech, /area/ship/hallway/central) @@ -1242,7 +1240,7 @@ /obj/machinery/button/door{ dir = 8; id = "wreckerwindows"; - name = "window shutters"; + name = "Window Shutters"; pixel_x = -5; pixel_y = 5 }, @@ -1671,7 +1669,7 @@ dir = 1; id = "wrecker_engine_port"; name = "thruster doors"; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/tech/grid, /area/ship/maintenance/port) @@ -1715,7 +1713,7 @@ pixel_x = -12 }, /obj/structure/mirror{ - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/mineral/plastitanium, /area/ship/crew/dorm) @@ -1763,7 +1761,7 @@ /obj/machinery/door/firedoor/border_only, /obj/machinery/door/poddoor/shutters{ id = "wreckerarmory"; - name = "security shutters" + name = "Security Shutters" }, /turf/open/floor/plasteel/tech/grid, /area/ship/security/armory) @@ -1830,7 +1828,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/mineral/plastitanium, /area/ship/crew/dorm) @@ -1883,7 +1881,7 @@ "Gm" = ( /obj/machinery/atmospherics/pipe/layer_manifold, /obj/machinery/door/airlock/hatch{ - name = "external airlock" + name = "External Airlock" }, /obj/effect/mapping_helpers/airlock/cyclelink_helper, /obj/docking_port/mobile{ @@ -1914,7 +1912,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/tech/grid, /area/ship/maintenance/port) @@ -1926,7 +1924,7 @@ dir = 1; id = "wreckercargobay"; name = "cargo bay doors"; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/light/floor, /turf/open/floor/plasteel/mono/dark, @@ -1992,7 +1990,7 @@ }, /obj/machinery/computer/cryopod{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/industrial/warning/full, /obj/effect/decal/cleanable/dirt/dust, @@ -2083,7 +2081,7 @@ /obj/structure/fans/tiny, /obj/machinery/door/poddoor{ id = "wreckercargobay"; - name = "cargo bay exterior blast door" + name = "Cargo Bay Exterior Blast Door" }, /obj/effect/turf_decal/industrial/warning/fulltile, /turf/open/floor/plating, @@ -2142,7 +2140,7 @@ "KA" = ( /obj/machinery/door/window/northleft{ dir = 2; - name = "captain's bunk" + name = "Captain's Bunk" }, /turf/open/floor/carpet/black, /area/ship/bridge) @@ -2197,7 +2195,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/door/poddoor/shutters{ id = "wreckerarmory"; - name = "security shutters" + name = "Security Shutters" }, /obj/effect/turf_decal/industrial/warning, /turf/open/floor/plasteel/tech/grid, @@ -2236,7 +2234,7 @@ "Lg" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/weightmachine/weightlifter, /obj/machinery/atmospherics/components/unary/vent_scrubber/on/layer4, @@ -2378,7 +2376,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/light_switch{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/dark, /area/ship/crew/dorm) @@ -2395,7 +2393,7 @@ "NN" = ( /obj/machinery/door/poddoor{ id = "wreckercargobay"; - name = "cargo bay exterior blast door" + name = "Cargo Bay Exterior Blast Door" }, /obj/structure/fans/tiny, /obj/effect/turf_decal/industrial/warning/fulltile, @@ -2497,7 +2495,7 @@ dir = 1; id = "wreckerarmory"; name = "armory shutters"; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/industrial/outline, /turf/open/floor/mineral/plastitanium, @@ -2529,7 +2527,7 @@ dir = 1; id = "wreckerarmory"; name = "armory shutters"; - pixel_y = -24; + pixel_y = -25; req_one_access_txt = "list(19)" }, /obj/structure/cable{ @@ -2568,7 +2566,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/door/poddoor/shutters{ id = "wreckerarmory"; - name = "security shutters" + name = "Security Shutters" }, /obj/effect/turf_decal/industrial/warning{ dir = 1 @@ -2603,7 +2601,7 @@ /obj/effect/spawner/structure/window/plasma/reinforced/plastitanium, /obj/machinery/door/poddoor/shutters{ id = "wreckerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/cargo/office) @@ -2638,7 +2636,6 @@ /turf/open/floor/plating, /area/ship/storage) "Rn" = ( -/obj/structure/lattice, /obj/machinery/porta_turret/centcom_shuttle/ballistic{ dir = 1; name = "ship turret"; @@ -2665,7 +2662,7 @@ /obj/effect/spawner/structure/window/plasma/reinforced/plastitanium, /obj/machinery/door/poddoor/shutters{ id = "wreckerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/crew/dorm) @@ -2785,7 +2782,6 @@ /turf/open/floor/plasteel/mono/dark, /area/ship/cargo) "TY" = ( -/obj/structure/lattice, /obj/structure/sign/number/four{ dir = 1 }, @@ -2972,7 +2968,7 @@ /obj/item/card/mining_access_card, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/item/tank/jetpack/suit, /obj/item/radio/headset/syndicate/alt, @@ -2999,7 +2995,7 @@ /obj/machinery/door/firedoor/border_only, /obj/machinery/door/poddoor/shutters{ id = "wreckerarmory"; - name = "security shutters" + name = "Security Shutters" }, /obj/effect/turf_decal/industrial/warning{ dir = 1 @@ -3154,7 +3150,6 @@ /turf/closed/wall/mineral/plastitanium/nodiagonal, /area/ship/maintenance/fore) "Yf" = ( -/obj/structure/lattice, /turf/closed/wall/mineral/plastitanium/nodiagonal, /area/ship/maintenance/fore) "Yv" = ( @@ -3193,7 +3188,7 @@ "YI" = ( /obj/machinery/door/poddoor/shutters{ id = "wreckerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/effect/spawner/structure/window/plasma/reinforced/plastitanium, /turf/open/floor/plating, @@ -3224,7 +3219,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/door/poddoor/shutters{ id = "wreckerarmory"; - name = "security shutters" + name = "Security Shutters" }, /obj/effect/turf_decal/industrial/warning, /turf/open/floor/plasteel/tech/grid, diff --git a/_maps/shuttles/shiptest/gun_dealer.dmm b/_maps/shuttles/shiptest/gun_dealer.dmm index bef053e365b6..fadd041417fe 100644 --- a/_maps/shuttles/shiptest/gun_dealer.dmm +++ b/_maps/shuttles/shiptest/gun_dealer.dmm @@ -12,7 +12,7 @@ "aT" = ( /obj/item/radio/intercom{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/table/reinforced, /obj/item/gun/ballistic/automatic/toy/pistol/unrestricted, @@ -48,7 +48,7 @@ "bX" = ( /obj/machinery/door/poddoor/preopen{ id = "traumawindows"; - name = "window blast door" + name = "Window Blast Door" }, /obj/effect/spawner/structure/window/reinforced, /turf/open/floor/plating, @@ -73,7 +73,7 @@ /obj/machinery/atmospherics/pipe/layer_manifold, /obj/machinery/door/poddoor/preopen{ id = "traumawindows"; - name = "window blast door" + name = "Window Blast Door" }, /obj/effect/spawner/structure/window/reinforced, /turf/open/floor/plating, @@ -102,7 +102,7 @@ }, /obj/machinery/door/poddoor/preopen{ id = "traumawindows"; - name = "window blast door" + name = "Window Blast Door" }, /turf/open/floor/plating, /area/ship/maintenance/port) @@ -118,7 +118,7 @@ dir = 9 }, /obj/machinery/computer/cryopod{ - pixel_y = -24; + pixel_y = -25; dir = 1 }, /obj/machinery/light/small{ @@ -187,11 +187,11 @@ "fn" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/closet/crate/secure/weapon, /obj/item/storage/box/lethalshot, @@ -212,7 +212,7 @@ /area/ship/maintenance/port) "fT" = ( /obj/item/radio/intercom{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/closet/secure_closet/security, /obj/item/gun/ballistic/shotgun/bulldog/unrestricted, @@ -299,7 +299,7 @@ /obj/effect/turf_decal/industrial/warning, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plating, /area/ship/maintenance/starboard) @@ -317,7 +317,7 @@ /obj/machinery/door/firedoor/border_only, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/suit_storage_unit, /obj/item/tank/internals/oxygen, @@ -401,7 +401,7 @@ "kH" = ( /obj/item/radio/intercom{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/power/terminal, /obj/structure/cable/yellow, @@ -513,7 +513,7 @@ "mP" = ( /obj/machinery/door/poddoor/preopen{ id = "traumawindows"; - name = "window blast door" + name = "Window Blast Door" }, /obj/effect/spawner/structure/window/reinforced, /turf/open/floor/plating, @@ -666,7 +666,7 @@ icon_state = "4-8" }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/dark, /area/ship/storage) @@ -713,7 +713,7 @@ /obj/item/flashlight/seclite, /obj/machinery/atmospherics/components/unary/vent_scrubber/on/layer4, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/item/clothing/head/helmet/sec, /obj/item/clothing/head/helmet/sec, @@ -790,14 +790,14 @@ /obj/item/kirbyplants/random, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/carpet/nanoweave/beige, /area/ship/hallway/aft) "tO" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/extinguisher_cabinet{ pixel_x = -32 @@ -845,7 +845,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/carpet/nanoweave, /area/ship/bridge) @@ -899,7 +899,7 @@ }, /obj/item/radio/intercom{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/door/firedoor/border_only, /obj/effect/turf_decal/industrial/hatch/red, @@ -1007,7 +1007,7 @@ }, /obj/machinery/firealarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/mono/dark, /area/ship/hallway/aft) @@ -1038,7 +1038,7 @@ /obj/machinery/recharger, /obj/machinery/firealarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/carpet/nanoweave, /area/ship/bridge) @@ -1177,7 +1177,7 @@ "FE" = ( /obj/machinery/firealarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/rack, /obj/item/gun/energy/e_gun, @@ -1196,7 +1196,7 @@ /obj/effect/turf_decal/industrial/warning, /obj/machinery/firealarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plating, /area/ship/maintenance/port) @@ -1329,7 +1329,7 @@ /obj/item/wrench/crescent, /obj/item/radio/intercom{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plating, /area/ship/maintenance/port) @@ -1343,7 +1343,7 @@ "JA" = ( /obj/machinery/door/poddoor/preopen{ id = "traumawindows"; - name = "window blast door" + name = "Window Blast Door" }, /obj/effect/spawner/structure/window/reinforced, /turf/open/floor/plating, @@ -1354,7 +1354,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/power/terminal, /obj/structure/cable, @@ -1366,7 +1366,7 @@ /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/carpet/nanoweave, /area/ship/crew) @@ -1412,7 +1412,7 @@ "KR" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/light{ dir = 4 @@ -1533,7 +1533,7 @@ /obj/machinery/light/small, /obj/item/radio/intercom{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/cell_charger, /turf/open/floor/carpet/nanoweave, @@ -1574,7 +1574,7 @@ }, /obj/machinery/door/poddoor/preopen{ id = "traumawindows"; - name = "window blast door" + name = "Window Blast Door" }, /turf/open/floor/plating, /area/ship/maintenance/port) @@ -1589,7 +1589,7 @@ }, /obj/machinery/door/poddoor/preopen{ id = "traumawindows"; - name = "window blast door" + name = "Window Blast Door" }, /turf/open/floor/plating, /area/ship/maintenance/starboard) @@ -1602,7 +1602,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/light, /turf/open/floor/plasteel/dark, @@ -1610,7 +1610,7 @@ "Po" = ( /obj/machinery/door/poddoor/preopen{ id = "traumawindows"; - name = "window blast door" + name = "Window Blast Door" }, /obj/effect/spawner/structure/window/reinforced, /turf/open/floor/plating, @@ -1625,7 +1625,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/trimline/orange/filled/line{ dir = 8 @@ -1664,7 +1664,7 @@ "PH" = ( /obj/machinery/door/poddoor/preopen{ id = "traumawindows"; - name = "window blast door" + name = "Window Blast Door" }, /obj/effect/spawner/structure/window/reinforced, /turf/open/floor/plating, @@ -1723,7 +1723,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/power/terminal, /obj/structure/cable, @@ -1792,7 +1792,7 @@ "SH" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/dark, /area/ship/security/range) @@ -1834,7 +1834,7 @@ /obj/structure/filingcabinet/medical, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/mono/dark, /area/ship/hallway/aft) @@ -1889,7 +1889,7 @@ }, /obj/machinery/firealarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/trimline/orange/filled/line{ dir = 4 @@ -1982,7 +1982,7 @@ "Vs" = ( /obj/item/radio/intercom/wideband{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ dir = 5 @@ -2005,7 +2005,7 @@ }, /obj/machinery/door/poddoor/preopen{ id = "traumawindows"; - name = "window blast door" + name = "Window Blast Door" }, /turf/open/floor/plating, /area/ship/maintenance/starboard) @@ -2097,7 +2097,7 @@ /obj/machinery/light/small, /obj/item/radio/intercom{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/carpet/nanoweave, /area/ship/bridge) @@ -2177,7 +2177,7 @@ /obj/machinery/vending/cola/random, /obj/machinery/firealarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/carpet/nanoweave/beige, /area/ship/hallway/aft) diff --git a/_maps/shuttles/shiptest/hightide.dmm b/_maps/shuttles/shiptest/hightide.dmm index ba839fbdc27d..a0954a7c45a7 100644 --- a/_maps/shuttles/shiptest/hightide.dmm +++ b/_maps/shuttles/shiptest/hightide.dmm @@ -277,7 +277,7 @@ /area/ship/cargo) "ko" = ( /obj/machinery/door/airlock/maintenance_hatch{ - name = "wrench storage" + name = "Wrench Storage" }, /obj/structure/cable{ icon_state = "4-8" @@ -394,7 +394,7 @@ "ob" = ( /obj/item/radio/intercom/wideband{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plating, /area/ship/maintenance/fore) diff --git a/_maps/shuttles/shiptest/independant_pill.dmm b/_maps/shuttles/shiptest/independant_pill.dmm index bd1ed0045177..2bedca346545 100644 --- a/_maps/shuttles/shiptest/independant_pill.dmm +++ b/_maps/shuttles/shiptest/independant_pill.dmm @@ -31,7 +31,7 @@ density = 0 }, /obj/machinery/power/apc/auto_name/west{ - pixel_x = -6 + pixel_x = -25 }, /obj/structure/window/reinforced/spawner{ dir = 8 diff --git a/_maps/shuttles/shiptest/independent_litieguai.dmm b/_maps/shuttles/shiptest/independent_litieguai.dmm index 8bdaf1fc4be1..87e385e1ee73 100644 --- a/_maps/shuttles/shiptest/independent_litieguai.dmm +++ b/_maps/shuttles/shiptest/independent_litieguai.dmm @@ -16,7 +16,7 @@ /obj/effect/turf_decal/industrial/outline/red, /obj/item/radio/intercom{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/suit_storage_unit/inherit, /turf/open/floor/plasteel, @@ -59,14 +59,14 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/preopen{ id = "traumawindows"; - name = "window blast door" + name = "Window Blast Door" }, /turf/open/floor/plating, /area/ship/bridge) "ck" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/sign/poster/retro/smile{ pixel_y = -32 @@ -116,7 +116,7 @@ /obj/machinery/atmospherics/pipe/layer_manifold, /obj/machinery/door/poddoor/preopen{ id = "traumawindows"; - name = "window blast door" + name = "Window Blast Door" }, /turf/open/floor/plating, /area/ship/maintenance/port) @@ -145,14 +145,14 @@ }, /obj/machinery/door/poddoor/preopen{ id = "traumawindows"; - name = "window blast door" + name = "Window Blast Door" }, /turf/open/floor/plating, /area/ship/maintenance/port) "ed" = ( /obj/machinery/atmospherics/components/unary/vent_scrubber/on/layer4, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/industrial/hatch/red, /obj/structure/frame/machine, @@ -167,7 +167,7 @@ dir = 9 }, /obj/machinery/computer/cryopod{ - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/light/small{ dir = 4 @@ -249,7 +249,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/showroomfloor, /area/ship/medical) @@ -259,7 +259,7 @@ "fT" = ( /obj/machinery/computer/operating, /obj/item/radio/intercom{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/industrial/hatch/red, /turf/open/floor/plasteel/showroomfloor, @@ -354,7 +354,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/showroomfloor, /area/ship/crew/toilet) @@ -414,7 +414,7 @@ "kH" = ( /obj/item/radio/intercom{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/power/terminal, /obj/structure/cable/yellow, @@ -686,7 +686,7 @@ pixel_x = 12 }, /obj/structure/mirror{ - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/firealarm{ dir = 1; @@ -737,7 +737,7 @@ /obj/item/flashlight/seclite, /obj/machinery/atmospherics/components/unary/vent_scrubber/on/layer4, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/item/clothing/head/helmet/sec, /obj/item/clothing/head/helmet/sec, @@ -819,7 +819,7 @@ /obj/item/kirbyplants/random, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel, /area/ship/hallway/aft) @@ -830,7 +830,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/item/clothing/glasses/hud/health, /obj/item/clothing/glasses/hud/health, @@ -882,7 +882,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/carpet/nanoweave, /area/ship/bridge) @@ -956,7 +956,7 @@ }, /obj/item/radio/intercom{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/door/firedoor/border_only, /obj/effect/turf_decal/industrial/hatch/red, @@ -1112,7 +1112,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/preopen{ id = "traumawindows"; - name = "window blast door" + name = "Window Blast Door" }, /turf/open/floor/plating, /area/ship/storage) @@ -1155,7 +1155,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/cable{ icon_state = "1-2" @@ -1405,7 +1405,7 @@ /obj/item/wrench/crescent, /obj/item/radio/intercom{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plating, /area/ship/maintenance/port) @@ -1420,7 +1420,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/preopen{ id = "traumawindows"; - name = "window blast door" + name = "Window Blast Door" }, /turf/open/floor/plating, /area/ship/medical) @@ -1434,7 +1434,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/power/terminal, /obj/structure/cable, @@ -1492,7 +1492,7 @@ /obj/item/reagent_containers/glass/beaker/large, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/closet/wall/white/chem{ dir = 1; @@ -1579,7 +1579,7 @@ /obj/machinery/light/small, /obj/item/radio/intercom{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/cell_charger, /turf/open/floor/plasteel/grimy, @@ -1628,7 +1628,7 @@ }, /obj/machinery/door/poddoor/preopen{ id = "traumawindows"; - name = "window blast door" + name = "Window Blast Door" }, /turf/open/floor/plating, /area/ship/maintenance/port) @@ -1643,7 +1643,7 @@ }, /obj/machinery/door/poddoor/preopen{ id = "traumawindows"; - name = "window blast door" + name = "Window Blast Door" }, /turf/open/floor/plating, /area/ship/maintenance/starboard) @@ -1696,7 +1696,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/preopen{ id = "traumawindows"; - name = "window blast door" + name = "Window Blast Door" }, /turf/open/floor/plating, /area/ship/crew) @@ -1755,7 +1755,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/power/terminal, /obj/structure/cable, @@ -1890,7 +1890,7 @@ /obj/structure/filingcabinet/medical, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/carpet/nanoweave/beige, /area/ship/medical) @@ -2054,7 +2054,7 @@ "Vs" = ( /obj/item/radio/intercom/wideband{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ dir = 5 @@ -2091,7 +2091,7 @@ }, /obj/machinery/door/poddoor/preopen{ id = "traumawindows"; - name = "window blast door" + name = "Window Blast Door" }, /turf/open/floor/plating, /area/ship/maintenance/starboard) @@ -2206,7 +2206,7 @@ /obj/machinery/light/small, /obj/item/radio/intercom{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/carpet/nanoweave, /area/ship/bridge) diff --git a/_maps/shuttles/shiptest/independent_rigger.dmm b/_maps/shuttles/shiptest/independent_rigger.dmm index 4ae8791369cb..550866b0b4a7 100644 --- a/_maps/shuttles/shiptest/independent_rigger.dmm +++ b/_maps/shuttles/shiptest/independent_rigger.dmm @@ -3,7 +3,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/plasma/reinforced/plastitanium, /turf/open/floor/plating, @@ -12,7 +12,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/plasma/reinforced/plastitanium, /obj/structure/curtain, @@ -67,7 +67,7 @@ /obj/item/paper_bin, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/table/wood, /obj/item/folder/red, @@ -82,14 +82,13 @@ "aN" = ( /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/grille, /obj/structure/window/plasma/reinforced/plastitanium, /turf/open/floor/plating, /area/ship/crew) "aT" = ( -/obj/structure/lattice, /turf/closed/wall/mineral/plastitanium, /area/ship/construction) "bc" = ( @@ -102,7 +101,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/plasma/reinforced/plastitanium, /turf/open/floor/plating, @@ -326,7 +325,7 @@ "eK" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/industrial/outline/yellow, /turf/open/floor/plating, @@ -341,7 +340,7 @@ /obj/structure/window/plasma/reinforced/plastitanium, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/machinery/atmospherics/pipe/layer_manifold{ dir = 4 @@ -439,7 +438,7 @@ "fy" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/light/small, /turf/open/floor/plasteel/tech/techmaint, @@ -584,7 +583,7 @@ }, /obj/machinery/light_switch{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/grimy, /area/ship/crew) @@ -592,7 +591,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/plasma/reinforced/plastitanium, /turf/open/floor/plating, @@ -632,7 +631,7 @@ /obj/structure/table, /obj/machinery/microwave, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/yellow/diagonal, /obj/structure/sign/poster/official/random{ @@ -643,7 +642,7 @@ "iH" = ( /obj/structure/closet/crate, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/item/circuitboard/machine/circuit_imprinter, /obj/effect/spawner/lootdrop/maintenance/three, @@ -746,7 +745,7 @@ }, /obj/machinery/door/poddoor{ id = "riggerwindows"; - name = "thruster blast door" + name = "Thruster Blast Door" }, /turf/open/floor/plating, /area/ship/maintenance/port) @@ -988,7 +987,7 @@ "lT" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/closet/crate/bin, /obj/effect/turf_decal/industrial/outline/yellow, @@ -1061,7 +1060,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/plasma/reinforced/plastitanium, /turf/open/floor/plating, @@ -1212,7 +1211,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/light/small{ dir = 8 @@ -1231,7 +1230,7 @@ dir = 1 }, /obj/machinery/door/window/southright{ - name = "Science Officer's desk" + name = "Science Officer's Desk" }, /obj/machinery/autolathe, /turf/open/floor/plasteel/tech, @@ -1288,7 +1287,7 @@ dir = 4; id = "riggerdoors"; name = "Blast Door Control"; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/tech/techmaint, /area/ship/cargo) @@ -1401,7 +1400,7 @@ /area/ship/engineering) "rJ" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/reagent_dispensers/watertank/high, /turf/open/floor/plating, @@ -1498,7 +1497,7 @@ "sT" = ( /obj/machinery/door/poddoor{ id = "riggerdoors"; - name = "mech bay blast door" + name = "Mech Bay Blast Door" }, /obj/structure/fans/tiny, /turf/open/floor/engine/hull/interior, @@ -1524,7 +1523,7 @@ /area/ship/crew) "tr" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/components/unary/vent_pump/on/layer2, /obj/structure/chair, @@ -1535,7 +1534,7 @@ dir = 1 }, /obj/machinery/advanced_airlock_controller{ - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ dir = 5 @@ -1589,7 +1588,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/dark, /area/ship/security) @@ -1611,7 +1610,7 @@ }, /obj/machinery/door/poddoor{ id = "riggerwindows"; - name = "thruster blast door" + name = "Thruster Blast Door" }, /turf/open/floor/plating, /area/ship/maintenance/port) @@ -1689,7 +1688,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/plasma/reinforced/plastitanium, /turf/open/floor/plating, @@ -1832,7 +1831,7 @@ }, /obj/machinery/door/poddoor{ id = "riggerwindows"; - name = "thruster blast door" + name = "Thruster Blast Door" }, /turf/open/floor/plating, /area/ship/maintenance/starboard) @@ -2006,7 +2005,7 @@ "yo" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/industrial/outline/yellow, /turf/open/floor/plating, @@ -2054,7 +2053,7 @@ }, /obj/machinery/door/poddoor{ id = "riggerwindows"; - name = "thruster blast door" + name = "Thruster Blast Door" }, /turf/open/floor/plating, /area/ship/maintenance/starboard) @@ -2079,7 +2078,7 @@ }, /obj/machinery/door/poddoor{ id = "riggerwindows"; - name = "thruster blast door" + name = "Thruster Blast Door" }, /turf/open/floor/plating, /area/ship/maintenance/starboard) @@ -2121,7 +2120,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/plasma/reinforced/plastitanium, /turf/open/floor/plating, @@ -2132,7 +2131,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2, @@ -2334,7 +2333,6 @@ /turf/open/floor/plasteel/white, /area/ship/crew/canteen) "Ce" = ( -/obj/structure/lattice, /turf/closed/wall/mineral/plastitanium, /area/ship/crew) "Cn" = ( @@ -2484,7 +2482,7 @@ }, /obj/machinery/computer/cryopod{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/industrial/warning{ dir = 5 @@ -2530,7 +2528,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, /obj/machinery/atmospherics/pipe/manifold/supply/hidden/layer2{ @@ -2592,7 +2590,7 @@ /obj/structure/catwalk/over, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plating, /area/ship/engineering) @@ -2647,7 +2645,7 @@ "Fe" = ( /obj/structure/table/reinforced, /obj/machinery/door/window/southleft{ - name = "First Mate's desk"; + name = "First Mate's Desk"; req_access_txt = "16" }, /obj/machinery/atmospherics/components/unary/vent_scrubber/on/layer4{ @@ -2901,7 +2899,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/plasma/reinforced/plastitanium, /turf/open/floor/plating, @@ -3020,7 +3018,7 @@ /obj/effect/turf_decal/corner/white/mono, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/green/border{ dir = 10 @@ -3128,7 +3126,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/plasma/reinforced/plastitanium, /turf/open/floor/plating, @@ -3291,7 +3289,7 @@ }, /obj/machinery/light_switch{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/dark, /area/ship/medical) @@ -3306,7 +3304,7 @@ dir = 1 }, /obj/machinery/door/window/southleft{ - name = "Science Officer's desk" + name = "Science Officer's Desk" }, /obj/item/clipboard, /obj/item/stamp/rd{ @@ -3440,7 +3438,7 @@ }, /obj/machinery/light_switch{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/carpet/blue, /area/ship/bridge) @@ -3456,7 +3454,7 @@ /obj/structure/filingcabinet/medical, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/borderfloor{ dir = 6 @@ -3502,7 +3500,7 @@ dir = 10 }, /obj/machinery/light_switch{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/grimy, /area/ship/security) @@ -3511,14 +3509,14 @@ dir = 4; id = "riggerdoors"; name = "Blast Door Control"; - pixel_x = -24; + pixel_x = -25; pixel_y = 5 }, /obj/machinery/button/door{ dir = 4; id = "riggerwindows"; name = "Window Lockdown"; - pixel_x = -24; + pixel_x = -25; pixel_y = -5 }, /obj/machinery/light{ @@ -3583,7 +3581,7 @@ }, /obj/machinery/door/poddoor{ id = "riggerwindows"; - name = "thruster blast door" + name = "Thruster Blast Door" }, /turf/open/floor/plating, /area/ship/maintenance/port) @@ -3594,7 +3592,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/plasma/reinforced/plastitanium, /turf/open/floor/plating, @@ -3669,7 +3667,7 @@ /obj/machinery/power/apc/auto_name/west, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/closet/emcloset, /obj/effect/turf_decal/industrial/outline/yellow, @@ -3702,7 +3700,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/plasma/reinforced/plastitanium, /turf/open/floor/plating, @@ -3719,7 +3717,7 @@ "RO" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/pipe/simple/green/visible{ dir = 10 @@ -3762,7 +3760,7 @@ /obj/machinery/washing_machine, /obj/machinery/light_switch{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/patterned, /area/ship/crew) @@ -3878,7 +3876,7 @@ "TH" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/light, /obj/structure/chair{ @@ -3915,7 +3913,7 @@ /area/ship/maintenance/starboard) "TS" = ( /obj/structure/mirror{ - pixel_x = 24 + pixel_x = 25 }, /obj/structure/sink{ dir = 8; @@ -3924,7 +3922,7 @@ /obj/machinery/light/small, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/patterned, /area/ship/crew) @@ -3964,7 +3962,7 @@ /obj/structure/window/plasma/reinforced/plastitanium, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/grille, /turf/open/floor/plating, @@ -4014,7 +4012,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/engineering) @@ -4058,7 +4056,7 @@ "VF" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/closet/emcloset, /obj/machinery/light/small{ @@ -4089,7 +4087,7 @@ /obj/structure/window/plasma/reinforced/plastitanium, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/grille, /turf/open/floor/plating, @@ -4210,7 +4208,7 @@ /obj/effect/turf_decal/industrial/loading, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/ore_box, /turf/open/floor/plasteel/tech/techmaint, @@ -4344,7 +4342,7 @@ /area/ship/engineering/atmospherics) "Yc" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable{ icon_state = "4-8" @@ -4477,7 +4475,7 @@ /obj/structure/table/glass, /obj/effect/turf_decal/borderfloor/cee, /obj/machinery/defibrillator_mount/loaded{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/dark, /area/ship/medical) diff --git a/_maps/shuttles/shiptest/inteq_colossus.dmm b/_maps/shuttles/shiptest/inteq_colossus.dmm index 17299f0b3642..e64df40c0b6d 100644 --- a/_maps/shuttles/shiptest/inteq_colossus.dmm +++ b/_maps/shuttles/shiptest/inteq_colossus.dmm @@ -72,7 +72,7 @@ icon_state = "0-4" }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/tech/grid, /area/ship/crew/cryo) @@ -296,7 +296,7 @@ }, /obj/machinery/door/poddoor{ id = "colossus_windows"; - name = "window shield" + name = "Window Shield" }, /turf/open/floor/plating, /area/ship/crew) @@ -445,11 +445,11 @@ /obj/structure/catwalk/over/plated_catwalk/dark, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plating, /area/ship/engineering) @@ -598,7 +598,7 @@ /area/ship/crew/office) "gm" = ( /obj/machinery/computer/cryopod{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/catwalk/over/plated_catwalk, /obj/structure/cable{ @@ -864,7 +864,7 @@ id = "colossus_thrusters"; name = "Thruster Shield Control"; pixel_x = -6; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner_techfloor_gray{ dir = 4 @@ -891,7 +891,7 @@ /obj/item/clothing/suit/space/hardsuit/security/independent/inteq, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/trimline/yellow/line{ dir = 8 @@ -1058,7 +1058,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/patterned/grid, /area/ship/hallway/central) @@ -1075,7 +1075,7 @@ /obj/effect/spawner/structure/window/plasma/reinforced/plastitanium, /obj/machinery/door/poddoor{ id = "colossus_windows"; - name = "window shield" + name = "Window Shield" }, /turf/open/floor/plating, /area/ship/crew/office) @@ -1181,7 +1181,7 @@ /obj/structure/curtain/bounty, /obj/item/bedsheet/brown, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/carpet/black, /area/ship/crew) @@ -1258,7 +1258,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/patterned, /area/ship/cargo) @@ -1318,13 +1318,13 @@ id = "colossus_starboard"; name = "Starboard Cargo Door Control"; pixel_x = 6; - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/button/door{ id = "colossus_port"; name = "Port Cargo Door Control"; pixel_x = -6; - pixel_y = 24 + pixel_y = 25 }, /obj/item/storage/fancy/cigarettes/cigars/havana, /obj/item/lighter{ @@ -1530,7 +1530,7 @@ }, /obj/machinery/door/poddoor{ id = "colossus_windows"; - name = "window shield" + name = "Window Shield" }, /turf/open/floor/plating, /area/ship/hallway/fore) @@ -1576,7 +1576,7 @@ dir = 8 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/dark, /area/ship/bridge) @@ -1680,7 +1680,7 @@ id = "colossus_thrusters"; name = "Thruster Shield Control"; pixel_x = -6; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plating, /area/ship/maintenance/starboard) @@ -1883,7 +1883,7 @@ }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, /obj/machinery/advanced_airlock_controller{ - pixel_x = 24; + pixel_x = 25; req_access = null }, /obj/item/radio/intercom{ @@ -1986,7 +1986,7 @@ /obj/structure/reagent_dispensers/fueltank, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/firealarm{ pixel_y = 28 @@ -1998,7 +1998,7 @@ /obj/structure/cable, /obj/machinery/door/poddoor{ id = "colossus_windows"; - name = "window shield" + name = "Window Shield" }, /turf/open/floor/plating, /area/ship/crew) @@ -2117,7 +2117,7 @@ }, /obj/machinery/door/poddoor{ id = "colossus_windows"; - name = "window shield" + name = "Window Shield" }, /turf/open/floor/plating, /area/ship/crew/office) @@ -2125,11 +2125,11 @@ /obj/structure/closet/crate/trashcart, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/spawner/lootdrop/spacegym, /obj/effect/spawner/lootdrop/spacegym, @@ -2492,7 +2492,7 @@ id = "colossus_windows"; name = "Window Lockdown"; pixel_x = -6; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/decal/cleanable/dirt/dust, /turf/open/floor/plasteel/dark, @@ -2590,7 +2590,7 @@ id = "colossus_port"; name = "Port Cargo Door Control"; pixel_x = 6; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/industrial/caution, /obj/structure/ore_box, @@ -2715,7 +2715,7 @@ id = "colossus_port"; name = "Port Cargo Door Control"; pixel_x = -6; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/industrial/caution, /turf/open/floor/plasteel/patterned/cargo_one, @@ -3099,7 +3099,7 @@ }, /obj/machinery/door/poddoor{ id = "colossus_windows"; - name = "window shield" + name = "Window Shield" }, /turf/open/floor/plating, /area/ship/bridge) @@ -3327,7 +3327,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/patterned, /area/ship/crew/toilet) @@ -3365,7 +3365,7 @@ /obj/effect/turf_decal/siding/thinplating, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/patterned/grid, /area/ship/hallway/fore) @@ -3419,7 +3419,7 @@ id = "colossus_starboard"; name = "Starboard Cargo Door Control"; pixel_x = -6; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/industrial/caution{ dir = 1 @@ -3540,7 +3540,7 @@ /obj/machinery/light, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/dark, /area/ship/crew/office) @@ -3637,7 +3637,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/dark, /area/ship/crew/office) @@ -3787,7 +3787,7 @@ /obj/structure/cable, /obj/machinery/door/poddoor{ id = "colossus_windows"; - name = "window shield" + name = "Window Shield" }, /turf/open/floor/plating, /area/ship/crew/cryo) @@ -4005,7 +4005,7 @@ }, /obj/machinery/door/poddoor{ id = "colossus_windows"; - name = "window shield" + name = "Window Shield" }, /turf/open/floor/plating, /area/ship/bridge) @@ -4090,7 +4090,7 @@ id = "colossus_starboard"; name = "Starboard Cargo Door Control"; pixel_x = 6; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/industrial/caution{ dir = 1 @@ -4152,7 +4152,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/door/firedoor/border_only{ dir = 1 @@ -4167,7 +4167,7 @@ /obj/effect/turf_decal/siding/thinplating, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/door/firedoor/border_only{ dir = 4 @@ -4304,7 +4304,7 @@ }, /obj/machinery/door/poddoor{ id = "colossus_windows"; - name = "window shield" + name = "Window Shield" }, /turf/open/floor/plating, /area/ship/engineering) diff --git a/_maps/shuttles/shiptest/isv_roberts.dmm b/_maps/shuttles/shiptest/isv_roberts.dmm index de4522e09727..2bf20e5e6b69 100644 --- a/_maps/shuttles/shiptest/isv_roberts.dmm +++ b/_maps/shuttles/shiptest/isv_roberts.dmm @@ -143,7 +143,7 @@ /obj/structure/fans/tiny, /obj/machinery/door/poddoor{ id = "tidedoors"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /turf/open/floor/plating, /area/ship/cargo) @@ -196,7 +196,7 @@ /obj/machinery/button/door{ id = "tidedoors"; name = "Blast Door Control"; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/suit_storage_unit/independent/engineering, /turf/open/floor/plating, @@ -629,7 +629,7 @@ /obj/structure/fans/tiny, /obj/machinery/door/poddoor{ id = "tidedoors"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /obj/effect/decal/cleanable/glass, /turf/open/floor/plating, @@ -664,7 +664,7 @@ list_reagents = list(/datum/reagent/consumable/ethanol/vodka = 100) }, /obj/machinery/computer/cryopod{ - pixel_y = 24 + pixel_y = 25 }, /obj/item/areaeditor/shuttle, /turf/open/floor/plating, diff --git a/_maps/shuttles/shiptest/lamia.dmm b/_maps/shuttles/shiptest/lamia.dmm index a62c486e12fd..6c3c6212cb42 100644 --- a/_maps/shuttles/shiptest/lamia.dmm +++ b/_maps/shuttles/shiptest/lamia.dmm @@ -1745,7 +1745,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/directional/east, /obj/structure/sink{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/wood, /area/ship/crew/canteen/kitchen) diff --git a/_maps/shuttles/shiptest/masinyane.dmm b/_maps/shuttles/shiptest/masinyane.dmm index 127ac8c3d8af..1c1268ab52f7 100644 --- a/_maps/shuttles/shiptest/masinyane.dmm +++ b/_maps/shuttles/shiptest/masinyane.dmm @@ -34,7 +34,7 @@ }, /obj/machinery/computer/cryopod{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/light{ dir = 8 @@ -79,7 +79,7 @@ dir = 8; id = "masi_engi"; name = "engine emergency shielding"; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plating, /area/ship/engineering) @@ -97,7 +97,7 @@ dir = 8; id = "masi_engi"; name = "engine emergency shielding"; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plating, /area/ship/engineering) @@ -128,7 +128,7 @@ }, /obj/machinery/door/firedoor/border_only, /obj/machinery/door/airlock/external/glass{ - name = "internal airlock" + name = "Internal Airlock" }, /turf/open/floor/plating, /area/ship/engineering) @@ -146,7 +146,7 @@ }, /obj/effect/mapping_helpers/airlock/locked, /obj/machinery/door/airlock/hatch{ - name = "external maintenance hatch" + name = "External Maintenance Hatch" }, /turf/open/floor/plating, /area/ship/engineering) @@ -193,7 +193,7 @@ }, /obj/machinery/door/poddoor{ id = "masinyane_blastdoors"; - name = "masinyane entrance doors" + name = "Masinyane Entrance Doors" }, /turf/open/floor/plasteel/tech, /area/ship/bridge) @@ -271,7 +271,7 @@ }, /obj/machinery/door/poddoor/preopen{ id = "masi_engi"; - name = "emergency engine shielding" + name = "Emergency Engine Shielding" }, /obj/structure/cable{ icon_state = "0-8" @@ -315,7 +315,7 @@ }, /obj/machinery/door/firedoor/border_only, /obj/machinery/door/airlock/external/glass{ - name = "internal airlock" + name = "Internal Airlock" }, /turf/open/floor/plasteel/tech, /area/ship/bridge) @@ -428,7 +428,7 @@ /obj/machinery/button/door{ id = "masinyane_windowshield"; name = "shutters"; - pixel_x = 24; + pixel_x = 25; pixel_y = 30 }, /obj/item/radio/intercom{ @@ -447,7 +447,7 @@ dir = 8 }, /obj/machinery/door/airlock/hatch{ - name = "thruster maintenance" + name = "Thruster Maintenance" }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4{ dir = 4 @@ -471,7 +471,7 @@ }, /obj/machinery/door/poddoor{ id = "masinyane_blastdoors"; - name = "masinyane entrance doors" + name = "Masinyane Entrance Doors" }, /turf/open/floor/plasteel/tech, /area/ship/bridge) @@ -529,7 +529,7 @@ /obj/effect/spawner/structure/window/plasma/reinforced/plastitanium, /obj/machinery/door/poddoor{ id = "masinyane_windowshield"; - name = "Cockpit Emergency Blast door" + name = "Cockpit Emergency Blast Door" }, /turf/open/floor/plating, /area/ship/bridge) @@ -543,7 +543,7 @@ /obj/machinery/door/firedoor/border_only, /obj/machinery/atmospherics/pipe/layer_manifold/visible, /obj/machinery/door/airlock/external/glass{ - name = "internal airlock" + name = "Internal Airlock" }, /turf/open/floor/plating, /area/ship/engineering) @@ -720,7 +720,7 @@ /obj/machinery/airalarm/all_access{ dir = 8; name = "air filtration controller"; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/dark, /area/ship/bridge) diff --git a/_maps/shuttles/shiptest/metis.dmm b/_maps/shuttles/shiptest/metis.dmm index fdee43117788..399d81427d9d 100644 --- a/_maps/shuttles/shiptest/metis.dmm +++ b/_maps/shuttles/shiptest/metis.dmm @@ -15,7 +15,7 @@ /obj/structure/table/reinforced, /obj/machinery/button/door{ id = "foreshutter"; - name = "window shutters" + name = "Window Shutters" }, /turf/open/floor/mineral/titanium/tiled/blue, /area/ship/bridge) @@ -3668,7 +3668,7 @@ /obj/structure/AIcore, /obj/item/mmi/posibrain, /obj/machinery/turretid{ - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/circuit/green, /area/ship/science/ai_chamber) @@ -4128,7 +4128,7 @@ pixel_y = 27 }, /obj/machinery/button/flasher{ - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/door/window/brigdoor/southleft{ dir = 8 diff --git a/_maps/shuttles/shiptest/mining_ship_all.dmm b/_maps/shuttles/shiptest/mining_ship_all.dmm index 8ef0de579c9f..aa0696a1acf4 100644 --- a/_maps/shuttles/shiptest/mining_ship_all.dmm +++ b/_maps/shuttles/shiptest/mining_ship_all.dmm @@ -1394,8 +1394,8 @@ }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2, /obj/machinery/light_switch{ - pixel_x = 24; - pixel_y = -24 + pixel_x = 25; + pixel_y = -25 }, /obj/effect/turf_decal/corner/white/mono, /obj/effect/turf_decal/corner/blue/border, @@ -1816,8 +1816,8 @@ }, /obj/effect/turf_decal/corner/yellow, /obj/machinery/light_switch{ - pixel_x = 24; - pixel_y = -24 + pixel_x = 25; + pixel_y = -25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ dir = 8 @@ -2015,8 +2015,8 @@ icon_state = "1-2" }, /obj/machinery/light_switch{ - pixel_x = -24; - pixel_y = -24 + pixel_x = -25; + pixel_y = -25 }, /obj/effect/turf_decal/techfloor{ dir = 10 @@ -2131,8 +2131,8 @@ }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, /obj/machinery/light_switch{ - pixel_x = -24; - pixel_y = 24 + pixel_x = -25; + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ dir = 9 diff --git a/_maps/shuttles/shiptest/minutemen_carina.dmm b/_maps/shuttles/shiptest/minutemen_carina.dmm index 8f4a813bb109..786dab33b8bc 100644 --- a/_maps/shuttles/shiptest/minutemen_carina.dmm +++ b/_maps/shuttles/shiptest/minutemen_carina.dmm @@ -88,7 +88,7 @@ /obj/structure/fans/tiny, /obj/machinery/door/poddoor{ id = "space_cops_bay"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/engine/hull, @@ -153,7 +153,7 @@ /obj/machinery/washing_machine, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/light/small, /obj/effect/decal/cleanable/dirt, @@ -182,7 +182,7 @@ /area/ship/external) "cB" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/components/unary/vent_scrubber/on/layer4, /obj/effect/turf_decal/industrial/outline/yellow, @@ -214,7 +214,7 @@ "da" = ( /obj/machinery/door/poddoor{ id = "space_cops_port_launcher"; - name = "port mass driver blast door" + name = "Port Mass Driver Blast Door" }, /obj/structure/fans/tiny, /turf/open/floor/plating, @@ -233,7 +233,7 @@ /obj/machinery/door/firedoor/window, /obj/machinery/door/poddoor/shutters{ id = "space_cops_windows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/effect/spawner/structure/window/plasma/reinforced/plastitanium, /turf/open/floor/plating, @@ -250,7 +250,7 @@ pixel_x = 32 }, /obj/machinery/advanced_airlock_controller{ - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plasteel/patterned/ridged, @@ -510,7 +510,7 @@ /obj/item/ammo_box/magazine/m45/rubbershot, /obj/item/ammo_box/magazine/m45/rubbershot, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/red{ dir = 1 @@ -648,7 +648,7 @@ /obj/machinery/door/firedoor/window, /obj/machinery/door/poddoor/shutters{ id = "space_cops_windows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/hallway/starboard) @@ -769,7 +769,7 @@ }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/tech, /area/ship/security/prison) @@ -873,7 +873,7 @@ /obj/machinery/door/firedoor/window, /obj/machinery/door/poddoor/shutters{ id = "space_cops_windows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/effect/spawner/structure/window/plasma/reinforced/plastitanium, /turf/open/floor/plating, @@ -1110,7 +1110,7 @@ }, /obj/machinery/atmospherics/pipe/simple/green/hidden/layer4, /obj/structure/mirror{ - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/patterned, /area/ship/crew) @@ -1257,7 +1257,7 @@ /obj/machinery/door/firedoor/window, /obj/machinery/door/poddoor/shutters{ id = "space_cops_windows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/effect/spawner/structure/window/plasma/reinforced/plastitanium, /turf/open/floor/plating, @@ -1294,7 +1294,7 @@ /obj/machinery/door/firedoor/window, /obj/machinery/door/poddoor/shutters{ id = "space_cops_windows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/hallway/port) @@ -1376,7 +1376,7 @@ "qw" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/patterned, /area/ship/security) @@ -1865,7 +1865,7 @@ /obj/machinery/door/firedoor/window, /obj/machinery/door/poddoor/shutters{ id = "space_cops_windows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/effect/spawner/structure/window/plasma/reinforced/plastitanium, /turf/open/floor/plating, @@ -2033,7 +2033,7 @@ id = "space_cops_port_launcher"; name = "port mass driver button"; pixel_x = 7; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/turf_decal/industrial/loading{ @@ -2139,7 +2139,7 @@ /area/ship/crew) "ym" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/light{ dir = 1 @@ -2217,7 +2217,7 @@ /obj/structure/table, /obj/machinery/microwave, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/mono, /area/ship/crew) @@ -2288,7 +2288,7 @@ }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/landmark/start/assistant, /turf/open/floor/carpet/nanoweave, @@ -2303,7 +2303,7 @@ id = "space_cops_starboard_launcher"; name = "starboard mass driver button"; pixel_x = 7; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/turf_decal/industrial/loading{ @@ -2340,7 +2340,7 @@ dir = 4 }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel, /area/ship/hallway/port) @@ -2360,7 +2360,7 @@ pixel_x = 32 }, /obj/machinery/advanced_airlock_controller{ - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/patterned/ridged, /area/ship/hallway/starboard) @@ -2399,7 +2399,7 @@ }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel, /area/ship/hallway/starboard) @@ -2534,7 +2534,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/light, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4{ @@ -2612,7 +2612,7 @@ /area/ship/hallway/starboard) "DT" = ( /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/sign/warning/nosmoking{ pixel_x = 32 @@ -2714,7 +2714,7 @@ /obj/machinery/door/firedoor/window, /obj/machinery/door/poddoor/shutters{ id = "space_cops_windows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/effect/spawner/structure/window/plasma/reinforced/plastitanium, /turf/open/floor/plating, @@ -3016,7 +3016,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel, /area/ship/hallway/central) @@ -3255,8 +3255,8 @@ /obj/machinery/button/door{ id = "space_cops_warden"; name = "Desk Shutter"; - pixel_x = 24; - pixel_y = -24 + pixel_x = 25; + pixel_y = -25 }, /obj/effect/turf_decal/corner/red, /obj/effect/turf_decal/corner/red{ @@ -3376,7 +3376,7 @@ /obj/effect/turf_decal/industrial/loading, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel, /area/ship/medical) @@ -3507,7 +3507,7 @@ "Ql" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/components/unary/vent_scrubber/on/layer4{ dir = 1 @@ -3521,7 +3521,7 @@ "Qu" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/bed, /obj/item/bedsheet/blue, @@ -3545,7 +3545,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/techfloor/orange/corner{ dir = 4 @@ -3663,7 +3663,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4{ dir = 4 @@ -3737,7 +3737,7 @@ "St" = ( /obj/machinery/door/poddoor{ id = "space_cops_starboard_launcher"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /obj/structure/fans/tiny, /turf/open/floor/plating, @@ -3962,7 +3962,7 @@ "Ur" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/patterned, /area/ship/cargo) @@ -4122,7 +4122,7 @@ /obj/machinery/door/firedoor/window, /obj/machinery/door/poddoor/shutters{ id = "space_cops_windows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/effect/spawner/structure/window/plasma/reinforced/plastitanium, /turf/open/floor/plating, @@ -4155,7 +4155,7 @@ /obj/machinery/button/door{ id = "space_cops_bay"; name = "Cargo Bay Doors"; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/industrial/traffic{ dir = 8 @@ -4171,7 +4171,7 @@ "Xm" = ( /obj/machinery/door/poddoor{ id = "space_cops_bay"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /obj/structure/fans/tiny, /obj/effect/decal/cleanable/dirt, @@ -4354,7 +4354,7 @@ "ZK" = ( /obj/machinery/flasher{ id = "Cell 1"; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/grey/diagonal, /obj/effect/decal/cleanable/dirt, diff --git a/_maps/shuttles/shiptest/nanotrasen_gecko.dmm b/_maps/shuttles/shiptest/nanotrasen_gecko.dmm index c37f96830238..4574c64eaf38 100644 --- a/_maps/shuttles/shiptest/nanotrasen_gecko.dmm +++ b/_maps/shuttles/shiptest/nanotrasen_gecko.dmm @@ -4550,7 +4550,7 @@ "Vu" = ( /obj/machinery/door/poddoor{ id = "gecko_engine_vent"; - name = "combustion chamber vent" + name = "Combustion Chamber Vent" }, /turf/open/floor/engine, /area/ship/engineering/incinerator) diff --git a/_maps/shuttles/shiptest/nanotrasen_goon.dmm b/_maps/shuttles/shiptest/nanotrasen_goon.dmm index 7cac303f1a4a..89736a6818c6 100644 --- a/_maps/shuttles/shiptest/nanotrasen_goon.dmm +++ b/_maps/shuttles/shiptest/nanotrasen_goon.dmm @@ -808,7 +808,7 @@ "Rw" = ( /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/mineral/titanium, /area/ship/crew) diff --git a/_maps/shuttles/shiptest/nanotrasen_powerrangers.dmm b/_maps/shuttles/shiptest/nanotrasen_powerrangers.dmm index 093c9b4989a6..16391e781d44 100644 --- a/_maps/shuttles/shiptest/nanotrasen_powerrangers.dmm +++ b/_maps/shuttles/shiptest/nanotrasen_powerrangers.dmm @@ -95,7 +95,7 @@ dir = 4 }, /obj/machinery/door/poddoor/shutters/preopen{ - name = "commissioner's shutters"; + name = "Commissioner's Shutters"; id = "commshut" }, /turf/open/floor/plasteel/dark, @@ -1954,7 +1954,7 @@ }, /obj/machinery/door/airlock/command/glass/lp/commissioner, /obj/machinery/door/poddoor/shutters/preopen{ - name = "commissioner's shutters"; + name = "Commissioner's Shutters"; id = "commshut" }, /turf/open/floor/plasteel/dark, @@ -2051,7 +2051,7 @@ /obj/effect/spawner/structure/window/reinforced, /obj/machinery/door/poddoor/shutters/preopen{ id = "outerouter"; - name = "outer aft shutters" + name = "Outer Aft Shutters" }, /turf/open/floor/plasteel/dark, /area/ship/bridge) @@ -2446,7 +2446,7 @@ /obj/effect/spawner/structure/window/reinforced, /obj/machinery/atmospherics/pipe/layer_manifold/visible, /obj/machinery/door/poddoor/shutters/preopen{ - name = "inner aft shutters"; + name = "Inner Aft Shutters"; id = "outerinner" }, /turf/open/floor/plasteel/dark, @@ -2503,7 +2503,7 @@ }, /obj/machinery/door/airlock/command/glass/lp/bridge, /obj/machinery/door/poddoor/shutters/preopen{ - name = "inner fore shutters"; + name = "Inner Fore Shutters"; id = "innerinner" }, /turf/open/floor/plasteel/dark, @@ -2910,7 +2910,7 @@ }, /obj/machinery/door/airlock/external, /obj/machinery/door/poddoor/shutters/preopen{ - name = "inner aft shutters"; + name = "Inner Aft Shutters"; id = "outerinner" }, /turf/open/floor/plasteel/dark, @@ -2978,7 +2978,7 @@ /obj/effect/spawner/structure/window/reinforced, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, /obj/machinery/door/poddoor/shutters/preopen{ - name = "inner aft shutters"; + name = "Inner Aft Shutters"; id = "outerinner" }, /turf/open/floor/plasteel/dark, @@ -3334,7 +3334,7 @@ /obj/machinery/door/airlock/command/glass/lp/bridge, /obj/machinery/door/poddoor/shutters/preopen{ id = "innerouter"; - name = "outer port shutters" + name = "Outer Port Shutters" }, /turf/open/floor/plasteel/dark, /area/ship/bridge) @@ -3386,7 +3386,7 @@ "HS" = ( /obj/effect/spawner/structure/window/reinforced, /obj/machinery/door/poddoor/shutters/preopen{ - name = "commissioner's shutters"; + name = "Commissioner's Shutters"; id = "commshut" }, /turf/open/floor/plating, @@ -4718,7 +4718,7 @@ /obj/machinery/door/airlock/external, /obj/machinery/door/poddoor/shutters/preopen{ id = "outerouter"; - name = "outer aft shutters" + name = "Outer Aft Shutters" }, /turf/open/floor/plasteel/dark, /area/ship/bridge) @@ -4953,7 +4953,7 @@ /obj/effect/spawner/structure/window/reinforced, /obj/machinery/door/poddoor/shutters/preopen{ id = "innerouter"; - name = "outer port shutters" + name = "Outer Port Shutters" }, /turf/open/floor/plating, /area/ship/bridge) @@ -5299,7 +5299,7 @@ "ZD" = ( /obj/effect/spawner/structure/window/reinforced, /obj/machinery/door/poddoor/shutters/preopen{ - name = "inner fore shutters"; + name = "Inner Fore Shutters"; id = "innerinner" }, /turf/open/floor/plating, diff --git a/_maps/shuttles/shiptest/nanotrasen_raven.dmm b/_maps/shuttles/shiptest/nanotrasen_raven.dmm index 436d3150ec8d..36b2d39028ca 100644 --- a/_maps/shuttles/shiptest/nanotrasen_raven.dmm +++ b/_maps/shuttles/shiptest/nanotrasen_raven.dmm @@ -26,7 +26,7 @@ /obj/effect/decal/cleanable/dirt, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/dark, /area/ship/bridge) @@ -65,7 +65,7 @@ }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/dark, /area/ship/bridge) @@ -615,7 +615,7 @@ /obj/machinery/airalarm/directional/north, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/mineral/plastitanium/red/brig, /area/ship/security/prison) @@ -814,7 +814,7 @@ }, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/white/three_quarters{ dir = 1 @@ -890,7 +890,7 @@ }, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/dark, /area/ship/crew) @@ -1584,7 +1584,7 @@ }, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/dark, /area/ship/storage) @@ -2127,7 +2127,7 @@ /obj/structure/closet/emcloset, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/dark, /area/ship/crew) @@ -2177,7 +2177,7 @@ /obj/machinery/space_heater, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/dark, /area/ship/engineering/electrical) @@ -3071,7 +3071,7 @@ }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/dark, /area/ship/crew) @@ -3092,7 +3092,7 @@ /obj/item/storage/box/metalfoam, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plating, /area/ship/engineering/electrical) @@ -3117,7 +3117,7 @@ /obj/structure/cable, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plating, /area/ship/engineering/electrical) diff --git a/_maps/shuttles/shiptest/nemo-class.dmm b/_maps/shuttles/shiptest/nemo-class.dmm index bc4556443c7b..422d9993e911 100644 --- a/_maps/shuttles/shiptest/nemo-class.dmm +++ b/_maps/shuttles/shiptest/nemo-class.dmm @@ -50,7 +50,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/siding/wood{ dir = 1 @@ -253,7 +253,7 @@ /area/ship/crew/dorm) "di" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/suit_storage_unit/mining, /obj/effect/turf_decal/siding/brown{ @@ -348,7 +348,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/siding/thinplating/dark, /turf/open/floor/plasteel/dark, @@ -541,7 +541,7 @@ "gO" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ dir = 5 @@ -1013,7 +1013,7 @@ /area/ship/crew/library) "mg" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/siding/blue{ dir = 5 @@ -1187,7 +1187,7 @@ }, /obj/item/radio/intercom/wideband{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/carpet/black, /area/ship/bridge) @@ -1358,7 +1358,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/carpet/black, /area/ship/crew/library) @@ -1471,7 +1471,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/trimline/purple/arrow_cw, /obj/effect/turf_decal/trimline/blue/arrow_ccw{ @@ -2089,7 +2089,7 @@ pixel_x = 28 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/siding/yellow{ dir = 5 @@ -2107,13 +2107,13 @@ id = "nemobridge"; name = "Bridge Lockdown"; pixel_x = 7; - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/button/door{ id = "nemowindows"; name = "Full Lockdown"; pixel_x = -7; - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/carpet/black, /area/ship/bridge) @@ -2391,7 +2391,7 @@ dir = 6 }, /obj/machinery/vending/wallmed{ - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/white, /area/ship/medical) @@ -2402,7 +2402,7 @@ /obj/machinery/cryopod, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/circuit/green, /area/ship/crew/dorm) @@ -2600,7 +2600,7 @@ "MQ" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/frame/machine, /obj/item/circuitboard/machine/circuit_imprinter, @@ -3070,7 +3070,7 @@ /area/ship/cargo) "SS" = ( /obj/machinery/advanced_airlock_controller{ - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/pod, /area/ship/hallway/central) diff --git a/_maps/shuttles/shiptest/ntsv_bubble.dmm b/_maps/shuttles/shiptest/ntsv_bubble.dmm index 30c299e214e3..d302c2a73606 100644 --- a/_maps/shuttles/shiptest/ntsv_bubble.dmm +++ b/_maps/shuttles/shiptest/ntsv_bubble.dmm @@ -25,7 +25,7 @@ "cG" = ( /obj/machinery/advanced_airlock_controller{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/atmospherics/components/binary/dp_vent_pump{ dir = 8 @@ -55,7 +55,7 @@ /obj/effect/turf_decal/siding/thinplating, /obj/machinery/door/poddoor{ id = "bubbledoors"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /turf/open/floor/plating, /area/ship/cargo) @@ -165,7 +165,7 @@ /obj/effect/turf_decal/corner/blue/three_quarters, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel, /area/ship/bridge) @@ -402,7 +402,7 @@ "sI" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/purple/border, /turf/open/floor/plasteel, @@ -471,7 +471,7 @@ /obj/machinery/button/door{ id = "bubbledoors"; name = "Blast Door Control"; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/components/unary/vent_pump/on/layer4, /obj/machinery/suit_storage_unit/independent/mining, @@ -491,7 +491,7 @@ /obj/effect/turf_decal/siding/thinplating, /obj/machinery/door/poddoor{ id = "bubbledoors"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /obj/effect/turf_decal/industrial/warning/corner{ dir = 1 @@ -580,7 +580,7 @@ icon_state = "2-8" }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel, /area/ship/engineering) @@ -763,7 +763,7 @@ /obj/item/mining_scanner, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/brown{ dir = 9 @@ -783,7 +783,7 @@ /obj/effect/turf_decal/siding/thinplating, /obj/machinery/door/poddoor{ id = "bubbledoors"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /obj/effect/turf_decal/industrial/warning/corner{ dir = 4 @@ -923,7 +923,7 @@ }, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/purple{ dir = 9 @@ -1067,7 +1067,7 @@ /obj/machinery/airalarm/directional/east, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/item/areaeditor/shuttle, /obj/item/stack/spacecash/c1000, diff --git a/_maps/shuttles/shiptest/ntsv_osprey.dmm b/_maps/shuttles/shiptest/ntsv_osprey.dmm index e157207925a4..d9d3daef8451 100644 --- a/_maps/shuttles/shiptest/ntsv_osprey.dmm +++ b/_maps/shuttles/shiptest/ntsv_osprey.dmm @@ -179,7 +179,7 @@ /obj/structure/table/optable, /obj/effect/turf_decal/borderfloor/full, /obj/machinery/defibrillator_mount/loaded{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/white, /area/ship/medical) @@ -216,7 +216,7 @@ /obj/structure/window/plasma/reinforced/spawner/east, /obj/machinery/door/poddoor{ id = "osprey_thruster_starboard"; - name = "thruster blast door" + name = "Thruster Blast Door" }, /turf/open/floor/plating, /area/ship/maintenance/starboard) @@ -243,7 +243,7 @@ dir = 4; id = "ospreydoors"; name = "Blast Door Control"; - pixel_x = -24; + pixel_x = -25; pixel_y = 10 }, /obj/effect/turf_decal/industrial/outline/yellow, @@ -384,7 +384,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters{ id = "ospreywindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/crew/canteen) @@ -543,7 +543,7 @@ dir = 8; id = "ospreydoors"; name = "Blast Door Control"; - pixel_x = 24; + pixel_x = 25; pixel_y = 10 }, /obj/effect/turf_decal/industrial/hatch/yellow, @@ -690,7 +690,7 @@ /obj/structure/window/plasma/reinforced/spawner/west, /obj/machinery/door/poddoor{ id = "osprey_thruster_port"; - name = "thruster blast door" + name = "Thruster Blast Door" }, /turf/open/floor/plating, /area/ship/maintenance/port) @@ -699,7 +699,7 @@ /obj/structure/reagent_dispensers/fueltank, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/sign/warning/nosmoking{ pixel_y = -32 @@ -737,7 +737,7 @@ /obj/effect/turf_decal/industrial/hatch/yellow, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/patterned/grid, /area/ship/engineering/engine) @@ -885,7 +885,7 @@ /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel, /area/ship/hallway/port) @@ -925,7 +925,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters{ id = "ospreywindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/construction) @@ -1130,7 +1130,7 @@ dir = 4; id = "ospreydoors"; name = "Blast Door Control"; - pixel_x = -24; + pixel_x = -25; pixel_y = 10 }, /obj/item/radio/intercom{ @@ -1251,7 +1251,7 @@ dir = 8; id = "ospreydoors"; name = "Blast Door Control"; - pixel_x = 24; + pixel_x = 25; pixel_y = 10 }, /obj/item/taperecorder, @@ -1319,7 +1319,7 @@ /obj/machinery/door/firedoor/heavy, /obj/machinery/door/poddoor{ id = "ospreydoors"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /turf/open/floor/plasteel/tech/grid, /area/ship/hallway/fore) @@ -1461,7 +1461,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters{ id = "ospreywindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/storage) @@ -1602,7 +1602,7 @@ /obj/effect/turf_decal/industrial/outline/yellow, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/patterned/grid, /area/ship/engineering/atmospherics) @@ -2000,7 +2000,7 @@ /obj/structure/window/plasma/reinforced/spawner/west, /obj/machinery/door/poddoor{ id = "osprey_thruster_port"; - name = "thruster blast door" + name = "Thruster Blast Door" }, /turf/open/floor/plating, /area/ship/maintenance/port) @@ -2009,7 +2009,7 @@ /obj/machinery/atmospherics/pipe/layer_manifold, /obj/machinery/door/poddoor/shutters{ id = "ospreywindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/engineering/engine) @@ -2041,7 +2041,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/item/toy/figure/borg, /turf/open/floor/plasteel/tech/techmaint, @@ -2123,7 +2123,7 @@ /obj/structure/filingcabinet, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/extinguisher_cabinet{ pixel_y = -28 @@ -2157,7 +2157,7 @@ dir = 1 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel, /area/ship/hallway/aft) @@ -2697,7 +2697,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters{ id = "ospreywindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/hallway/aft) @@ -2821,7 +2821,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters{ id = "ospreywindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/crew/dorm) @@ -2979,7 +2979,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/item/circuitboard/machine/protolathe/department/science{ pixel_y = -5 @@ -3291,7 +3291,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel, /area/ship/cargo) @@ -3571,7 +3571,7 @@ /obj/item/storage/box/mousetraps, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/item/storage/box/lights/mixed, /obj/item/storage/box/lights/mixed, @@ -3590,7 +3590,7 @@ dir = 8; id = "ospreysci"; name = "Shutter Control"; - pixel_x = 24; + pixel_x = 25; pixel_y = 5 }, /turf/open/floor/plasteel/white, @@ -3781,7 +3781,7 @@ dir = 4; id = "ospreycargo"; name = "Shutter Control"; - pixel_x = -24; + pixel_x = -25; pixel_y = 5 }, /turf/open/floor/plasteel, @@ -3910,7 +3910,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/white, /area/ship/medical) @@ -3925,7 +3925,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters{ id = "ospreywindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/cargo) @@ -3988,7 +3988,7 @@ /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/grey/mono, /obj/effect/turf_decal/corner/neutral/border{ @@ -4047,7 +4047,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters{ id = "ospreywindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/hallway/central) @@ -4124,7 +4124,7 @@ /obj/machinery/light, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel, /area/ship/hallway/central) @@ -4215,7 +4215,7 @@ dir = 8; id = "osprey_thruster_port"; name = "Blast Door Control"; - pixel_x = 24; + pixel_x = 25; pixel_y = 5 }, /turf/open/floor/plating, @@ -4278,7 +4278,7 @@ id = "osprey_disposals"; name = "disposals button"; pixel_x = 7; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/table, /obj/item/storage/bag/trash{ @@ -4309,7 +4309,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/white, /area/ship/medical) @@ -4576,7 +4576,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/light/small{ dir = 8 @@ -4621,7 +4621,7 @@ /obj/effect/turf_decal/industrial/outline/yellow, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/tech/techmaint, /area/ship/hallway/starboard) @@ -5013,7 +5013,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters{ id = "ospreywindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/engineering/atmospherics) @@ -5241,7 +5241,7 @@ /obj/item/storage/box/PDAs, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/item/clothing/under/rank/command/head_of_personnel/nt, /obj/item/clothing/head/hopcap/nt, @@ -5277,7 +5277,7 @@ /obj/structure/window/plasma/reinforced/spawner/west, /obj/machinery/door/poddoor{ id = "osprey_thruster_starboard"; - name = "thruster blast door" + name = "Thruster Blast Door" }, /turf/open/floor/plating, /area/ship/maintenance/starboard) @@ -5302,7 +5302,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters{ id = "ospreywindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/science) @@ -5577,7 +5577,7 @@ dir = 4; id = "osprey_thruster_starboard"; name = "Blast Door Control"; - pixel_x = -24; + pixel_x = -25; pixel_y = 5 }, /turf/open/floor/plating, @@ -5751,7 +5751,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/spawner/lootdrop/maintenance, /obj/machinery/light/small{ @@ -5762,7 +5762,7 @@ "Po" = ( /obj/machinery/door/poddoor{ id = "osprey_disposals"; - name = "disposals blast door" + name = "Disposals Blast Door" }, /obj/structure/fans/tiny, /obj/machinery/door/firedoor/heavy, @@ -6057,7 +6057,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/tech/techmaint, /area/ship/storage) @@ -6203,7 +6203,7 @@ /obj/effect/turf_decal/industrial/outline/yellow, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/tech/techmaint, /area/ship/hallway/port) @@ -6235,7 +6235,7 @@ /obj/structure/window/plasma/reinforced/spawner/west, /obj/machinery/door/poddoor{ id = "osprey_thruster_port"; - name = "thruster blast door" + name = "Thruster Blast Door" }, /turf/open/floor/plating, /area/ship/maintenance/port) @@ -6391,7 +6391,7 @@ /obj/structure/window/plasma/reinforced/spawner/east, /obj/machinery/door/poddoor{ id = "osprey_thruster_starboard"; - name = "thruster blast door" + name = "Thruster Blast Door" }, /turf/open/floor/plating, /area/ship/maintenance/starboard) @@ -6453,7 +6453,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters{ id = "ospreywindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/medical) @@ -6537,7 +6537,7 @@ pixel_x = -12 }, /obj/structure/mirror{ - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/showroomfloor, /area/ship/crew/canteen) @@ -6650,7 +6650,7 @@ /obj/machinery/washing_machine, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/firealarm{ dir = 8; @@ -6696,7 +6696,7 @@ /obj/machinery/vending/cola/random, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/wood, /area/ship/crew/canteen) diff --git a/_maps/shuttles/shiptest/ntsv_skipper.dmm b/_maps/shuttles/shiptest/ntsv_skipper.dmm index 4fb496a3a639..f0615fbe74ca 100644 --- a/_maps/shuttles/shiptest/ntsv_skipper.dmm +++ b/_maps/shuttles/shiptest/ntsv_skipper.dmm @@ -685,7 +685,7 @@ dir = 8 }, /obj/machinery/advanced_airlock_controller{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4{ dir = 4 @@ -1361,7 +1361,7 @@ /obj/machinery/button/door{ id = "amogusdoors"; name = "Blast Door Control"; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/mono/dark, /area/ship/cargo) @@ -1384,7 +1384,7 @@ /obj/structure/fans/tiny, /obj/machinery/door/poddoor{ id = "amogusdoors"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /turf/open/floor/plating, /area/ship/cargo) @@ -3019,8 +3019,8 @@ dir = 8 }, /obj/machinery/advanced_airlock_controller{ - pixel_x = 24; - pixel_y = -24 + pixel_x = 25; + pixel_y = -25 }, /turf/open/floor/plasteel/dark, /area/ship/hallway/central) @@ -3707,7 +3707,7 @@ /obj/machinery/atmospherics/components/unary/vent_pump/layer2, /obj/machinery/advanced_airlock_controller{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/dark, /area/ship/hallway/central) diff --git a/_maps/shuttles/shiptest/pill_black.dmm b/_maps/shuttles/shiptest/pill_black.dmm index 0e8645a1d679..9e6709a08ba0 100644 --- a/_maps/shuttles/shiptest/pill_black.dmm +++ b/_maps/shuttles/shiptest/pill_black.dmm @@ -24,7 +24,7 @@ dir = 8 }, /obj/machinery/power/apc/auto_name/west{ - pixel_x = -6 + pixel_x = -25 }, /obj/item/stack/ore/diamond, /obj/item/stack/ore/diamond, diff --git a/_maps/shuttles/shiptest/pill_super.dmm b/_maps/shuttles/shiptest/pill_super.dmm index f6816a990132..d876e6f2d6eb 100644 --- a/_maps/shuttles/shiptest/pill_super.dmm +++ b/_maps/shuttles/shiptest/pill_super.dmm @@ -115,7 +115,7 @@ icon_state = "0-8" }, /obj/machinery/power/apc/auto_name/west{ - pixel_x = -6 + pixel_x = -25 }, /obj/structure/window/reinforced/tinted, /obj/structure/window/reinforced/tinted{ diff --git a/_maps/shuttles/shiptest/pirate_libertatia.dmm b/_maps/shuttles/shiptest/pirate_libertatia.dmm index c0bd8b7c278c..a6c7c4d8a441 100644 --- a/_maps/shuttles/shiptest/pirate_libertatia.dmm +++ b/_maps/shuttles/shiptest/pirate_libertatia.dmm @@ -18,14 +18,14 @@ dir = 4; id = "pirateshutters"; name = "Window Lockdown"; - pixel_x = -24; + pixel_x = -25; pixel_y = -5 }, /obj/machinery/button/door{ dir = 4; id = "piratecargo"; name = "Blast Door Control"; - pixel_x = -24; + pixel_x = -25; pixel_y = 5 }, /obj/machinery/light/small{ @@ -131,7 +131,7 @@ /obj/machinery/atmospherics/components/unary/vent_pump/on/layer2, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/cable{ icon_state = "2-4" @@ -212,7 +212,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "pirateshutters"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/plasma/reinforced/plastitanium, /turf/open/floor/plating, @@ -365,7 +365,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "pirateshutters"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/plasma/reinforced/plastitanium, /obj/machinery/atmospherics/pipe/layer_manifold{ @@ -525,7 +525,7 @@ "sc" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/item/clothing/suit/space/orange, /obj/item/clothing/mask/breath, @@ -576,7 +576,7 @@ "sI" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/item/kitchen/knife/hunting{ pixel_y = 5 @@ -634,7 +634,7 @@ /area/ship/crew) "ui" = ( /obj/machinery/door/airlock/hatch{ - name = "external access hatch" + name = "External Access Hatch" }, /obj/effect/mapping_helpers/airlock/cyclelink_helper{ dir = 4 @@ -666,7 +666,7 @@ pixel_y = 28 }, /obj/machinery/advanced_airlock_controller{ - pixel_y = -24 + pixel_y = -25 }, /obj/effect/decal/cleanable/dirt/dust, /obj/effect/turf_decal/industrial/warning{ @@ -676,7 +676,7 @@ /area/ship/crew) "vo" = ( /obj/machinery/door/airlock/hatch{ - name = "external access hatch" + name = "External Access Hatch" }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4{ dir = 4 @@ -783,7 +783,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "pirateshutters"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/plasma/reinforced/plastitanium, /turf/open/floor/plating, @@ -1076,7 +1076,7 @@ }, /obj/structure/curtain/bounty, /obj/machinery/computer/cryopod{ - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/pod/light, /area/ship/crew) @@ -1085,7 +1085,7 @@ /obj/structure/curtain/bounty, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/decal/cleanable/dirt/dust, /obj/item/bedsheet/brown, @@ -1189,7 +1189,7 @@ pixel_x = 32 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/pod/light, /area/ship/cargo) @@ -1228,7 +1228,7 @@ dir = 4; id = "piratecargo"; name = "Blast Door Control"; - pixel_x = -24; + pixel_x = -25; pixel_y = -10 }, /obj/effect/decal/cleanable/dirt/dust, @@ -1259,7 +1259,7 @@ dir = 8; id = "piratecargo"; name = "Blast Door Control"; - pixel_x = 24; + pixel_x = 25; pixel_y = -10 }, /obj/effect/decal/cleanable/dirt/dust, @@ -1774,7 +1774,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt/dust, /turf/open/floor/plating, @@ -1858,7 +1858,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "pirateshutters"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/plasma/reinforced/plastitanium, /turf/open/floor/plating, @@ -1879,7 +1879,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt/dust, /turf/open/floor/plating, diff --git a/_maps/shuttles/shiptest/rigger_b.dmm b/_maps/shuttles/shiptest/rigger_b.dmm index 89c1f7509f15..3299ff57d9ab 100644 --- a/_maps/shuttles/shiptest/rigger_b.dmm +++ b/_maps/shuttles/shiptest/rigger_b.dmm @@ -3,10 +3,9 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile, -/turf/closed/wall, /area/ship/crew/chapel) "aw" = ( /obj/machinery/power/terminal, @@ -26,7 +25,7 @@ "aE" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/industrial/outline/yellow, /obj/effect/decal/cleanable/dirt/dust, @@ -36,14 +35,13 @@ "aJ" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/chapel, /obj/structure/table/wood, /turf/open/floor/plasteel/dark, /area/ship/crew/chapel) "aT" = ( -/obj/structure/lattice, /turf/closed/wall, /area/ship/construction) "bc" = ( @@ -56,7 +54,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile, /turf/open/floor/plating, @@ -112,7 +110,7 @@ /area/ship/crew) "bX" = ( /obj/item/radio/intercom/wideband{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/chair/wood/wings{ dir = 1 @@ -179,7 +177,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/closet/cabinet{ name = "hunter cabinet" @@ -211,7 +209,7 @@ "eh" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/chair/pew/left{ dir = 4 @@ -413,7 +411,7 @@ }, /obj/machinery/flasher{ id = "Cell2B"; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/wood/maple, /area/ship/security) @@ -515,7 +513,7 @@ "iH" = ( /obj/structure/closet/crate, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/spawner/lootdrop/maintenance/three, /obj/item/gun/ballistic/revolver/pepperbox, @@ -567,7 +565,7 @@ }, /obj/machinery/door/poddoor/shutters{ id = "riggerengwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/maintenance/port) @@ -762,7 +760,7 @@ "lT" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/smartfridge/drying_rack, /turf/open/floor/wood/maple, @@ -823,7 +821,7 @@ dir = 1 }, /obj/machinery/advanced_airlock_controller{ - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ dir = 5 @@ -871,7 +869,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile, /turf/open/floor/plating, @@ -1016,14 +1014,14 @@ dir = 4; id = "riggerdoors"; name = "Blast Door Control"; - pixel_x = -24; + pixel_x = -25; pixel_y = 5 }, /obj/machinery/button/door{ dir = 4; id = "riggerwindows"; name = "Window Lockdown"; - pixel_x = -24; + pixel_x = -25; pixel_y = -5 }, /obj/machinery/light{ @@ -1160,7 +1158,7 @@ "pY" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/light/small{ dir = 8 @@ -1173,7 +1171,7 @@ /area/ship/crew) "qk" = ( /obj/structure/mirror{ - pixel_x = 24 + pixel_x = 25 }, /obj/structure/sink{ dir = 8; @@ -1182,7 +1180,7 @@ /obj/machinery/light/small, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/wood/birch, /area/ship/crew) @@ -1317,7 +1315,7 @@ /area/ship/security/armory) "rJ" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/reagent_dispensers/watertank/high, /obj/effect/decal/cleanable/dirt/dust, @@ -1350,7 +1348,7 @@ dir = 4 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/catwalk/over, /turf/open/floor/plating, @@ -1359,7 +1357,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile, /obj/effect/decal/cleanable/dirt/dust, @@ -1400,7 +1398,7 @@ "sT" = ( /obj/machinery/door/poddoor{ id = "riggerdoors"; - name = "mech bay blast door" + name = "Mechbay Blast Door" }, /obj/structure/fans/tiny, /turf/open/floor/engine/hull/interior, @@ -1489,7 +1487,7 @@ }, /obj/machinery/door/poddoor/shutters{ id = "riggerengwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/maintenance/port) @@ -1612,7 +1610,7 @@ }, /obj/machinery/door/poddoor/shutters{ id = "riggerengwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/maintenance/starboard) @@ -1818,7 +1816,7 @@ "yi" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/table, /obj/effect/turf_decal/industrial/outline/yellow, @@ -1849,7 +1847,7 @@ }, /obj/machinery/door/poddoor/shutters{ id = "riggerengwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/maintenance/starboard) @@ -1900,7 +1898,7 @@ }, /obj/machinery/door/poddoor/shutters{ id = "riggerengwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/maintenance/starboard) @@ -1942,7 +1940,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile, /turf/open/floor/plating, @@ -2080,7 +2078,6 @@ /turf/open/floor/plasteel/dark, /area/ship/crew/chapel) "Ce" = ( -/obj/structure/lattice, /turf/closed/wall, /area/ship/crew) "Cf" = ( @@ -2218,7 +2215,7 @@ "Dr" = ( /obj/machinery/computer/cryopod{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/industrial/loading{ dir = 4 @@ -2301,7 +2298,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile, /turf/open/floor/plating, @@ -2325,7 +2322,7 @@ "EF" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/industrial/outline/yellow, /turf/open/floor/plating, @@ -2594,7 +2591,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/curtain, /obj/structure/window/reinforced/fulltile, @@ -2859,7 +2856,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile, /turf/open/floor/plating, @@ -2955,7 +2952,7 @@ /obj/machinery/power/apc/auto_name/west, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/chair/pew/left{ dir = 4 @@ -2997,7 +2994,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2, @@ -3006,7 +3003,7 @@ "Nf" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/kitchenspike, /obj/effect/decal/cleanable/blood/old, @@ -3192,7 +3189,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile, /turf/open/floor/plating, @@ -3272,7 +3269,7 @@ }, /obj/machinery/door/poddoor/shutters{ id = "riggerengwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/maintenance/port) @@ -3296,7 +3293,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/machinery/atmospherics/components/binary/pump/on/layer4{ dir = 8 @@ -3463,7 +3460,7 @@ /area/ship/crew/chapel) "Rw" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/item/kirbyplants/random, /turf/open/floor/wood/yew, @@ -3472,7 +3469,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile, /turf/open/floor/plating, @@ -3496,7 +3493,7 @@ "RO" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/pipe/simple/green/visible{ dir = 10 @@ -3665,7 +3662,7 @@ "Uf" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/light/small, /obj/structure/ore_box, @@ -3678,7 +3675,7 @@ "Ul" = ( /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/grille, /obj/structure/window/reinforced/fulltile, @@ -3721,7 +3718,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile, /turf/open/floor/plating, @@ -3770,7 +3767,7 @@ "VF" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/closet/emcloset, /obj/machinery/light/small{ @@ -3802,7 +3799,7 @@ "VW" = ( /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/grille, /obj/structure/window/reinforced/fulltile, @@ -3975,7 +3972,7 @@ /area/ship/engineering/atmospherics) "Yc" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable{ icon_state = "4-8" diff --git a/_maps/shuttles/shiptest/rigger_c.dmm b/_maps/shuttles/shiptest/rigger_c.dmm index 64c6079bf098..9521e545ec26 100644 --- a/_maps/shuttles/shiptest/rigger_c.dmm +++ b/_maps/shuttles/shiptest/rigger_c.dmm @@ -3,7 +3,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle{ color = "#E58E2D" @@ -34,7 +34,7 @@ "aE" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/industrial/outline/yellow, /obj/effect/decal/cleanable/dirt/dust, @@ -43,7 +43,7 @@ "aJ" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/bed/dogbed/renault{ name = "Vance's bed" @@ -95,7 +95,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle{ color = "#9ADEDE" @@ -157,7 +157,7 @@ name = "Helm" }, /obj/item/radio/intercom/wideband{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/carpet/nanoweave/blue, @@ -165,7 +165,7 @@ "cb" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/table, /obj/machinery/reagentgrinder{ @@ -261,7 +261,7 @@ "eh" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/chair{ dir = 8 @@ -339,7 +339,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle{ color = "#E58E2D" @@ -427,7 +427,7 @@ }, /obj/machinery/flasher{ id = "Cell1C"; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plasteel/dark, @@ -456,7 +456,7 @@ /area/ship/engineering/atmospherics) "hn" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/light{ dir = 8 @@ -471,7 +471,7 @@ }, /obj/machinery/flasher{ id = "Cell2C"; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/plasteel/dark, @@ -523,7 +523,7 @@ /area/ship/crew) "ig" = ( /obj/item/radio/intercom{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/reagent_dispensers/watertank, /obj/effect/turf_decal/industrial/outline/yellow, @@ -534,7 +534,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle{ color = "#9ADEDE" @@ -590,7 +590,7 @@ "iH" = ( /obj/structure/closet/crate, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/spawner/lootdrop/maintenance/three, /obj/item/gun/ballistic/automatic/pistol/solgov, @@ -879,7 +879,7 @@ "lT" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/spawner/lootdrop/maintenance/two, /obj/effect/spawner/lootdrop/gloves, @@ -950,7 +950,7 @@ dir = 1 }, /obj/machinery/advanced_airlock_controller{ - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ dir = 5 @@ -1012,7 +1012,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle{ color = "#E58E2D" @@ -1080,7 +1080,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle{ color = "#9ADEDE" @@ -1132,14 +1132,14 @@ dir = 4; id = "riggerdoors"; name = "Blast Door Control"; - pixel_x = -24; + pixel_x = -25; pixel_y = 5 }, /obj/machinery/button/door{ dir = 4; id = "riggerwindows"; name = "Window Lockdown"; - pixel_x = -24; + pixel_x = -25; pixel_y = -5 }, /obj/machinery/light{ @@ -1307,7 +1307,7 @@ "pY" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/light/small{ dir = 8 @@ -1325,7 +1325,7 @@ /area/ship/bridge) "qk" = ( /obj/structure/mirror{ - pixel_x = 24 + pixel_x = 25 }, /obj/structure/sink{ dir = 8; @@ -1334,7 +1334,7 @@ /obj/machinery/light/small, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/decal/cleanable/dirt, /obj/effect/decal/cleanable/dirt/dust, @@ -1472,7 +1472,7 @@ /area/ship/bridge) "rJ" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/reagent_dispensers/watertank/high, /obj/effect/decal/cleanable/dirt/dust, @@ -1507,7 +1507,7 @@ dir = 4 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt/dust, /obj/structure/catwalk/over, @@ -1577,7 +1577,7 @@ "sT" = ( /obj/machinery/door/poddoor{ id = "riggerdoors"; - name = "mech bay blast door" + name = "Mechbay Blast Door" }, /obj/structure/fans/tiny, /obj/effect/decal/cleanable/dirt/dust, @@ -2091,7 +2091,7 @@ "yi" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/table, /obj/effect/turf_decal/industrial/outline/yellow, @@ -2219,7 +2219,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle{ color = "#E58E2D" @@ -2408,7 +2408,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle{ color = "#9ADEDE" @@ -2606,7 +2606,7 @@ dir = 1 }, /obj/machinery/computer/cryopod{ - pixel_y = -24 + pixel_y = -25 }, /obj/effect/decal/cleanable/dirt, /turf/open/floor/wood{ @@ -2735,7 +2735,7 @@ "EF" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/industrial/outline/yellow, /obj/effect/decal/cleanable/dirt/dust, @@ -2743,7 +2743,7 @@ /area/ship/maintenance/starboard) "EI" = ( /obj/item/radio/intercom{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/sign/warning/nosmoking{ pixel_x = -25 @@ -3019,7 +3019,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle{ color = "#E58E2D" @@ -3218,7 +3218,7 @@ "Jq" = ( /obj/effect/turf_decal/industrial/outline/yellow, /obj/item/radio/intercom{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/spawner/lootdrop/maintenance, /obj/effect/decal/cleanable/dirt/dust, @@ -3303,7 +3303,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle{ color = "#E58E2D" @@ -3429,7 +3429,7 @@ /obj/machinery/power/apc/auto_name/west, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/chair{ dir = 4 @@ -3477,7 +3477,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2, @@ -3542,7 +3542,7 @@ dir = 4; id = "riggerdoors"; name = "Blast Door Control"; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt/dust, /turf/open/floor/plating{ @@ -3752,7 +3752,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/machinery/atmospherics/components/binary/pump/on/layer4{ dir = 8 @@ -3890,7 +3890,7 @@ /area/ship/cargo) "Rw" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plating, /area/ship/crew/canteen) @@ -3898,7 +3898,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle{ color = "#E58E2D" @@ -3920,7 +3920,7 @@ "RO" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/pipe/simple/green/visible{ dir = 10 @@ -4127,7 +4127,7 @@ "Uf" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/light/small, /obj/structure/ore_box, @@ -4145,7 +4145,7 @@ "Ul" = ( /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/grille, /obj/structure/window/reinforced/fulltile/shuttle{ @@ -4213,7 +4213,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle{ color = "#E58E2D" @@ -4270,7 +4270,7 @@ "VF" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/closet/emcloset, /obj/machinery/light/small{ @@ -4306,7 +4306,7 @@ "VW" = ( /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/grille, /obj/structure/window/reinforced/fulltile/shuttle{ @@ -4509,7 +4509,7 @@ /area/ship/engineering/atmospherics) "Yc" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable{ icon_state = "4-8" diff --git a/_maps/shuttles/shiptest/rigger_t.dmm b/_maps/shuttles/shiptest/rigger_t.dmm index b7fc7100124d..d6219a425c7b 100644 --- a/_maps/shuttles/shiptest/rigger_t.dmm +++ b/_maps/shuttles/shiptest/rigger_t.dmm @@ -3,7 +3,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle, /turf/open/floor/plating, @@ -26,7 +26,7 @@ "aE" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/industrial/outline/yellow, /turf/open/floor/plating, @@ -49,12 +49,11 @@ "aJ" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/wood, /area/ship/crew/solgov) "aT" = ( -/obj/structure/lattice, /turf/closed/wall/mineral/titanium, /area/ship/construction) "bc" = ( @@ -66,7 +65,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle{ color = "#E58E2D" @@ -129,7 +128,7 @@ name = "Helm" }, /obj/item/radio/intercom/wideband{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/carpet/nanoweave/blue, /area/ship/bridge) @@ -215,7 +214,7 @@ "eh" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/chair{ dir = 8 @@ -365,7 +364,7 @@ }, /obj/machinery/flasher{ id = "Cell1B"; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/dark, /area/ship/security/prison) @@ -402,7 +401,7 @@ /area/ship/maintenance/starboard) "hn" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/light{ dir = 8 @@ -417,7 +416,7 @@ }, /obj/machinery/flasher{ id = "Cell2B"; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/dark, /area/ship/security/prison) @@ -481,7 +480,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle, /turf/open/floor/plating, @@ -525,7 +524,7 @@ "iH" = ( /obj/structure/closet/crate, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/spawner/lootdrop/maintenance/three, /obj/item/gun/ballistic/automatic/pistol/solgov, @@ -772,7 +771,7 @@ "lT" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/spawner/lootdrop/maintenance/two, /obj/effect/spawner/lootdrop/gloves, @@ -839,7 +838,7 @@ dir = 1 }, /obj/machinery/advanced_airlock_controller{ - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ dir = 5 @@ -893,7 +892,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle, /turf/open/floor/plating, @@ -976,7 +975,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle{ color = "#E58E2D" @@ -1041,14 +1040,14 @@ dir = 4; id = "riggerdoors"; name = "Blast Door Control"; - pixel_x = -24; + pixel_x = -25; pixel_y = 5 }, /obj/machinery/button/door{ dir = 4; id = "riggerwindows"; name = "Window Lockdown"; - pixel_x = -24; + pixel_x = -25; pixel_y = -5 }, /obj/machinery/light{ @@ -1202,7 +1201,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/light/small{ dir = 8 @@ -1216,7 +1215,7 @@ /area/ship/bridge) "qk" = ( /obj/structure/mirror{ - pixel_x = 24 + pixel_x = 25 }, /obj/structure/sink{ dir = 8; @@ -1225,7 +1224,7 @@ /obj/machinery/light/small, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/patterned, /area/ship/crew) @@ -1370,7 +1369,7 @@ /area/ship/security) "rJ" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/reagent_dispensers/watertank/high, /turf/open/floor/plating, @@ -1418,7 +1417,7 @@ dir = 4 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/catwalk/over, /turf/open/floor/plating, @@ -1456,7 +1455,7 @@ "sT" = ( /obj/machinery/door/poddoor{ id = "riggerdoors"; - name = "mech bay blast door" + name = "Mechbay Blast Door" }, /obj/structure/fans/tiny, /turf/open/floor/engine/hull/interior, @@ -1935,7 +1934,7 @@ "yi" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/table, /obj/effect/turf_decal/industrial/outline/yellow, @@ -2041,7 +2040,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle, /turf/open/floor/plating, @@ -2215,7 +2214,6 @@ /turf/open/floor/plating, /area/ship/crew/solgov) "Ce" = ( -/obj/structure/lattice, /turf/closed/wall/mineral/titanium, /area/ship/crew) "Cf" = ( @@ -2348,7 +2346,7 @@ dir = 1 }, /obj/machinery/computer/cryopod{ - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/wood, /area/ship/crew) @@ -2457,7 +2455,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle{ color = "#E58E2D" @@ -2490,7 +2488,7 @@ "EF" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/industrial/outline/yellow, /turf/open/floor/plating, @@ -2770,7 +2768,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/curtain, /obj/structure/window/reinforced/fulltile/shuttle, @@ -3026,7 +3024,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle, /turf/open/floor/plating, @@ -3133,7 +3131,7 @@ /obj/machinery/power/apc/auto_name/west, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/chair{ dir = 4 @@ -3179,7 +3177,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2, @@ -3188,7 +3186,7 @@ "Nf" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/table, /obj/machinery/reagentgrinder{ @@ -3254,7 +3252,7 @@ dir = 4; id = "riggerdoors"; name = "Blast Door Control"; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/tech/techmaint, /area/ship/cargo) @@ -3371,7 +3369,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle, /turf/open/floor/plating, @@ -3459,7 +3457,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/machinery/atmospherics/components/binary/pump/on/layer4{ dir = 8 @@ -3615,7 +3613,7 @@ /area/ship/maintenance/port) "Rw" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/white/mono, /obj/effect/turf_decal/corner/green/half{ @@ -3627,7 +3625,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle, /turf/open/floor/plating, @@ -3653,7 +3651,7 @@ "RO" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/pipe/simple/green/visible{ dir = 10 @@ -3839,7 +3837,7 @@ "Uf" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/light/small, /obj/structure/ore_box, @@ -3851,7 +3849,7 @@ "Ul" = ( /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/grille, /obj/structure/window/reinforced/fulltile/shuttle, @@ -3904,7 +3902,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle, /turf/open/floor/plating, @@ -3955,7 +3953,7 @@ "VF" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/closet/emcloset, /obj/machinery/light/small{ @@ -3995,7 +3993,7 @@ "VW" = ( /obj/machinery/door/poddoor/shutters{ id = "riggerwindows"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/grille, /obj/structure/window/reinforced/fulltile/shuttle, @@ -4192,7 +4190,7 @@ /area/ship/engineering/atmospherics) "Yc" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable{ icon_state = "4-8" diff --git a/_maps/shuttles/shiptest/scav.dmm b/_maps/shuttles/shiptest/scav.dmm index ad430fede612..eff4eb80bb61 100644 --- a/_maps/shuttles/shiptest/scav.dmm +++ b/_maps/shuttles/shiptest/scav.dmm @@ -132,7 +132,7 @@ /obj/structure/fans/tiny, /obj/machinery/door/poddoor{ id = "scav_door"; - name = "dusty blast door" + name = "Dusty Blast Door" }, /turf/open/floor/plating, /area/ship/cargo) @@ -220,8 +220,8 @@ dir = 4 }, /obj/machinery/light_switch{ - pixel_x = 24; - pixel_y = -24 + pixel_x = 25; + pixel_y = -25 }, /obj/item/radio/intercom/wideband{ dir = 1; @@ -319,7 +319,7 @@ }, /obj/machinery/light_switch{ dir = 8; - pixel_x = 24; + pixel_x = 25; pixel_y = 11 }, /obj/effect/decal/cleanable/blood/old, @@ -491,7 +491,7 @@ /obj/structure/fans/tiny, /obj/machinery/door/poddoor{ id = "scav_door"; - name = "dusty blast door" + name = "Dusty Blast Door" }, /turf/open/floor/plating, /area/ship/cargo) @@ -1333,7 +1333,7 @@ /obj/structure/fans/tiny, /obj/machinery/door/poddoor{ id = "scav_door"; - name = "dusty blast door" + name = "Dusty Blast Door" }, /turf/open/floor/plating, /area/ship/cargo) @@ -1361,7 +1361,7 @@ /obj/structure/fans/tiny, /obj/machinery/door/poddoor{ id = "scav_door"; - name = "dusty blast door" + name = "Dusty Blast Door" }, /turf/open/floor/plating, /area/ship/cargo) diff --git a/_maps/shuttles/shiptest/schmiedeberg-class.dmm b/_maps/shuttles/shiptest/schmiedeberg-class.dmm index 715333a5058f..e1a8a734b0f8 100644 --- a/_maps/shuttles/shiptest/schmiedeberg-class.dmm +++ b/_maps/shuttles/shiptest/schmiedeberg-class.dmm @@ -182,7 +182,7 @@ /obj/structure/dresser, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/siding/wood{ dir = 8 @@ -261,7 +261,7 @@ /obj/item/stack/cable_coil/cyan, /obj/machinery/light, /obj/structure/extinguisher_cabinet{ - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/siding/blue/end{ dir = 4 @@ -583,7 +583,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/tech/techmaint, /area/ship/engineering/electrical) @@ -639,7 +639,7 @@ /obj/item/kirbyplants/photosynthetic, /obj/machinery/atmospherics/components/unary/vent_pump/on/layer2, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/white, /area/ship/hallway/central) @@ -890,7 +890,7 @@ }, /obj/item/radio/intercom/wideband{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/carpet/blue, /area/ship/bridge) @@ -1059,7 +1059,7 @@ "Fe" = ( /obj/machinery/button/door{ id = "pharmablast"; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/industrial/warning{ dir = 1 @@ -1122,13 +1122,13 @@ /obj/machinery/button/door{ id = "pharmabridge"; name = "Bridge Lockdown"; - pixel_x = -24; + pixel_x = -25; pixel_y = 7 }, /obj/machinery/button/door{ id = "pharmawindows"; name = "Window Shutters"; - pixel_x = -24; + pixel_x = -25; pixel_y = -7 }, /obj/effect/turf_decal/siding/thinplating/light{ @@ -1462,7 +1462,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/item/scalpel/advanced, /obj/item/clothing/glasses/hud/health/sunglasses, @@ -1570,7 +1570,7 @@ dir = 1 }, /obj/structure/extinguisher_cabinet{ - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/siding/thinplating/light{ dir = 10 @@ -1644,7 +1644,7 @@ "Vh" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/carpet/black, /area/ship/crew/canteen/kitchen) @@ -1756,7 +1756,7 @@ "Yh" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/white, /area/ship/medical) @@ -1786,7 +1786,7 @@ /area/ship/hallway/central) "YD" = ( /obj/structure/extinguisher_cabinet{ - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/white, /area/ship/hallway/central) @@ -1836,7 +1836,7 @@ /obj/machinery/smartfridge/disks, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/siding/thinplating/dark{ dir = 4 diff --git a/_maps/shuttles/shiptest/scrapper.dmm b/_maps/shuttles/shiptest/scrapper.dmm index 2e5291a1e575..955858d6d0c2 100644 --- a/_maps/shuttles/shiptest/scrapper.dmm +++ b/_maps/shuttles/shiptest/scrapper.dmm @@ -16,7 +16,7 @@ id = "EVAEXTERNAL"; name = "Blast Door Control"; pixel_x = -8; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/siding/yellow/corner{ dir = 8 @@ -36,7 +36,7 @@ "al" = ( /obj/machinery/door/poddoor/shutters{ id = "internalbridgeshutter"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/grille, /obj/structure/window/plasma/reinforced/plastitanium, @@ -347,7 +347,7 @@ "dp" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/pipe/manifold/supply/hidden/layer2, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4{ @@ -425,7 +425,7 @@ "ex" = ( /obj/machinery/door/poddoor{ id = "Eject"; - name = "Door for ejection of Impostors" + name = "Door for Ejection of Impostors" }, /turf/open/floor/plating, /area/ship/security) @@ -491,7 +491,7 @@ }, /obj/machinery/firealarm{ pixel_x = 8; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/techfloor/orange{ dir = 5 @@ -503,7 +503,7 @@ /obj/item/storage/toolbox/mechanical, /obj/item/clothing/glasses/welding, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/light{ dir = 1 @@ -542,7 +542,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt/dust, /turf/open/floor/plasteel/tech/techmaint, @@ -567,7 +567,7 @@ "gn" = ( /obj/machinery/vending/cigarette, /obj/machinery/light_switch{ - pixel_x = -24; + pixel_x = -25; pixel_y = 8 }, /obj/item/radio/intercom{ @@ -605,7 +605,7 @@ pixel_y = 8 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/techfloor/orange{ dir = 9 @@ -671,7 +671,7 @@ id = "EVAEXTERNAL"; name = "Blast Door Control"; pixel_x = 8; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plating/airless, /area/ship/external) @@ -717,7 +717,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/firealarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/table/glass, /obj/machinery/plantgenes, @@ -763,7 +763,7 @@ "iS" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/atmospherics/components/unary/vent_pump/on/layer2{ dir = 4 @@ -844,7 +844,7 @@ "kf" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/suit_storage_unit/mining/eva, /obj/machinery/light{ @@ -897,7 +897,7 @@ name = "Brig Door Control"; normaldoorcontrol = 1; pixel_x = -8; - pixel_y = 24; + pixel_y = 25; specialfunctions = 4 }, /obj/machinery/button/door{ @@ -1174,7 +1174,7 @@ id = "EVAINTERNAL"; name = "Blast Door Control"; pixel_x = -8; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/suit_storage_unit/mining/eva, /obj/machinery/power/apc/auto_name/east, @@ -1225,7 +1225,7 @@ /obj/effect/turf_decal/siding/red, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/mineral/plastitanium, /area/ship/security) @@ -1361,7 +1361,7 @@ icon_state = "2-4" }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/pod/light, /area/ship/hallway/fore) @@ -1448,14 +1448,14 @@ icon_state = "2-4" }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/techfloor/orange{ dir = 9 }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plating, /area/ship/engineering/electrical) @@ -1483,7 +1483,7 @@ /obj/item/storage/toolbox/mechanical, /obj/item/clothing/glasses/welding, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/techfloor/orange{ dir = 5 @@ -1500,7 +1500,7 @@ dir = 8 }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/item/storage/fancy/cigarettes, /obj/item/lighter/greyscale{ @@ -1667,8 +1667,8 @@ /obj/machinery/button/door{ id = "EVAEXTERNAL"; name = "Blast Door Control"; - pixel_x = -24; - pixel_y = 24 + pixel_x = -25; + pixel_y = 25 }, /turf/open/floor/pod/light, /area/ship/hallway/central) @@ -1756,7 +1756,7 @@ id = "EVAINTERNAL"; name = "Blast Door Control"; pixel_x = -8; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/techfloor{ dir = 1 @@ -1973,7 +1973,7 @@ }, /obj/machinery/firealarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2, /obj/machinery/space_heater, @@ -2037,7 +2037,7 @@ /obj/machinery/vending/coffee, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/wood, /area/ship/crew/canteen) @@ -2178,7 +2178,7 @@ /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, /obj/machinery/door/poddoor{ id = "EVAINTERNAL"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /obj/machinery/door/firedoor/border_only, /obj/machinery/door/firedoor/border_only{ @@ -2221,7 +2221,7 @@ /area/ship/engineering/engine) "zK" = ( /obj/machinery/advanced_airlock_controller{ - pixel_y = -24 + pixel_y = -25 }, /obj/effect/decal/cleanable/dirt/dust, /turf/open/floor/plasteel/tech/techmaint, @@ -2255,7 +2255,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/atmospherics/components/unary/vent_scrubber/on/layer4, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/closet/secure_closet/freezer/meat/open, /mob/living/simple_animal/crab/Coffee, @@ -2324,7 +2324,7 @@ "AV" = ( /obj/effect/spawner/lootdrop/maintenance, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/closet/firecloset/full, /turf/open/floor/plating, @@ -2345,7 +2345,7 @@ "Ba" = ( /obj/machinery/door/poddoor{ id = "scrapdoorint"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ dir = 4 @@ -2368,7 +2368,7 @@ }, /obj/machinery/door/poddoor{ id = "EVAEXTERNAL"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /turf/open/floor/pod/light, /area/ship/hallway/central) @@ -2420,7 +2420,7 @@ "BQ" = ( /obj/machinery/door/poddoor{ id = "scrapdoorint"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ dir = 4 @@ -2443,7 +2443,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/components/unary/vent_scrubber/on/layer4{ dir = 1 @@ -2492,7 +2492,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/wood, /area/ship/crew/canteen) @@ -2590,8 +2590,8 @@ /obj/machinery/button/door{ id = "scrapdoorint"; name = "Blast Door Control"; - pixel_x = 24; - pixel_y = -24 + pixel_x = 25; + pixel_y = -25 }, /turf/open/floor/pod/light, /area/ship/cargo) @@ -2599,8 +2599,8 @@ /obj/machinery/button/door{ id = "scrapdoorint"; name = "Blast Door Control"; - pixel_x = -24; - pixel_y = -24 + pixel_x = -25; + pixel_y = -25 }, /obj/machinery/atmospherics/components/unary/vent_pump/on/layer2{ dir = 8 @@ -2726,7 +2726,7 @@ id = "internalbridgeshutter"; name = "EVA Oversight Lockdown"; pixel_x = -6; - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/light/dim{ dir = 1 @@ -2819,7 +2819,7 @@ /area/ship/security) "Hi" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/closet/firecloset/full, /turf/open/floor/plating, @@ -2832,8 +2832,8 @@ /obj/machinery/button/door{ id = "scrapdoorext"; name = "Blast Door Control"; - pixel_x = 24; - pixel_y = -24 + pixel_x = 25; + pixel_y = -25 }, /obj/machinery/atmospherics/components/unary/vent_scrubber/on/layer4{ dir = 8 @@ -2871,7 +2871,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/showroomfloor, /area/ship/crew/toilet) @@ -2933,8 +2933,8 @@ /obj/machinery/button/door{ id = "scrapdoorext"; name = "Blast Door Control"; - pixel_x = -24; - pixel_y = -24 + pixel_x = -25; + pixel_y = -25 }, /obj/effect/turf_decal/siding/yellow{ dir = 8 @@ -2957,15 +2957,15 @@ /obj/machinery/button/door{ id = "EVAEXTERNAL"; name = "Blast Door Control"; - pixel_x = 24; - pixel_y = 24 + pixel_x = 25; + pixel_y = 25 }, /turf/open/floor/pod/light, /area/ship/hallway/central) "IE" = ( /obj/machinery/door/poddoor{ id = "scrapdoorext"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /obj/machinery/door/firedoor/border_only{ dir = 8 @@ -3102,7 +3102,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/white, /area/ship/medical) @@ -3162,7 +3162,7 @@ name = "Bathroom lock"; normaldoorcontrol = 1; pixel_x = -8; - pixel_y = -24; + pixel_y = -25; specialfunctions = 4 }, /turf/open/floor/plasteel/showroomfloor, @@ -3170,7 +3170,7 @@ "Ky" = ( /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/stasis, /obj/effect/turf_decal/siding/blue{ @@ -3206,7 +3206,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/computer/cargo/express{ dir = 1 @@ -3226,7 +3226,7 @@ /obj/effect/turf_decal/techfloor, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/pod/light, /area/ship/cargo) @@ -3291,7 +3291,7 @@ /obj/structure/window/plasma/reinforced/plastitanium, /obj/machinery/door/poddoor/shutters{ id = "externalbridgeshutter"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/bridge) @@ -3508,7 +3508,7 @@ /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, /obj/machinery/door/poddoor{ id = "EVAINTERNAL"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /obj/machinery/door/firedoor/border_only, /obj/machinery/door/firedoor/border_only{ @@ -3633,7 +3633,7 @@ "PS" = ( /obj/machinery/firealarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/siding/purple{ dir = 5 @@ -3837,7 +3837,7 @@ /area/ship/medical) "RZ" = ( /obj/machinery/light_switch{ - pixel_x = -24; + pixel_x = -25; pixel_y = 8 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ @@ -3882,7 +3882,7 @@ }, /obj/machinery/firealarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/techfloor/orange{ dir = 4 @@ -4013,7 +4013,7 @@ dir = 1 }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/pod/light, /area/ship/crew/dorm) @@ -4027,7 +4027,7 @@ /area/ship/bridge) "TV" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/pod/light, /area/ship/crew/dorm) @@ -4065,7 +4065,7 @@ "Ui" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/pipe/manifold/supply/hidden/layer2{ dir = 4 @@ -4273,7 +4273,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/hydroponics/constructable, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/tech/techmaint, /area/ship/crew/hydroponics) @@ -4294,7 +4294,7 @@ /area/ship/maintenance/starboard) "WQ" = ( /obj/machinery/door/airlock/hatch{ - name = "external access hatch" + name = "External Access Hatch" }, /obj/effect/mapping_helpers/airlock/cyclelink_helper{ dir = 8 @@ -4371,7 +4371,7 @@ "Xr" = ( /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/space_heater, /turf/open/floor/pod/light, @@ -4404,7 +4404,7 @@ /area/ship/medical) "XB" = ( /obj/machinery/door/airlock/hatch{ - name = "external access hatch" + name = "External Access Hatch" }, /obj/effect/mapping_helpers/airlock/cyclelink_helper{ dir = 4 @@ -4592,7 +4592,7 @@ }, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2, /obj/machinery/space_heater, @@ -4624,7 +4624,7 @@ "ZY" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/chair{ dir = 4 diff --git a/_maps/shuttles/shiptest/scrapperb.dmm b/_maps/shuttles/shiptest/scrapperb.dmm index 8918f61caeb2..c6690d5ac58f 100644 --- a/_maps/shuttles/shiptest/scrapperb.dmm +++ b/_maps/shuttles/shiptest/scrapperb.dmm @@ -14,7 +14,7 @@ /obj/structure/window/plasma/reinforced/plastitanium, /obj/machinery/door/poddoor/shutters{ id = "externalbridgeshutter"; - name = "blast shutters" + name = "Blast Shutters" }, /turf/open/floor/plating, /area/ship/bridge) @@ -120,11 +120,11 @@ "br" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/space_heater, /obj/effect/turf_decal/techfloor{ @@ -220,7 +220,7 @@ "cn" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/pipe/manifold/supply/hidden/layer2{ dir = 4 @@ -301,7 +301,7 @@ /area/ship/hallway/fore) "dK" = ( /obj/machinery/door/airlock/hatch{ - name = "external access hatch" + name = "External Access Hatch" }, /obj/effect/mapping_helpers/airlock/cyclelink_helper{ dir = 8 @@ -491,7 +491,7 @@ }, /obj/machinery/firealarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/space_heater, /obj/machinery/atmospherics/components/binary/passive_gate/layer2{ @@ -531,7 +531,7 @@ dir = 4 }, /obj/machinery/door/airlock/freezer{ - name = "freezer" + name = "Freezer" }, /turf/open/floor/pod/light, /area/ship/maintenance/starboard) @@ -884,7 +884,7 @@ "mF" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/filingcabinet, /obj/item/research_notes, @@ -928,7 +928,7 @@ "ng" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/light/colour_cycle/dancefloor_a, /area/ship/crew/canteen) @@ -1096,7 +1096,7 @@ "oJ" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/suit_storage_unit/mining/eva, /obj/machinery/light{ @@ -1143,7 +1143,7 @@ /area/ship/engineering/engine) "pn" = ( /obj/machinery/door/airlock/hatch{ - name = "external access hatch" + name = "External Access Hatch" }, /obj/effect/mapping_helpers/airlock/cyclelink_helper{ dir = 4 @@ -1309,7 +1309,7 @@ "qG" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/atmospherics/components/unary/vent_pump/on/layer2{ dir = 4 @@ -1388,7 +1388,7 @@ }, /obj/machinery/firealarm{ pixel_x = 8; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/techfloor/orange{ dir = 5 @@ -1497,7 +1497,7 @@ "th" = ( /obj/machinery/vending/cigarette, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/light{ dir = 8 @@ -1629,7 +1629,7 @@ }, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/space_heater, /obj/machinery/atmospherics/components/binary/passive_gate/layer2{ @@ -1674,7 +1674,7 @@ "uV" = ( /obj/machinery/firealarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/light/colour_cycle/dancefloor_a, /area/ship/crew/canteen) @@ -1699,7 +1699,7 @@ "wa" = ( /obj/machinery/door/poddoor/shutters{ id = "internalbridgeshutter"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/grille, /obj/structure/window/plasma/reinforced/plastitanium, @@ -1708,7 +1708,7 @@ "wi" = ( /obj/machinery/firealarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/techfloor/orange{ dir = 4 @@ -1961,7 +1961,7 @@ /obj/structure/closet/firecloset/full, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plating, /area/ship/engineering/atmospherics) @@ -2105,7 +2105,7 @@ "AX" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/chair{ dir = 4 @@ -2145,7 +2145,7 @@ "Bz" = ( /obj/machinery/vending/dinnerware, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/tech/techmaint, /area/ship/maintenance/starboard) @@ -2197,14 +2197,14 @@ icon_state = "2-4" }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/techfloor/orange{ dir = 9 }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plating, /area/ship/engineering/electrical) @@ -2510,7 +2510,7 @@ "FC" = ( /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/space_heater, /turf/open/floor/pod/light, @@ -2592,7 +2592,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/structure/table/wood, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/light/small{ dir = 1 @@ -2662,7 +2662,7 @@ "HG" = ( /obj/structure/table, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/techfloor/orange{ dir = 9 @@ -2819,7 +2819,7 @@ "Jg" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/pipe/manifold/supply/hidden/layer2, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4{ @@ -3389,7 +3389,7 @@ name = "Bathroom lock"; normaldoorcontrol = 1; pixel_x = -8; - pixel_y = -24; + pixel_y = -25; specialfunctions = 4 }, /turf/open/floor/plasteel/showroomfloor, @@ -3421,7 +3421,7 @@ /area/ship/crew/canteen) "Pp" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/closet/firecloset/full, /turf/open/floor/plating, @@ -3543,7 +3543,7 @@ "Qu" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/closet/crate/bin, /turf/open/floor/pod/light, @@ -3707,7 +3707,7 @@ icon_state = "4-8" }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/showroomfloor, /area/ship/crew/toilet) @@ -3766,7 +3766,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/atmospherics/components/unary/vent_scrubber/on/layer4, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/closet/secure_closet/freezer/fridge/open, /turf/open/floor/plasteel/showroomfloor, @@ -3804,7 +3804,7 @@ icon_state = "2-4" }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/pod/light, /area/ship/hallway/fore) @@ -3934,7 +3934,7 @@ "Ud" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4{ dir = 10 @@ -4259,7 +4259,7 @@ /obj/machinery/vending/coffee, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/light{ dir = 8 @@ -4316,7 +4316,7 @@ id = "internalbridgeshutter"; name = "EVA Oversight Lockdown"; pixel_x = -6; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/chair{ dir = 4 diff --git a/_maps/shuttles/shiptest/sgv_bubble_b.dmm b/_maps/shuttles/shiptest/sgv_bubble_b.dmm index ff805ae80a57..d9b8a019276e 100644 --- a/_maps/shuttles/shiptest/sgv_bubble_b.dmm +++ b/_maps/shuttles/shiptest/sgv_bubble_b.dmm @@ -25,7 +25,7 @@ "cG" = ( /obj/machinery/advanced_airlock_controller{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/atmospherics/components/binary/dp_vent_pump{ dir = 8 @@ -52,7 +52,7 @@ /obj/effect/turf_decal/siding/thinplating, /obj/machinery/door/poddoor{ id = "bubbledoors"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /turf/open/floor/plating, /area/ship/cargo) @@ -132,7 +132,7 @@ }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/carpet/nanoweave/blue, /area/ship/bridge) @@ -418,7 +418,7 @@ /obj/effect/turf_decal/siding/thinplating, /obj/machinery/door/poddoor{ id = "bubbledoors"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /obj/effect/turf_decal/industrial/warning/corner{ dir = 1 @@ -429,7 +429,7 @@ /obj/machinery/button/door{ id = "bubbledoors"; name = "Blast Door Control"; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/components/unary/vent_pump/on/layer4, /obj/machinery/suit_storage_unit/solgov, @@ -484,7 +484,7 @@ icon_state = "2-8" }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/carpet/nanoweave/orange, /area/ship/engineering) @@ -685,7 +685,7 @@ /obj/item/mining_scanner, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/carpet/nanoweave/red, /area/ship/cargo) @@ -694,7 +694,7 @@ /obj/effect/turf_decal/siding/thinplating, /obj/machinery/door/poddoor{ id = "bubbledoors"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /obj/effect/turf_decal/industrial/warning/corner{ dir = 4 @@ -863,7 +863,7 @@ }, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/carpet/nanoweave/purple, /area/ship/science) @@ -955,7 +955,7 @@ /obj/machinery/airalarm/directional/east, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/item/areaeditor/shuttle, /turf/open/floor/wood, @@ -1031,7 +1031,7 @@ "Yx" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/carpet/nanoweave/beige, /area/ship/hallway/central) diff --git a/_maps/shuttles/shiptest/solar_class.dmm b/_maps/shuttles/shiptest/solar_class.dmm index 3cfb35751e9f..4873f9e1b389 100644 --- a/_maps/shuttles/shiptest/solar_class.dmm +++ b/_maps/shuttles/shiptest/solar_class.dmm @@ -1518,7 +1518,7 @@ }, /obj/machinery/computer/cryopod{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/wood, /area/ship/crew) @@ -1555,7 +1555,7 @@ "CO" = ( /obj/machinery/advanced_airlock_controller{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plating, /area/ship/hallway) @@ -1764,7 +1764,7 @@ icon_state = "1-2" }, /obj/machinery/door/airlock/research{ - name = "salvage bay" + name = "Salvage Bay" }, /turf/open/floor/plasteel, /area/ship/science) @@ -2060,7 +2060,7 @@ dir = 4 }, /obj/machinery/door/airlock/research{ - name = "salvage bay" + name = "Salvage Bay" }, /turf/open/floor/plasteel, /area/ship/cargo) diff --git a/_maps/shuttles/shiptest/solgov_cricket.dmm b/_maps/shuttles/shiptest/solgov_cricket.dmm index fed02827004c..7db8790ccb98 100644 --- a/_maps/shuttles/shiptest/solgov_cricket.dmm +++ b/_maps/shuttles/shiptest/solgov_cricket.dmm @@ -30,7 +30,7 @@ "at" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/pipe/manifold/scrubbers/hidden/layer4, /obj/machinery/atmospherics/pipe/manifold/supply/hidden/layer2, @@ -55,7 +55,7 @@ dir = 10 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plating, /area/ship/engineering/engine) @@ -116,7 +116,7 @@ /area/ship/cargo) "bn" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /mob/living/simple_animal/pet/fox/Renault, /obj/structure/bed/dogbed/renault, @@ -136,7 +136,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters/preopen{ id = "sgwindowshut"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ship/crew/solgov) @@ -328,7 +328,7 @@ }, /obj/machinery/firealarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/yellow/border{ dir = 6 @@ -354,7 +354,7 @@ /obj/machinery/light/small, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plating, /area/ship/engineering/engine) @@ -617,7 +617,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters/preopen{ id = "sgwindowshut"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ship/engineering/atmospherics) @@ -689,7 +689,7 @@ icon_state = "2-8" }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4{ dir = 10 @@ -827,7 +827,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/light, /obj/machinery/atmospherics/pipe/manifold/supply/hidden/layer2, @@ -947,7 +947,7 @@ }, /obj/item/oar, /obj/machinery/advanced_airlock_controller{ - pixel_y = -24 + pixel_y = -25 }, /obj/structure/closet/emcloset/wall{ pixel_x = 32 @@ -1032,7 +1032,7 @@ }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/carpet/nanoweave/purple, /area/ship/hallway/port) @@ -1042,7 +1042,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters/preopen{ id = "sgwindowshut"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ship/bridge) @@ -1205,7 +1205,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters/preopen{ id = "sgwindowshut"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ship/crew/canteen) @@ -1249,7 +1249,6 @@ /area/ship/hallway/aft) "ot" = ( /obj/structure/table, -/obj/structure/table, /obj/item/storage/bag/tray, /obj/item/reagent_containers/food/drinks/shaker, /obj/item/reagent_containers/glass/rag, @@ -1440,7 +1439,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ dir = 1 @@ -1594,7 +1593,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/carpet/nanoweave/blue, /area/ship/hallway/fore) @@ -1645,7 +1644,7 @@ /obj/machinery/button/door{ id = "sgcargodoor"; name = "Blast Door Control"; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/industrial/warning, /turf/open/floor/plasteel/mono/dark, @@ -1666,7 +1665,7 @@ /obj/machinery/recharger, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/carpet/nanoweave/red, /area/ship/security) @@ -1747,7 +1746,7 @@ "uO" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/yellow/border{ dir = 4 @@ -1761,7 +1760,7 @@ pixel_x = 12 }, /obj/structure/mirror{ - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/white, /area/ship/crew/dorm) @@ -1833,8 +1832,8 @@ icon_state = "0-2" }, /obj/machinery/light_switch{ - pixel_x = -24; - pixel_y = 24 + pixel_x = -25; + pixel_y = 25 }, /turf/open/floor/carpet/nanoweave, /area/ship/bridge) @@ -2127,7 +2126,7 @@ /area/ship/hallway/aft) "zN" = ( /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/table/glass, /obj/item/reagent_containers/dropper, @@ -2296,7 +2295,7 @@ /obj/structure/fans/tiny, /obj/machinery/door/poddoor{ id = "sgcargodoor"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /obj/machinery/door/firedoor/heavy, /turf/open/floor/plating, @@ -2319,7 +2318,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/firealarm{ dir = 4; @@ -2501,7 +2500,7 @@ /obj/item/bedsheet/random, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/camera/autoname{ dir = 4; @@ -2518,8 +2517,8 @@ pixel_y = -26 }, /obj/machinery/light_switch{ - pixel_x = 24; - pixel_y = -24 + pixel_x = 25; + pixel_y = -25 }, /turf/open/floor/eighties, /area/ship/crew/dorm) @@ -2559,7 +2558,7 @@ "Da" = ( /obj/machinery/airalarm/server{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/light, /turf/open/floor/circuit/green/telecomms/mainframe, @@ -2762,7 +2761,7 @@ icon_state = "2-4" }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/rack, /obj/item/multitool{ @@ -2796,7 +2795,7 @@ /area/ship/hallway/aft) "FG" = ( /obj/machinery/door/airlock/external{ - name = "server room airlock" + name = "Server Room Airlock" }, /obj/effect/turf_decal/corner/blue/diagonal, /obj/effect/turf_decal/industrial/warning, @@ -3078,7 +3077,7 @@ icon_state = "4-8" }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ dir = 4 @@ -3104,7 +3103,7 @@ icon_state = "4-8" }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4{ dir = 4 @@ -3174,7 +3173,7 @@ }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ dir = 5 @@ -3218,7 +3217,7 @@ "Kh" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/carpet/nanoweave/orange, /area/ship/hallway/aft) @@ -3246,7 +3245,7 @@ "KL" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/carpet/nanoweave/beige, /area/ship/hallway/starboard) @@ -3307,13 +3306,13 @@ }, /obj/structure/chair/comfy/teal, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/wood, /area/ship/crew/dorm) "LN" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/gibber, /obj/effect/turf_decal/corner/white{ @@ -3445,7 +3444,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters/preopen{ id = "sgwindowshut"; - name = "external shutters" + name = "External Shutters" }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4{ dir = 4 @@ -3594,7 +3593,7 @@ "OT" = ( /obj/structure/table/glass, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/reagentgrinder{ pixel_y = 6 @@ -3649,7 +3648,7 @@ /area/ship/cargo) "PN" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/components/unary/vent_scrubber/on/layer4, /turf/open/floor/carpet/nanoweave/red, @@ -3700,7 +3699,7 @@ icon_state = "0-4" }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plating, /area/ship/engineering/engine) @@ -3710,7 +3709,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters/preopen{ id = "sgwindowshut"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ship/cargo) @@ -3763,7 +3762,7 @@ }, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner_techfloor_grid{ dir = 9 @@ -3799,7 +3798,7 @@ "RI" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/closet/firecloset/full, /turf/open/floor/plating, @@ -4402,7 +4401,7 @@ }, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/carpet/nanoweave/orange, /area/ship/hallway/aft) diff --git a/_maps/shuttles/shiptest/solgov_liberty.dmm b/_maps/shuttles/shiptest/solgov_liberty.dmm index 334af1220f87..c494520ace31 100644 --- a/_maps/shuttles/shiptest/solgov_liberty.dmm +++ b/_maps/shuttles/shiptest/solgov_liberty.dmm @@ -161,7 +161,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/dark, /area/ship/bridge) @@ -211,7 +211,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "pirateshutters"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle, /turf/open/floor/plating, @@ -357,7 +357,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "pirateshutters"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/machinery/atmospherics/pipe/layer_manifold{ dir = 4 @@ -524,7 +524,7 @@ /obj/machinery/button/door{ id = "piratecargo"; name = "Blast Door Control"; - pixel_x = -24; + pixel_x = -25; pixel_y = -10 }, /turf/open/floor/mineral/plastitanium, @@ -533,7 +533,7 @@ /obj/effect/turf_decal/industrial/warning/cee, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/item/clothing/suit/space/hardsuit/solgov, /obj/item/clothing/mask/gas/sechailer/swat/spacepol, @@ -583,7 +583,7 @@ }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/item/clothing/head/helmet/solgov, /obj/item/clothing/head/helmet/solgov, @@ -644,7 +644,7 @@ /area/ship/crew) "ui" = ( /obj/machinery/door/airlock/hatch{ - name = "external access hatch" + name = "External Access Hatch" }, /obj/effect/mapping_helpers/airlock/cyclelink_helper{ dir = 4 @@ -675,7 +675,7 @@ pixel_y = 28 }, /obj/machinery/advanced_airlock_controller{ - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/industrial/warning{ dir = 4 @@ -684,7 +684,7 @@ /area/ship/crew) "vo" = ( /obj/machinery/door/airlock/hatch{ - name = "external access hatch" + name = "External Access Hatch" }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4{ dir = 4 @@ -764,7 +764,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "pirateshutters"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle, /turf/open/floor/plating, @@ -1053,7 +1053,7 @@ }, /obj/structure/curtain/bounty, /obj/machinery/computer/cryopod{ - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/dark, /area/ship/crew) @@ -1062,7 +1062,7 @@ /obj/structure/curtain/bounty, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/firealarm{ dir = 4; @@ -1257,7 +1257,7 @@ }, /obj/machinery/flasher{ id = "Cell 1"; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/red/diagonal, /turf/open/floor/plasteel/dark, @@ -1710,7 +1710,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/cable{ icon_state = "1-8" @@ -1721,7 +1721,7 @@ /obj/effect/turf_decal/industrial/outline/yellow, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/telecomms/allinone, /turf/open/floor/plasteel/dark, @@ -1811,7 +1811,7 @@ /obj/structure/grille, /obj/machinery/door/poddoor/shutters{ id = "pirateshutters"; - name = "blast shutters" + name = "Blast Shutters" }, /obj/structure/window/reinforced/fulltile/shuttle, /turf/open/floor/plating, @@ -1829,7 +1829,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/cable{ icon_state = "2-4" @@ -1877,7 +1877,7 @@ /obj/machinery/button/door{ id = "piratecargo"; name = "Blast Door Control"; - pixel_x = 24; + pixel_x = 25; pixel_y = -10 }, /turf/open/floor/mineral/plastitanium, diff --git a/_maps/shuttles/shiptest/starfury_class.dmm b/_maps/shuttles/shiptest/starfury_class.dmm index 70cfb5039545..94830b918330 100644 --- a/_maps/shuttles/shiptest/starfury_class.dmm +++ b/_maps/shuttles/shiptest/starfury_class.dmm @@ -105,7 +105,7 @@ id = "starfurybc_massleft" }, /obj/machinery/door/window{ - name = "cannon access"; + name = "Cannon Access"; req_access_txt = "150" }, /turf/open/floor/plating, @@ -218,7 +218,7 @@ /area/ship/medical/surgery) "cp" = ( /obj/machinery/door/window{ - name = "cannon access"; + name = "Cannon Access"; req_access_txt = "150" }, /obj/machinery/mass_driver{ @@ -2362,7 +2362,7 @@ "uY" = ( /obj/machinery/door/poddoor{ id = "sbccargo"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /obj/structure/fans/tiny, /turf/open/floor/plating, @@ -2991,7 +2991,7 @@ /obj/effect/spawner/structure/window/plasma/reinforced/plastitanium, /obj/machinery/door/poddoor{ id = "windows"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /turf/open/floor/plating, /area/ship/crew/canteen) @@ -3175,7 +3175,7 @@ /obj/effect/spawner/structure/window/plasma/reinforced/plastitanium, /obj/machinery/door/poddoor{ id = "bridgedoors"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /turf/open/floor/plating, /area/ship/bridge) @@ -3271,7 +3271,7 @@ id = "starfurybcsupermatter"; name = "Radiation Shutters"; pixel_x = 6; - pixel_y = 24; + pixel_y = 25; req_access_txt = "150" }, /obj/machinery/button/door{ @@ -3279,7 +3279,7 @@ name = "Supermatter Bolt Control"; normaldoorcontrol = 1; pixel_x = -6; - pixel_y = 24; + pixel_y = 25; req_access_txt = "150"; specialfunctions = 4 }, @@ -3612,7 +3612,7 @@ /obj/structure/fans/tiny, /obj/machinery/door/poddoor{ id = "sbccargo"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /turf/open/floor/plating, /area/ship/cargo) @@ -4282,7 +4282,7 @@ /obj/machinery/power/apc/syndicate{ auto_name = 1; dir = 1; - pixel_y = 28 + pixel_y = 25 }, /obj/machinery/power/terminal{ dir = 1 @@ -4362,7 +4362,7 @@ /obj/machinery/button/door{ dir = 4; id = "windows"; - name = "window shutters"; + name = "Window Shutters"; pixel_x = -22; pixel_y = -1 }, @@ -4559,12 +4559,12 @@ /obj/machinery/door/firedoor, /obj/machinery/door/window{ dir = 8; - name = "security desk"; + name = "Security Desk"; req_access_txt = "150" }, /obj/machinery/door/window{ dir = 4; - name = "security desk"; + name = "Security Desk"; req_access_txt = "150;3" }, /turf/open/floor/carpet/nanoweave/red, @@ -5019,7 +5019,7 @@ /obj/effect/spawner/structure/window/plasma/reinforced/plastitanium, /obj/machinery/door/poddoor{ id = "windows"; - name = "cargo bay blast door" + name = "Cargo Bay Blast Door" }, /turf/open/floor/plating, /area/ship/crew/dorm) @@ -5533,7 +5533,7 @@ /obj/machinery/power/apc/syndicate{ auto_name = 1; dir = 1; - pixel_y = 28 + pixel_y = 25 }, /obj/machinery/power/terminal{ dir = 1 diff --git a/_maps/shuttles/shiptest/synapsev2.dmm b/_maps/shuttles/shiptest/synapsev2.dmm index 03fd7e821db0..e98485e79cd4 100644 --- a/_maps/shuttles/shiptest/synapsev2.dmm +++ b/_maps/shuttles/shiptest/synapsev2.dmm @@ -3295,7 +3295,7 @@ "VQ" = ( /obj/machinery/light, /obj/structure/mirror{ - pixel_x = -24 + pixel_x = -25 }, /obj/structure/sink{ dir = 4; diff --git a/_maps/shuttles/shiptest/syndicate_geneva.dmm b/_maps/shuttles/shiptest/syndicate_geneva.dmm index 5fca2d46493b..b9768dd0a538 100644 --- a/_maps/shuttles/shiptest/syndicate_geneva.dmm +++ b/_maps/shuttles/shiptest/syndicate_geneva.dmm @@ -96,7 +96,7 @@ /obj/structure/table/reinforced, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/item/areaeditor/shuttle, /obj/item/stack/spacecash/c1000, @@ -130,10 +130,6 @@ dir = 1 }, /obj/machinery/door/firedoor/border_only, -/obj/machinery/door/firedoor/border_only{ - dir = 1 - }, -/obj/machinery/door/firedoor/border_only, /turf/open/floor/carpet/nanoweave/red, /area/ship/bridge) "cQ" = ( @@ -174,7 +170,7 @@ /obj/machinery/atmospherics/components/unary/vent_pump/on/layer4, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/item/vending_refill/autodrobe, /obj/effect/turf_decal/syndicateemblem/top/left, @@ -206,7 +202,7 @@ /obj/machinery/power/apc/auto_name/north, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/carpet/nanoweave/red, /area/ship/crew/dorm) @@ -620,7 +616,7 @@ /obj/item/lighter, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt, /obj/item/seeds/replicapod, @@ -763,7 +759,7 @@ dir = 1 }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/white, /area/ship/medical) @@ -1435,7 +1431,7 @@ }, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/dark, /area/ship/engineering) @@ -1724,7 +1720,7 @@ }, /obj/machinery/duct, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/white, /area/ship/medical/surgery) diff --git a/_maps/shuttles/shiptest/syndicate_luxembourg.dmm b/_maps/shuttles/shiptest/syndicate_luxembourg.dmm index 665c9473868f..c163ca48df01 100644 --- a/_maps/shuttles/shiptest/syndicate_luxembourg.dmm +++ b/_maps/shuttles/shiptest/syndicate_luxembourg.dmm @@ -350,7 +350,7 @@ /obj/machinery/button/door{ id = "cargodoors"; pixel_x = 8; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/dark, /area/ship/cargo) @@ -446,7 +446,7 @@ /area/ship/bridge) "iv" = ( /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/mineral/plastitanium, /area/ship/bridge) @@ -1143,7 +1143,7 @@ /obj/item/bedsheet/syndie, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/carpet/donk, /area/ship/crew/dorm) @@ -1359,7 +1359,7 @@ /obj/item/storage/toolbox/syndicate, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plating, /area/ship/engineering) @@ -1615,7 +1615,7 @@ }, /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/dark, /area/ship/medical) @@ -1744,7 +1744,7 @@ /area/ship/bridge) "NW" = ( /obj/structure/mirror{ - pixel_x = -24 + pixel_x = -25 }, /obj/structure/sink{ dir = 4; @@ -1840,13 +1840,13 @@ /obj/machinery/button/door{ id = "syndiefuck"; name = "Loading Shutters Control"; - pixel_x = -24; + pixel_x = -25; pixel_y = -5 }, /obj/machinery/button/door{ id = "warehouse"; name = "Warehouse Control"; - pixel_x = -24; + pixel_x = -25; pixel_y = 5 }, /obj/machinery/button/door{ @@ -2157,7 +2157,7 @@ /obj/item/banner/cargo, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/mineral/plastitanium, /area/ship/bridge) @@ -2293,7 +2293,7 @@ }, /obj/machinery/button/door{ id = "cargodoors"; - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/dark, /area/ship/cargo) diff --git a/_maps/shuttles/shiptest/tour_cruise_ship.dmm b/_maps/shuttles/shiptest/tour_cruise_ship.dmm index 5ea9ca0294c9..bd3296f31724 100644 --- a/_maps/shuttles/shiptest/tour_cruise_ship.dmm +++ b/_maps/shuttles/shiptest/tour_cruise_ship.dmm @@ -36,7 +36,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/item/radio/intercom{ pixel_y = 22 @@ -60,7 +60,7 @@ /area/ship/hallway/aft) "as" = ( /obj/machinery/door/airlock/wood{ - name = "cabin 1" + name = "Cabin 1" }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2, @@ -160,7 +160,7 @@ dir = 1 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/wood, /area/ship/crew/dorm) @@ -211,7 +211,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/atmospherics/pipe/manifold/supply/hidden/layer2{ dir = 8 @@ -381,13 +381,13 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters/preopen{ id = "cruisebridgewindows"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ship/bridge) "bX" = ( /obj/machinery/door/airlock/wood{ - name = "cabin 2" + name = "Cabin 2" }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, @@ -431,7 +431,7 @@ /area/ship/crew/office) "cx" = ( /obj/machinery/door/airlock/titanium{ - name = "cabin 6" + name = "Cabin 6" }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, @@ -458,14 +458,14 @@ dir = 4; id = "cruisewindows"; name = "Window Lockdown"; - pixel_x = -24; + pixel_x = -25; pixel_y = -8 }, /obj/machinery/button/door{ dir = 4; id = "cruisebridge"; name = "Bridge Lockdown"; - pixel_x = -24; + pixel_x = -25; pixel_y = 8 }, /obj/machinery/button/door{ @@ -860,7 +860,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters/preopen{ id = "cruisebridgewindows"; - name = "external shutters" + name = "External Shutters" }, /turf/open/floor/plating, /area/ship/medical) @@ -1125,7 +1125,7 @@ /obj/machinery/atmospherics/pipe/layer_manifold, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/industrial/radiation/corner{ dir = 1 @@ -1245,7 +1245,7 @@ /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, /obj/machinery/light_switch{ - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/siding/wood{ dir = 8 @@ -1581,7 +1581,7 @@ "jV" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/carpet/black, /area/ship/crew/library) @@ -1786,7 +1786,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters/preopen{ id = "cruisebridgewindows"; - name = "external shutters" + name = "External Shutters" }, /obj/structure/cable{ icon_state = "0-2" @@ -2197,7 +2197,7 @@ "ou" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/white/border{ dir = 10 @@ -2206,7 +2206,7 @@ /area/ship/hallway/port) "oz" = ( /obj/machinery/door/airlock/titanium{ - name = "cabin 5" + name = "Cabin 5" }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, @@ -2504,7 +2504,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/siding/red{ dir = 8 @@ -2625,7 +2625,7 @@ /obj/effect/turf_decal/corner/white/diagonal, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel, /area/ship/crew/canteen/kitchen) @@ -2765,7 +2765,7 @@ "rQ" = ( /obj/structure/chair/office, /obj/machinery/vending/wallmed{ - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ dir = 9 @@ -2838,7 +2838,7 @@ "ss" = ( /obj/structure/closet/crate/wooden/toy, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/carpet/nanoweave/purple, /area/ship/crew/canteen) @@ -2931,7 +2931,7 @@ "sT" = ( /obj/machinery/computer/arcade/orion_trail, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/light/colour_cycle/dancefloor_b, /area/ship/storage) @@ -3158,7 +3158,7 @@ dir = 6 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/siding/wood{ dir = 9 @@ -3169,7 +3169,7 @@ "uO" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/cable{ icon_state = "1-2" @@ -3187,7 +3187,7 @@ dir = 4 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/manifold/supply/hidden/layer2{ dir = 1 @@ -3200,7 +3200,7 @@ "uS" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ dir = 4 @@ -3385,7 +3385,7 @@ /area/ship/hallway/port) "wd" = ( /obj/machinery/door/airlock/titanium{ - name = "cabin 7" + name = "Cabin 7" }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, @@ -3626,7 +3626,7 @@ /area/ship/engineering) "xJ" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/siding/wood{ dir = 1 @@ -4308,7 +4308,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters/preopen{ id = "cruisebridgewindows"; - name = "external shutters" + name = "External Shutters" }, /obj/structure/cable{ icon_state = "0-8" @@ -4344,7 +4344,7 @@ "Cy" = ( /obj/item/kirbyplants/photosynthetic, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/carpet/black, /area/ship/crew/office) @@ -4388,7 +4388,7 @@ dir = 4; id = "cruiseeng"; name = "Engineering Lockdown"; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/computer/atmos_control/tank/air_tank{ dir = 4 @@ -4609,7 +4609,7 @@ /area/ship/hallway/starboard) "El" = ( /obj/machinery/door/airlock/wood{ - name = "cabin 3" + name = "Cabin 3" }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, @@ -4700,7 +4700,7 @@ /area/ship/crew/library) "EM" = ( /obj/machinery/advanced_airlock_controller{ - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/light{ dir = 8 @@ -4880,7 +4880,7 @@ /obj/item/pen/fountain, /obj/item/kitchen/knife/letter_opener, /obj/machinery/light_switch{ - pixel_x = -24 + pixel_x = -25 }, /obj/item/pen, /turf/open/floor/carpet/black, @@ -5727,7 +5727,7 @@ "Mf" = ( /obj/machinery/biogenerator, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/firealarm{ dir = 8; @@ -5865,13 +5865,13 @@ id = "cruise_entrance2"; name = "blastdoor two"; pixel_x = 28; - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/button/door{ id = "cruise_checkpoint"; name = "checkpoint lockdown"; pixel_x = -28; - pixel_y = 24 + pixel_y = 25 }, /obj/structure/chair/office{ dir = 8 @@ -6086,7 +6086,7 @@ icon_state = "4-8" }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/manifold/scrubbers/hidden/layer4{ dir = 1 @@ -6220,7 +6220,7 @@ "PY" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/cable{ icon_state = "1-2" @@ -6527,7 +6527,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor/shutters/preopen{ id = "cruisebridgewindows"; - name = "external shutters" + name = "External Shutters" }, /obj/structure/cable{ icon_state = "1-8" @@ -6797,7 +6797,7 @@ "Tr" = ( /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/white/border{ dir = 4 @@ -7286,7 +7286,7 @@ "Wj" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/pipe/manifold/scrubbers/hidden/layer4, /obj/machinery/atmospherics/pipe/manifold/supply/hidden/layer2, @@ -7465,7 +7465,7 @@ /obj/item/reagent_containers/glass/bucket, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/item/holosign_creator/janibarrier, /obj/machinery/power/apc/auto_name/north, @@ -7508,7 +7508,7 @@ /area/ship/hallway/central) "XM" = ( /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/table/wood, /obj/item/storage/bag/easterbasket{ @@ -7659,7 +7659,7 @@ "Zb" = ( /obj/machinery/door/poddoor{ id = "cruise_disposals"; - name = "disposals blast door" + name = "Disposals Blast Door" }, /obj/machinery/conveyor{ id = "cruise_conveyor" diff --git a/_maps/shuttles/shiptest/whiteship_box.dmm b/_maps/shuttles/shiptest/whiteship_box.dmm index 671ab7365e1f..5ac7099320c4 100644 --- a/_maps/shuttles/shiptest/whiteship_box.dmm +++ b/_maps/shuttles/shiptest/whiteship_box.dmm @@ -224,7 +224,7 @@ "aM" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden{ dir = 9 @@ -290,7 +290,7 @@ "aV" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/light/small/built, /obj/machinery/atmospherics/components/unary/vent_pump/on{ @@ -356,8 +356,8 @@ dir = 1 }, /obj/machinery/light_switch{ - pixel_x = -24; - pixel_y = -24 + pixel_x = -25; + pixel_y = -25 }, /obj/machinery/atmospherics/components/unary/vent_scrubber/on/layer4, /turf/open/floor/plasteel, @@ -459,7 +459,7 @@ "bo" = ( /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/cable{ icon_state = "5-8" @@ -475,7 +475,7 @@ dir = 4 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/light/small/built{ dir = 1 @@ -596,7 +596,7 @@ }, /obj/effect/turf_decal/corner/neutral, /obj/machinery/door/window/southleft{ - name = "equipment storage" + name = "Equipment Storage" }, /obj/structure/window/reinforced/spawner/west, /obj/item/reagent_containers/glass/bottle/formaldehyde{ @@ -878,13 +878,13 @@ id = "whiteship_windows"; name = "Windows Blast Door Control"; pixel_x = -5; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/button/door{ id = "whiteship_bridge"; name = "Bridge Blast Door Control"; pixel_x = 5; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/button/door{ id = "emergencybay_blastdoors"; @@ -948,7 +948,7 @@ /area/ship/engineering) "cs" = ( /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/components/unary/vent_pump/on, /obj/structure/cable{ @@ -1147,7 +1147,7 @@ }, /obj/machinery/vending/wardrobe/medi_wardrobe, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/dark, /area/ship/crew) @@ -1172,7 +1172,7 @@ icon_state = "0-4" }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plasteel/freezer, /area/ship/crew) @@ -1229,8 +1229,8 @@ dir = 8 }, /obj/machinery/light_switch{ - pixel_x = -24; - pixel_y = 24 + pixel_x = -25; + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4{ dir = 1 @@ -1258,7 +1258,7 @@ /area/ship/crew) "cX" = ( /obj/machinery/computer/cryopod{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/neutral{ dir = 8 @@ -1277,7 +1277,7 @@ /obj/machinery/chem_master, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden{ dir = 5 @@ -1476,15 +1476,15 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/cable{ icon_state = "0-2" }, /obj/machinery/power/apc/auto_name/north, /obj/machinery/light_switch{ - pixel_x = -24; - pixel_y = 24 + pixel_x = -25; + pixel_y = 25 }, /turf/open/floor/carpet/nanoweave/blue, /area/ship/bridge) @@ -1623,7 +1623,7 @@ pixel_y = 4 }, /obj/machinery/light_switch{ - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/neutral{ dir = 4 @@ -1666,7 +1666,7 @@ /obj/machinery/iv_drip, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/dark, /area/ship/medical) @@ -1755,7 +1755,7 @@ /obj/structure/table, /obj/machinery/microwave, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/wood, /area/ship/crew) @@ -1833,8 +1833,8 @@ /obj/machinery/button/door{ id = "emergencybay_blastdoors"; name = "Emergency Bay Blast Door Control"; - pixel_x = 24; - pixel_y = 24 + pixel_x = 25; + pixel_y = 25 }, /turf/open/floor/plasteel/white, /area/ship/cargo) @@ -2039,7 +2039,7 @@ /obj/machinery/iv_drip, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/dark, /area/ship/medical) diff --git a/_maps/shuttles/shiptest/whiteship_delta.dmm b/_maps/shuttles/shiptest/whiteship_delta.dmm index ac2d4a6b58fc..3773d0c75ab1 100644 --- a/_maps/shuttles/shiptest/whiteship_delta.dmm +++ b/_maps/shuttles/shiptest/whiteship_delta.dmm @@ -96,7 +96,7 @@ /obj/machinery/atmospherics/components/unary/vent_pump/on, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/item/paicard, /turf/open/floor/wood, @@ -109,7 +109,7 @@ /obj/machinery/atmospherics/components/unary/vent_pump/on, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/cryopod{ dir = 8 @@ -199,7 +199,7 @@ "au" = ( /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/closet/crate/bin, /obj/effect/turf_decal/corner/bar, @@ -724,7 +724,7 @@ "bk" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt/dust, /obj/effect/turf_decal/industrial/outline/yellow, @@ -950,7 +950,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/components/unary/vent_pump/on{ dir = 1 @@ -1141,7 +1141,7 @@ }, /obj/machinery/firealarm{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plating, /area/ship/engineering) @@ -1155,7 +1155,7 @@ /obj/effect/decal/cleanable/cobweb, /obj/machinery/firealarm{ dir = 8; - pixel_x = -24 + pixel_x = -25 }, /obj/item/stack/spacecash/c200{ pixel_x = 7; @@ -1340,7 +1340,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/blue{ dir = 1 @@ -1426,13 +1426,13 @@ /obj/machinery/button/door{ id = "whiteship_windows"; name = "Windows Blast Door Control"; - pixel_x = -24; + pixel_x = -25; pixel_y = -5 }, /obj/machinery/button/door{ id = "whiteship_bridge"; name = "Bridge Blast Door Control"; - pixel_x = -24; + pixel_x = -25; pixel_y = 5 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden, @@ -1456,7 +1456,7 @@ "cw" = ( /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/decal/cleanable/dirt/dust, /obj/structure/closet/secure_closet/freezer{ @@ -1550,7 +1550,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/light/small/built{ dir = 4 @@ -1618,7 +1618,7 @@ /obj/item/extinguisher, /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/closet/crate/internals, /obj/effect/turf_decal/box/corners{ @@ -1633,7 +1633,7 @@ "cN" = ( /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt/dust, /obj/effect/turf_decal/industrial/outline/yellow, @@ -1747,7 +1747,7 @@ }, /obj/item/radio/off, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/components/unary/vent_pump/on, /turf/open/floor/plasteel/dark, @@ -1882,7 +1882,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/white, /area/ship/medical) @@ -1917,7 +1917,7 @@ icon_state = "4-8" }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden{ dir = 4 @@ -2172,7 +2172,7 @@ "dz" = ( /obj/machinery/door/poddoor{ id = "cargobaydoors"; - name = "cargo bay door" + name = "Cargo Bay Door" }, /obj/structure/fans/tiny, /turf/open/floor/plating, @@ -2450,7 +2450,7 @@ /obj/machinery/button/door{ id = "cargobaydoors"; name = "Cargo Bay Door Control"; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/box/corners{ dir = 1 @@ -2544,7 +2544,7 @@ }, /obj/machinery/firealarm{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/light/small/built{ dir = 4 @@ -2637,11 +2637,11 @@ icon_state = "4-8" }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/neutral{ dir = 4 @@ -2810,7 +2810,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/components/unary/vent_scrubber/on/layer4{ dir = 1 @@ -2935,7 +2935,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/firealarm{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /obj/structure/table, /obj/machinery/cell_charger, @@ -3008,7 +3008,7 @@ /obj/machinery/button/door{ id = "cargobaydoors"; name = "Cargo Bay Door Control"; - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/industrial/warning{ dir = 8 diff --git a/_maps/shuttles/shiptest/whiteship_kilo.dmm b/_maps/shuttles/shiptest/whiteship_kilo.dmm index 1dfaa9305181..3739dbcc4316 100644 --- a/_maps/shuttles/shiptest/whiteship_kilo.dmm +++ b/_maps/shuttles/shiptest/whiteship_kilo.dmm @@ -184,7 +184,7 @@ id = "ntms_exterior"; name = "NTMS-037 External Lock"; normaldoorcontrol = 1; - pixel_x = -24; + pixel_x = -25; pixel_y = -8; specialfunctions = 4 }, @@ -225,7 +225,7 @@ /obj/effect/turf_decal/industrial/outline, /obj/machinery/door/poddoor{ id = "whiteship_port"; - name = "NTMS-037 Bay Blast door" + name = "NTMS-037 Bay Blast Door" }, /obj/machinery/conveyor{ id = "NTMSLoad2"; @@ -282,8 +282,8 @@ /obj/machinery/button/door{ id = "whiteship_port"; name = "Cargo Bay Control"; - pixel_x = -24; - pixel_y = 24 + pixel_x = -25; + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ @@ -343,7 +343,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor{ id = "whiteship_bridge"; - name = "Cockpit Emergency Blast door" + name = "Garage DoorCockpit Emergency Blast Door" }, /obj/machinery/door/firedoor/border_only{ dir = 4 @@ -514,7 +514,7 @@ /obj/effect/turf_decal/industrial/hatch/yellow, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/suit_storage_unit/independent/mining/eva, /turf/open/floor/mineral/plastitanium, @@ -541,7 +541,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/item/circuitboard/machine/ore_redemption, /turf/open/floor/plating, @@ -646,7 +646,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/light/small, /obj/effect/decal/cleanable/dirt, @@ -680,7 +680,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor{ id = "whiteship_windows"; - name = "Exterior Window Blast door" + name = "Exterior Window Blast Door" }, /obj/machinery/door/firedoor/border_only, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, @@ -690,7 +690,7 @@ /obj/effect/turf_decal/industrial/warning, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/light/small{ dir = 1 @@ -713,7 +713,7 @@ /obj/effect/turf_decal/industrial/warning, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/light/small{ dir = 1 @@ -914,7 +914,7 @@ /obj/effect/turf_decal/industrial/outline/yellow, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/frame/computer{ dir = 4 @@ -1087,7 +1087,7 @@ /obj/effect/turf_decal/industrial/outline, /obj/machinery/door/poddoor{ id = "whiteship_port"; - name = "NTMS-037 Bay Blast door" + name = "NTMS-037 Bay Blast Door" }, /obj/machinery/conveyor{ dir = 1; @@ -1306,7 +1306,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor{ id = "whiteship_bridge"; - name = "Cockpit Emergency Blast door" + name = "Garage DoorCockpit Emergency Blast Door" }, /obj/machinery/door/firedoor/border_only{ dir = 1 @@ -1515,7 +1515,7 @@ "AS" = ( /obj/machinery/door/poddoor{ id = "whiteship_port"; - name = "NTMS-037 Bay Blast door" + name = "NTMS-037 Bay Blast Door" }, /obj/machinery/conveyor{ id = "NTMSLoad2"; @@ -1532,7 +1532,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor{ id = "whiteship_bridge"; - name = "Cockpit Emergency Blast door" + name = "Garage DoorCockpit Emergency Blast Door" }, /turf/open/floor/plating, /area/ship/bridge) @@ -1540,7 +1540,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor{ id = "whiteship_bridge"; - name = "Cockpit Emergency Blast door" + name = "Garage DoorCockpit Emergency Blast Door" }, /obj/machinery/door/firedoor/border_only{ dir = 4 @@ -1638,7 +1638,7 @@ /obj/effect/decal/cleanable/blood/old, /obj/effect/decal/cleanable/dirt, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/simple/supply/hidden/layer2{ dir = 4 @@ -1766,7 +1766,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor{ id = "whiteship_windows"; - name = "Exterior Window Blast door" + name = "Exterior Window Blast Door" }, /obj/machinery/door/firedoor/border_only{ dir = 1 @@ -1786,7 +1786,7 @@ "Ke" = ( /obj/machinery/door/poddoor{ id = "whiteship_port"; - name = "NTMS-037 Bay Blast door" + name = "NTMS-037 Bay Blast Door" }, /obj/machinery/conveyor{ dir = 1; @@ -1839,7 +1839,7 @@ pixel_y = 8 }, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/carpet, /area/ship/crew) @@ -1847,7 +1847,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor{ id = "whiteship_windows"; - name = "Exterior Window Blast door" + name = "Exterior Window Blast Door" }, /obj/machinery/door/firedoor/border_only, /turf/open/floor/plating, @@ -1939,7 +1939,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/decal/cleanable/greenglow, /obj/item/gun/energy/e_gun/mini, @@ -2070,7 +2070,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor{ id = "whiteship_windows"; - name = "Exterior Window Blast door" + name = "Exterior Window Blast Door" }, /obj/machinery/door/firedoor/border_only{ dir = 1 @@ -2090,7 +2090,7 @@ /obj/effect/spawner/structure/window/shuttle, /obj/machinery/door/poddoor{ id = "whiteship_windows"; - name = "Exterior Window Blast door" + name = "Exterior Window Blast Door" }, /obj/machinery/door/firedoor/border_only, /turf/open/floor/plating, @@ -2282,7 +2282,7 @@ }, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/mineral/plastitanium, /area/ship/crew/canteen) diff --git a/_maps/shuttles/shiptest/whiteship_meta.dmm b/_maps/shuttles/shiptest/whiteship_meta.dmm index a6c48bcf6804..854da506637b 100644 --- a/_maps/shuttles/shiptest/whiteship_meta.dmm +++ b/_maps/shuttles/shiptest/whiteship_meta.dmm @@ -73,7 +73,7 @@ /obj/machinery/button/door{ id = "whiteship_port"; name = "Port Blast Door Control"; - pixel_x = -24; + pixel_x = -25; pixel_y = 5 }, /turf/open/floor/plasteel/dark, @@ -134,7 +134,7 @@ /obj/machinery/button/door{ id = "whiteship_port"; name = "Port Blast Door Control"; - pixel_x = 24; + pixel_x = 25; pixel_y = 5 }, /turf/open/floor/plasteel/dark, @@ -149,7 +149,7 @@ }, /obj/machinery/advanced_airlock_controller{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/components/unary/vent_pump/layer2, /turf/open/floor/plating, @@ -157,7 +157,7 @@ "au" = ( /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/closet/secure_closet/personal, /obj/effect/decal/cleanable/dirt/dust, @@ -633,7 +633,7 @@ }, /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable{ icon_state = "2-8" @@ -716,7 +716,7 @@ /obj/machinery/light/small/built, /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable{ icon_state = "4-8" @@ -750,7 +750,7 @@ "bc" = ( /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt/dust, /obj/structure/cable{ @@ -830,7 +830,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/industrial/outline/yellow, /obj/structure/table, @@ -847,7 +847,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/light/small/built, /obj/effect/decal/cleanable/blood, @@ -1072,7 +1072,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/dark, /area/ship/cargo) @@ -1353,7 +1353,7 @@ "bV" = ( /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/closet/secure_closet/personal, /obj/effect/decal/cleanable/dirt/dust, @@ -1433,7 +1433,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4{ @@ -1478,7 +1478,7 @@ "ce" = ( /obj/structure/table, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/decal/cleanable/dirt/dust, /obj/item/folder/blue{ @@ -1550,7 +1550,7 @@ dir = 1 }, /obj/machinery/advanced_airlock_controller{ - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/components/unary/vent_pump/layer2{ dir = 4 @@ -1827,7 +1827,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/turf_decal/corner/neutral{ dir = 1 @@ -1912,7 +1912,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/firealarm{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/decal/cleanable/dirt, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4{ @@ -1948,7 +1948,7 @@ /obj/structure/table, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/cell_charger, @@ -1974,13 +1974,13 @@ id = "whiteship_bridge"; name = "Bridge Blast Door Control"; pixel_x = 5; - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/button/door{ id = "whiteship_windows"; name = "Windows Blast Door Control"; pixel_x = -5; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/turf_decal/corner/blue, /obj/machinery/button/door{ @@ -2153,7 +2153,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/structure/cable{ icon_state = "1-2" @@ -2192,7 +2192,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/firealarm{ dir = 4; - pixel_x = 24 + pixel_x = 25 }, /turf/open/floor/plasteel/dark, /area/ship/cargo) @@ -2227,7 +2227,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/processor, @@ -2262,7 +2262,7 @@ icon_state = "2-8" }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/industrial/outline/yellow, /obj/structure/table, @@ -2275,7 +2275,7 @@ "cZ" = ( /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/light/small/built{ dir = 1 @@ -2434,7 +2434,7 @@ /obj/machinery/hydroponics/constructable, /obj/machinery/airalarm/all_access{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/effect/turf_decal/corner/green, /obj/effect/turf_decal/corner/green{ @@ -2601,7 +2601,7 @@ /obj/effect/decal/cleanable/dirt/dust, /obj/machinery/airalarm/all_access{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/effect/decal/cleanable/dirt/dust, /obj/structure/cable{ @@ -2902,7 +2902,7 @@ /obj/machinery/button/door{ id = "whiteship_starboard"; name = "Starboard Blast Door Control"; - pixel_x = -24; + pixel_x = -25; pixel_y = -5 }, /turf/open/floor/plasteel/dark, @@ -2921,7 +2921,7 @@ /obj/machinery/button/door{ id = "whiteship_starboard"; name = "Starboard Blast Door Control"; - pixel_x = 24; + pixel_x = 25; pixel_y = -5 }, /turf/open/floor/plasteel/dark, @@ -2943,7 +2943,7 @@ }, /obj/machinery/advanced_airlock_controller{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/components/unary/vent_pump/layer2{ dir = 1 diff --git a/_maps/shuttles/shiptest/whiteship_midway.dmm b/_maps/shuttles/shiptest/whiteship_midway.dmm index a57e89e9b5f3..06341eb4594e 100644 --- a/_maps/shuttles/shiptest/whiteship_midway.dmm +++ b/_maps/shuttles/shiptest/whiteship_midway.dmm @@ -330,7 +330,7 @@ }, /obj/machinery/advanced_airlock_controller{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/components/binary/dp_vent_pump{ dir = 8 @@ -436,7 +436,7 @@ "iF" = ( /obj/effect/decal/cleanable/blood, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable{ icon_state = "4-8" @@ -943,7 +943,7 @@ }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/suit_storage_unit/independent/engineering, /turf/open/floor/plasteel/tech, @@ -1093,7 +1093,7 @@ dir = 8 }, /obj/machinery/advanced_airlock_controller{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/plating, /area/ship/engineering) @@ -1141,7 +1141,7 @@ dir = 5 }, /obj/machinery/firealarm{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, /obj/machinery/suit_storage_unit/atmos, @@ -1161,7 +1161,7 @@ icon_state = "0-4" }, /obj/machinery/power/apc/auto_name/south{ - pixel_y = -24 + pixel_y = -25 }, /obj/machinery/atmospherics/pipe/simple/green{ dir = 9 @@ -1272,7 +1272,7 @@ }, /obj/machinery/firealarm{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, /turf/open/floor/plating, @@ -1317,7 +1317,7 @@ icon_state = "0-8" }, /obj/machinery/power/apc/auto_name/south{ - pixel_y = -24 + pixel_y = -25 }, /obj/effect/decal/cleanable/dirt/dust, /obj/effect/turf_decal/corner/brown{ @@ -1901,7 +1901,7 @@ icon_state = "0-4" }, /obj/machinery/power/apc/auto_name/west{ - pixel_x = -24 + pixel_x = -25 }, /obj/effect/decal/cleanable/dirt/dust, /turf/open/floor/plating, @@ -1993,7 +1993,7 @@ /obj/structure/table, /obj/structure/cable, /obj/machinery/power/apc/auto_name/west{ - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/cell_charger, /obj/item/stock_parts/cell/high/plus, @@ -2117,7 +2117,7 @@ icon_state = "0-8" }, /obj/machinery/power/apc/auto_name/north{ - pixel_y = 24 + pixel_y = 25 }, /obj/effect/turf_decal/corner/bottlegreen{ dir = 5 @@ -2292,7 +2292,7 @@ /area/ship/bridge) "OW" = ( /obj/machinery/door/airlock/atmos{ - name = "atmospherics Tank" + name = "Atmospherics Tank" }, /obj/structure/cable{ icon_state = "1-2" @@ -2458,7 +2458,7 @@ /area/ship/cargo) "QM" = ( /obj/machinery/door/airlock/atmos{ - name = "atmospherics Tank" + name = "Atmospherics Tank" }, /obj/structure/cable{ icon_state = "1-2" @@ -2546,7 +2546,7 @@ }, /obj/machinery/advanced_airlock_controller{ dir = 8; - pixel_x = 24 + pixel_x = 25 }, /obj/machinery/atmospherics/components/binary/dp_vent_pump{ dir = 8 @@ -2818,7 +2818,7 @@ /area/ship/bridge) "UP" = ( /obj/machinery/advanced_airlock_controller{ - pixel_y = 24 + pixel_y = 25 }, /obj/machinery/atmospherics/components/binary/dp_vent_pump{ dir = 8 @@ -2906,7 +2906,7 @@ /area/ship/crew) "VN" = ( /obj/machinery/power/apc/auto_name/north{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable{ icon_state = "0-4" @@ -3087,7 +3087,7 @@ "YK" = ( /obj/machinery/firealarm{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /obj/item/defibrillator/loaded, /obj/structure/table, diff --git a/_maps/shuttles/shiptest/whiteship_pubby.dmm b/_maps/shuttles/shiptest/whiteship_pubby.dmm index 15008549eff8..d8ee2e13dc34 100644 --- a/_maps/shuttles/shiptest/whiteship_pubby.dmm +++ b/_maps/shuttles/shiptest/whiteship_pubby.dmm @@ -51,7 +51,7 @@ "bh" = ( /obj/machinery/airalarm/directional{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /obj/structure/table/reinforced, /obj/item/laser_pointer, @@ -200,7 +200,7 @@ /obj/machinery/button/door{ id = "whiteshipubbyEngines"; name = "Engine Lockdown Control"; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plating, /area/ship/engineering) @@ -623,7 +623,7 @@ "mW" = ( /obj/structure/table/reinforced, /obj/machinery/power/apc/auto_name/north{ - pixel_y = 24 + pixel_y = 25 }, /obj/structure/cable{ icon_state = "0-2" @@ -832,7 +832,7 @@ /obj/item/gun/energy/kinetic_accelerator, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/tech/techmaint, /area/ship/crew/office) @@ -1041,7 +1041,7 @@ /obj/machinery/button/door{ id = "pubbywspodsw"; name = "Pod Door Control"; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/light{ dir = 8 @@ -1354,7 +1354,7 @@ /obj/machinery/button/door{ id = "pubbywspodnw"; name = "Pod Door Control"; - pixel_x = -24 + pixel_x = -25 }, /obj/machinery/light{ dir = 8 @@ -1561,7 +1561,7 @@ }, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/stairs{ dir = 8 @@ -1831,7 +1831,7 @@ /obj/machinery/atmospherics/pipe/manifold/scrubbers/hidden/layer4, /obj/machinery/firealarm{ dir = 1; - pixel_y = -24 + pixel_y = -25 }, /turf/open/floor/plasteel/dark, /area/ship/hallway/central) @@ -2107,7 +2107,7 @@ /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, /obj/machinery/advanced_airlock_controller{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/dark, /area/ship/cargo) @@ -2321,7 +2321,7 @@ /obj/machinery/atmospherics/pipe/simple/scrubbers/hidden/layer4, /obj/machinery/advanced_airlock_controller{ dir = 4; - pixel_x = -24 + pixel_x = -25 }, /turf/open/floor/plasteel/dark, /area/ship/cargo) diff --git a/_maps/shuttles/shiptest/wright.dmm b/_maps/shuttles/shiptest/wright.dmm index 86cbd92a2b6a..3eec27f8d953 100644 --- a/_maps/shuttles/shiptest/wright.dmm +++ b/_maps/shuttles/shiptest/wright.dmm @@ -1689,7 +1689,7 @@ /obj/item/clothing/suit/space/orange, /obj/item/clothing/head/helmet/space/orange, /obj/machinery/advanced_airlock_controller{ - pixel_x = 24 + pixel_x = 25 }, /obj/structure/window/reinforced, /turf/open/floor/plating, diff --git a/_maps/templates/holodeck_lounge.dmm b/_maps/templates/holodeck_lounge.dmm index 6ae91928f5ab..450094ab47f1 100644 --- a/_maps/templates/holodeck_lounge.dmm +++ b/_maps/templates/holodeck_lounge.dmm @@ -247,7 +247,6 @@ /area/template_noop) "P" = ( /obj/structure/table/wood/poker, -/obj/structure/table/wood/poker, /obj/effect/holodeck_effect/cards, /turf/open/floor/holofloor{ dir = 9; diff --git a/_maps/templates/holodeck_skatepark.dmm b/_maps/templates/holodeck_skatepark.dmm index 16f18b71509e..92a468db9df2 100644 --- a/_maps/templates/holodeck_skatepark.dmm +++ b/_maps/templates/holodeck_skatepark.dmm @@ -4,7 +4,6 @@ /area/template_noop) "t" = ( /obj/structure/table, -/obj/structure/table, /turf/open/floor/holofloor/plating, /area/template_noop) "H" = ( diff --git a/_maps/templates/shelter_3.dmm b/_maps/templates/shelter_3.dmm index 729d634c6efc..05c7affdd216 100644 --- a/_maps/templates/shelter_3.dmm +++ b/_maps/templates/shelter_3.dmm @@ -203,7 +203,7 @@ /area/survivalpod) "G" = ( /obj/structure/urinal{ - pixel_y = 24 + pixel_y = 25 }, /turf/open/floor/pod/light, /area/survivalpod) diff --git a/check_regex.yaml b/check_regex.yaml index 5746c487ad27..239fcf1e8f09 100644 --- a/check_regex.yaml +++ b/check_regex.yaml @@ -21,24 +21,34 @@ # standards: - - exactly: [0, 'mangled characters', '[\u0000\uFFFF\uFFFD]'] - - exactly: [8, 'escapes', '\\\\(red|blue|green|black|b|i[^mc])'] - - exactly: [9, 'Del()s', '\WDel\('] + - exactly: [0, "mangled characters", '[\u0000\uFFFF\uFFFD]'] + - exactly: [8, "escapes", '\\\\(red|blue|green|black|b|i[^mc])'] + - exactly: [9, "Del()s", '\WDel\('] - - exactly: [1, '/atom text paths', '"/atom'] - - exactly: [1, '/area text paths', '"/area'] - - exactly: [17, '/datum text paths', '"/datum'] - - exactly: [4, '/mob text paths', '"/mob'] - - exactly: [54, '/obj text paths', '"/obj'] - - exactly: [0, '/turf text paths', '"/turf'] - - exactly: [118, 'text2path uses', 'text2path'] + - exactly: [1, "/atom text paths", '"/atom'] + - exactly: [1, "/area text paths", '"/area'] + - exactly: [17, "/datum text paths", '"/datum'] + - exactly: [4, "/mob text paths", '"/mob'] + - exactly: [54, "/obj text paths", '"/obj'] + - exactly: [0, "/turf text paths", '"/turf'] + - exactly: [118, "text2path uses", "text2path"] - - exactly: [22, 'world<< uses', 'world[ \t]*<<'] - - exactly: [0, 'world.log<< uses', 'world.log[ \t]*<<'] + - exactly: [22, "world<< uses", 'world[ \t]*<<'] + - exactly: [0, "world.log<< uses", 'world.log[ \t]*<<'] - - exactly: [297, 'non-bitwise << uses', '(?[text]\n \n" diff --git a/code/__DEFINES/radiation.dm b/code/__DEFINES/radiation.dm index 6461c22bf799..a7ac7745e6fc 100644 --- a/code/__DEFINES/radiation.dm +++ b/code/__DEFINES/radiation.dm @@ -5,7 +5,7 @@ Ask ninjanomnom if they're around */ #define RAD_BACKGROUND_RADIATION 9 // How much radiation is harmless to a mob, this is also when radiation waves stop spreading - // WARNING: Lowering this value significantly increases SSradiation load +// WARNING: Lowering this value significantly increases SSradiation load // apply_effect((amount*RAD_MOB_COEFFICIENT)/max(1, (radiation**2)*RAD_OVERDOSE_REDUCTION), IRRADIATE, blocked) #define RAD_MOB_COEFFICIENT 0.20 // Radiation applied is multiplied by this @@ -14,7 +14,7 @@ Ask ninjanomnom if they're around #define RAD_LOSS_PER_TICK 0.5 #define RAD_TOX_COEFFICIENT 0.08 // Toxin damage per tick coefficient #define RAD_OVERDOSE_REDUCTION 0.000001 // Coefficient to the reduction in applied rads once the thing, usualy mob, has too much radiation - // WARNING: This number is highly sensitive to change, graph is first for best results +// WARNING: This number is highly sensitive to change, graph is first for best results #define RAD_BURN_THRESHOLD 1000 // Applied radiation must be over this to burn //Holy shit test after you tweak anything it's said like 6 times in here //You probably want to plot any tweaks you make so you can see the curves visually diff --git a/code/__DEFINES/span.dm b/code/__DEFINES/span.dm new file mode 100644 index 000000000000..1974c99ce9b8 --- /dev/null +++ b/code/__DEFINES/span.dm @@ -0,0 +1,122 @@ +// Sorted alphabetically +#define span_abductor(str) ("" + str + "") +#define span_admin(str) ("" + str + "") +#define span_adminhelp(str) ("" + str + "") +#define span_adminnotice(str) ("" + str + "") +#define span_adminobserverooc(str) ("" + str + "") +#define span_adminooc(str) ("" + str + "") +#define span_adminsay(str) ("" + str + "") +#define span_aiprivradio(str) ("" + str + "") +#define span_alert(str) ("" + str + "") +#define span_alertalien(str) ("" + str + "") +#define span_alertsyndie(str) ("" + str + "") +#define span_alertwarning(str) ("" + str + "") +#define span_alien(str) ("" + str + "") +#define span_announce(str) ("" + str + "") +#define span_big(str) ("" + str + "") +#define span_bigicon(str) ("" + str + "") +#define span_binarysay(str) ("" + str + "") +#define span_blue(str) ("" + str + "") +#define span_blueteamradio(str) ("" + str + "") +#define span_bold(str) ("" + str + "") +#define span_boldannounce(str) ("" + str + "") +#define span_bolddanger(str) ("" + str + "") +#define span_boldnicegreen(str) ("" + str + "") +#define span_boldnotice(str) ("" + str + "") +#define span_boldwarning(str) ("" + str + "") +#define span_centcomradio(str) ("" + str + "") +#define span_changeling(str) ("" + str + "") +#define span_clown(str) ("" + str + "") +#define span_colossus(str) ("" + str + "") +#define span_command_headset(str) ("" + str + "") +#define span_comradio(str) ("" + str + "") +#define span_cult(str) ("" + str + "") +#define span_cultbold(str) ("" + str + "") +#define span_cultboldtalic(str) ("" + str + "") +#define span_cultitalic(str) ("" + str + "") +#define span_cultlarge(str) ("" + str + "") +#define span_danger(str) ("" + str + "") +#define span_deadsay(str) ("" + str + "") +#define span_deconversion_message(str) ("" + str + "") +#define span_drone(str) ("" + str + "") +#define span_engradio(str) ("" + str + "") +#define span_extremelybig(str) ("" + str + "") +#define span_ghostalert(str) ("" + str + "") +#define span_green(str) ("" + str + "") +#define span_greenannounce(str) ("" + str + "") +#define span_greenteamradio(str) ("" + str + "") +#define span_greentext(str) ("" + str + "") +#define span_grey(str) ("" + str + "") +#define span_gangradio(str) ("" + str + "") +#define span_hear(str) ("" + str + "") +#define span_hidden(str) ("") +#define span_hierophant(str) ("" + str + "") +#define span_hierophant_warning(str) ("" + str + "") +#define span_highlight(str) ("" + str + "") +#define span_his_grace(str) ("" + str + "") +#define span_holoparasite(str) ("" + str + "") +#define span_hypnophrase(str) ("" + str + "") +#define span_icon(str) ("" + str + "") +#define span_info(str) ("" + str + "") +#define span_infoplain(str) ("" + str + "") +#define span_interface(str) ("" + str + "") +#define span_looc(str) ("" + str + "") +#define span_medal(str) ("" + str + "") +#define span_medradio(str) ("" + str + "") +#define span_memo(str) ("" + str + "") +#define span_memoedit(str) ("" + str + "") +#define span_mind_control(str) ("" + str + "") +#define span_minorannounce(str) ("" + str + "") +#define span_monkey(str) ("" + str + "") +#define span_monkeyhive(str) ("" + str + "") +#define span_monkeylead(str) ("" + str + "") +#define span_name(str) ("" + str + "") +#define span_narsie(str) ("" + str + "") +#define span_narsiesmall(str) ("" + str + "") +#define span_nicegreen(str) ("" + str + "") +#define span_notice(str) ("" + str + "") +#define span_noticealien(str) ("" + str + "") +#define span_ooc(str) ("" + str + "") +#define span_papyrus(str) ("" + str + "") +#define span_phobia(str) ("" + str + "") +#define span_prefix(str) ("" + str + "") +#define span_purple(str) ("" + str + "") +#define span_radio(str) ("" + str + "") +#define span_reallybig(str) ("" + str + "") +#define span_red(str) ("" + str + "") +#define span_redteamradio(str) ("" + str + "") +#define span_redtext(str) ("" + str + "") +#define span_resonate(str) ("" + str + "") +#define span_revenbignotice(str) ("" + str + "") +#define span_revenboldnotice(str) ("" + str + "") +#define span_revendanger(str) ("" + str + "") +#define span_revenminor(str) ("" + str + "") +#define span_revennotice(str) ("" + str + "") +#define span_revenwarning(str) ("" + str + "") +#define span_robot(str) ("" + str + "") +#define span_rose(str) ("" + str + "") +#define span_sans(str) ("" + str + "") +#define span_sciradio(str) ("" + str + "") +#define span_secradio(str) ("" + str + "") +#define span_servradio(str) ("" + str + "") +#define span_singing(str) ("" + str + "") +#define span_slime(str) ("" + str + "") +#define span_small(str) ("" + str + "") +#define span_smallnotice(str) ("" + str + "") +#define span_smallnoticeital(str) ("" + str + "") +#define span_spider(str) ("" + str + "") +#define span_suicide(str) ("" + str + "") +#define span_suppradio(str) ("" + str + "") +#define span_syndradio(str) ("" + str + "") +#define span_tape_recorder(str) ("" + str + "") +#define span_tinynotice(str) ("" + str + "") +#define span_tinynoticeital(str) ("" + str + "") +#define span_unconscious(str) ("" + str + "") +#define span_userdanger(str) ("" + str + "") +#define span_warning(str) ("" + str + "") +#define span_yell(str) ("" + str + "") +#define span_yellowteamradio(str) ("" + str + "") + +// Spans that use embedded tgui components: +// Sorted alphabetically +#define span_tooltip(tip, main_text) ("" + main_text + "") diff --git a/code/__DEFINES/subsystems.dm b/code/__DEFINES/subsystems.dm index 7d34a6e5edff..f02a808336b9 100644 --- a/code/__DEFINES/subsystems.dm +++ b/code/__DEFINES/subsystems.dm @@ -150,6 +150,7 @@ // Subsystem fire priority, from lowest to highest priority // If the subsystem isn't listed here it's either DEFAULT or PROCESS (if it's a processing subsystem child) +#define FIRE_PRIORITY_PING 10 #define FIRE_PRIORITY_IDLE_NPC 10 #define FIRE_PRIORITY_SERVER_MAINT 10 #define FIRE_PRIORITY_RESEARCH 10 diff --git a/code/__HELPERS/_lists.dm b/code/__HELPERS/_lists.dm index 68b6267dda9a..39cd328cea91 100644 --- a/code/__HELPERS/_lists.dm +++ b/code/__HELPERS/_lists.dm @@ -355,13 +355,13 @@ return sortTim(L.Copy(), order >= 0 ? /proc/cmp_name_asc : /proc/cmp_name_dsc) //Mergesort: any value in a list, preserves key=value structure -/proc/sortAssoc(var/list/L) +/proc/sortAssoc(list/L) if(L.len < 2) return L var/middle = L.len / 2 + 1 // Copy is first,second-1 return mergeAssoc(sortAssoc(L.Copy(0,middle)), sortAssoc(L.Copy(middle))) //second parameter null = to end of list -/proc/mergeAssoc(var/list/L, var/list/R) +/proc/mergeAssoc(list/L, list/R) var/Li=1 var/Ri=1 var/list/result = new() diff --git a/code/__HELPERS/bitflag_lists.dm b/code/__HELPERS/bitflag_lists.dm index a665d92cd417..8e37949d6910 100644 --- a/code/__HELPERS/bitflag_lists.dm +++ b/code/__HELPERS/bitflag_lists.dm @@ -1,16 +1,16 @@ GLOBAL_LIST_EMPTY(bitflag_lists) /** - * System for storing bitflags past the 24 limit, making use of an associative list. - * - * Macro converts a list of integers into an associative list of bitflag entries for quicker comparison. - * Example: list(0, 4, 26, 32)) => list( "0" = ( (1<<0) | (1<<4) ), "1" = ( (1<<2) | (1<<8) ) ) - * Lists are cached into a global list of lists to avoid identical duplicates. - * This system makes value comparisons faster than pairing every element of one list with every element of the other for evaluation. - * - * Arguments: - * * target - List of integers. - */ + * System for storing bitflags past the 24 limit, making use of an associative list. + * + * Macro converts a list of integers into an associative list of bitflag entries for quicker comparison. + * Example: list(0, 4, 26, 32)) => list( "0" = ( (1<<0) | (1<<4) ), "1" = ( (1<<2) | (1<<8) ) ) + * Lists are cached into a global list of lists to avoid identical duplicates. + * This system makes value comparisons faster than pairing every element of one list with every element of the other for evaluation. + * + * Arguments: + * * target - List of integers. + */ #define SET_BITFLAG_LIST(target) \ do { \ var/txt_signature = target.Join("-"); \ diff --git a/code/__HELPERS/chat.dm b/code/__HELPERS/chat.dm index 2f958eeed0f1..2a546370ec0e 100644 --- a/code/__HELPERS/chat.dm +++ b/code/__HELPERS/chat.dm @@ -36,11 +36,11 @@ In TGS3 it will always be sent to all connected designated game chats. */ /** - * Sends a message to TGS chat channels. - * - * message - The message to send. - * channel_tag - Required. If "", the message with be sent to all connected (Game-type for TGS3) channels. Otherwise, it will be sent to TGS4 channels with that tag (Delimited by ','s). - */ + * Sends a message to TGS chat channels. + * + * message - The message to send. + * channel_tag - Required. If "", the message with be sent to all connected (Game-type for TGS3) channels. Otherwise, it will be sent to TGS4 channels with that tag (Delimited by ','s). + */ /proc/send2chat(message, channel_tag) if(channel_tag == null || !world.TgsAvailable()) return @@ -61,11 +61,11 @@ In TGS3 it will always be sent to all connected designated game chats. world.TgsChatBroadcast(message, channels_to_use) /** - * Sends a message to TGS admin chat channels. - * - * category - The category of the mssage. - * message - The message to send. - */ + * Sends a message to TGS admin chat channels. + * + * category - The category of the mssage. + * message - The message to send. + */ /proc/send2adminchat(category, message) category = replacetext(replacetext(category, "\proper", ""), "\improper", "") message = replacetext(replacetext(message, "\proper", ""), "\improper", "") diff --git a/code/__HELPERS/game.dm b/code/__HELPERS/game.dm index d8b19448cdb3..fc983f87b76e 100644 --- a/code/__HELPERS/game.dm +++ b/code/__HELPERS/game.dm @@ -167,12 +167,12 @@ block( \ return turfs /** recursive_organ_check - * inputs: O (object to start with) - * outputs: - * description: A pseudo-recursive loop based off of the recursive mob check, this check looks for any organs held - * within 'O', toggling their frozen flag. This check excludes items held within other safe organ - * storage units, so that only the lowest level of container dictates whether we do or don't decompose - */ + * inputs: O (object to start with) + * outputs: + * description: A pseudo-recursive loop based off of the recursive mob check, this check looks for any organs held + * within 'O', toggling their frozen flag. This check excludes items held within other safe organ + * storage units, so that only the lowest level of container dictates whether we do or don't decompose + */ /proc/recursive_organ_check(atom/O) var/list/processing_list = list(O) @@ -307,11 +307,11 @@ block( \ return FALSE /** - * Exiled check - * - * Checks if the current body of the mind has an exile implant and is currently in - * an away mission. Returns FALSE if any of those conditions aren't met. - */ + * Exiled check + * + * Checks if the current body of the mind has an exile implant and is currently in + * an away mission. Returns FALSE if any of those conditions aren't met. + */ /proc/considered_exiled(datum/mind/M) if(!ishuman(M?.current)) return FALSE diff --git a/code/__HELPERS/heap.dm b/code/__HELPERS/heap.dm index 916e7fc05c5a..1e369fd7e181 100644 --- a/code/__HELPERS/heap.dm +++ b/code/__HELPERS/heap.dm @@ -33,7 +33,7 @@ Sink(1) //Get a node up to its right position in the heap -/datum/Heap/proc/Swim(var/index) +/datum/Heap/proc/Swim(index) var/parent = round(index * 0.5) while(parent > 0 && (call(cmp)(L[index],L[parent]) > 0)) @@ -42,7 +42,7 @@ parent = round(index * 0.5) //Get a node down to its right position in the heap -/datum/Heap/proc/Sink(var/index) +/datum/Heap/proc/Sink(index) var/g_child = GetGreaterChild(index) while(g_child > 0 && (call(cmp)(L[index],L[g_child]) < 0)) @@ -52,7 +52,7 @@ //Returns the greater (relative to the comparison proc) of a node children //or 0 if there's no child -/datum/Heap/proc/GetGreaterChild(var/index) +/datum/Heap/proc/GetGreaterChild(index) if(index * 2 > L.len) return 0 diff --git a/code/__HELPERS/icon_smoothing.dm b/code/__HELPERS/icon_smoothing.dm index 700b6192c5f5..72a3fc79c9d9 100644 --- a/code/__HELPERS/icon_smoothing.dm +++ b/code/__HELPERS/icon_smoothing.dm @@ -310,10 +310,10 @@ DEFINE_BITFIELD(smoothing_junction, list( /** - * Basic smoothing proc. The atom checks for adjacent directions to smooth with and changes the icon_state based on that. - * - * Returns the previous smoothing_junction state so the previous state can be compared with the new one after the proc ends, and see the changes, if any. - * + * Basic smoothing proc. The atom checks for adjacent directions to smooth with and changes the icon_state based on that. + * + * Returns the previous smoothing_junction state so the previous state can be compared with the new one after the proc ends, and see the changes, if any. + * */ /atom/proc/bitmask_smooth() var/new_junction = NONE @@ -391,7 +391,7 @@ DEFINE_BITFIELD(smoothing_junction, list( //Icon smoothing helpers -/proc/smooth_zlevel(var/zlevel, now = FALSE) +/proc/smooth_zlevel(zlevel, now = FALSE) var/list/away_turfs = block(locate(1, 1, zlevel), locate(world.maxx, world.maxy, zlevel)) for(var/V in away_turfs) var/turf/T = V diff --git a/code/__HELPERS/icons.dm b/code/__HELPERS/icons.dm index ea2860d69e1a..dda456f1f9e6 100644 --- a/code/__HELPERS/icons.dm +++ b/code/__HELPERS/icons.dm @@ -1125,10 +1125,10 @@ GLOBAL_DATUM_INIT(dummySave, /savefile, new("tmp/dummySave.sav")) //Cache of ico /** - * Converts an icon to base64. Operates by putting the icon in the iconCache savefile, - * exporting it as text, and then parsing the base64 from that. - * (This relies on byond automatically storing icons in savefiles as base64) - */ + * Converts an icon to base64. Operates by putting the icon in the iconCache savefile, + * exporting it as text, and then parsing the base64 from that. + * (This relies on byond automatically storing icons in savefiles as base64) + */ /proc/icon2base64(icon/icon) if (!isicon(icon)) return FALSE diff --git a/code/__HELPERS/mobs.dm b/code/__HELPERS/mobs.dm index dca9a55fa1ee..2f120540e8ee 100644 --- a/code/__HELPERS/mobs.dm +++ b/code/__HELPERS/mobs.dm @@ -304,7 +304,7 @@ GLOBAL_LIST_EMPTY(species_list) return ..() ///Timed action involving one mob user. Target is optional. -/proc/do_after(mob/user, var/delay, needhand = TRUE, atom/target = null, progress = TRUE, datum/callback/extra_checks = null) +/proc/do_after(mob/user, delay, needhand = TRUE, atom/target = null, progress = TRUE, datum/callback/extra_checks = null) if(!user) return FALSE var/atom/Tloc = null @@ -633,7 +633,7 @@ GLOBAL_LIST_EMPTY(species_list) return . //Find an active ai with the least borgs. VERBOSE PROCNAME HUH! -/proc/select_active_ai_with_fewest_borgs(var/z) +/proc/select_active_ai_with_fewest_borgs(z) var/mob/living/silicon/ai/selected var/list/active = active_ais(FALSE, z) for(var/mob/living/silicon/ai/A in active) @@ -651,7 +651,7 @@ GLOBAL_LIST_EMPTY(species_list) . = pick(borgs) return . -/proc/select_active_ai(mob/user, var/z = null) +/proc/select_active_ai(mob/user, z = null) var/list/ais = active_ais(FALSE, z) if(ais.len) if(user) diff --git a/code/__HELPERS/records.dm b/code/__HELPERS/records.dm index e1aace6ebd7a..b8bfd508e23a 100644 --- a/code/__HELPERS/records.dm +++ b/code/__HELPERS/records.dm @@ -1,4 +1,4 @@ -/proc/overwrite_field_if_available(datum/data/record/base, datum/data/record/other, var/field_name) +/proc/overwrite_field_if_available(datum/data/record/base, datum/data/record/other, field_name) if(other.fields[field_name]) base.fields[field_name] = other.fields[field_name] diff --git a/code/__HELPERS/string_assoc_lists.dm b/code/__HELPERS/string_assoc_lists.dm index 4e9087b4366a..cded3a349691 100644 --- a/code/__HELPERS/string_assoc_lists.dm +++ b/code/__HELPERS/string_assoc_lists.dm @@ -1,8 +1,8 @@ GLOBAL_LIST_EMPTY(string_assoc_lists) /** - * Caches associative lists with non-numeric stringify-able index keys and stringify-able values (text/typepath -> text/path/number). - */ + * Caches associative lists with non-numeric stringify-able index keys and stringify-able values (text/typepath -> text/path/number). + */ /datum/proc/string_assoc_list(list/values) var/list/string_id = list() for(var/val in values) diff --git a/code/__HELPERS/text.dm b/code/__HELPERS/text.dm index 4b3e69fe8022..a0038c936567 100644 --- a/code/__HELPERS/text.dm +++ b/code/__HELPERS/text.dm @@ -254,16 +254,16 @@ return "" /** - * Truncate a string to the given length - * - * Will only truncate if the string is larger than the length and *ignores unicode concerns* - * - * This exists soley because trim does other stuff too. - * - * Arguments: - * * text - String - * * max_length - integer length to truncate at - */ + * Truncate a string to the given length + * + * Will only truncate if the string is larger than the length and *ignores unicode concerns* + * + * This exists soley because trim does other stuff too. + * + * Arguments: + * * text - String + * * max_length - integer length to truncate at + */ /proc/truncate(text, max_length) if(length(text) > max_length) return copytext(text, 1, max_length) @@ -838,7 +838,7 @@ GLOBAL_LIST_INIT(binary, list("0","1")) catch return -/proc/num2loadingbar(percent as num, var/numSquares = 20, var/reverse = FALSE) +/proc/num2loadingbar(percent as num, numSquares = 20, reverse = FALSE) var/loadstring = "" for (var/i in 1 to numSquares) var/limit = reverse ? numSquares - percent*numSquares : percent*numSquares diff --git a/code/__HELPERS/type_processing.dm b/code/__HELPERS/type_processing.dm index 85dd1276246c..cb630a9b1685 100644 --- a/code/__HELPERS/type_processing.dm +++ b/code/__HELPERS/type_processing.dm @@ -1,4 +1,4 @@ -/proc/make_types_fancy(var/list/types) +/proc/make_types_fancy(list/types) if (ispath(types)) types = list(types) . = list() diff --git a/code/__HELPERS/unsorted.dm b/code/__HELPERS/unsorted.dm index 64b0b468d8e6..8b69da69a18c 100644 --- a/code/__HELPERS/unsorted.dm +++ b/code/__HELPERS/unsorted.dm @@ -428,7 +428,7 @@ Turf and target are separate in case you want to teleport some distance from a t Gets all contents of contents and returns them all in a list. */ -/atom/proc/GetAllContents(var/T, ignore_flag_1) +/atom/proc/GetAllContents(T, ignore_flag_1) var/list/processing_list = list(src) if(T) . = list() @@ -602,15 +602,15 @@ Turf and target are separate in case you want to teleport some distance from a t /* - Gets the turf this atom's *ICON* appears to inhabit - It takes into account: +Gets the turf this atom's *ICON* appears to inhabit +It takes into account: * Pixel_x/y * Matrix x/y - NOTE: if your atom has non-standard bounds then this proc - will handle it, but: +NOTE: if your atom has non-standard bounds then this proc +will handle it, but: * if the bounds are even, then there are an even amount of "middle" turfs, the one to the EAST, NORTH, or BOTH is picked - (this may seem bad, but you're atleast as close to the center of the atom as possible, better than byond's default loc being all the way off) +(this may seem bad, but you're atleast as close to the center of the atom as possible, better than byond's default loc being all the way off) * if the bounds are odd, the true middle turf of the atom is returned */ @@ -843,7 +843,7 @@ GLOBAL_LIST_INIT(WALLITEMS_INVERSE, typecacheof(list( // eg: center_image(I, 32,32) // eg2: center_image(I, 96,96) -/proc/center_image(var/image/I, x_dimension = 0, y_dimension = 0) +/proc/center_image(image/I, x_dimension = 0, y_dimension = 0) if(!I) return @@ -1000,7 +1000,7 @@ GLOBAL_LIST_INIT(WALLITEMS_INVERSE, typecacheof(list( return L -/atom/proc/contains(var/atom/A) +/atom/proc/contains(atom/A) if(!A) return 0 for(var/atom/location = A.loc, location, location = location.loc) @@ -1142,7 +1142,7 @@ GLOBAL_REAL_VAR(list/stack_trace_storage) pixel_x = initialpixelx pixel_y = initialpixely -/proc/weightclass2text(var/w_class) +/proc/weightclass2text(w_class) switch(w_class) if(WEIGHT_CLASS_TINY) . = "tiny" @@ -1477,7 +1477,7 @@ GLOBAL_DATUM_INIT(dview_mob, /mob/dview, new) for(var/i in L) if(condition.Invoke(i)) . |= i -/proc/generate_items_inside(list/items_list,var/where_to) +/proc/generate_items_inside(list/items_list, where_to) for(var/each_item in items_list) for(var/i in 1 to items_list[each_item]) new each_item(where_to) diff --git a/code/__HELPERS/verbs.dm b/code/__HELPERS/verbs.dm index 3606c7d918af..5a3df642c7db 100644 --- a/code/__HELPERS/verbs.dm +++ b/code/__HELPERS/verbs.dm @@ -1,11 +1,11 @@ /** - * handles adding verbs and updating the stat panel browser - * - * pass the verb type path to this instead of adding it directly to verbs so the statpanel can update - * Arguments: - * * target - Who the verb is being added to, client or mob typepath - * * verb - typepath to a verb, or a list of verbs, supports lists of lists - */ + * handles adding verbs and updating the stat panel browser + * + * pass the verb type path to this instead of adding it directly to verbs so the statpanel can update + * Arguments: + * * target - Who the verb is being added to, client or mob typepath + * * verb - typepath to a verb, or a list of verbs, supports lists of lists + */ /proc/add_verb(client/target, verb_or_list_to_add) if(!target) CRASH("add_verb called without a target") @@ -48,13 +48,13 @@ target << output("[output_list];", "statbrowser:add_verb_list") /** - * handles removing verb and sending it to browser to update, use this for removing verbs - * - * pass the verb type path to this instead of removing it from verbs so the statpanel can update - * Arguments: - * * target - Who the verb is being removed from, client or mob typepath - * * verb - typepath to a verb, or a list of verbs, supports lists of lists - */ + * handles removing verb and sending it to browser to update, use this for removing verbs + * + * pass the verb type path to this instead of removing it from verbs so the statpanel can update + * Arguments: + * * target - Who the verb is being removed from, client or mob typepath + * * verb - typepath to a verb, or a list of verbs, supports lists of lists + */ /proc/remove_verb(client/target, verb_or_list_to_remove) if(IsAdminAdvancedProcCall()) return diff --git a/code/__HELPERS/virtual_z_level.dm b/code/__HELPERS/virtual_z_level.dm index 5fa073289503..13a668779d75 100644 --- a/code/__HELPERS/virtual_z_level.dm +++ b/code/__HELPERS/virtual_z_level.dm @@ -1,8 +1,8 @@ /** - * Used to get the virtual z-level. - * Will give unique values to each shuttle while it is in a transit level. - * Note: If the user teleports to another virtual z on the same z-level they will need to have reset_virtual_z called. (Teleportations etc.) - */ + * Used to get the virtual z-level. + * Will give unique values to each shuttle while it is in a transit level. + * Note: If the user teleports to another virtual z on the same z-level they will need to have reset_virtual_z called. (Teleportations etc.) + */ /// Virtual Z is optimized lookup of the virtual level for comparisons, but it doesn't pass the reference /atom/proc/virtual_z() diff --git a/code/_globalvars/lists/mobs.dm b/code/_globalvars/lists/mobs.dm index c9acdb293d5f..4fbd94b64561 100644 --- a/code/_globalvars/lists/mobs.dm +++ b/code/_globalvars/lists/mobs.dm @@ -5,7 +5,7 @@ GLOBAL_LIST_EMPTY(deadmins) //all ckeys who have used the de-admin verb. GLOBAL_LIST_EMPTY(mentors) GLOBAL_PROTECT(mentors) -GLOBAL_LIST_EMPTY(directory) //all ckeys with associated client +GLOBAL_LIST_EMPTY_TYPED(directory, /client) //all ckeys with associated client GLOBAL_LIST_EMPTY(stealthminID) //reference list with IDs that store ckeys, for stealthmins //Since it didn't really belong in any other category, I'm putting this here diff --git a/code/_globalvars/traits.dm b/code/_globalvars/traits.dm index cfe255e99d2f..7e78b95d24e9 100644 --- a/code/_globalvars/traits.dm +++ b/code/_globalvars/traits.dm @@ -1,7 +1,7 @@ /* - FUN ZONE OF ADMIN LISTINGS - Try to keep this in sync with __DEFINES/traits.dm - quirks have it's own panel so we don't need them here. +FUN ZONE OF ADMIN LISTINGS +Try to keep this in sync with __DEFINES/traits.dm +quirks have it's own panel so we don't need them here. */ GLOBAL_LIST_INIT(traits_by_type, list( /mob = list( diff --git a/code/_onclick/adjacent.dm b/code/_onclick/adjacent.dm index c6a9544ada02..7262ca66ab51 100644 --- a/code/_onclick/adjacent.dm +++ b/code/_onclick/adjacent.dm @@ -73,7 +73,7 @@ Adjacency (to anything else): * Must be on a turf */ -/atom/movable/Adjacent(var/atom/neighbor) +/atom/movable/Adjacent(atom/neighbor) var/turf/T = loc if(neighbor == loc) return TRUE diff --git a/code/_onclick/click.dm b/code/_onclick/click.dm index 50ae9b504617..438e2c7de6fd 100644 --- a/code/_onclick/click.dm +++ b/code/_onclick/click.dm @@ -30,14 +30,14 @@ next_move = world.time + ((num + adj)*mod) /** - * Before anything else, defer these calls to a per-mobtype handler. This allows us to - * remove istype() spaghetti code, but requires the addition of other handler procs to simplify it. - * - * Alternately, you could hardcode every mob's variation in a flat [/mob/proc/ClickOn] proc; however, - * that's a lot of code duplication and is hard to maintain. - * - * Note that this proc can be overridden, and is in the case of screen objects. - */ + * Before anything else, defer these calls to a per-mobtype handler. This allows us to + * remove istype() spaghetti code, but requires the addition of other handler procs to simplify it. + * + * Alternately, you could hardcode every mob's variation in a flat [/mob/proc/ClickOn] proc; however, + * that's a lot of code duplication and is hard to maintain. + * + * Note that this proc can be overridden, and is in the case of screen objects. + */ /atom/Click(location,control,params) if(flags_1 & INITIALIZED_1) SEND_SIGNAL(src, COMSIG_CLICK, location, control, params, usr) @@ -52,18 +52,18 @@ usr.MouseWheelOn(src, delta_x, delta_y, params) /** - * Standard mob ClickOn() - * Handles exceptions: Buildmode, middle click, modified clicks, mech actions - * - * After that, mostly just check your state, check whether you're holding an item, - * check whether you're adjacent to the target, then pass off the click to whoever - * is receiving it. - * The most common are: - * * [mob/proc/UnarmedAttack] (atom,adjacent) - used here only when adjacent, with no item in hand; in the case of humans, checks gloves - * * [atom/proc/attackby] (item,user) - used only when adjacent - * * [obj/item/proc/afterattack] (atom,user,adjacent,params) - used both ranged and adjacent - * * [mob/proc/RangedAttack] (atom,params) - used only ranged, only used for tk and laser eyes but could be changed - */ + * Standard mob ClickOn() + * Handles exceptions: Buildmode, middle click, modified clicks, mech actions + * + * After that, mostly just check your state, check whether you're holding an item, + * check whether you're adjacent to the target, then pass off the click to whoever + * is receiving it. + * The most common are: + * * [mob/proc/UnarmedAttack] (atom,adjacent) - used here only when adjacent, with no item in hand; in the case of humans, checks gloves + * * [atom/proc/attackby] (item,user) - used only when adjacent + * * [obj/item/proc/afterattack] (atom,user,adjacent,params) - used both ranged and adjacent + * * [mob/proc/RangedAttack] (atom,params) - used only ranged, only used for tk and laser eyes but could be changed + */ /mob/proc/ClickOn( atom/A, params ) if(world.time <= next_click) return @@ -181,9 +181,9 @@ return FALSE /** - * A backwards depth-limited breadth-first-search to see if the target is - * logically "in" anything adjacent to us. - */ + * A backwards depth-limited breadth-first-search to see if the target is + * logically "in" anything adjacent to us. + */ /atom/movable/proc/CanReach(atom/ultimate_target, obj/item/tool, view_only = FALSE) var/list/direct_access = DirectAccess() var/depth = 1 + (view_only ? STORAGE_VIEW_DEPTH : INVENTORY_DEPTH) @@ -254,36 +254,36 @@ /** - * Translates into [atom/proc/attack_hand], etc. - * - * Note: proximity_flag here is used to distinguish between normal usage (flag=1), - * and usage when clicking on things telekinetically (flag=0). This proc will - * not be called at ranged except with telekinesis. - * - * proximity_flag is not currently passed to attack_hand, and is instead used - * in human click code to allow glove touches only at melee range. - */ + * Translates into [atom/proc/attack_hand], etc. + * + * Note: proximity_flag here is used to distinguish between normal usage (flag=1), + * and usage when clicking on things telekinetically (flag=0). This proc will + * not be called at ranged except with telekinesis. + * + * proximity_flag is not currently passed to attack_hand, and is instead used + * in human click code to allow glove touches only at melee range. + */ /mob/proc/UnarmedAttack(atom/A, proximity_flag) if(ismob(A)) changeNext_move(CLICK_CD_MELEE) return /** - * Ranged unarmed attack: - * - * This currently is just a default for all mobs, involving - * laser eyes and telekinesis. You could easily add exceptions - * for things like ranged glove touches, spitting alien acid/neurotoxin, - * animals lunging, etc. - */ + * Ranged unarmed attack: + * + * This currently is just a default for all mobs, involving + * laser eyes and telekinesis. You could easily add exceptions + * for things like ranged glove touches, spitting alien acid/neurotoxin, + * animals lunging, etc. + */ /mob/proc/RangedAttack(atom/A, params) SEND_SIGNAL(src, COMSIG_MOB_ATTACK_RANGED, A, params) /** - * Middle click - * Mainly used for swapping hands - */ + * Middle click + * Mainly used for swapping hands + */ /mob/proc/MiddleClickOn(atom/A) . = SEND_SIGNAL(src, COMSIG_MOB_MIDDLECLICKON, A) if(. & COMSIG_MOB_CANCEL_CLICKON) @@ -291,10 +291,10 @@ swap_hand() /** - * Shift click - * For most mobs, examine. - * This is overridden in ai.dm - */ + * Shift click + * For most mobs, examine. + * This is overridden in ai.dm + */ /mob/proc/ShiftClickOn(atom/A) A.ShiftClick(src) return @@ -306,9 +306,9 @@ return /** - * Ctrl click - * For most objects, pull - */ + * Ctrl click + * For most objects, pull + */ /mob/proc/CtrlClickOn(atom/A) A.CtrlClick(src) return @@ -329,9 +329,9 @@ else ..() /** - * Alt click - * Unused except for AI - */ + * Alt click + * Unused except for AI + */ /mob/proc/AltClickOn(atom/A) . = SEND_SIGNAL(src, COMSIG_MOB_ALTCLICKON, A) if(. & COMSIG_MOB_CANCEL_CLICKON) @@ -356,9 +356,9 @@ return T.Adjacent(src) /** - * Control+Shift click - * Unused except for AI - */ + * Control+Shift click + * Unused except for AI + */ /mob/proc/CtrlShiftClickOn(atom/A) A.CtrlShiftClick(src) return diff --git a/code/_onclick/hud/alert.dm b/code/_onclick/hud/alert.dm index 90d28f3d1e4a..f6c3e079aeb4 100644 --- a/code/_onclick/hud/alert.dm +++ b/code/_onclick/hud/alert.dm @@ -6,13 +6,13 @@ /mob/proc/throw_alert(category, type, severity, obj/new_master, override = FALSE) /* Proc to create or update an alert. Returns the alert if the alert is new or updated, 0 if it was thrown already - category is a text string. Each mob may only have one alert per category; the previous one will be replaced - path is a type path of the actual alert type to throw - severity is an optional number that will be placed at the end of the icon_state for this alert - For example, high pressure's icon_state is "highpressure" and can be serverity 1 or 2 to get "highpressure1" or "highpressure2" - new_master is optional and sets the alert's icon state to "template" in the ui_style icons with the master as an overlay. - Clicks are forwarded to master - Override makes it so the alert is not replaced until cleared by a clear_alert with clear_override, and it's used for hallucinations. +category is a text string. Each mob may only have one alert per category; the previous one will be replaced +path is a type path of the actual alert type to throw +severity is an optional number that will be placed at the end of the icon_state for this alert +For example, high pressure's icon_state is "highpressure" and can be serverity 1 or 2 to get "highpressure1" or "highpressure2" +new_master is optional and sets the alert's icon state to "template" in the ui_style icons with the master as an overlay. +Clicks are forwarded to master +Override makes it so the alert is not replaced until cleared by a clear_alert with clear_override, and it's used for hallucinations. */ if(!category || QDELETED(src)) @@ -295,15 +295,15 @@ or shoot a gun to move around via Newton's 3rd Law of Motion." var/obj/item/receiving /** - * Handles assigning most of the variables for the alert that pops up when an item is offered - * - * Handles setting the name, description and icon of the alert and tracking the person giving - * and the item being offered, also registers a signal that removes the alert from anyone who moves away from the giver - * Arguments: - * * taker - The person receiving the alert - * * giver - The person giving the alert and item - * * receiving - The item being given by the giver - */ + * Handles assigning most of the variables for the alert that pops up when an item is offered + * + * Handles setting the name, description and icon of the alert and tracking the person giving + * and the item being offered, also registers a signal that removes the alert from anyone who moves away from the giver + * Arguments: + * * taker - The person receiving the alert + * * giver - The person giving the alert and item + * * receiving - The item being given by the giver + */ /atom/movable/screen/alert/give/proc/setup(mob/living/carbon/taker, mob/living/carbon/giver, obj/item/receiving) name = "[giver] is offering [receiving]" desc = "[giver] is offering [receiving]. Click this alert to take it." diff --git a/code/_onclick/hud/plane_master.dm b/code/_onclick/hud/plane_master.dm index d114a44d301c..7c0c2710eef8 100644 --- a/code/_onclick/hud/plane_master.dm +++ b/code/_onclick/hud/plane_master.dm @@ -72,11 +72,11 @@ add_filter("object_lighting", 3, alpha_mask_filter(render_source = O_LIGHTING_VISUAL_RENDER_TARGET, flags = MASK_INVERSE)) /** - * Things placed on this mask the lighting plane. Doesn't render directly. - * - * Gets masked by blocking plane. Use for things that you want blocked by - * mobs, items, etc. - */ + * Things placed on this mask the lighting plane. Doesn't render directly. + * + * Gets masked by blocking plane. Use for things that you want blocked by + * mobs, items, etc. + */ /atom/movable/screen/plane_master/emissive name = "emissive plane master" plane = EMISSIVE_PLANE @@ -88,11 +88,11 @@ add_filter("emissive_block", 1, alpha_mask_filter(render_source = EMISSIVE_BLOCKER_RENDER_TARGET, flags = MASK_INVERSE)) /** - * Things placed on this always mask the lighting plane. Doesn't render directly. - * - * Always masks the light plane, isn't blocked by anything. Use for on mob glows, - * magic stuff, etc. - */ + * Things placed on this always mask the lighting plane. Doesn't render directly. + * + * Always masks the light plane, isn't blocked by anything. Use for on mob glows, + * magic stuff, etc. + */ /atom/movable/screen/plane_master/emissive_unblockable name = "unblockable emissive plane master" plane = EMISSIVE_UNBLOCKABLE_PLANE @@ -100,10 +100,10 @@ render_target = EMISSIVE_UNBLOCKABLE_RENDER_TARGET /** - * Things placed on this layer mask the emissive layer. Doesn't render directly - * - * You really shouldn't be directly using this, use atom helpers instead - */ + * Things placed on this layer mask the emissive layer. Doesn't render directly + * + * You really shouldn't be directly using this, use atom helpers instead + */ /atom/movable/screen/plane_master/emissive_blocker name = "emissive blocker plane master" plane = EMISSIVE_BLOCKER_PLANE diff --git a/code/_onclick/item_attack.dm b/code/_onclick/item_attack.dm index 2e4687e050e4..666c974b52cb 100644 --- a/code/_onclick/item_attack.dm +++ b/code/_onclick/item_attack.dm @@ -1,12 +1,12 @@ /** - * This is the proc that handles the order of an item_attack. - * - * The order of procs called is: - * * [/atom/proc/tool_act] on the target. If it returns TRUE, the chain will be stopped. - * * [/obj/item/proc/pre_attack] on src. If this returns TRUE, the chain will be stopped. - * * [/atom/proc/attackby] on the target. If it returns TRUE, the chain will be stopped. - * * [/obj/item/proc/afterattack]. The return value does not matter. - */ + * This is the proc that handles the order of an item_attack. + * + * The order of procs called is: + * * [/atom/proc/tool_act] on the target. If it returns TRUE, the chain will be stopped. + * * [/obj/item/proc/pre_attack] on src. If this returns TRUE, the chain will be stopped. + * * [/atom/proc/attackby] on the target. If it returns TRUE, the chain will be stopped. + * * [/obj/item/proc/afterattack]. The return value does not matter. + */ /obj/item/proc/melee_attack_chain(mob/user, atom/target, params) if(tool_behaviour && target.tool_act(user, src, tool_behaviour)) return @@ -26,30 +26,30 @@ interact(user) /** - * Called on the item before it hits something - * - * Arguments: - * * atom/A - The atom about to be hit - * * mob/living/user - The mob doing the htting - * * params - click params such as alt/shift etc - * - * See: [/obj/item/proc/melee_attack_chain] - */ + * Called on the item before it hits something + * + * Arguments: + * * atom/A - The atom about to be hit + * * mob/living/user - The mob doing the htting + * * params - click params such as alt/shift etc + * + * See: [/obj/item/proc/melee_attack_chain] + */ /obj/item/proc/pre_attack(atom/A, mob/living/user, params) //do stuff before attackby! if(SEND_SIGNAL(src, COMSIG_ITEM_PRE_ATTACK, A, user, params) & COMPONENT_NO_ATTACK) return TRUE return FALSE //return TRUE to avoid calling attackby after this proc does stuff /** - * Called on an object being hit by an item - * - * Arguments: - * * obj/item/W - The item hitting this atom - * * mob/user - The wielder of this item - * * params - click params such as alt/shift etc - * - * See: [/obj/item/proc/melee_attack_chain] - */ + * Called on an object being hit by an item + * + * Arguments: + * * obj/item/W - The item hitting this atom + * * mob/user - The wielder of this item + * * params - click params such as alt/shift etc + * + * See: [/obj/item/proc/melee_attack_chain] + */ /atom/proc/attackby(obj/item/W, mob/user, params) if(SEND_SIGNAL(src, COMSIG_PARENT_ATTACKBY, W, user, params) & COMPONENT_NO_AFTERATTACK) return TRUE @@ -87,12 +87,12 @@ return TRUE /** - * Called from [/mob/living/attackby] - * - * Arguments: - * * mob/living/M - The mob being hit by this item - * * mob/living/user - The mob hitting with this item - */ + * Called from [/mob/living/attackby] + * + * Arguments: + * * mob/living/M - The mob being hit by this item + * * mob/living/user - The mob hitting with this item + */ /obj/item/proc/attack(mob/living/M, mob/living/user) if(SEND_SIGNAL(src, COMSIG_ITEM_ATTACK, M, user) & COMPONENT_ITEM_NO_ATTACK) return @@ -170,14 +170,14 @@ return ..() /** - * Last proc in the [/obj/item/proc/melee_attack_chain] - * - * Arguments: - * * atom/target - The thing that was hit - * * mob/user - The mob doing the hitting - * * proximity_flag - is 1 if this afterattack was called on something adjacent, in your square, or on your person. - * * click_parameters - is the params string from byond [/atom/proc/Click] code, see that documentation. - */ + * Last proc in the [/obj/item/proc/melee_attack_chain] + * + * Arguments: + * * atom/target - The thing that was hit + * * mob/user - The mob doing the hitting + * * proximity_flag - is 1 if this afterattack was called on something adjacent, in your square, or on your person. + * * click_parameters - is the params string from byond [/atom/proc/Click] code, see that documentation. + */ /obj/item/proc/afterattack(atom/target, mob/user, proximity_flag, click_parameters) SEND_SIGNAL(src, COMSIG_ITEM_AFTERATTACK, target, user, proximity_flag, click_parameters) SEND_SIGNAL(user, COMSIG_MOB_ITEM_AFTERATTACK, target, user, proximity_flag, click_parameters) diff --git a/code/controllers/failsafe.dm b/code/controllers/failsafe.dm index 693ab20b3b0b..ef78fb623386 100644 --- a/code/controllers/failsafe.dm +++ b/code/controllers/failsafe.dm @@ -1,7 +1,7 @@ - /** - * Failsafe - * - * Pretty much pokes the MC to make sure it's still alive. +/** + * Failsafe + * + * Pretty much pokes the MC to make sure it's still alive. **/ GLOBAL_REAL(Failsafe, /datum/controller/failsafe) diff --git a/code/controllers/master.dm b/code/controllers/master.dm index 1c486df0d78c..f72f706c5bca 100644 --- a/code/controllers/master.dm +++ b/code/controllers/master.dm @@ -1,10 +1,10 @@ - /** - * StonedMC - * - * Designed to properly split up a given tick among subsystems - * Note: if you read parts of this code and think "why is it doing it that way" - * Odds are, there is a reason - * +/** + * StonedMC + * + * Designed to properly split up a given tick among subsystems + * Note: if you read parts of this code and think "why is it doing it that way" + * Odds are, there is a reason + * **/ //This is the ABSOLUTE ONLY THING that should init globally like this diff --git a/code/controllers/subsystem/chat.dm b/code/controllers/subsystem/chat.dm index f2e9da704f4b..0e4f8ecad2ce 100644 --- a/code/controllers/subsystem/chat.dm +++ b/code/controllers/subsystem/chat.dm @@ -1,4 +1,4 @@ -/** +/*! * Copyright (c) 2020 Aleksej Komarov * SPDX-License-Identifier: MIT */ diff --git a/code/controllers/subsystem/discord.dm b/code/controllers/subsystem/discord.dm index 087696698d66..55ada5446178 100644 --- a/code/controllers/subsystem/discord.dm +++ b/code/controllers/subsystem/discord.dm @@ -92,26 +92,26 @@ SUBSYSTEM_DEF(discord) notify_members_cache = notify_members // Updates the cache list /** - * Given a ckey, look up the discord user id attached to the user, if any - * - * This gets the most recent entry from the discord link table that is associated with the given ckey - * - * Arguments: - * * lookup_ckey A string representing the ckey to search on - */ + * Given a ckey, look up the discord user id attached to the user, if any + * + * This gets the most recent entry from the discord link table that is associated with the given ckey + * + * Arguments: + * * lookup_ckey A string representing the ckey to search on + */ /datum/controller/subsystem/discord/proc/lookup_id(lookup_ckey) var/datum/discord_link_record/link = find_discord_link_by_ckey(lookup_ckey) if(link) return link.discord_id /** - * Given a discord id as a string, look up the ckey attached to that account, if any - * - * This gets the most recent entry from the discord_link table that is associated with this discord id snowflake - * - * Arguments: - * * lookup_id The discord id as a string - */ + * Given a discord id as a string, look up the ckey attached to that account, if any + * + * This gets the most recent entry from the discord_link table that is associated with this discord id snowflake + * + * Arguments: + * * lookup_id The discord id as a string + */ /datum/controller/subsystem/discord/proc/lookup_ckey(lookup_id) var/datum/discord_link_record/link = find_discord_link_by_discord_id(lookup_id) if(link) @@ -127,28 +127,28 @@ SUBSYSTEM_DEF(discord) return generate_one_time_token(ckey) /** - * Generate a timebound token for discord verification - * - * This uses the common word list to generate a six word random token, this token can then be fed to a discord bot that has access - * to the same database, and it can use it to link a ckey to a discord id, with minimal user effort - * - * It returns the token to the calling proc, after inserting an entry into the discord_link table of the following form - * - * ``` - * (unique_id, ckey, null, the current time, the one time token generated) - * the null value will be filled out with the discord id by the integrated discord bot when a user verifies - * ``` - * - * Notes: - * * The token is guaranteed to unique during it's validity period - * * The validity period is currently set at 4 hours - * * a token may not be unique outside it's validity window (to reduce conflicts) - * - * Arguments: - * * ckey_for a string representing the ckey this token is for - * - * Returns a string representing the one time token - */ + * Generate a timebound token for discord verification + * + * This uses the common word list to generate a six word random token, this token can then be fed to a discord bot that has access + * to the same database, and it can use it to link a ckey to a discord id, with minimal user effort + * + * It returns the token to the calling proc, after inserting an entry into the discord_link table of the following form + * + * ``` + * (unique_id, ckey, null, the current time, the one time token generated) + * the null value will be filled out with the discord id by the integrated discord bot when a user verifies + * ``` + * + * Notes: + * * The token is guaranteed to unique during it's validity period + * * The validity period is currently set at 4 hours + * * a token may not be unique outside it's validity window (to reduce conflicts) + * + * Arguments: + * * ckey_for a string representing the ckey this token is for + * + * Returns a string representing the one time token + */ /datum/controller/subsystem/discord/proc/generate_one_time_token(ckey_for) var/not_unique = TRUE @@ -175,18 +175,18 @@ SUBSYSTEM_DEF(discord) return one_time_token /** - * Find discord link entry by the passed in user token - * - * This will look into the discord link table and return the *first* entry that matches the given one time token - * - * Remember, multiple entries can exist, as they are only guaranteed to be unique for their validity period - * - * Arguments: - * * one_time_token the string of words representing the one time token - * * timebound A boolean flag, that specifies if it should only look for entries within the last 4 hours, off by default - * - * Returns a [/datum/discord_link_record] - */ + * Find discord link entry by the passed in user token + * + * This will look into the discord link table and return the *first* entry that matches the given one time token + * + * Remember, multiple entries can exist, as they are only guaranteed to be unique for their validity period + * + * Arguments: + * * one_time_token the string of words representing the one time token + * * timebound A boolean flag, that specifies if it should only look for entries within the last 4 hours, off by default + * + * Returns a [/datum/discord_link_record] + */ /datum/controller/subsystem/discord/proc/find_discord_link_by_token(one_time_token, timebound = FALSE) var/timeboundsql = "" if(timebound) @@ -207,18 +207,18 @@ SUBSYSTEM_DEF(discord) qdel(query_get_discord_link_record) /** - * Find discord link entry by the passed in user ckey - * - * This will look into the discord link table and return the *first* entry that matches the given ckey - * - * Remember, multiple entries can exist - * - * Arguments: - * * ckey the users ckey as a string - * * timebound should we search only in the last 4 hours - * - * Returns a [/datum/discord_link_record] - */ + * Find discord link entry by the passed in user ckey + * + * This will look into the discord link table and return the *first* entry that matches the given ckey + * + * Remember, multiple entries can exist + * + * Arguments: + * * ckey the users ckey as a string + * * timebound should we search only in the last 4 hours + * + * Returns a [/datum/discord_link_record] + */ /datum/controller/subsystem/discord/proc/find_discord_link_by_ckey(ckey, timebound = FALSE) var/timeboundsql = "" if(timebound) @@ -242,18 +242,18 @@ SUBSYSTEM_DEF(discord) /** - * Find discord link entry by the passed in user ckey - * - * This will look into the discord link table and return the *first* entry that matches the given ckey - * - * Remember, multiple entries can exist - * - * Arguments: - * * discord_id The users discord id (string) - * * timebound should we search only in the last 4 hours - * - * Returns a [/datum/discord_link_record] - */ + * Find discord link entry by the passed in user ckey + * + * This will look into the discord link table and return the *first* entry that matches the given ckey + * + * Remember, multiple entries can exist + * + * Arguments: + * * discord_id The users discord id (string) + * * timebound should we search only in the last 4 hours + * + * Returns a [/datum/discord_link_record] + */ /datum/controller/subsystem/discord/proc/find_discord_link_by_discord_id(discord_id, timebound = FALSE) var/timeboundsql = "" if(timebound) diff --git a/code/controllers/subsystem/overmap.dm b/code/controllers/subsystem/overmap.dm index f9907ba40203..7aa21115eabe 100644 --- a/code/controllers/subsystem/overmap.dm +++ b/code/controllers/subsystem/overmap.dm @@ -29,8 +29,8 @@ SUBSYSTEM_DEF(overmap) var/list/list/overmap_container /** - * Creates an overmap object for shuttles, triggers initialization procs for ships - */ + * Creates an overmap object for shuttles, triggers initialization procs for ships + */ /datum/controller/subsystem/overmap/Initialize(start_timeofday) overmap_objects = list() controlled_ships = list() @@ -108,8 +108,8 @@ SUBSYSTEM_DEF(overmap) user.client.debug_variables(target) /** - * The proc that creates all the objects on the overmap, split into seperate procs for redundancy. - */ + * The proc that creates all the objects on the overmap, split into seperate procs for redundancy. + */ /datum/controller/subsystem/overmap/proc/create_map() if (generator_type == OVERMAP_GENERATOR_SOLAR) spawn_events_in_orbits() @@ -122,8 +122,8 @@ SUBSYSTEM_DEF(overmap) spawn_initial_ships() /** - * VERY Simple random generation for overmap events, spawns the event in a random turf and sometimes spreads it out similar to ores - */ + * VERY Simple random generation for overmap events, spawns the event in a random turf and sometimes spreads it out similar to ores + */ /datum/controller/subsystem/overmap/proc/spawn_events() var/max_clusters = CONFIG_GET(number/max_overmap_event_clusters) for(var/i in 1 to max_clusters) @@ -157,8 +157,8 @@ SUBSYSTEM_DEF(overmap) new event_type(position) /** - * See [/datum/controller/subsystem/overmap/proc/spawn_events], spawns "veins" (like ores) of events - */ + * See [/datum/controller/subsystem/overmap/proc/spawn_events], spawns "veins" (like ores) of events + */ /datum/controller/subsystem/overmap/proc/spawn_event_cluster(datum/overmap/event/type, list/location, chance) if(CONFIG_GET(number/max_overmap_events) <= LAZYLEN(events)) return @@ -173,8 +173,8 @@ SUBSYSTEM_DEF(overmap) spawn_event_cluster(type, location, chance / 2) /** - * Creates a single outpost somewhere near the center of the system. - */ + * Creates a single outpost somewhere near the center of the system. + */ /datum/controller/subsystem/overmap/proc/spawn_outpost() var/list/S = get_unused_overmap_square_in_radius(rand(3, round(size/5))) new /datum/overmap/outpost(S) @@ -194,8 +194,8 @@ SUBSYSTEM_DEF(overmap) #endif /** - * Creates an overmap object for each ruin level, making them accessible. - */ + * Creates an overmap object for each ruin level, making them accessible. + */ /datum/controller/subsystem/overmap/proc/spawn_ruin_levels() for(var/i in 1 to CONFIG_GET(number/max_overmap_dynamic_events)) new /datum/overmap/dynamic() @@ -205,11 +205,11 @@ SUBSYSTEM_DEF(overmap) new /datum/overmap/dynamic() /** - * Reserves a square dynamic encounter area, and spawns a ruin in it if one is supplied. - * * on_planet - If the encounter should be on a generated planet. Required, as it will be otherwise inaccessible. - * * target - The ruin to spawn, if any - * * ruin_type - The ruin to spawn. Don't pass this argument if you want it to randomly select based on planet type. - */ + * Reserves a square dynamic encounter area, and spawns a ruin in it if one is supplied. + * * on_planet - If the encounter should be on a generated planet. Required, as it will be otherwise inaccessible. + * * target - The ruin to spawn, if any + * * ruin_type - The ruin to spawn. Don't pass this argument if you want it to randomly select based on planet type. + */ /datum/controller/subsystem/overmap/proc/spawn_dynamic_encounter(planet_type, ruin = TRUE, ignore_cooldown = FALSE, datum/map_template/ruin/ruin_type) log_shuttle("SSOVERMAP: SPAWNING DYNAMIC ENCOUNTER STARTED") var/list/ruin_list @@ -363,10 +363,10 @@ SUBSYSTEM_DEF(overmap) return list(mapzone, docking_ports) /** - * Returns a random, usually empty turf in the overmap - * * thing_to_not_have - The thing you don't want to be in the found tile, for example, an overmap event [/datum/overmap/event]. - * * tries - How many attempts it will try before giving up finding an unused tile. - */ + * Returns a random, usually empty turf in the overmap + * * thing_to_not_have - The thing you don't want to be in the found tile, for example, an overmap event [/datum/overmap/event]. + * * tries - How many attempts it will try before giving up finding an unused tile. + */ /datum/controller/subsystem/overmap/proc/get_unused_overmap_square(thing_to_not_have = /datum/overmap, tries = MAX_OVERMAP_PLACEMENT_ATTEMPTS, force = FALSE) for(var/i in 1 to tries) . = list("x" = rand(1, size), "y" = rand(1, size)) @@ -378,11 +378,11 @@ SUBSYSTEM_DEF(overmap) . = null /** - * Returns a random turf in a radius from the star, or a random empty turf if OVERMAP_GENERATOR_RANDOM is the active generator. - * * thing_to_not_have - The thing you don't want to be in the found tile, for example, an overmap event [/datum/overmap/event]. - * * tries - How many attempts it will try before giving up finding an unused tile.. - * * radius - The distance from the star to search for an empty tile. - */ + * Returns a random turf in a radius from the star, or a random empty turf if OVERMAP_GENERATOR_RANDOM is the active generator. + * * thing_to_not_have - The thing you don't want to be in the found tile, for example, an overmap event [/datum/overmap/event]. + * * tries - How many attempts it will try before giving up finding an unused tile.. + * * radius - The distance from the star to search for an empty tile. + */ /datum/controller/subsystem/overmap/proc/get_unused_overmap_square_in_radius(radius, thing_to_not_have = /datum/overmap, tries = MAX_OVERMAP_PLACEMENT_ATTEMPTS, force = FALSE) if(!radius) radius = "[rand(3, length(radius_positions) / 2)]" @@ -399,9 +399,9 @@ SUBSYSTEM_DEF(overmap) . = null /** - * Gets the parent overmap object (e.g. the planet the atom is on) for a given atom. - * * source - The object you want to get the corresponding parent overmap object for. - */ + * Gets the parent overmap object (e.g. the planet the atom is on) for a given atom. + * * source - The object you want to get the corresponding parent overmap object for. + */ /datum/controller/subsystem/overmap/proc/get_overmap_object_by_location(atom/source) for(var/O in overmap_objects) if(istype(O, /datum/overmap/dynamic)) diff --git a/code/controllers/subsystem/pai.dm b/code/controllers/subsystem/pai.dm index 3d51ef6f3d2d..ae8ca728e9ef 100644 --- a/code/controllers/subsystem/pai.dm +++ b/code/controllers/subsystem/pai.dm @@ -130,7 +130,7 @@ SUBSYSTEM_DEF(pai) /datum/controller/subsystem/pai/proc/spam_again() ghost_spam = FALSE -/datum/controller/subsystem/pai/proc/check_ready(var/datum/paiCandidate/C) +/datum/controller/subsystem/pai/proc/check_ready(datum/paiCandidate/C) if(!C.ready) return FALSE for(var/mob/dead/observer/O in GLOB.player_list) diff --git a/code/controllers/subsystem/pathfinder.dm b/code/controllers/subsystem/pathfinder.dm index 8e1cf946ae19..ccbea7930663 100644 --- a/code/controllers/subsystem/pathfinder.dm +++ b/code/controllers/subsystem/pathfinder.dm @@ -18,7 +18,7 @@ SUBSYSTEM_DEF(pathfinder) var/free var/list/flow -/datum/flowcache/New(var/n) +/datum/flowcache/New(n) . = ..() lcount = n run = 0 diff --git a/code/controllers/subsystem/ping.dm b/code/controllers/subsystem/ping.dm new file mode 100644 index 000000000000..8886a4b61caa --- /dev/null +++ b/code/controllers/subsystem/ping.dm @@ -0,0 +1,40 @@ +/*! + * Copyright (c) 2022 Aleksej Komarov + * SPDX-License-Identifier: MIT + */ + +SUBSYSTEM_DEF(ping) + name = "Ping" + priority = FIRE_PRIORITY_PING + init_stage = INITSTAGE_EARLY + wait = 4 SECONDS + flags = SS_NO_INIT + runlevels = RUNLEVEL_LOBBY | RUNLEVEL_SETUP | RUNLEVEL_GAME | RUNLEVEL_POSTGAME + + var/list/currentrun = list() + +/datum/controller/subsystem/ping/stat_entry() + ..("P:[GLOB.clients.len]") + +/datum/controller/subsystem/ping/fire(resumed = FALSE) + // Prepare the new batch of clients + if (!resumed) + src.currentrun = GLOB.clients.Copy() + + // De-reference the list for sanic speeds + var/list/currentrun = src.currentrun + + while (currentrun.len) + var/client/client = currentrun[currentrun.len] + currentrun.len-- + + if (client?.tgui_panel?.is_ready()) + // Send a soft ping + client.tgui_panel.window.send_message("ping/soft", list( + // Slightly less than the subsystem timer (somewhat arbitrary) + // to prevent incoming pings from resetting the afk state + "afk" = client.is_afk(3.5 SECONDS), + )) + + if (MC_TICK_CHECK) + return diff --git a/code/controllers/subsystem/redbot.dm b/code/controllers/subsystem/redbot.dm index fb7671dd0a9b..70ca9580306c 100644 --- a/code/controllers/subsystem/redbot.dm +++ b/code/controllers/subsystem/redbot.dm @@ -11,7 +11,7 @@ SUBSYSTEM_DEF(redbot) world.Export(query) return ..() -/datum/controller/subsystem/redbot/proc/send_discord_message(var/channel, var/message, var/priority_type) +/datum/controller/subsystem/redbot/proc/send_discord_message(channel, message, priority_type) var/bot_ip = CONFIG_GET(string/bot_ip) var/list/adm = get_admin_counts() var/list/allmins = adm["present"] diff --git a/code/controllers/subsystem/runechat.dm b/code/controllers/subsystem/runechat.dm index c0471a7a0892..038ac9f12713 100644 --- a/code/controllers/subsystem/runechat.dm +++ b/code/controllers/subsystem/runechat.dm @@ -6,15 +6,15 @@ #define BUCKET_LIMIT (world.time + TICKS2DS(min(BUCKET_LEN - (SSrunechat.practical_offset - DS2TICKS(world.time - SSrunechat.head_offset)) - 1, BUCKET_LEN - 1))) /** - * # Runechat Subsystem - * - * Maintains a timer-like system to handle destruction of runechat messages. Much of this code is modeled - * after or adapted from the timer subsystem. - * - * Note that this has the same structure for storing and queueing messages as the timer subsystem does - * for handling timers: the bucket_list is a list of chatmessage datums, each of which are the head - * of a circularly linked list. Any given index in bucket_list could be null, representing an empty bucket. - */ + * # Runechat Subsystem + * + * Maintains a timer-like system to handle destruction of runechat messages. Much of this code is modeled + * after or adapted from the timer subsystem. + * + * Note that this has the same structure for storing and queueing messages as the timer subsystem does + * for handling timers: the bucket_list is a list of chatmessage datums, each of which are the head + * of a circularly linked list. Any given index in bucket_list could be null, representing an empty bucket. + */ SUBSYSTEM_DEF(runechat) name = "Runechat" flags = SS_TICKER | SS_NO_INIT @@ -120,14 +120,14 @@ SUBSYSTEM_DEF(runechat) second_queue |= SSrunechat.second_queue /** - * Enters the runechat subsystem with this chatmessage, inserting it into the end-of-life queue - * - * This will also account for a chatmessage already being registered, and in which case - * the position will be updated to remove it from the previous location if necessary - * - * Arguments: - * * new_sched_destruction Optional, when provided is used to update an existing message with the new specified time - */ + * Enters the runechat subsystem with this chatmessage, inserting it into the end-of-life queue + * + * This will also account for a chatmessage already being registered, and in which case + * the position will be updated to remove it from the previous location if necessary + * + * Arguments: + * * new_sched_destruction Optional, when provided is used to update an existing message with the new specified time + */ /datum/chatmessage/proc/enter_subsystem(new_sched_destruction = 0) // Get local references from subsystem as they are faster to access than the datum references var/list/bucket_list = SSrunechat.bucket_list @@ -183,8 +183,8 @@ SUBSYSTEM_DEF(runechat) /** - * Removes this chatmessage datum from the runechat subsystem - */ + * Removes this chatmessage datum from the runechat subsystem + */ /datum/chatmessage/proc/leave_subsystem() // Attempt to find the bucket that contains this chat message var/bucket_pos = BUCKET_POS(scheduled_destruction) diff --git a/code/controllers/subsystem/server_maint.dm b/code/controllers/subsystem/server_maint.dm index 8306e88e2719..12937cdbbd83 100644 --- a/code/controllers/subsystem/server_maint.dm +++ b/code/controllers/subsystem/server_maint.dm @@ -55,15 +55,18 @@ SUBSYSTEM_DEF(server_maint) var/round_started = SSticker.HasRoundStarted() var/kick_inactive = CONFIG_GET(flag/kick_inactive) - var/afk_period - if(kick_inactive) - afk_period = CONFIG_GET(number/afk_period) - for(var/I in currentrun) - var/client/C = I + var/afk_period = CONFIG_GET(number/afk_period) + for(var/client/C as anything in currentrun) + if(!C) + continue + if(C.is_afk() && (world.time - C.inactivity) > C.last_seen_afk) + SEND_SIGNAL(C.mob, COMSIG_MOB_GO_INACTIVE) + C.last_seen_afk = world.time + //handle kicking inactive players if(round_started && kick_inactive && !C.holder && C.is_afk(afk_period)) - var/cmob = C.mob - if (!isnewplayer(cmob) || !SSticker.queued_players.Find(cmob)) + var/mob/cmob = C.mob + if(!isnewplayer(cmob) || !SSticker.queued_players.Find(cmob)) log_access("AFK: [key_name(C)]") to_chat(C, "You have been inactive for more than [DisplayTimeText(afk_period)] and have been disconnected.
You may reconnect via the button in the file menu or by clicking here to reconnect.") QDEL_IN(C, 1) //to ensure they get our message before getting disconnected diff --git a/code/controllers/subsystem/shuttle.dm b/code/controllers/subsystem/shuttle.dm index 2c954b9503ca..542eab3e8469 100644 --- a/code/controllers/subsystem/shuttle.dm +++ b/code/controllers/subsystem/shuttle.dm @@ -247,12 +247,12 @@ SUBSYSTEM_DEF(shuttle) .[port] = overlap /** - * This proc loads a shuttle from a specified template. If no destination port is specified, the shuttle will be - * spawned at a generated transit doc. Doing this is how most ships are loaded. - * - * * loading_template - The shuttle map template to load. Can NOT be null. - * * destination_port - The port the newly loaded shuttle will be sent to after being fully spawned in. If you want to have a transit dock be created, use [proc/load_template] instead. Should NOT be null. - **/ + * This proc loads a shuttle from a specified template. If no destination port is specified, the shuttle will be + * spawned at a generated transit doc. Doing this is how most ships are loaded. + * + * * loading_template - The shuttle map template to load. Can NOT be null. + * * destination_port - The port the newly loaded shuttle will be sent to after being fully spawned in. If you want to have a transit dock be created, use [proc/load_template] instead. Should NOT be null. + **/ /datum/controller/subsystem/shuttle/proc/action_load(datum/map_template/shuttle/loading_template, datum/overmap/ship/controlled/parent, obj/docking_port/stationary/destination_port) if(!destination_port) CRASH("No destination port specified for shuttle load, aborting.") @@ -266,15 +266,15 @@ SUBSYSTEM_DEF(shuttle) return new_shuttle /** - * This proc replaces the given shuttle with a fresh new one spawned from a template. - * spawned at a generated transit doc. Doing this is how most ships are loaded. - * - * Hopefully this doesn't need to be used, it's a last resort for admin-coders at best, - * but I wanted to preserve the functionality of old action_load() in case it was needed. - * - * * to_replace - The shuttle to replace. Should NOT be null. - * * replacement - The shuttle map template to load in place of the old shuttle. Can NOT be null. - **/ + * This proc replaces the given shuttle with a fresh new one spawned from a template. + * spawned at a generated transit doc. Doing this is how most ships are loaded. + * + * Hopefully this doesn't need to be used, it's a last resort for admin-coders at best, + * but I wanted to preserve the functionality of old action_load() in case it was needed. + * + * * to_replace - The shuttle to replace. Should NOT be null. + * * replacement - The shuttle map template to load in place of the old shuttle. Can NOT be null. + **/ /datum/controller/subsystem/shuttle/proc/replace_shuttle(obj/docking_port/mobile/to_replace, datum/overmap/ship/controlled/parent, datum/map_template/shuttle/replacement) if(!to_replace || !replacement) return @@ -301,12 +301,12 @@ SUBSYSTEM_DEF(shuttle) return new_shuttle /** - * This proc is THE proc that loads a shuttle from a specified template. Anything else should go through this - * in order to spawn a new shuttle. - * - * * template - The shuttle map template to load. Can NOT be null. - * * spawn_transit - Whether or not to send the new shuttle to a newly-generated transit dock after loading. - **/ + * This proc is THE proc that loads a shuttle from a specified template. Anything else should go through this + * in order to spawn a new shuttle. + * + * * template - The shuttle map template to load. Can NOT be null. + * * spawn_transit - Whether or not to send the new shuttle to a newly-generated transit dock after loading. + **/ /datum/controller/subsystem/shuttle/proc/load_template(datum/map_template/shuttle/template, datum/overmap/ship/controlled/parent, spawn_transit = TRUE) . = FALSE var/loading_mapzone = SSmapping.create_map_zone("Shuttle Loading Zone") @@ -460,6 +460,32 @@ SUBSYSTEM_DEF(shuttle) . = TRUE break + if("owner") + var/obj/docking_port/mobile/port = locate(params["id"]) in mobile + if(!port || !port.current_ship) + return + var/datum/overmap/ship/controlled/port_ship = port.current_ship + var/datum/action/ship_owner/admin/owner_action = new(port_ship) + owner_action.Grant(user) + owner_action.Trigger() + return TRUE + + if("vv_port") + var/obj/docking_port/mobile/port = locate(params["id"]) in mobile + if(!port) + return + if(user.client) + user.client.debug_variables(port) + return TRUE + + if("vv_ship") + var/obj/docking_port/mobile/port = locate(params["id"]) in mobile + if(!port || !port.current_ship) + return + if(user.client) + user.client.debug_variables(port.current_ship) + return TRUE + if("fly") for(var/obj/docking_port/mobile/M as anything in mobile) if(REF(M) == params["id"]) diff --git a/code/controllers/subsystem/sounds.dm b/code/controllers/subsystem/sounds.dm index 87bee535466f..4301740dfb10 100644 --- a/code/controllers/subsystem/sounds.dm +++ b/code/controllers/subsystem/sounds.dm @@ -83,8 +83,8 @@ SUBSYSTEM_DEF(sounds) LAZYADD(using_channels_by_datum[D], .) /** - * Reserves a channel and updates the datastructure. Private proc. - */ + * Reserves a channel and updates the datastructure. Private proc. + */ /datum/controller/subsystem/sounds/proc/reserve_channel() PRIVATE_PROC(TRUE) if(channel_reserve_high <= random_channels_min) // out of channels @@ -94,8 +94,8 @@ SUBSYSTEM_DEF(sounds) return channel /** - * Frees a channel and updates the datastructure. Private proc. - */ + * Frees a channel and updates the datastructure. Private proc. + */ /datum/controller/subsystem/sounds/proc/free_channel(number) PRIVATE_PROC(TRUE) var/text_channel = num2text(number) diff --git a/code/controllers/subsystem/tgui.dm b/code/controllers/subsystem/tgui.dm index 2fe7c64c72dd..76ebc52ce416 100644 --- a/code/controllers/subsystem/tgui.dm +++ b/code/controllers/subsystem/tgui.dm @@ -1,10 +1,13 @@ +/*! + * Copyright (c) 2020 Aleksej Komarov + * SPDX-License-Identifier: MIT + */ + /** * tgui subsystem * * Contains all tgui state and subsystem code. * - * Copyright (c) 2020 Aleksej Komarov - * SPDX-License-Identifier: MIT */ SUBSYSTEM_DEF(tgui) @@ -25,6 +28,10 @@ SUBSYSTEM_DEF(tgui) /datum/controller/subsystem/tgui/PreInit() basehtml = file2text('tgui/public/tgui.html') + // Inject inline polyfills + var/polyfill = file2text('tgui/public/tgui-polyfill.min.js') + polyfill = "" + basehtml = replacetextEx(basehtml, "", polyfill) /datum/controller/subsystem/tgui/Shutdown() close_all_uis() @@ -33,7 +40,7 @@ SUBSYSTEM_DEF(tgui) msg = "P:[length(open_uis)]" return ..() -/datum/controller/subsystem/tgui/fire(resumed = 0) +/datum/controller/subsystem/tgui/fire(resumed = FALSE) if(!resumed) src.current_run = open_uis.Copy() // Cache for sanic speed (lists are references anyways) @@ -42,8 +49,8 @@ SUBSYSTEM_DEF(tgui) var/datum/tgui/ui = current_run[current_run.len] current_run.len-- // TODO: Move user/src_object check to process() - if(ui && ui.user && ui.src_object) - ui.process() + if(ui?.user && ui.src_object) + ui.process(wait * 0.1) else open_uis.Remove(ui) if(MC_TICK_CHECK) @@ -191,8 +198,8 @@ SUBSYSTEM_DEF(tgui) return count for(var/datum/tgui/ui in open_uis_by_src[key]) // Check if UI is valid. - if(ui && ui.src_object && ui.user && ui.src_object.ui_host(ui.user)) - ui.process(force = 1) + if(ui?.src_object && ui.user && ui.src_object.ui_host(ui.user)) + ui.process(wait * 0.1, force = 1) count++ return count @@ -213,7 +220,7 @@ SUBSYSTEM_DEF(tgui) return count for(var/datum/tgui/ui in open_uis_by_src[key]) // Check if UI is valid. - if(ui && ui.src_object && ui.user && ui.src_object.ui_host(ui.user)) + if(ui?.src_object && ui.user && ui.src_object.ui_host(ui.user)) ui.close() count++ return count @@ -230,7 +237,7 @@ SUBSYSTEM_DEF(tgui) for(var/key in open_uis_by_src) for(var/datum/tgui/ui in open_uis_by_src[key]) // Check if UI is valid. - if(ui && ui.src_object && ui.user && ui.src_object.ui_host(ui.user)) + if(ui?.src_object && ui.user && ui.src_object.ui_host(ui.user)) ui.close() count++ return count @@ -251,7 +258,7 @@ SUBSYSTEM_DEF(tgui) return count for(var/datum/tgui/ui in user.tgui_open_uis) if(isnull(src_object) || ui.src_object == src_object) - ui.process(force = 1) + ui.process(wait * 0.1, force = 1) count++ return count diff --git a/code/controllers/subsystem/ticker.dm b/code/controllers/subsystem/ticker.dm index 9c937a51c65a..cfb250c607f9 100644 --- a/code/controllers/subsystem/ticker.dm +++ b/code/controllers/subsystem/ticker.dm @@ -49,8 +49,6 @@ SUBSYSTEM_DEF(ticker) var/news_report - var/late_join_disabled - var/roundend_check_paused = FALSE var/round_start_time = 0 diff --git a/code/controllers/subsystem/timer.dm b/code/controllers/subsystem/timer.dm index af387689eff5..d6442a69bda0 100644 --- a/code/controllers/subsystem/timer.dm +++ b/code/controllers/subsystem/timer.dm @@ -215,8 +215,8 @@ SUBSYSTEM_DEF(timer) break /** - * Generates a string with details about the timed event for debugging purposes - */ + * Generates a string with details about the timed event for debugging purposes + */ /datum/controller/subsystem/timer/proc/get_timer_debug_string(datum/timedevent/TE) . = "Timer: [TE]" . += "Prev: [TE.prev ? TE.prev : "NULL"], Next: [TE.next ? TE.next : "NULL"]" @@ -228,8 +228,8 @@ SUBSYSTEM_DEF(timer) . += ", NO CALLBACK" /** - * Destroys the existing buckets and creates new buckets from the existing timed events - */ + * Destroys the existing buckets and creates new buckets from the existing timed events + */ /datum/controller/subsystem/timer/proc/reset_buckets() WARNING("Timer buckets has been reset, this may cause timer to lag") bucket_reset_count++ @@ -337,14 +337,14 @@ SUBSYSTEM_DEF(timer) bucket_list |= SStimer.bucket_list /** - * # Timed Event - * - * This is the actual timer, it contains the callback and necessary data to maintain - * the timer. - * - * See the documentation for the timer subsystem for an explanation of the buckets referenced - * below in next and prev - */ + * # Timed Event + * + * This is the actual timer, it contains the callback and necessary data to maintain + * the timer. + * + * See the documentation for the timer subsystem for an explanation of the buckets referenced + * below in next and prev + */ /datum/timedevent /// ID used for timers when the TIMER_STOPPABLE flag is present var/id @@ -441,8 +441,8 @@ SUBSYSTEM_DEF(timer) return QDEL_HINT_IWILLGC /** - * Removes this timed event from any relevant buckets, or the secondary queue - */ + * Removes this timed event from any relevant buckets, or the secondary queue + */ /datum/timedevent/proc/bucketEject() // Store local references for the bucket list and secondary queue // This is faster than referencing them from the datum itself @@ -479,13 +479,13 @@ SUBSYSTEM_DEF(timer) bucket_joined = FALSE /** - * Attempts to add this timed event to a bucket, will enter the secondary queue - * if there are no appropriate buckets at this time. - * - * Secondary queueing of timed events will occur when the timespan covered by the existing - * buckets is exceeded by the time at which this timed event is scheduled to be invoked. - * If the timed event is tracking client time, it will be added to a special bucket. - */ + * Attempts to add this timed event to a bucket, will enter the secondary queue + * if there are no appropriate buckets at this time. + * + * Secondary queueing of timed events will occur when the timespan covered by the existing + * buckets is exceeded by the time at which this timed event is scheduled to be invoked. + * If the timed event is tracking client time, it will be added to a special bucket. + */ /datum/timedevent/proc/bucketJoin() // Generate debug-friendly name for timer var/static/list/bitfield_flags = list("TIMER_UNIQUE", "TIMER_OVERRIDE", "TIMER_CLIENT_TIME", "TIMER_STOPPABLE", "TIMER_NO_HASH_WAIT", "TIMER_LOOP") @@ -536,8 +536,8 @@ SUBSYSTEM_DEF(timer) bucket_list[bucket_pos] = src /** - * Returns a string of the type of the callback for this timer - */ + * Returns a string of the type of the callback for this timer + */ /datum/timedevent/proc/getcallingtype() . = "ERROR" if (callBack.object == GLOBAL_PROC) diff --git a/code/datums/ai_laws.dm b/code/datums/ai_laws.dm index fd14345253aa..8066c548896f 100644 --- a/code/datums/ai_laws.dm +++ b/code/datums/ai_laws.dm @@ -440,13 +440,13 @@ owner = M /** - * Generates a list of all laws on this datum, including rendered HTML tags if required - * - * Arguments: - * * include_zeroth - Operator that controls if law 0 or law 666 is returned in the set - * * show_numbers - Operator that controls if law numbers are prepended to the returned laws - * * render_html - Operator controlling if HTML tags are rendered on the returned laws - */ + * Generates a list of all laws on this datum, including rendered HTML tags if required + * + * Arguments: + * * include_zeroth - Operator that controls if law 0 or law 666 is returned in the set + * * show_numbers - Operator that controls if law numbers are prepended to the returned laws + * * render_html - Operator controlling if HTML tags are rendered on the returned laws + */ /datum/ai_laws/proc/get_law_list(include_zeroth = FALSE, show_numbers = TRUE, render_html = TRUE) var/list/data = list() diff --git a/code/datums/callback.dm b/code/datums/callback.dm index 95343844aa26..b5baea28f1f1 100644 --- a/code/datums/callback.dm +++ b/code/datums/callback.dm @@ -1,53 +1,53 @@ /** - *# Callback Datums - *A datum that holds a proc to be called on another object, used to track proccalls to other objects - * - * ## USAGE - * - * ``` - * var/datum/callback/C = new(object|null, /proc/type/path|"procstring", arg1, arg2, ... argn) - * var/timerid = addtimer(C, time, timertype) - * you can also use the compiler define shorthand - * var/timerid = addtimer(CALLBACK(object|null, /proc/type/path|procstring, arg1, arg2, ... argn), time, timertype) - * ``` - * - * Note: proc strings can only be given for datum proc calls, global procs must be proc paths - * - * Also proc strings are strongly advised against because they don't compile error if the proc stops existing - * - * In some cases you can provide a shortform of the procname, see the proc typepath shortcuts documentation below - * - * ## INVOKING THE CALLBACK - *`var/result = C.Invoke(args, to, add)` additional args are added after the ones given when the callback was created - * - * `var/result = C.InvokeAsync(args, to, add)` Asyncronous - returns . on the first sleep then continues on in the background - * after the sleep/block ends, otherwise operates normally. - * - * ## PROC TYPEPATH SHORTCUTS - * (these operate on paths, not types, so to these shortcuts, datum is NOT a parent of atom, etc...) - * - * ### global proc while in another global proc: - * .procname - * - * `CALLBACK(GLOBAL_PROC, .some_proc_here)` - * - * ### proc defined on current(src) object (when in a /proc/ and not an override) OR overridden at src or any of it's parents: - * .procname - * - * `CALLBACK(src, .some_proc_here)` - * - * ### when the above doesn't apply: - *.proc/procname - * - * `CALLBACK(src, .proc/some_proc_here)` - * - * - * proc defined on a parent of a some type - * - * `/some/type/.proc/some_proc_here` - * - * Otherwise you must always provide the full typepath of the proc (/type/of/thing/proc/procname) - */ + *# Callback Datums + *A datum that holds a proc to be called on another object, used to track proccalls to other objects + * + * ## USAGE + * + * ``` + * var/datum/callback/C = new(object|null, /proc/type/path|"procstring", arg1, arg2, ... argn) + * var/timerid = addtimer(C, time, timertype) + * you can also use the compiler define shorthand + * var/timerid = addtimer(CALLBACK(object|null, /proc/type/path|procstring, arg1, arg2, ... argn), time, timertype) + * ``` + * + * Note: proc strings can only be given for datum proc calls, global procs must be proc paths + * + * Also proc strings are strongly advised against because they don't compile error if the proc stops existing + * + * In some cases you can provide a shortform of the procname, see the proc typepath shortcuts documentation below + * + * ## INVOKING THE CALLBACK + *`var/result = C.Invoke(args, to, add)` additional args are added after the ones given when the callback was created + * + * `var/result = C.InvokeAsync(args, to, add)` Asyncronous - returns . on the first sleep then continues on in the background + * after the sleep/block ends, otherwise operates normally. + * + * ## PROC TYPEPATH SHORTCUTS + * (these operate on paths, not types, so to these shortcuts, datum is NOT a parent of atom, etc...) + * + * ### global proc while in another global proc: + * .procname + * + * `CALLBACK(GLOBAL_PROC, .some_proc_here)` + * + * ### proc defined on current(src) object (when in a /proc/ and not an override) OR overridden at src or any of it's parents: + * .procname + * + * `CALLBACK(src, .some_proc_here)` + * + * ### when the above doesn't apply: + *.proc/procname + * + * `CALLBACK(src, .proc/some_proc_here)` + * + * + * proc defined on a parent of a some type + * + * `/some/type/.proc/some_proc_here` + * + * Otherwise you must always provide the full typepath of the proc (/type/of/thing/proc/procname) + */ /datum/callback ///The object we will be calling the proc on @@ -60,13 +60,13 @@ var/datum/weakref/user /** - * Create a new callback datum - * - * Arguments - * * thingtocall the object to call the proc on - * * proctocall the proc to call on the target object - * * ... an optional list of extra arguments to pass to the proc - */ + * Create a new callback datum + * + * Arguments + * * thingtocall the object to call the proc on + * * proctocall the proc to call on the target object + * * ... an optional list of extra arguments to pass to the proc + */ /datum/callback/New(thingtocall, proctocall, ...) if (thingtocall) object = thingtocall @@ -76,13 +76,13 @@ if(usr) user = WEAKREF(usr) /** - * Immediately Invoke proctocall on thingtocall, with waitfor set to false - * - * Arguments: - * * thingtocall Object to call on - * * proctocall Proc to call on that object - * * ... optional list of arguments to pass as arguments to the proc being called - */ + * Immediately Invoke proctocall on thingtocall, with waitfor set to false + * + * Arguments: + * * thingtocall Object to call on + * * proctocall Proc to call on that object + * * ... optional list of arguments to pass as arguments to the proc being called + */ /world/proc/ImmediateInvokeAsync(thingtocall, proctocall, ...) set waitfor = FALSE @@ -97,13 +97,13 @@ call(thingtocall, proctocall)(arglist(calling_arguments)) /** - * Invoke this callback - * - * Calls the registered proc on the registered object, if the user ref - * can be resolved it also inclues that as an arg - * - * If the datum being called on is varedited, the call is wrapped via [WrapAdminProcCall][/proc/WrapAdminProcCall] - */ + * Invoke this callback + * + * Calls the registered proc on the registered object, if the user ref + * can be resolved it also inclues that as an arg + * + * If the datum being called on is varedited, the call is wrapped via [WrapAdminProcCall][/proc/WrapAdminProcCall] + */ /datum/callback/proc/Invoke(...) if(!usr) var/datum/weakref/W = user @@ -130,13 +130,13 @@ return call(object, delegate)(arglist(calling_arguments)) /** - * Invoke this callback async (waitfor=false) - * - * Calls the registered proc on the registered object, if the user ref - * can be resolved it also inclues that as an arg - * - * If the datum being called on is varedited, the call is wrapped via WrapAdminProcCall - */ + * Invoke this callback async (waitfor=false) + * + * Calls the registered proc on the registered object, if the user ref + * can be resolved it also inclues that as an arg + * + * If the datum being called on is varedited, the call is wrapped via WrapAdminProcCall + */ /datum/callback/proc/InvokeAsync(...) set waitfor = FALSE @@ -166,7 +166,7 @@ /** Helper datum for the select callbacks proc - */ + */ /datum/callback_select var/list/finished var/pendingcount @@ -192,16 +192,16 @@ finished[index] = rtn /** - * Runs a list of callbacks asyncronously, returning only when all have finished - * - * Callbacks can be repeated, to call it multiple times - * - * Arguments: - * * list/callbacks the list of callbacks to be called - * * list/callback_args the list of lists of arguments to pass into each callback - * * savereturns Optionally save and return the list of returned values from each of the callbacks - * * resolution The number of byond ticks between each time you check if all callbacks are complete - */ + * Runs a list of callbacks asyncronously, returning only when all have finished + * + * Callbacks can be repeated, to call it multiple times + * + * Arguments: + * * list/callbacks the list of callbacks to be called + * * list/callback_args the list of lists of arguments to pass into each callback + * * savereturns Optionally save and return the list of returned values from each of the callbacks + * * resolution The number of byond ticks between each time you check if all callbacks are complete + */ /proc/callback_select(list/callbacks, list/callback_args, savereturns = TRUE, resolution = 1) if (!callbacks) return diff --git a/code/datums/chatmessage.dm b/code/datums/chatmessage.dm index 60d0a146d864..39ee97ceea8f 100644 --- a/code/datums/chatmessage.dm +++ b/code/datums/chatmessage.dm @@ -22,10 +22,10 @@ #define WXH_TO_HEIGHT(x) text2num(copytext(x, findtextEx(x, "x") + 1)) /** - * # Chat Message Overlay - * - * Datum for generating a message overlay on the map - */ + * # Chat Message Overlay + * + * Datum for generating a message overlay on the map + */ /datum/chatmessage /// The visual element of the chat messsage var/image/message @@ -47,15 +47,15 @@ var/static/current_z_idx = 0 /** - * Constructs a chat message overlay - * - * Arguments: - * * text - The text content of the overlay - * * target - The target atom to display the overlay at - * * owner - The mob that owns this overlay, only this mob will be able to view it - * * extra_classes - Extra classes to apply to the span that holds the text - * * lifespan - The lifespan of the message in deciseconds - */ + * Constructs a chat message overlay + * + * Arguments: + * * text - The text content of the overlay + * * target - The target atom to display the overlay at + * * owner - The mob that owns this overlay, only this mob will be able to view it + * * extra_classes - Extra classes to apply to the span that holds the text + * * lifespan - The lifespan of the message in deciseconds + */ /datum/chatmessage/New(text, atom/target, mob/owner, list/extra_classes = list(), lifespan = CHAT_MESSAGE_LIFESPAN) . = ..() if (!istype(target)) @@ -78,23 +78,23 @@ return ..() /** - * Calls qdel on the chatmessage when its parent is deleted, used to register qdel signal - */ + * Calls qdel on the chatmessage when its parent is deleted, used to register qdel signal + */ /datum/chatmessage/proc/on_parent_qdel() SIGNAL_HANDLER qdel(src) /** - * Generates a chat message image representation - * - * Arguments: - * * text - The text content of the overlay - * * target - The target atom to display the overlay at - * * owner - The mob that owns this overlay, only this mob will be able to view it - * * extra_classes - Extra classes to apply to the span that holds the text - * * lifespan - The lifespan of the message in deciseconds - */ + * Generates a chat message image representation + * + * Arguments: + * * text - The text content of the overlay + * * target - The target atom to display the overlay at + * * owner - The mob that owns this overlay, only this mob will be able to view it + * * extra_classes - Extra classes to apply to the span that holds the text + * * lifespan - The lifespan of the message in deciseconds + */ /datum/chatmessage/proc/generate_image(text, atom/target, mob/owner, list/extra_classes, lifespan) // Register client who owns this message owned_by = owner.client @@ -183,26 +183,26 @@ enter_subsystem() /** - * Applies final animations to overlay CHAT_MESSAGE_EOL_FADE deciseconds prior to message deletion, - * sets time for scheduling deletion and re-enters the runechat SS for qdeling - * - * Arguments: - * * fadetime - The amount of time to animate the message's fadeout for - */ + * Applies final animations to overlay CHAT_MESSAGE_EOL_FADE deciseconds prior to message deletion, + * sets time for scheduling deletion and re-enters the runechat SS for qdeling + * + * Arguments: + * * fadetime - The amount of time to animate the message's fadeout for + */ /datum/chatmessage/proc/end_of_life(fadetime = CHAT_MESSAGE_EOL_FADE) eol_complete = scheduled_destruction + fadetime animate(message, alpha = 0, time = fadetime, flags = ANIMATION_PARALLEL) enter_subsystem(eol_complete) // re-enter the runechat SS with the EOL completion time to QDEL self /** - * Creates a message overlay at a defined location for a given speaker - * - * Arguments: - * * speaker - The atom who is saying this message - * * message_language - The language that the message is said in - * * raw_message - The text content of the message - * * spans - Additional classes to be added to the message - */ + * Creates a message overlay at a defined location for a given speaker + * + * Arguments: + * * speaker - The atom who is saying this message + * * message_language - The language that the message is said in + * * raw_message - The text content of the message + * * spans - Additional classes to be added to the message + */ /mob/proc/create_chat_message(atom/movable/speaker, datum/language/message_language, raw_message, list/spans, runechat_flags = NONE) // Ensure the list we are using, if present, is a copy so we don't modify the list provided to us spans = spans ? spans.Copy() : list() @@ -232,15 +232,15 @@ #define CM_COLOR_LUM_MAX 0.75 /** - * Gets a color for a name, will return the same color for a given string consistently within a round.atom - * - * Note that this proc aims to produce pastel-ish colors using the HSL colorspace. These seem to be favorable for displaying on the map. - * - * Arguments: - * * name - The name to generate a color for - * * sat_shift - A value between 0 and 1 that will be multiplied against the saturation - * * lum_shift - A value between 0 and 1 that will be multiplied against the luminescence - */ + * Gets a color for a name, will return the same color for a given string consistently within a round.atom + * + * Note that this proc aims to produce pastel-ish colors using the HSL colorspace. These seem to be favorable for displaying on the map. + * + * Arguments: + * * name - The name to generate a color for + * * sat_shift - A value between 0 and 1 that will be multiplied against the saturation + * * lum_shift - A value between 0 and 1 that will be multiplied against the luminescence + */ /datum/chatmessage/proc/colorize_string(name, sat_shift = 1, lum_shift = 1) // seed to help randomness var/static/rseed = rand(1,26) diff --git a/code/datums/components/README.md b/code/datums/components/README.md index 3080f7e7b441..2921652b5378 100644 --- a/code/datums/components/README.md +++ b/code/datums/components/README.md @@ -6,4 +6,4 @@ Loosely adapted from /vg/. This is an entity component system for adding behavio See [this thread](https://tgstation13.org/phpBB/viewtopic.php?f=5&t=22674) for an introduction to the system as a whole. -### See/Define signals and their arguments in [__DEFINES\components.dm](../../__DEFINES/components.dm) +### See/Define signals and their arguments in [\_\_DEFINES\components.dm](../../__DEFINES/components.dm) diff --git a/code/datums/components/_component.dm b/code/datums/components/_component.dm index f8894f6bedde..1d16391a18e1 100644 --- a/code/datums/components/_component.dm +++ b/code/datums/components/_component.dm @@ -11,31 +11,31 @@ */ /datum/component /** - * Defines how duplicate existing components are handled when added to a datum - * - * See [COMPONENT_DUPE_*][COMPONENT_DUPE_ALLOWED] definitions for available options - */ + * Defines how duplicate existing components are handled when added to a datum + * + * See [COMPONENT_DUPE_*][COMPONENT_DUPE_ALLOWED] definitions for available options + */ var/dupe_mode = COMPONENT_DUPE_HIGHLANDER /** - * The type to check for duplication - * - * `null` means exact match on `type` (default) - * - * Any other type means that and all subtypes - */ + * The type to check for duplication + * + * `null` means exact match on `type` (default) + * + * Any other type means that and all subtypes + */ var/dupe_type /// The datum this components belongs to var/datum/parent /** - * Only set to true if you are able to properly transfer this component - * - * At a minimum [RegisterWithParent][/datum/component/proc/RegisterWithParent] and [UnregisterFromParent][/datum/component/proc/UnregisterFromParent] should be used - * - * Make sure you also implement [PostTransfer][/datum/component/proc/PostTransfer] for any post transfer handling - */ + * Only set to true if you are able to properly transfer this component + * + * At a minimum [RegisterWithParent][/datum/component/proc/RegisterWithParent] and [UnregisterFromParent][/datum/component/proc/UnregisterFromParent] should be used + * + * Make sure you also implement [PostTransfer][/datum/component/proc/PostTransfer] for any post transfer handling + */ var/can_transfer = FALSE /** diff --git a/code/datums/components/crafting/crafting.dm b/code/datums/components/crafting/crafting.dm index c8eb15074679..a804ec657526 100644 --- a/code/datums/components/crafting/crafting.dm +++ b/code/datums/components/crafting/crafting.dm @@ -60,12 +60,12 @@ */ /** - * Check that the contents of the recipe meet the requirements. - * - * user: The /mob that initated the crafting. - * R: The /datum/crafting_recipe being attempted. - * contents: List of items to search for R's reqs. - */ + * Check that the contents of the recipe meet the requirements. + * + * user: The /mob that initated the crafting. + * R: The /datum/crafting_recipe being attempted. + * contents: List of items to search for R's reqs. + */ /datum/component/personal_crafting/proc/check_contents(atom/a, datum/crafting_recipe/R, list/contents) var/list/item_instances = contents["instances"] contents = contents["other"] diff --git a/code/datums/components/crafting/recipes.dm b/code/datums/components/crafting/recipes.dm index 5ee3f81503c6..aa811ebbc3db 100644 --- a/code/datums/components/crafting/recipes.dm +++ b/code/datums/components/crafting/recipes.dm @@ -17,11 +17,11 @@ blacklist += result /** - * Run custom pre-craft checks for this recipe - * - * user: The /mob that initiated the crafting - * collected_requirements: A list of lists of /obj/item instances that satisfy reqs. Top level list is keyed by requirement path. - */ + * Run custom pre-craft checks for this recipe + * + * user: The /mob that initiated the crafting + * collected_requirements: A list of lists of /obj/item instances that satisfy reqs. Top level list is keyed by requirement path. + */ /datum/crafting_recipe/proc/check_requirements(mob/user, list/collected_requirements) return TRUE diff --git a/code/datums/components/creamed.dm b/code/datums/components/creamed.dm index fa708d0cd9c0..fcd1f1b8cc74 100644 --- a/code/datums/components/creamed.dm +++ b/code/datums/components/creamed.dm @@ -5,10 +5,10 @@ GLOBAL_LIST_INIT(creamable, typecacheof(list( /mob/living/silicon/ai))) /** - * Creamed component - * - * For when you have pie on your face - */ + * Creamed component + * + * For when you have pie on your face + */ /datum/component/creamed dupe_mode = COMPONENT_DUPE_UNIQUE_PASSARGS diff --git a/code/datums/components/dejavu.dm b/code/datums/components/dejavu.dm index 1bad589c97ea..19e41148d3bd 100644 --- a/code/datums/components/dejavu.dm +++ b/code/datums/components/dejavu.dm @@ -1,6 +1,6 @@ /** - * A component to reset the parent to its previous state after some time passes - */ + * A component to reset the parent to its previous state after some time passes + */ /datum/component/dejavu /// The turf the parent was on when this components was applied, they get moved back here after the duration var/turf/starting_turf diff --git a/code/datums/components/edible.dm b/code/datums/components/edible.dm index b84f4b1fbd62..b9a89ad9de90 100644 --- a/code/datums/components/edible.dm +++ b/code/datums/components/edible.dm @@ -193,7 +193,7 @@ Behavior that's still missing from this component that original food items had t return TRUE ///Check foodtypes to see if we should send a moodlet -/datum/component/edible/proc/checkLiked(var/fraction, mob/M) +/datum/component/edible/proc/checkLiked(fraction, mob/M) if(last_check_time + 50 > world.time) return FALSE if(!ishuman(M)) diff --git a/code/datums/components/material_container.dm b/code/datums/components/material_container.dm index 694ffaccfe3f..5b43b0f78a33 100644 --- a/code/datums/components/material_container.dm +++ b/code/datums/components/material_container.dm @@ -108,7 +108,7 @@ user.put_in_active_hand(I) /// Proc specifically for inserting items, returns the amount of materials entered. -/datum/component/material_container/proc/insert_item(obj/item/I, var/multiplier = 1, stack_amt) +/datum/component/material_container/proc/insert_item(obj/item/I, multiplier = 1, stack_amt) if(!I) return FALSE @@ -132,7 +132,7 @@ return primary_mat /// For inserting an amount of material -/datum/component/material_container/proc/insert_amount_mat(amt, var/datum/material/mat) +/datum/component/material_container/proc/insert_amount_mat(amt, datum/material/mat) if(!istype(mat)) mat = SSmaterials.GetMaterialRef(mat) if(amt > 0 && has_space(amt)) @@ -147,7 +147,7 @@ return FALSE /// Uses an amount of a specific material, effectively removing it. -/datum/component/material_container/proc/use_amount_mat(amt, var/datum/material/mat) +/datum/component/material_container/proc/use_amount_mat(amt, datum/material/mat) if(!istype(mat)) mat = SSmaterials.GetMaterialRef(mat) var/amount = materials[mat] @@ -159,7 +159,7 @@ return FALSE /// Proc for transfering materials to another container. -/datum/component/material_container/proc/transer_amt_to(var/datum/component/material_container/T, amt, var/datum/material/mat) +/datum/component/material_container/proc/transer_amt_to(datum/component/material_container/T, amt, datum/material/mat) if(!istype(mat)) mat = SSmaterials.GetMaterialRef(mat) if((amt==0)||(!T)||(!mat)) @@ -211,7 +211,7 @@ return total_amount_save - total_amount /// For spawning mineral sheets at a specific location. Used by machines to output sheets. -/datum/component/material_container/proc/retrieve_sheets(sheet_amt, var/datum/material/M, target = null) +/datum/component/material_container/proc/retrieve_sheets(sheet_amt, datum/material/M, target = null) if(!M.sheet_type) return 0 //Add greyscale sheet handling here later if(sheet_amt <= 0) @@ -279,7 +279,7 @@ /// Returns TRUE if you have enough of the specified material. -/datum/component/material_container/proc/has_enough_of_material(var/datum/material/req_mat, amount, multiplier=1) +/datum/component/material_container/proc/has_enough_of_material(datum/material/req_mat, amount, multiplier=1) if(!materials[req_mat]) //Do we have the resource? return FALSE //Can't afford it var/amount_required = amount * multiplier @@ -318,7 +318,7 @@ return material_amount /// Returns the amount of a specific material in this container. -/datum/component/material_container/proc/get_material_amount(var/datum/material/mat) +/datum/component/material_container/proc/get_material_amount(datum/material/mat) if(!istype(mat)) mat = SSmaterials.GetMaterialRef(mat) return(materials[mat]) diff --git a/code/datums/components/overlay_lighting.dm b/code/datums/components/overlay_lighting.dm index c35303739895..623b24fb2c42 100644 --- a/code/datums/components/overlay_lighting.dm +++ b/code/datums/components/overlay_lighting.dm @@ -10,20 +10,20 @@ #define SHORT_CAST 2 /** - * Movable atom overlay-based lighting component. - * - * * Component works by applying a visual object to the parent target. - * - * * The component tracks the parent's loc to determine the current_holder. - * * The current_holder is either the parent or its loc, whichever is on a turf. If none, then the current_holder is null and the light is not visible. - * - * * Lighting works at its base by applying a dark overlay and "cutting" said darkness with light, adding (possibly colored) transparency. - * * This component uses the visible_mask visual object to apply said light mask on the darkness. - * - * * The main limitation of this system is that it uses a limited number of pre-baked geometrical shapes, but for most uses it does the job. - * - * * Another limitation is for big lights: you only see the light if you see the object emiting it. - * * For small objects this is good (you can't see them behind a wall), but for big ones this quickly becomes prety clumsy. + * Movable atom overlay-based lighting component. + * + * * Component works by applying a visual object to the parent target. + * + * * The component tracks the parent's loc to determine the current_holder. + * * The current_holder is either the parent or its loc, whichever is on a turf. If none, then the current_holder is null and the light is not visible. + * + * * Lighting works at its base by applying a dark overlay and "cutting" said darkness with light, adding (possibly colored) transparency. + * * This component uses the visible_mask visual object to apply said light mask on the darkness. + * + * * The main limitation of this system is that it uses a limited number of pre-baked geometrical shapes, but for most uses it does the job. + * + * * Another limitation is for big lights: you only see the light if you see the object emiting it. + * * For small objects this is good (you can't see them behind a wall), but for big ones this quickly becomes prety clumsy. */ /datum/component/overlay_lighting ///How far the light reaches, float. diff --git a/code/datums/components/pellet_cloud.dm b/code/datums/components/pellet_cloud.dm index 062aba9da488..d0998c41e5b8 100644 --- a/code/datums/components/pellet_cloud.dm +++ b/code/datums/components/pellet_cloud.dm @@ -82,11 +82,11 @@ UnregisterSignal(parent, list(COMSIG_PARENT_PREQDELETED, COMSIG_PELLET_CLOUD_INIT, COMSIG_GRENADE_PRIME, COMSIG_GRENADE_ARMED, COMSIG_MOVABLE_MOVED, COMSIG_MINE_TRIGGERED, COMSIG_ITEM_DROPPED)) /** - * create_casing_pellets() is for directed pellet clouds for ammo casings that have multiple pellets (buckshot and scatter lasers for instance) - * - * Honestly this is mostly just a rehash of [/obj/item/ammo_casing/proc/fire_casing()] for pellet counts > 1, except this lets us tamper with the pellets and hook onto them for tracking purposes. - * The arguments really don't matter, this proc is triggered by COMSIG_PELLET_CLOUD_INIT which is only for this really, it's just a big mess of the state vars we need for doing the stuff over here. - */ + * create_casing_pellets() is for directed pellet clouds for ammo casings that have multiple pellets (buckshot and scatter lasers for instance) + * + * Honestly this is mostly just a rehash of [/obj/item/ammo_casing/proc/fire_casing()] for pellet counts > 1, except this lets us tamper with the pellets and hook onto them for tracking purposes. + * The arguments really don't matter, this proc is triggered by COMSIG_PELLET_CLOUD_INIT which is only for this really, it's just a big mess of the state vars we need for doing the stuff over here. + */ /datum/component/pellet_cloud/proc/create_casing_pellets(obj/item/ammo_casing/shell, atom/target, mob/living/user, fired_from, randomspread, spread, zone_override, params, distro) shooter = user var/targloc = get_turf(target) @@ -110,10 +110,10 @@ shell.newshot() /** - * create_blast_pellets() is for when we have a central point we want to shred the surroundings of with a ring of shrapnel, namely frag grenades and landmines. - * - * Note that grenades have extra handling for someone throwing themselves/being thrown on top of it, while landmines do not (obviously, it's a landmine!). See [/datum/component/pellet_cloud/proc/handle_martyrs()] - */ + * create_blast_pellets() is for when we have a central point we want to shred the surroundings of with a ring of shrapnel, namely frag grenades and landmines. + * + * Note that grenades have extra handling for someone throwing themselves/being thrown on top of it, while landmines do not (obviously, it's a landmine!). See [/datum/component/pellet_cloud/proc/handle_martyrs()] + */ /datum/component/pellet_cloud/proc/create_blast_pellets(obj/O, mob/living/lanced_by) var/atom/A = parent @@ -131,14 +131,14 @@ pew(shootat_turf) /** - * handle_martyrs() is used for grenades that shoot shrapnel to check if anyone threw themselves/were thrown on top of the grenade, thus absorbing a good chunk of the shrapnel - * - * Between the time the grenade is armed and the actual detonation, we set var/list/bodies to the list of mobs currently on the new tile, as if the grenade landed on top of them, tracking if any of them move off the tile and removing them from the "under" list - * Once the grenade detonates, handle_martyrs() is called and gets all the new mobs on the tile, and add the ones not in var/list/bodies to var/list/martyrs - * We then iterate through the martyrs and reduce the shrapnel magnitude for each mob on top of it, shredding each of them with some of the shrapnel they helped absorb. This can snuff out all of the shrapnel if there's enough bodies - * - * Note we track anyone who's alive and client'd when they get shredded in var/list/purple_hearts, for achievement checking later - */ + * handle_martyrs() is used for grenades that shoot shrapnel to check if anyone threw themselves/were thrown on top of the grenade, thus absorbing a good chunk of the shrapnel + * + * Between the time the grenade is armed and the actual detonation, we set var/list/bodies to the list of mobs currently on the new tile, as if the grenade landed on top of them, tracking if any of them move off the tile and removing them from the "under" list + * Once the grenade detonates, handle_martyrs() is called and gets all the new mobs on the tile, and add the ones not in var/list/bodies to var/list/martyrs + * We then iterate through the martyrs and reduce the shrapnel magnitude for each mob on top of it, shredding each of them with some of the shrapnel they helped absorb. This can snuff out all of the shrapnel if there's enough bodies + * + * Note we track anyone who's alive and client'd when they get shredded in var/list/purple_hearts, for achievement checking later + */ /datum/component/pellet_cloud/proc/handle_martyrs(mob/living/lanced_by) var/magnitude_absorbed var/list/martyrs = list() diff --git a/code/datums/components/tackle.dm b/code/datums/components/tackle.dm index 45b080a5866a..aae602ecc0fd 100644 --- a/code/datums/components/tackle.dm +++ b/code/datums/components/tackle.dm @@ -1,16 +1,16 @@ #define MAX_TABLE_MESSES 8 // how many things can we knock off a table at once? /** - *#tackle.dm - * - * For when you want to throw a person at something and have fun stuff happen - * - * This component is made for carbon mobs (really, humans), and allows its parent to throw themselves and perform tackles. This is done by enabling throw mode, then clicking on your - * intended target with an empty hand. You will then launch toward your target. If you hit a carbon, you'll roll to see how hard you hit them. If you hit a solid non-mob, you'll - * roll to see how badly you just messed yourself up. If, along your journey, you hit a table, you'll slam onto it and send up to MAX_TABLE_MESSES (8) /obj/items on the table flying, - * and take a bit of extra damage and stun for each thing launched. - * - * There are 2 """skill rolls""" involved here, which are handled and explained in sack() and rollTackle() (for roll 1, carbons), and splat() (for roll 2, walls and solid objects) + *#tackle.dm + * + * For when you want to throw a person at something and have fun stuff happen + * + * This component is made for carbon mobs (really, humans), and allows its parent to throw themselves and perform tackles. This is done by enabling throw mode, then clicking on your + * intended target with an empty hand. You will then launch toward your target. If you hit a carbon, you'll roll to see how hard you hit them. If you hit a solid non-mob, you'll + * roll to see how badly you just messed yourself up. If, along your journey, you hit a table, you'll slam onto it and send up to MAX_TABLE_MESSES (8) /obj/items on the table flying, + * and take a bit of extra damage and stun for each thing launched. + * + * There are 2 """skill rolls""" involved here, which are handled and explained in sack() and rollTackle() (for roll 1, carbons), and splat() (for roll 2, walls and solid objects) */ /datum/component/tackler dupe_mode = COMPONENT_DUPE_UNIQUE @@ -230,16 +230,16 @@ return COMPONENT_MOVABLE_IMPACT_FLIP_HITPUSH /** - * rollTackle() - * - * This handles all of the modifiers for the actual carbon-on-carbon tackling, and gets its own proc because of how many there are (with plenty more in mind!) - * - * The base roll is between (-3, 3), with negative numbers favoring the target, and positive numbers favoring the tackler. The target and the tackler are both assessed for - * how easy they are to knock over, with clumsiness and dwarfiness being strong maluses for each, and gigantism giving a bonus for each. These numbers and ideas - * are absolutely subject to change. - - * In addition, after subtracting the defender's mod and adding the attacker's mod to the roll, the component's base (skill) mod is added as well. Some sources of tackles - * are better at taking people down, like the bruiser and rocket gloves, while the dolphin gloves have a malus in exchange for better mobility. + * rollTackle() + * + * This handles all of the modifiers for the actual carbon-on-carbon tackling, and gets its own proc because of how many there are (with plenty more in mind!) + * + * The base roll is between (-3, 3), with negative numbers favoring the target, and positive numbers favoring the tackler. The target and the tackler are both assessed for + * how easy they are to knock over, with clumsiness and dwarfiness being strong maluses for each, and gigantism giving a bonus for each. These numbers and ideas + * are absolutely subject to change. + + * In addition, after subtracting the defender's mod and adding the attacker's mod to the roll, the component's base (skill) mod is added as well. Some sources of tackles + * are better at taking people down, like the bruiser and rocket gloves, while the dolphin gloves have a malus in exchange for better mobility. */ /datum/component/tackler/proc/rollTackle(mob/living/carbon/target) var/defense_mod = 0 @@ -308,28 +308,28 @@ return r /** - * splat() - * - * This is where we handle diving into dense atoms, generally with effects ranging from bad to REALLY bad. This works as a percentile roll that is modified in two steps as detailed below. The higher - * the roll, the more severe the result. - * - * Mod 1: Speed - * * Base tackle speed is 1, which is what normal gripper gloves use. For other sources with higher speed tackles, like dolphin and ESPECIALLY rocket gloves, we obey Newton's laws and hit things harder. - * * For every unit of speed above 1, move the lower bound of the roll up by 15. Unlike Mod 2, this only serves to raise the lower bound, so it can't be directly counteracted by anything you can control. - * - * Mod 2: Misc - * -Flat modifiers, these take whatever you rolled and add/subtract to it, with the end result capped between the minimum from Mod 1 and 100. Note that since we can't roll higher than 100 to start with, - * wearing a helmet should be enough to remove any chance of permanently paralyzing yourself and dramatically lessen knocking yourself unconscious, even with rocket gloves. Will expand on maybe - * * Wearing a helmet: -6 - * * Wearing riot armor: -6 - * * Clumsy: +6 - * - * Effects: Below are the outcomes based off your roll, in order of increasing severity - * * 1-63: Knocked down for a few seconds and a bit of brute and stamina damage - * * 64-83: Knocked silly, gain some confusion as well as the above - * * 84-93: Cranial trauma, get a concussion and more confusion, plus more damage - * * 94-98: Knocked unconscious, significant chance to get a random mild brain trauma, as well as a fair amount of damage - * * 99-100: Break your spinal cord, get paralyzed, take a bunch of damage too. Very unlucky! + * splat() + * + * This is where we handle diving into dense atoms, generally with effects ranging from bad to REALLY bad. This works as a percentile roll that is modified in two steps as detailed below. The higher + * the roll, the more severe the result. + * + * Mod 1: Speed + * * Base tackle speed is 1, which is what normal gripper gloves use. For other sources with higher speed tackles, like dolphin and ESPECIALLY rocket gloves, we obey Newton's laws and hit things harder. + * * For every unit of speed above 1, move the lower bound of the roll up by 15. Unlike Mod 2, this only serves to raise the lower bound, so it can't be directly counteracted by anything you can control. + * + * Mod 2: Misc + * -Flat modifiers, these take whatever you rolled and add/subtract to it, with the end result capped between the minimum from Mod 1 and 100. Note that since we can't roll higher than 100 to start with, + * wearing a helmet should be enough to remove any chance of permanently paralyzing yourself and dramatically lessen knocking yourself unconscious, even with rocket gloves. Will expand on maybe + * * Wearing a helmet: -6 + * * Wearing riot armor: -6 + * * Clumsy: +6 + * + * Effects: Below are the outcomes based off your roll, in order of increasing severity + * * 1-63: Knocked down for a few seconds and a bit of brute and stamina damage + * * 64-83: Knocked silly, gain some confusion as well as the above + * * 84-93: Cranial trauma, get a concussion and more confusion, plus more damage + * * 94-98: Knocked unconscious, significant chance to get a random mild brain trauma, as well as a fair amount of damage + * * 99-100: Break your spinal cord, get paralyzed, take a bunch of damage too. Very unlucky! */ /datum/component/tackler/proc/splat(mob/living/carbon/user, atom/hit) if(istype(hit, /obj/machinery/vending)) // before we do anything else- diff --git a/code/datums/components/taped.dm b/code/datums/components/taped.dm index ebe2385b4ffe..5fc753676bbb 100644 --- a/code/datums/components/taped.dm +++ b/code/datums/components/taped.dm @@ -35,7 +35,7 @@ /datum/component/taped/UnregisterFromParent() UnregisterSignal(parent, list(COMSIG_PARENT_ATTACKBY, COMSIG_PARENT_EXAMINE)) -/datum/component/taped/proc/set_tape(var/patch_amount) +/datum/component/taped/proc/set_tape(patch_amount) var/obj/I = parent var/icon/tape_marks = icon(initial(I.icon), initial(I.icon_state)) diff --git a/code/datums/components/thermite.dm b/code/datums/components/thermite.dm index 9c7ee9970aa9..23f020adb7f0 100644 --- a/code/datums/components/thermite.dm +++ b/code/datums/components/thermite.dm @@ -68,7 +68,7 @@ addtimer(CALLBACK(src, .proc/burn_parent, fakefire, user), min(amount * 0.35 SECONDS, 20 SECONDS)) UnregisterFromParent() -/datum/component/thermite/proc/burn_parent(var/datum/fakefire, mob/user) +/datum/component/thermite/proc/burn_parent(datum/fakefire, mob/user) var/turf/master = parent if(!QDELETED(fakefire)) qdel(fakefire) diff --git a/code/datums/datacore.dm b/code/datums/datacore.dm index 831dedee9cbd..a14d04cc0ec0 100644 --- a/code/datums/datacore.dm +++ b/code/datums/datacore.dm @@ -76,13 +76,13 @@ return /** - * Adds crime to security record. - * - * Is used to add single crime to someone's security record. - * Arguments: - * * id - record id. - * * datum/data/crime/crime - premade array containing every variable, usually created by createCrimeEntry. - */ + * Adds crime to security record. + * + * Is used to add single crime to someone's security record. + * Arguments: + * * id - record id. + * * datum/data/crime/crime - premade array containing every variable, usually created by createCrimeEntry. + */ /datum/datacore/proc/addCrime(id = "", datum/data/crime/crime) for(var/datum/data/record/R in security) if(R.fields["id"] == id) @@ -91,13 +91,13 @@ return /** - * Deletes crime from security record. - * - * Is used to delete single crime to someone's security record. - * Arguments: - * * id - record id. - * * cDataId - id of already existing crime. - */ + * Deletes crime from security record. + * + * Is used to delete single crime to someone's security record. + * Arguments: + * * id - record id. + * * cDataId - id of already existing crime. + */ /datum/datacore/proc/removeCrime(id, cDataId) for(var/datum/data/record/R in security) if(R.fields["id"] == id) @@ -108,14 +108,14 @@ return /** - * Adds details to a crime. - * - * Is used to add or replace details to already existing crime. - * Arguments: - * * id - record id. - * * cDataId - id of already existing crime. - * * details - data you want to add. - */ + * Adds details to a crime. + * + * Is used to add or replace details to already existing crime. + * Arguments: + * * id - record id. + * * cDataId - id of already existing crime. + * * details - data you want to add. + */ /datum/datacore/proc/addCrimeDetails(id, cDataId, details) for(var/datum/data/record/R in security) if(R.fields["id"] == id) diff --git a/code/datums/datum.dm b/code/datums/datum.dm index 07df80f7dec3..01fc5d6643e0 100644 --- a/code/datums/datum.dm +++ b/code/datums/datum.dm @@ -1,13 +1,13 @@ /** - * The absolute base class for everything - * - * A datum instantiated has no physical world prescence, use an atom if you want something - * that actually lives in the world - * - * Be very mindful about adding variables to this class, they are inherited by every single - * thing in the entire game, and so you can easily cause memory usage to rise a lot with careless - * use of variables at this level - */ + * The absolute base class for everything + * + * A datum instantiated has no physical world prescence, use an atom if you want something + * that actually lives in the world + * + * Be very mindful about adding variables to this class, they are inherited by every single + * thing in the entire game, and so you can easily cause memory usage to rise a lot with careless + * use of variables at this level + */ /datum /** * Tick count time when this object was destroyed. @@ -53,30 +53,30 @@ #endif /** - * Called when a href for this datum is clicked - * - * Sends a [COMSIG_TOPIC] signal - */ + * Called when a href for this datum is clicked + * + * Sends a [COMSIG_TOPIC] signal + */ /datum/Topic(href, href_list[]) ..() SEND_SIGNAL(src, COMSIG_TOPIC, usr, href_list) /** - * Default implementation of clean-up code. - * - * This should be overridden to remove all references pointing to the object being destroyed, if - * you do override it, make sure to call the parent and return it's return value by default - * - * Return an appropriate [QDEL_HINT][QDEL_HINT_QUEUE] to modify handling of your deletion; - * in most cases this is [QDEL_HINT_QUEUE]. - * - * The base case is responsible for doing the following - * * Erasing timers pointing to this datum - * * Erasing compenents on this datum - * * Notifying datums listening to signals from this datum that we are going away - * - * Returns [QDEL_HINT_QUEUE] - */ + * Default implementation of clean-up code. + * + * This should be overridden to remove all references pointing to the object being destroyed, if + * you do override it, make sure to call the parent and return it's return value by default + * + * Return an appropriate [QDEL_HINT][QDEL_HINT_QUEUE] to modify handling of your deletion; + * in most cases this is [QDEL_HINT_QUEUE]. + * + * The base case is responsible for doing the following + * * Erasing timers pointing to this datum + * * Erasing compenents on this datum + * * Notifying datums listening to signals from this datum that we are going away + * + * Returns [QDEL_HINT_QUEUE] + */ /datum/proc/Destroy(force=FALSE, ...) SHOULD_CALL_PARENT(TRUE) tag = null diff --git a/code/datums/dcmnet.dm b/code/datums/dcmnet.dm index 4100bed40991..31bde9417113 100644 --- a/code/datums/dcmnet.dm +++ b/code/datums/dcmnet.dm @@ -53,12 +53,12 @@ // ** Ore handling procs ** -/datum/dcm_net/proc/Push(var/datum/component/material_container/cont) +/datum/dcm_net/proc/Push(datum/component/material_container/cont) for(var/O in cont.materials) var/datum/material/M = O cont.transer_amt_to(netHub.container, transfer_limit, M) -/datum/dcm_net/proc/Pull(var/datum/component/material_container/cont) +/datum/dcm_net/proc/Pull(datum/component/material_container/cont) for(var/O in netHub.container.materials) var/datum/material/M = O netHub.container.transer_amt_to(cont, transfer_limit, M) diff --git a/code/datums/diseases/_disease.dm b/code/datums/diseases/_disease.dm index 690e9194f346..b200a12311f2 100644 --- a/code/datums/diseases/_disease.dm +++ b/code/datums/diseases/_disease.dm @@ -41,12 +41,12 @@ SSdisease.active_diseases.Remove(src) //add this disease if the host does not already have too many -/datum/disease/proc/try_infect(var/mob/living/infectee, make_copy = TRUE) +/datum/disease/proc/try_infect(mob/living/infectee, make_copy = TRUE) infect(infectee, make_copy) return TRUE //add the disease with no checks -/datum/disease/proc/infect(var/mob/living/infectee, make_copy = TRUE) +/datum/disease/proc/infect(mob/living/infectee, make_copy = TRUE) var/datum/disease/D = make_copy ? Copy() : src infectee.diseases += D D.affected_mob = infectee diff --git a/code/datums/diseases/advance/advance.dm b/code/datums/diseases/advance/advance.dm index abb4d3531539..db748da77e27 100644 --- a/code/datums/diseases/advance/advance.dm +++ b/code/datums/diseases/advance/advance.dm @@ -85,7 +85,7 @@ S.End(src) return ..() -/datum/disease/advance/try_infect(var/mob/living/infectee, make_copy = TRUE) +/datum/disease/advance/try_infect(mob/living/infectee, make_copy = TRUE) //see if we are more transmittable than enough diseases to replace them //diseases replaced in this way do not confer immunity var/list/advance_diseases = list() @@ -392,7 +392,7 @@ */ // Mix a list of advance diseases and return the mixed result. -/proc/Advance_Mix(var/list/D_list) +/proc/Advance_Mix(list/D_list) var/list/diseases = list() for(var/datum/disease/advance/A in D_list) diff --git a/code/datums/diseases/advance/symptoms/narcolepsy.dm b/code/datums/diseases/advance/symptoms/narcolepsy.dm index 4de6caa47939..46a9af2dc998 100644 --- a/code/datums/diseases/advance/symptoms/narcolepsy.dm +++ b/code/datums/diseases/advance/symptoms/narcolepsy.dm @@ -38,7 +38,7 @@ Bonus symptom_delay_min = 20 symptom_delay_max = 45 -/datum/symptom/narcolepsy/Activate(var/datum/disease/advance/A) +/datum/symptom/narcolepsy/Activate(datum/disease/advance/A) var/mob/living/M = A.affected_mob switch(A.stage) if(1) diff --git a/code/datums/diseases/advance/symptoms/sensory.dm b/code/datums/diseases/advance/symptoms/sensory.dm index 4e01756f5fc9..26004fdfbb48 100644 --- a/code/datums/diseases/advance/symptoms/sensory.dm +++ b/code/datums/diseases/advance/symptoms/sensory.dm @@ -27,7 +27,7 @@ if(A.properties["transmittable"] >= 8) //purge alcohol purge_alcohol = TRUE -/datum/symptom/mind_restoration/Activate(var/datum/disease/advance/A) +/datum/symptom/mind_restoration/Activate(datum/disease/advance/A) if(!..()) return var/mob/living/M = A.affected_mob diff --git a/code/datums/diseases/transformation.dm b/code/datums/diseases/transformation.dm index 9827914c1dac..a3884dcf6d3c 100644 --- a/code/datums/diseases/transformation.dm +++ b/code/datums/diseases/transformation.dm @@ -75,7 +75,7 @@ new_mob.real_name = new_mob.name qdel(affected_mob) -/datum/disease/transformation/proc/replace_banned_player(var/mob/living/new_mob) // This can run well after the mob has been transferred, so need a handle on the new mob to kill it if needed. +/datum/disease/transformation/proc/replace_banned_player(mob/living/new_mob) // This can run well after the mob has been transferred, so need a handle on the new mob to kill it if needed. set waitfor = FALSE var/list/mob/dead/observer/candidates = pollCandidatesForMob("Do you want to play as [affected_mob.name]?", bantype, null, bantype, 50, affected_mob) diff --git a/code/datums/elements/_element.dm b/code/datums/elements/_element.dm index da5fdbd4b692..ea78b3ebd10b 100644 --- a/code/datums/elements/_element.dm +++ b/code/datums/elements/_element.dm @@ -8,12 +8,12 @@ /// Option flags for element behaviour var/element_flags = NONE /** - * The index of the first attach argument to consider for duplicate elements - * - * Is only used when flags contains [ELEMENT_BESPOKE] - * - * This is infinity so you must explicitly set this - */ + * The index of the first attach argument to consider for duplicate elements + * + * Is only used when flags contains [ELEMENT_BESPOKE] + * + * This is infinity so you must explicitly set this + */ var/id_arg_index = INFINITY /// Activates the functionality defined by the element on the given target datum diff --git a/code/datums/elements/embed.dm b/code/datums/elements/embed.dm index c7475d7dd6a2..b5bc96a7fb60 100644 --- a/code/datums/elements/embed.dm +++ b/code/datums/elements/embed.dm @@ -171,11 +171,11 @@ examine_list += "[I] has a fine point, and could probably embed in someone if thrown properly!" /** - * checkEmbedProjectile() is what we get when a projectile with a defined shrapnel_type impacts a target. - * - * If we hit a valid target (carbon or closed turf), we create the shrapnel_type object and immediately call tryEmbed() on it, targeting what we impacted. That will lead - * it to call tryForceEmbed() on its own embed element (it's out of our hands here, our projectile is done), where it will run through all the checks it needs to. - */ + * checkEmbedProjectile() is what we get when a projectile with a defined shrapnel_type impacts a target. + * + * If we hit a valid target (carbon or closed turf), we create the shrapnel_type object and immediately call tryEmbed() on it, targeting what we impacted. That will lead + * it to call tryForceEmbed() on its own embed element (it's out of our hands here, our projectile is done), where it will run through all the checks it needs to. + */ /datum/element/embed/proc/checkEmbedProjectile(obj/projectile/P, atom/movable/firer, atom/hit) SIGNAL_HANDLER @@ -197,17 +197,17 @@ Detach(P) /** - * tryForceEmbed() is called here when we fire COMSIG_EMBED_TRY_FORCE from [/obj/item/proc/tryEmbed]. Mostly, this means we're a piece of shrapnel from a projectile that just impacted something, and we're trying to embed in it. - * - * The reason for this extra mucking about is avoiding having to do an extra hitby(), and annoying the target by impacting them once with the projectile, then again with the shrapnel (which likely represents said bullet), and possibly - * AGAIN if we actually embed. This way, we save on at least one message. Runs the standard embed checks on the mob/turf. - * - * Arguments: - * * I- what we're trying to embed, obviously - * * target- what we're trying to shish-kabob, either a bodypart, a carbon, or a closed turf - * * hit_zone- if our target is a carbon, try to hit them in this zone, if we don't have one, pick a random one. If our target is a bodypart, we already know where we're hitting. - * * forced- if we want this to succeed 100% - */ + * tryForceEmbed() is called here when we fire COMSIG_EMBED_TRY_FORCE from [/obj/item/proc/tryEmbed]. Mostly, this means we're a piece of shrapnel from a projectile that just impacted something, and we're trying to embed in it. + * + * The reason for this extra mucking about is avoiding having to do an extra hitby(), and annoying the target by impacting them once with the projectile, then again with the shrapnel (which likely represents said bullet), and possibly + * AGAIN if we actually embed. This way, we save on at least one message. Runs the standard embed checks on the mob/turf. + * + * Arguments: + * * I- what we're trying to embed, obviously + * * target- what we're trying to shish-kabob, either a bodypart, a carbon, or a closed turf + * * hit_zone- if our target is a carbon, try to hit them in this zone, if we don't have one, pick a random one. If our target is a bodypart, we already know where we're hitting. + * * forced- if we want this to succeed 100% + */ /datum/element/embed/proc/tryForceEmbed(obj/item/I, atom/target, hit_zone, forced=FALSE) SIGNAL_HANDLER diff --git a/code/datums/elements/firestacker.dm b/code/datums/elements/firestacker.dm index 04914b2202f5..de829098637a 100644 --- a/code/datums/elements/firestacker.dm +++ b/code/datums/elements/firestacker.dm @@ -1,6 +1,6 @@ /** - * Can be applied to /atom/movable subtypes to make them apply fire stacks to things they hit - */ + * Can be applied to /atom/movable subtypes to make them apply fire stacks to things they hit + */ /datum/element/firestacker element_flags = ELEMENT_BESPOKE id_arg_index = 2 diff --git a/code/datums/elements/light_blocking.dm b/code/datums/elements/light_blocking.dm index 8ab4000ca6e1..69b6beffe6a1 100644 --- a/code/datums/elements/light_blocking.dm +++ b/code/datums/elements/light_blocking.dm @@ -1,6 +1,6 @@ /** - * Attached to movable atoms with opacity. Listens to them move and updates their old and new turf loc's opacity accordingly. - */ + * Attached to movable atoms with opacity. Listens to them move and updates their old and new turf loc's opacity accordingly. + */ /datum/element/light_blocking element_flags = ELEMENT_DETACH diff --git a/code/datums/elements/tool_flash.dm b/code/datums/elements/tool_flash.dm index 47fac4b5a267..cf03bdb502e5 100644 --- a/code/datums/elements/tool_flash.dm +++ b/code/datums/elements/tool_flash.dm @@ -1,8 +1,8 @@ /** - * Tool flash bespoke element - * - * Flashes the user when using this tool - */ + * Tool flash bespoke element + * + * Flashes the user when using this tool + */ /datum/element/tool_flash element_flags = ELEMENT_BESPOKE id_arg_index = 2 diff --git a/code/datums/mapgen/JungleGenerator.dm b/code/datums/mapgen/JungleGenerator.dm index ed8a29c71066..c1ddbabf5ec4 100644 --- a/code/datums/mapgen/JungleGenerator.dm +++ b/code/datums/mapgen/JungleGenerator.dm @@ -33,7 +33,7 @@ var/perlin_zoom = 65 ///Seeds the rust-g perlin noise with a random number. -/datum/map_generator/jungle_generator/generate_terrain(var/list/turfs) +/datum/map_generator/jungle_generator/generate_terrain(list/turfs) . = ..() var/start_time = REALTIMEOFDAY var/height_seed = rand(0, 50000) diff --git a/code/datums/mapgen/_MapGenerator.dm b/code/datums/mapgen/_MapGenerator.dm index 2566d7f2c8dc..910c27cf7970 100644 --- a/code/datums/mapgen/_MapGenerator.dm +++ b/code/datums/mapgen/_MapGenerator.dm @@ -2,10 +2,10 @@ /datum/map_generator ///This proc will be ran by areas on Initialize, and provides the areas turfs as argument to allow for generation. -/datum/map_generator/proc/generate_terrain(var/list/turfs) +/datum/map_generator/proc/generate_terrain(list/turfs) return -/datum/map_generator/proc/report_completion(var/start_time, name) +/datum/map_generator/proc/report_completion(start_time, name) var/message = "[name] finished in [(REALTIMEOFDAY - start_time)/10]s!" //to_chat(world, "[message]") log_shuttle("MAPGEN: MAPGEN REF [REF(src)] HAS FULLY COMPLETED") diff --git a/code/datums/mapgen/biomes/_biome.dm b/code/datums/mapgen/biomes/_biome.dm index c4228fc1f652..677e718a6474 100644 --- a/code/datums/mapgen/biomes/_biome.dm +++ b/code/datums/mapgen/biomes/_biome.dm @@ -12,7 +12,7 @@ var/list/fauna_types = list() ///This proc handles the creation of a turf of a specific biome type -/datum/biome/proc/generate_turf(var/turf/gen_turf) +/datum/biome/proc/generate_turf(turf/gen_turf) gen_turf.ChangeTurf(turf_type, initial(turf_type.baseturfs), CHANGETURF_DEFER_CHANGE) var/area/A = gen_turf.loc if(length(fauna_types) && prob(fauna_density) && (A.area_flags & MOB_SPAWN_ALLOWED)) diff --git a/code/datums/materials/_material.dm b/code/datums/materials/_material.dm index eedb3fc7717e..6d5c597c1ef4 100644 --- a/code/datums/materials/_material.dm +++ b/code/datums/materials/_material.dm @@ -108,7 +108,7 @@ Simple datum which is instanced once per type and is used for every object of sa I.pickup_sound = item_sound_override I.drop_sound = item_sound_override -/datum/material/proc/on_applied_turf(var/turf/T, amount, material_flags) +/datum/material/proc/on_applied_turf(turf/T, amount, material_flags) if(isopenturf(T)) if(turf_sound_override) var/turf/open/O = T @@ -152,12 +152,12 @@ Simple datum which is instanced once per type and is used for every object of sa RemoveElement(/datum/element/turf_z_transparency, FALSE) /** Returns the composition of this material. - * - * Mostly used for alloys when breaking down materials. - * - * Arguments: - * - amount: The amount of the material to break down. - * - breakdown_flags: Some flags dictating how exactly this material is being broken down. - */ + * + * Mostly used for alloys when breaking down materials. + * + * Arguments: + * - amount: The amount of the material to break down. + * - breakdown_flags: Some flags dictating how exactly this material is being broken down. + */ /datum/material/proc/return_composition(amount=1, breakdown_flags=NONE) return list((src) = amount) // Yes we need the parenthesis, without them BYOND stringifies src into "src" and things break. diff --git a/code/datums/movement_detector.dm b/code/datums/movement_detector.dm index 3fc64c1b11a4..109290a8a953 100644 --- a/code/datums/movement_detector.dm +++ b/code/datums/movement_detector.dm @@ -33,9 +33,9 @@ target = target.loc /** - * Reacts to any movement that would cause a change in coordinates of the tracked movable atom - * This works by detecting movement of either the tracked object, or anything it is inside, recursively - */ + * Reacts to any movement that would cause a change in coordinates of the tracked movable atom + * This works by detecting movement of either the tracked object, or anything it is inside, recursively + */ /datum/movement_detector/proc/move_react(atom/movable/mover, atom/oldloc, direction) SIGNAL_HANDLER diff --git a/code/datums/recipe.dm b/code/datums/recipe.dm index 45708bfde175..2f5e563d5414 100644 --- a/code/datums/recipe.dm +++ b/code/datums/recipe.dm @@ -12,7 +12,7 @@ * default /datum/recipe/ procs does not rely on this parameter. * * Functions you need: - * /datum/recipe/proc/make(var/obj/container as obj) + * /datum/recipe/proc/make(obj/container as obj) * Creates result inside container, * deletes prerequisite reagents, * transfers reagents from prerequisite objects, @@ -25,10 +25,10 @@ * * * Functions you do not need to call directly but could: - * /datum/recipe/proc/check_reagents(var/datum/reagents/avail_reagents) + * /datum/recipe/proc/check_reagents(datum/reagents/avail_reagents) * //1=precisely, 0=insufficiently, -1=superfluous * - * /datum/recipe/proc/check_items(var/obj/container as obj) + * /datum/recipe/proc/check_items(obj/container as obj) * //1=precisely, 0=insufficiently, -1=superfluous * * */ diff --git a/code/datums/skills/_skill.dm b/code/datums/skills/_skill.dm index 4a5ff05d2de5..46c3a1d2bc4d 100644 --- a/code/datums/skills/_skill.dm +++ b/code/datums/skills/_skill.dm @@ -16,10 +16,10 @@ GLOBAL_LIST_INIT(skill_types, subtypesof(/datum/skill)) /datum/skill/proc/get_skill_modifier(modifier, level) return modifiers[modifier][level] //Levels range from 1 (None) to 7 (Legendary) /** - * new: sets up some lists. - * - *Can't happen in the datum's definition because these lists are not constant expressions - */ + * new: sets up some lists. + * + *Can't happen in the datum's definition because these lists are not constant expressions + */ /datum/skill/New() . = ..() levelUpMessages = list("What the hell is [name]? Tell an admin if you see this message.", //This first index shouldn't ever really be used @@ -39,31 +39,31 @@ GLOBAL_LIST_INIT(skill_types, subtypesof(/datum/skill)) "I feel as though my legendary [name] skills have deteriorated. I'll need more intense training to recover my lost skills." ) /** - * level_gained: Gives skill levelup messages to the user - * - * Only fires if the xp gain isn't silent, so only really useful for messages. - * Arguments: - * * mind - The mind that you'll want to send messages - * * new_level - The newly gained level. Can check the actual level to give different messages at different levels, see defines in skills.dm - * * old_level - Similar to the above, but the level you had before levelling up. - */ -/datum/skill/proc/level_gained(var/datum/mind/mind, new_level, old_level)//just for announcements (doesn't go off if the xp gain is silent) + * level_gained: Gives skill levelup messages to the user + * + * Only fires if the xp gain isn't silent, so only really useful for messages. + * Arguments: + * * mind - The mind that you'll want to send messages + * * new_level - The newly gained level. Can check the actual level to give different messages at different levels, see defines in skills.dm + * * old_level - Similar to the above, but the level you had before levelling up. + */ +/datum/skill/proc/level_gained(datum/mind/mind, new_level, old_level)//just for announcements (doesn't go off if the xp gain is silent) to_chat(mind.current, levelUpMessages[new_level]) //new_level will be a value from 1 to 6, so we get appropriate message from the 6-element levelUpMessages list /** - * level_lost: See level_gained, same idea but fires on skill level-down - */ -/datum/skill/proc/level_lost(var/datum/mind/mind, new_level, old_level) + * level_lost: See level_gained, same idea but fires on skill level-down + */ +/datum/skill/proc/level_lost(datum/mind/mind, new_level, old_level) to_chat(mind.current, levelDownMessages[old_level]) //old_level will be a value from 1 to 6, so we get appropriate message from the 6-element levelUpMessages list /** - * try_skill_reward: Checks to see if a user is eligable for a tangible reward for reaching a certain skill level - * - * Currently gives the user a special cloak when they reach a legendary level at any given skill - * Arguments: - * * mind - The mind that you'll want to send messages and rewards to - * * new_level - The current level of the user. Used to check if it meets the requirements for a reward - */ -/datum/skill/proc/try_skill_reward(var/datum/mind/mind, new_level) + * try_skill_reward: Checks to see if a user is eligable for a tangible reward for reaching a certain skill level + * + * Currently gives the user a special cloak when they reach a legendary level at any given skill + * Arguments: + * * mind - The mind that you'll want to send messages and rewards to + * * new_level - The current level of the user. Used to check if it meets the requirements for a reward + */ +/datum/skill/proc/try_skill_reward(datum/mind/mind, new_level) if (new_level != SKILL_LEVEL_LEGENDARY) return if (!ispath(skill_cape_path)) diff --git a/code/datums/traits/_quirk.dm b/code/datums/traits/_quirk.dm index 35937cd8ad35..0eb07b5ffcea 100644 --- a/code/datums/traits/_quirk.dm +++ b/code/datums/traits/_quirk.dm @@ -34,12 +34,12 @@ /** - * On client connection set quirk preferences. - * - * Run post_add to set the client preferences for the quirk. - * Clear the attached signal for login. - * Used when the quirk has been gained and no client is attached to the mob. - */ + * On client connection set quirk preferences. + * + * Run post_add to set the client preferences for the quirk. + * Clear the attached signal for login. + * Used when the quirk has been gained and no client is attached to the mob. + */ /datum/quirk/proc/on_quirk_holder_first_login(mob/living/source) SIGNAL_HANDLER diff --git a/code/datums/weather/weather.dm b/code/datums/weather/weather.dm index 56fe615ff566..51f701e07b5f 100644 --- a/code/datums/weather/weather.dm +++ b/code/datums/weather/weather.dm @@ -3,13 +3,13 @@ 'sound/effects/thunder/thunder10.ogg') /** - * Causes weather to occur on a z level in certain area types - * - * The effects of weather occur across an entire z-level. For instance, lavaland has periodic ash storms that scorch most unprotected creatures. - * Weather always occurs on different z levels at different times, regardless of weather type. - * Can have custom durations, targets, and can automatically protect indoor areas. - * - */ + * Causes weather to occur on a z level in certain area types + * + * The effects of weather occur across an entire z-level. For instance, lavaland has periodic ash storms that scorch most unprotected creatures. + * Weather always occurs on different z levels at different times, regardless of weather type. + * Can have custom durations, targets, and can automatically protect indoor areas. + * + */ /datum/weather /// name of weather @@ -126,12 +126,12 @@ weather_act(L) /** - * Telegraphs the beginning of the weather on the impacted z levels - * - * Sends sounds and details to mobs in the area - * Calculates duration and hit areas, and makes a callback for the actual weather to start - * - */ + * Telegraphs the beginning of the weather on the impacted z levels + * + * Sends sounds and details to mobs in the area + * Calculates duration and hit areas, and makes a callback for the actual weather to start + * + */ /datum/weather/proc/telegraph() if(stage == STARTUP_STAGE) return @@ -178,12 +178,12 @@ sound_weak_inside.start() /** - * Starts the actual weather and effects from it - * - * Updates area overlays and sends sounds and messages to mobs to notify them - * Begins dealing effects from weather to mobs in the area - * - */ + * Starts the actual weather and effects from it + * + * Updates area overlays and sends sounds and messages to mobs to notify them + * Begins dealing effects from weather to mobs in the area + * + */ /datum/weather/proc/start() if(stage >= MAIN_STAGE) return @@ -208,12 +208,12 @@ sound_active_inside.start() /** - * Weather enters the winding down phase, stops effects - * - * Updates areas to be in the winding down phase - * Sends sounds and messages to mobs to notify them - * - */ + * Weather enters the winding down phase, stops effects + * + * Updates areas to be in the winding down phase + * Sends sounds and messages to mobs to notify them + * + */ /datum/weather/proc/wind_down() if(stage >= WIND_DOWN_STAGE) return @@ -238,12 +238,12 @@ sound_weak_inside.start() /** - * Fully ends the weather - * - * Effects no longer occur and area overlays are removed - * Removes weather from processing completely - * - */ + * Fully ends the weather + * + * Effects no longer occur and area overlays are removed + * Removes weather from processing completely + * + */ /datum/weather/proc/end() if(stage == END_STAGE) return 1 @@ -266,9 +266,9 @@ qdel(src) /** - * Returns TRUE if the living mob can be affected by the weather - * - */ + * Returns TRUE if the living mob can be affected by the weather + * + */ /datum/weather/proc/can_weather_act(mob/living/L) var/turf/mob_turf = get_turf(L) if(mob_turf && !my_controller.mapzone.is_in_bounds(mob_turf)) @@ -280,16 +280,16 @@ return TRUE /** - * Affects the mob with whatever the weather does - * - */ + * Affects the mob with whatever the weather does + * + */ /datum/weather/proc/weather_act(mob/living/L) return /** - * Updates the overlays on impacted areas - * - */ + * Updates the overlays on impacted areas + * + */ /datum/weather/proc/update_areas() for(var/area/N as anything in impacted_areas) if(stage == MAIN_STAGE && multiply_blend_on_main_stage) diff --git a/code/game/area/areas.dm b/code/game/area/areas.dm index 57b773422a85..a1ceba050f80 100644 --- a/code/game/area/areas.dm +++ b/code/game/area/areas.dm @@ -1,8 +1,8 @@ /** - * # area - * - * A grouping of tiles into a logical space, mostly used by map editors - */ + * # area + * + * A grouping of tiles into a logical space, mostly used by map editors + */ /area name = "Space" icon = 'icons/turf/areas.dmi' @@ -89,22 +89,22 @@ /** - * A list of teleport locations - * - * Adding a wizard area teleport list because motherfucking lag -- Urist - * I am far too lazy to make it a proper list of areas so I'll just make it run the usual telepot routine at the start of the game - */ + * A list of teleport locations + * + * Adding a wizard area teleport list because motherfucking lag -- Urist + * I am far too lazy to make it a proper list of areas so I'll just make it run the usual telepot routine at the start of the game + */ GLOBAL_LIST_EMPTY(teleportlocs) /** - * Generate a list of turfs you can teleport to from the areas list - * - * Includes areas if they're not a shuttle or not not teleport or have no contents - * - * The chosen turf is the first item in the areas contents that is a station level - * - * The returned list of turfs is sorted by name - */ + * Generate a list of turfs you can teleport to from the areas list + * + * Includes areas if they're not a shuttle or not not teleport or have no contents + * + * The chosen turf is the first item in the areas contents that is a station level + * + * The returned list of turfs is sorted by name + */ /proc/process_teleport_locs() for(var/V in GLOB.sortedAreas) var/area/AR = V @@ -121,10 +121,10 @@ GLOBAL_LIST_EMPTY(teleportlocs) sortTim(GLOB.teleportlocs, /proc/cmp_text_asc) /** - * Called when an area loads - * - * Adds the item to the GLOB.areas_by_type list based on area type - */ + * Called when an area loads + * + * Adds the item to the GLOB.areas_by_type list based on area type + */ /area/New() if(!minimap_color) // goes in New() because otherwise it doesn't fucking work // generate one using the icon_state @@ -142,13 +142,13 @@ GLOBAL_LIST_EMPTY(teleportlocs) return ..() /** - * Initalize this area - * - * intializes the dynamic area lighting and also registers the area with the z level via - * reg_in_areas_in_z - * - * returns INITIALIZE_HINT_LATELOAD - */ + * Initalize this area + * + * intializes the dynamic area lighting and also registers the area with the z level via + * reg_in_areas_in_z + * + * returns INITIALIZE_HINT_LATELOAD + */ /area/Initialize() icon_state = "" @@ -178,17 +178,17 @@ GLOBAL_LIST_EMPTY(teleportlocs) return INITIALIZE_HINT_LATELOAD /** - * Sets machine power levels in the area - */ + * Sets machine power levels in the area + */ /area/LateInitialize() power_change() // all machines set to current power level, also updates icon update_beauty() /** - * Register this area as belonging to a z level - * - * Ensures the item is added to the SSmapping.areas_in_z list for this z - */ + * Register this area as belonging to a z level + * + * Ensures the item is added to the SSmapping.areas_in_z list for this z + */ /area/proc/reg_in_areas_in_z() if(!length(contents)) return @@ -202,13 +202,13 @@ GLOBAL_LIST_EMPTY(teleportlocs) areas_in_z["[z]"] += src /** - * Destroy an area and clean it up - * - * Removes the area from GLOB.areas_by_type and also stops it processing on SSobj - * - * This is despite the fact that no code appears to put it on SSobj, but - * who am I to argue with old coders - */ + * Destroy an area and clean it up + * + * Removes the area from GLOB.areas_by_type and also stops it processing on SSobj + * + * This is despite the fact that no code appears to put it on SSobj, but + * who am I to argue with old coders + */ /area/Destroy() if(GLOB.areas_by_type[type] == src) GLOB.areas_by_type[type] = null @@ -216,10 +216,10 @@ GLOBAL_LIST_EMPTY(teleportlocs) return ..() /** - * Generate a power alert for this area - * - * Sends to all ai players, alert consoles, drones and alarm monitor programs in the world - */ + * Generate a power alert for this area + * + * Sends to all ai players, alert consoles, drones and alarm monitor programs in the world + */ /area/proc/poweralert(state, obj/source) if (state != poweralm) poweralm = state @@ -252,10 +252,10 @@ GLOBAL_LIST_EMPTY(teleportlocs) p.triggerAlarm("Power", src, cameras, source) /** - * Generate an atmospheric alert for this area - * - * Sends to all ai players, alert consoles, drones and alarm monitor programs in the world - */ + * Generate an atmospheric alert for this area + * + * Sends to all ai players, alert consoles, drones and alarm monitor programs in the world + */ /area/proc/atmosalert(isdangerous, obj/source) if(isdangerous != atmosalm) if(isdangerous==TRUE) @@ -292,8 +292,8 @@ GLOBAL_LIST_EMPTY(teleportlocs) return FALSE /** - * Try to close all the firedoors in the area - */ + * Try to close all the firedoors in the area + */ /area/proc/ModifyFiredoors(opening) if(firedoors) firedoors_last_closed_on = world.time @@ -313,12 +313,12 @@ GLOBAL_LIST_EMPTY(teleportlocs) INVOKE_ASYNC(D, (opening ? /obj/machinery/door/firedoor.proc/open : /obj/machinery/door/firedoor.proc/close)) /** - * Generate an firealarm alert for this area - * - * Sends to all ai players, alert consoles, drones and alarm monitor programs in the world - * - * Also starts the area processing on SSobj - */ + * Generate an firealarm alert for this area + * + * Sends to all ai players, alert consoles, drones and alarm monitor programs in the world + * + * Also starts the area processing on SSobj + */ /area/proc/firealert(obj/source) if(always_unpowered == 1) //no fire alarms in space/asteroid return @@ -346,13 +346,13 @@ GLOBAL_LIST_EMPTY(teleportlocs) START_PROCESSING(SSobj, src) /** - * Reset the firealarm alert for this area - * - * resets the alert sent to all ai players, alert consoles, drones and alarm monitor programs - * in the world - * - * Also cycles the icons of all firealarms and deregisters the area from processing on SSOBJ - */ + * Reset the firealarm alert for this area + * + * resets the alert sent to all ai players, alert consoles, drones and alarm monitor programs + * in the world + * + * Also cycles the icons of all firealarms and deregisters the area from processing on SSOBJ + */ /area/proc/firereset(obj/source) if (fire) unset_fire_alarm_effects() @@ -389,17 +389,17 @@ GLOBAL_LIST_EMPTY(teleportlocs) monitor.freeCamera(src, cam) /** - * If 100 ticks has elapsed, toggle all the firedoors closed again - */ + * If 100 ticks has elapsed, toggle all the firedoors closed again + */ /area/process() if(firedoors_last_closed_on + 100 < world.time) //every 10 seconds ModifyFiredoors(FALSE) /** - * Close and lock a door passed into this proc - * - * Does this need to exist on area? probably not - */ + * Close and lock a door passed into this proc + * + * Does this need to exist on area? probably not + */ /area/proc/close_and_lock_door(obj/machinery/door/DOOR) set waitfor = FALSE DOOR.close() @@ -407,12 +407,12 @@ GLOBAL_LIST_EMPTY(teleportlocs) DOOR.lock() /** - * Raise a burglar alert for this area - * - * Close and locks all doors in the area and alerts silicon mobs of a break in - * - * Alarm auto resets after 600 ticks - */ + * Raise a burglar alert for this area + * + * Close and locks all doors in the area and alerts silicon mobs of a break in + * + * Alarm auto resets after 600 ticks + */ /area/proc/burglaralert(obj/trigger) if(always_unpowered) //no burglar alarms in space/asteroid return @@ -430,10 +430,10 @@ GLOBAL_LIST_EMPTY(teleportlocs) addtimer(CALLBACK(SILICON, /mob/living/silicon.proc/cancelAlarm,"Burglar",src,trigger), 600) /** - * Trigger the fire alarm visual affects in an area - * - * Updates the fire light on fire alarms in the area and sets all lights to emergency mode - */ + * Trigger the fire alarm visual affects in an area + * + * Updates the fire light on fire alarms in the area and sets all lights to emergency mode + */ /area/proc/set_fire_alarm_effect() fire = TRUE mouse_opacity = MOUSE_OPACITY_TRANSPARENT @@ -444,10 +444,10 @@ GLOBAL_LIST_EMPTY(teleportlocs) L.update() /** - * unset the fire alarm visual affects in an area - * - * Updates the fire light on fire alarms in the area and sets all lights to emergency mode - */ + * unset the fire alarm visual affects in an area + * + * Updates the fire light on fire alarms in the area and sets all lights to emergency mode + */ /area/proc/unset_fire_alarm_effects() fire = FALSE mouse_opacity = MOUSE_OPACITY_TRANSPARENT @@ -470,11 +470,11 @@ GLOBAL_LIST_EMPTY(teleportlocs) L.update() /** - * Update the icon state of the area - * - * Im not sure what the heck this does, somethign to do with weather being able to set icon - * states on areas?? where the heck would that even display? //good documentation - */ + * Update the icon state of the area + * + * Im not sure what the heck this does, somethign to do with weather being able to set icon + * states on areas?? where the heck would that even display? //good documentation + */ /area/update_icon_state() var/weather_icon for(var/datum/weather/W as anything in SSweather.get_all_current_weather()) @@ -485,18 +485,18 @@ GLOBAL_LIST_EMPTY(teleportlocs) icon_state = null /** - * Update the icon of the area (overridden to always be null for space - */ + * Update the icon of the area (overridden to always be null for space + */ /area/space/update_icon_state() icon_state = null /** - * Returns int 1 or 0 if the area has power for the given channel - * - * evalutes a mixture of variables mappers can set, requires_power, always_unpowered and then - * per channel power_equip, power_light, power_environ - */ + * Returns int 1 or 0 if the area has power for the given channel + * + * evalutes a mixture of variables mappers can set, requires_power, always_unpowered and then + * per channel power_equip, power_light, power_environ + */ /area/proc/powered(chan) // return true if the area has power to given channel if(!requires_power) @@ -514,16 +514,16 @@ GLOBAL_LIST_EMPTY(teleportlocs) return 0 /** - * Space is not powered ever, so this returns 0 - */ + * Space is not powered ever, so this returns 0 + */ /area/space/powered(chan) //Nope.avi return 0 /** - * Called when the area power status changes - * - * Updates the area icon, calls power change on all machinees in the area, and sends the `COMSIG_AREA_POWER_CHANGE` signal. - */ + * Called when the area power status changes + * + * Updates the area icon, calls power change on all machinees in the area, and sends the `COMSIG_AREA_POWER_CHANGE` signal. + */ /area/proc/power_change() for(var/obj/machinery/M in src) // for each machine in the area M.power_change() // reverify power status (to update icons etc.) @@ -532,30 +532,30 @@ GLOBAL_LIST_EMPTY(teleportlocs) /** - * Add a static amount of power load to an area - * - * Possible channels - * *AREA_USAGE_STATIC_EQUIP - * *AREA_USAGE_STATIC_LIGHT - * *AREA_USAGE_STATIC_ENVIRON - */ + * Add a static amount of power load to an area + * + * Possible channels + * *AREA_USAGE_STATIC_EQUIP + * *AREA_USAGE_STATIC_LIGHT + * *AREA_USAGE_STATIC_ENVIRON + */ /area/proc/addStaticPower(value, powerchannel) switch(powerchannel) if(AREA_USAGE_STATIC_START to AREA_USAGE_STATIC_END) power_usage[powerchannel] += value /** - * Clear all power usage in area - * - * Clears all power used for equipment, light and environment channels - */ + * Clear all power usage in area + * + * Clears all power used for equipment, light and environment channels + */ /area/proc/clear_usage() for(var/i in AREA_USAGE_DYNAMIC_START to AREA_USAGE_DYNAMIC_END) power_usage[i] = 0 /** - * Add a power value amount to the stored used_x variables - */ + * Add a power value amount to the stored used_x variables + */ /area/proc/use_power(amount, chan) switch(chan) if(AREA_USAGE_DYNAMIC_START to AREA_USAGE_DYNAMIC_END) @@ -563,12 +563,12 @@ GLOBAL_LIST_EMPTY(teleportlocs) /** - * Call back when an atom enters an area - * - * Sends signals COMSIG_AREA_ENTERED and COMSIG_ENTER_AREA (to the atom) - * - * If the area has ambience, then it plays some ambience music to the ambience channel - */ + * Call back when an atom enters an area + * + * Sends signals COMSIG_AREA_ENTERED and COMSIG_ENTER_AREA (to the atom) + * + * If the area has ambience, then it plays some ambience music to the ambience channel + */ /area/Entered(atom/movable/M, area/old_area) set waitfor = FALSE SEND_SIGNAL(src, COMSIG_AREA_ENTERED, M, old_area) @@ -596,20 +596,20 @@ GLOBAL_LIST_EMPTY(teleportlocs) /** - * Called when an atom exits an area - * - * Sends signals COMSIG_AREA_EXITED and COMSIG_EXIT_AREA (to the atom) - */ + * Called when an atom exits an area + * + * Sends signals COMSIG_AREA_EXITED and COMSIG_EXIT_AREA (to the atom) + */ /area/Exited(atom/movable/gone, direction) SEND_SIGNAL(src, COMSIG_AREA_EXITED, gone, direction) SEND_SIGNAL(gone, COMSIG_EXIT_AREA, src) //The atom that exits the area /** - * Setup an area (with the given name) - * - * Sets the area name, sets all status var's to false and adds the area to the sorted area list - */ + * Setup an area (with the given name) + * + * Sets the area name, sets all status var's to false and adds the area to the sorted area list + */ /area/proc/setup(a_name) name = a_name power_equip = FALSE @@ -620,11 +620,11 @@ GLOBAL_LIST_EMPTY(teleportlocs) area_flags &= ~BLOBS_ALLOWED addSorted() /** - * Set the area size of the area - * - * This is the number of open turfs in the area contents, or FALSE if the outdoors var is set - * - */ + * Set the area size of the area + * + * This is the number of open turfs in the area contents, or FALSE if the outdoors var is set + * + */ /area/proc/update_areasize() if(outdoors) return FALSE @@ -633,14 +633,14 @@ GLOBAL_LIST_EMPTY(teleportlocs) areasize++ /** - * Causes a runtime error - */ + * Causes a runtime error + */ /area/AllowDrop() CRASH("Bad op: area/AllowDrop() called") /** - * Causes a runtime error - */ + * Causes a runtime error + */ /area/drop_location() CRASH("Bad op: area/drop_location() called") diff --git a/code/game/area/areas/holodeck.dm b/code/game/area/areas/holodeck.dm index c86bf5b90bbe..c8741a23ae7e 100644 --- a/code/game/area/areas/holodeck.dm +++ b/code/game/area/areas/holodeck.dm @@ -14,7 +14,7 @@ Asserts are to avoid the inevitable infinite loops */ -/area/holodeck/powered(var/chan) +/area/holodeck/powered(chan) if(!requires_power) return TRUE if(always_unpowered) diff --git a/code/game/atoms.dm b/code/game/atoms.dm index 7ccbc8b210c0..e5503aa136b2 100644 --- a/code/game/atoms.dm +++ b/code/game/atoms.dm @@ -1,9 +1,9 @@ /** - * The base type for nearly all physical objects in SS13 + * The base type for nearly all physical objects in SS13 - * Lots and lots of functionality lives here, although in general we are striving to move - * as much as possible to the components/elements system - */ + * Lots and lots of functionality lives here, although in general we are striving to move + * as much as possible to the components/elements system + */ /atom layer = TURF_LAYER plane = GAME_PLANE @@ -143,15 +143,15 @@ var/base_pixel_y /** - * Called when an atom is created in byond (built in engine proc) - * - * Not a lot happens here in SS13 code, as we offload most of the work to the - * [Intialization][/atom/proc/Initialize] proc, mostly we run the preloader - * if the preloader is being used and then call [InitAtom][/datum/controller/subsystem/atoms/proc/InitAtom] of which the ultimate - * result is that the Intialize proc is called. - * - * We also generate a tag here if the DF_USE_TAG flag is set on the atom - */ + * Called when an atom is created in byond (built in engine proc) + * + * Not a lot happens here in SS13 code, as we offload most of the work to the + * [Intialization][/atom/proc/Initialize] proc, mostly we run the preloader + * if the preloader is being used and then call [InitAtom][/datum/controller/subsystem/atoms/proc/InitAtom] of which the ultimate + * result is that the Intialize proc is called. + * + * We also generate a tag here if the DF_USE_TAG flag is set on the atom + */ /atom/New(loc, ...) //atom creation method that preloads variables at creation if(GLOB.use_preloader && (src.type == GLOB._preloader.target_path))//in case the instanciated atom is creating other atoms in New() @@ -168,39 +168,39 @@ return /** - * The primary method that objects are setup in SS13 with - * - * we don't use New as we have better control over when this is called and we can choose - * to delay calls or hook other logic in and so forth - * - * During roundstart map parsing, atoms are queued for intialization in the base atom/New(), - * After the map has loaded, then Initalize is called on all atoms one by one. NB: this - * is also true for loading map templates as well, so they don't Initalize until all objects - * in the map file are parsed and present in the world - * - * If you're creating an object at any point after SSInit has run then this proc will be - * immediately be called from New. - * - * mapload: This parameter is true if the atom being loaded is either being intialized during - * the Atom subsystem intialization, or if the atom is being loaded from the map template. - * If the item is being created at runtime any time after the Atom subsystem is intialized then - * it's false. - * - * You must always call the parent of this proc, otherwise failures will occur as the item - * will not be seen as initalized (this can lead to all sorts of strange behaviour, like - * the item being completely unclickable) - * - * You must not sleep in this proc, or any subprocs - * - * Any parameters from new are passed through (excluding loc), naturally if you're loading from a map - * there are no other arguments - * - * Must return an [initialization hint][INITIALIZE_HINT_NORMAL] or a runtime will occur. - * - * Note: the following functions don't call the base for optimization and must copypasta handling: - * * [/turf/Initialize] - * * [/turf/open/space/Initialize] - */ + * The primary method that objects are setup in SS13 with + * + * we don't use New as we have better control over when this is called and we can choose + * to delay calls or hook other logic in and so forth + * + * During roundstart map parsing, atoms are queued for intialization in the base atom/New(), + * After the map has loaded, then Initalize is called on all atoms one by one. NB: this + * is also true for loading map templates as well, so they don't Initalize until all objects + * in the map file are parsed and present in the world + * + * If you're creating an object at any point after SSInit has run then this proc will be + * immediately be called from New. + * + * mapload: This parameter is true if the atom being loaded is either being intialized during + * the Atom subsystem intialization, or if the atom is being loaded from the map template. + * If the item is being created at runtime any time after the Atom subsystem is intialized then + * it's false. + * + * You must always call the parent of this proc, otherwise failures will occur as the item + * will not be seen as initalized (this can lead to all sorts of strange behaviour, like + * the item being completely unclickable) + * + * You must not sleep in this proc, or any subprocs + * + * Any parameters from new are passed through (excluding loc), naturally if you're loading from a map + * there are no other arguments + * + * Must return an [initialization hint][INITIALIZE_HINT_NORMAL] or a runtime will occur. + * + * Note: the following functions don't call the base for optimization and must copypasta handling: + * * [/turf/Initialize] + * * [/turf/open/space/Initialize] + */ /atom/proc/Initialize(mapload, ...) //SHOULD_NOT_SLEEP(TRUE) SHOULD_CALL_PARENT(TRUE) @@ -243,16 +243,16 @@ return INITIALIZE_HINT_NORMAL /** - * Late Intialization, for code that should run after all atoms have run Intialization - * - * To have your LateIntialize proc be called, your atoms [Initalization][/atom/proc/Initialize] - * proc must return the hint - * [INITIALIZE_HINT_LATELOAD] otherwise you will never be called. - * - * useful for doing things like finding other machines on GLOB.machines because you can guarantee - * that all atoms will actually exist in the "WORLD" at this time and that all their Intialization - * code has been run - */ + * Late Intialization, for code that should run after all atoms have run Intialization + * + * To have your LateIntialize proc be called, your atoms [Initalization][/atom/proc/Initialize] + * proc must return the hint + * [INITIALIZE_HINT_LATELOAD] otherwise you will never be called. + * + * useful for doing things like finding other machines on GLOB.machines because you can guarantee + * that all atoms will actually exist in the "WORLD" at this time and that all their Intialization + * code has been run + */ /atom/proc/LateInitialize() set waitfor = FALSE @@ -261,15 +261,15 @@ return /** - * Top level of the destroy chain for most atoms - * - * Cleans up the following: - * * Removes alternate apperances from huds that see them - * * qdels the reagent holder from atoms if it exists - * * clears the orbiters list - * * clears overlays and priority overlays - * * clears the light object - */ + * Top level of the destroy chain for most atoms + * + * Cleans up the following: + * * Removes alternate apperances from huds that see them + * * qdels the reagent holder from atoms if it exists + * * clears the orbiters list + * * clears overlays and priority overlays + * * clears the light object + */ /atom/Destroy() if(alternate_appearances) for(var/K in alternate_appearances) @@ -333,15 +333,15 @@ return !density /** - * Is this atom currently located on centcom - * - * Specifically, is it on the z level and within the centcom areas - * - * You can also be in a shuttleshuttle during endgame transit - * - * Used in gamemode to identify mobs who have escaped and for some other areas of the code - * who don't want atoms where they shouldn't be - */ + * Is this atom currently located on centcom + * + * Specifically, is it on the z level and within the centcom areas + * + * You can also be in a shuttleshuttle during endgame transit + * + * Used in gamemode to identify mobs who have escaped and for some other areas of the code + * who don't want atoms where they shouldn't be + */ /atom/proc/onCentCom() var/turf/T = get_turf(src) if(!T) @@ -373,12 +373,12 @@ return TRUE /** - * Is the atom in any of the centcom syndicate areas - * - * Either in the syndie base on centcom, or any of their shuttles - * - * Also used in gamemode code for win conditions - */ + * Is the atom in any of the centcom syndicate areas + * + * Either in the syndie base on centcom, or any of their shuttles + * + * Also used in gamemode code for win conditions + */ /atom/proc/onSyndieBase() var/turf/T = get_turf(src) if(!T) @@ -393,12 +393,12 @@ return FALSE /** - * Is the atom in an away mission - * - * Must be in the away mission z-level to return TRUE - * - * Also used in gamemode code for win conditions - */ + * Is the atom in an away mission + * + * Must be in the away mission z-level to return TRUE + * + * Also used in gamemode code for win conditions + */ /atom/proc/onAwayMission() var/turf/T = get_turf(src) if(!T) @@ -416,17 +416,17 @@ SEND_SIGNAL(src, COMSIG_ATOM_HULK_ATTACK, user) /** - * Ensure a list of atoms/reagents exists inside this atom - * - * Goes throught he list of passed in parts, if they're reagents, adds them to our reagent holder - * creating the reagent holder if it exists. - * - * If the part is a moveable atom and the previous location of the item was a mob/living, - * it calls the inventory handler transferItemToLoc for that mob/living and transfers the part - * to this atom - * - * Otherwise it simply forceMoves the atom into this atom - */ + * Ensure a list of atoms/reagents exists inside this atom + * + * Goes throught he list of passed in parts, if they're reagents, adds them to our reagent holder + * creating the reagent holder if it exists. + * + * If the part is a moveable atom and the previous location of the item was a mob/living, + * it calls the inventory handler transferItemToLoc for that mob/living and transfers the part + * to this atom + * + * Otherwise it simply forceMoves the atom into this atom + */ /atom/proc/CheckParts(list/parts_list, datum/crafting_recipe/R) SEND_SIGNAL(src, COMSIG_ATOM_CHECKPARTS, parts_list, R) if(parts_list) @@ -509,17 +509,17 @@ return reagents && (reagents.flags & DRAINABLE) /** Handles exposing this atom to a list of reagents. - * - * Sends COMSIG_ATOM_EXPOSE_REAGENTS - * Calls expose_atom() for every reagent in the reagent list. - * - * Arguments: - * - [reagents][/list]: The list of reagents the atom is being exposed to. - * - [source][/datum/reagents]: The reagent holder the reagents are being sourced from. - * - method: How the atom is being exposed to the reagents. - * - volume_modifier: Volume multiplier. - * - show_message: Whether to display anything to mobs when they are exposed. - */ + * + * Sends COMSIG_ATOM_EXPOSE_REAGENTS + * Calls expose_atom() for every reagent in the reagent list. + * + * Arguments: + * - [reagents][/list]: The list of reagents the atom is being exposed to. + * - [source][/datum/reagents]: The reagent holder the reagents are being sourced from. + * - method: How the atom is being exposed to the reagents. + * - volume_modifier: Volume multiplier. + * - show_message: Whether to display anything to mobs when they are exposed. + */ /atom/proc/expose_reagents(list/reagents, datum/reagents/source, method=TOUCH, volume_modifier=1, show_message=TRUE) if((. = SEND_SIGNAL(src, COMSIG_ATOM_EXPOSE_REAGENTS, reagents, source, method, volume_modifier, show_message)) & COMPONENT_NO_EXPOSE_REAGENTS) return @@ -537,15 +537,15 @@ return /** - * React to an EMP of the given severity - * - * Default behaviour is to send the [COMSIG_ATOM_EMP_ACT] signal - * - * If the signal does not return protection, and there are attached wires then we call - * [emp_pulse][/datum/wires/proc/emp_pulse] on the wires - * - * We then return the protection value - */ + * React to an EMP of the given severity + * + * Default behaviour is to send the [COMSIG_ATOM_EMP_ACT] signal + * + * If the signal does not return protection, and there are attached wires then we call + * [emp_pulse][/datum/wires/proc/emp_pulse] on the wires + * + * We then return the protection value + */ /atom/proc/emp_act(severity) var/protection = SEND_SIGNAL(src, COMSIG_ATOM_EMP_ACT, severity) if(!(protection & EMP_PROTECT_WIRES) && istype(wires)) @@ -576,11 +576,11 @@ return FALSE /** - * Get the name of this object for examine - * - * You can override what is returned from this proc by registering to listen for the - * [COMSIG_ATOM_GET_EXAMINE_NAME] signal - */ + * Get the name of this object for examine + * + * You can override what is returned from this proc by registering to listen for the + * [COMSIG_ATOM_GET_EXAMINE_NAME] signal + */ /atom/proc/get_examine_name(mob/user) . = "\a [src]" var/list/override = list(gender == PLURAL ? "some" : "a", " ", "[name]") @@ -595,13 +595,13 @@ return "[icon2html(src, user)] [thats? "That's ":""][get_examine_name(user)]" /** - * Called when a mob examines (shift click or verb) this atom - * - * Default behaviour is to get the name and icon of the object and it's reagents where - * the [TRANSPARENT] flag is set on the reagents holder - * - * Produces a signal [COMSIG_PARENT_EXAMINE] - */ + * Called when a mob examines (shift click or verb) this atom + * + * Default behaviour is to get the name and icon of the object and it's reagents where + * the [TRANSPARENT] flag is set on the reagents holder + * + * Produces a signal [COMSIG_PARENT_EXAMINE] + */ /atom/proc/examine(mob/user) . = list("[get_examine_string(user, TRUE)].") @@ -669,11 +669,11 @@ SEND_SIGNAL(src, COMSIG_ATOM_UPDATE_OVERLAYS, .) /** - * An atom we are buckled or is contained within us has tried to move - * - * Default behaviour is to send a warning that the user can't move while buckled as long - * as the [buckle_message_cooldown][/atom/var/buckle_message_cooldown] has expired (50 ticks) - */ + * An atom we are buckled or is contained within us has tried to move + * + * Default behaviour is to send a warning that the user can't move while buckled as long + * as the [buckle_message_cooldown][/atom/var/buckle_message_cooldown] has expired (50 ticks) + */ /atom/proc/relaymove(mob/living/user, direction) if(buckle_message_cooldown <= world.time) buckle_message_cooldown = world.time + 50 @@ -685,20 +685,20 @@ return //For handling the effects of explosions on contents that would not normally be effected /** - * React to being hit by an explosion - * - * Default behaviour is to call [contents_explosion][/atom/proc/contents_explosion] and send the [COMSIG_ATOM_EX_ACT] signal - */ + * React to being hit by an explosion + * + * Default behaviour is to call [contents_explosion][/atom/proc/contents_explosion] and send the [COMSIG_ATOM_EX_ACT] signal + */ /atom/proc/ex_act(severity, target) set waitfor = FALSE contents_explosion(severity, target) SEND_SIGNAL(src, COMSIG_ATOM_EX_ACT, severity, target) /** - * React to a hit by a blob objecd - * - * default behaviour is to send the [COMSIG_ATOM_BLOB_ACT] signal - */ + * React to a hit by a blob objecd + * + * default behaviour is to send the [COMSIG_ATOM_BLOB_ACT] signal + */ /atom/proc/blob_act(obj/structure/blob/B) SEND_SIGNAL(src, COMSIG_ATOM_BLOB_ACT, B) return @@ -708,24 +708,24 @@ return /** - * React to being hit by a thrown object - * - * Default behaviour is to call [hitby_react][/atom/proc/hitby_react] on ourselves after 2 seconds if we are dense - * and under normal gravity. - * - * Im not sure why this the case, maybe to prevent lots of hitby's if the thrown object is - * deleted shortly after hitting something (during explosions or other massive events that - * throw lots of items around - singularity being a notable example) - */ + * React to being hit by a thrown object + * + * Default behaviour is to call [hitby_react][/atom/proc/hitby_react] on ourselves after 2 seconds if we are dense + * and under normal gravity. + * + * Im not sure why this the case, maybe to prevent lots of hitby's if the thrown object is + * deleted shortly after hitting something (during explosions or other massive events that + * throw lots of items around - singularity being a notable example) + */ /atom/proc/hitby(atom/movable/AM, skipcatch, hitpush, blocked, datum/thrownthing/throwingdatum) if(density && !has_gravity(AM)) //thrown stuff bounces off dense stuff in no grav, unless the thrown stuff ends up inside what it hit(embedding, bola, etc...). addtimer(CALLBACK(src, .proc/hitby_react, AM), 2) /** - * We have have actually hit the passed in atom - * - * Default behaviour is to move back from the item that hit us - */ + * We have have actually hit the passed in atom + * + * Default behaviour is to move back from the item that hit us + */ /atom/proc/hitby_react(atom/movable/AM) if(AM && isturf(AM.loc)) step(AM, turn(AM.dir, 180)) @@ -792,43 +792,43 @@ return /** - * Respond to the singularity pulling on us - * - * Default behaviour is to send [COMSIG_ATOM_SING_PULL] and return - */ + * Respond to the singularity pulling on us + * + * Default behaviour is to send [COMSIG_ATOM_SING_PULL] and return + */ /atom/proc/singularity_pull(obj/singularity/S, current_size) SEND_SIGNAL(src, COMSIG_ATOM_SING_PULL, S, current_size) /** - * Respond to acid being used on our atom - * - * Default behaviour is to send [COMSIG_ATOM_ACID_ACT] and return - */ + * Respond to acid being used on our atom + * + * Default behaviour is to send [COMSIG_ATOM_ACID_ACT] and return + */ /atom/proc/acid_act(acidpwr, acid_volume) SEND_SIGNAL(src, COMSIG_ATOM_ACID_ACT, acidpwr, acid_volume) /** - * Respond to an emag being used on our atom - * - * Default behaviour is to send [COMSIG_ATOM_EMAG_ACT] and return - */ + * Respond to an emag being used on our atom + * + * Default behaviour is to send [COMSIG_ATOM_EMAG_ACT] and return + */ /atom/proc/emag_act(mob/user) SEND_SIGNAL(src, COMSIG_ATOM_EMAG_ACT, user) /** - * Respond to a radioactive wave hitting this atom - * - * Default behaviour is to send [COMSIG_ATOM_RAD_ACT] and return - */ + * Respond to a radioactive wave hitting this atom + * + * Default behaviour is to send [COMSIG_ATOM_RAD_ACT] and return + */ /atom/proc/rad_act(strength) SEND_SIGNAL(src, COMSIG_ATOM_RAD_ACT, strength) /** - * Respond to narsie eating our atom - * - * Default behaviour is to send [COMSIG_ATOM_NARSIE_ACT] and return - */ + * Respond to narsie eating our atom + * + * Default behaviour is to send [COMSIG_ATOM_NARSIE_ACT] and return + */ /atom/proc/narsie_act() SEND_SIGNAL(src, COMSIG_ATOM_NARSIE_ACT) @@ -839,46 +839,46 @@ /** - * Respond to an RCD acting on our item - * - * Default behaviour is to send [COMSIG_ATOM_RCD_ACT] and return FALSE - */ + * Respond to an RCD acting on our item + * + * Default behaviour is to send [COMSIG_ATOM_RCD_ACT] and return FALSE + */ /atom/proc/rcd_act(mob/user, obj/item/construction/rcd/the_rcd, passed_mode) SEND_SIGNAL(src, COMSIG_ATOM_RCD_ACT, user, the_rcd, passed_mode) return FALSE /** - * Respond to a electric bolt action on our item - * - * Default behaviour is to return, we define here to allow for cleaner code later on - */ + * Respond to a electric bolt action on our item + * + * Default behaviour is to return, we define here to allow for cleaner code later on + */ /atom/proc/zap_act(power, zap_flags, shocked_targets) return /** - * Implement the behaviour for when a user click drags a storage object to your atom - * - * This behaviour is usually to mass transfer, but this is no longer a used proc as it just - * calls the underyling /datum/component/storage dump act if a component exists - * - * TODO these should be purely component items that intercept the atom clicks higher in the - * call chain - */ + * Implement the behaviour for when a user click drags a storage object to your atom + * + * This behaviour is usually to mass transfer, but this is no longer a used proc as it just + * calls the underyling /datum/component/storage dump act if a component exists + * + * TODO these should be purely component items that intercept the atom clicks higher in the + * call chain + */ /atom/proc/storage_contents_dump_act(obj/item/storage/src_object, mob/user) if(GetComponent(/datum/component/storage)) return component_storage_contents_dump_act(src_object, user) return FALSE /** - * Implement the behaviour for when a user click drags another storage item to you - * - * In this case we get as many of the tiems from the target items compoent storage and then - * put everything into ourselves (or our storage component) - * - * TODO these should be purely component items that intercept the atom clicks higher in the - * call chain - */ + * Implement the behaviour for when a user click drags another storage item to you + * + * In this case we get as many of the tiems from the target items compoent storage and then + * put everything into ourselves (or our storage component) + * + * TODO these should be purely component items that intercept the atom clicks higher in the + * call chain + */ /atom/proc/component_storage_contents_dump_act(datum/component/storage/src_object, mob/user) var/list/things = src_object.contents() var/datum/progressbar/progress = new(user, things.len, src) @@ -899,45 +899,45 @@ return null /** - * This proc is called when an atom in our contents has it's [Destroy][/atom/Destroy] called - * - * Default behaviour is to simply send [COMSIG_ATOM_CONTENTS_DEL] - */ + * This proc is called when an atom in our contents has it's [Destroy][/atom/Destroy] called + * + * Default behaviour is to simply send [COMSIG_ATOM_CONTENTS_DEL] + */ /atom/proc/handle_atom_del(atom/A) SEND_SIGNAL(src, COMSIG_ATOM_CONTENTS_DEL, A) /** - * called when the turf the atom resides on is ChangeTurfed - * - * Default behaviour is to loop through atom contents and call their HandleTurfChange() proc - */ + * called when the turf the atom resides on is ChangeTurfed + * + * Default behaviour is to loop through atom contents and call their HandleTurfChange() proc + */ /atom/proc/HandleTurfChange(turf/T) for(var/atom in src) var/atom/A = atom A.HandleTurfChange(T) /** - * the vision impairment to give to the mob whose perspective is set to that atom - * - * (e.g. an unfocused camera giving you an impaired vision when looking through it) - */ + * the vision impairment to give to the mob whose perspective is set to that atom + * + * (e.g. an unfocused camera giving you an impaired vision when looking through it) + */ /atom/proc/get_remote_view_fullscreens(mob/user) return /** - * the sight changes to give to the mob whose perspective is set to that atom - * - * (e.g. A mob with nightvision loses its nightvision while looking through a normal camera) - */ + * the sight changes to give to the mob whose perspective is set to that atom + * + * (e.g. A mob with nightvision loses its nightvision while looking through a normal camera) + */ /atom/proc/update_remote_sight(mob/living/user) return /** - * Hook for running code when a dir change occurs - * - * Not recommended to use, listen for the [COMSIG_ATOM_DIR_CHANGE] signal instead (sent by this proc) - */ + * Hook for running code when a dir change occurs + * + * Not recommended to use, listen for the [COMSIG_ATOM_DIR_CHANGE] signal instead (sent by this proc) + */ /atom/proc/setDir(newdir) SHOULD_CALL_PARENT(TRUE) SEND_SIGNAL(src, COMSIG_ATOM_DIR_CHANGE, dir, newdir) @@ -948,10 +948,10 @@ return /** - * Called when the atom log's in or out - * - * Default behaviour is to call on_log on the location this atom is in - */ + * Called when the atom log's in or out + * + * Default behaviour is to call on_log on the location this atom is in + */ /atom/proc/on_log(login) if(loc) loc.on_log(login) @@ -1007,13 +1007,13 @@ /** - * Wash this atom - * - * This will clean it off any temporary stuff like blood. Override this in your item to add custom cleaning behavior. - * Returns true if any washing was necessary and thus performed - * Arguments: - * * clean_types: any of the CLEAN_ constants - */ + * Wash this atom + * + * This will clean it off any temporary stuff like blood. Override this in your item to add custom cleaning behavior. + * Returns true if any washing was necessary and thus performed + * Arguments: + * * clean_types: any of the CLEAN_ constants + */ /atom/proc/wash(clean_types) . = FALSE if(SEND_SIGNAL(src, COMSIG_COMPONENT_CLEAN_ACT, clean_types)) @@ -1025,16 +1025,16 @@ return TRUE /** - * call back when a var is edited on this atom - * - * Can be used to implement special handling of vars - * - * At the atom level, if you edit a var named "color" it will add the atom colour with - * admin level priority to the atom colours list - * - * Also, if GLOB.Debug2 is FALSE, it sets the [ADMIN_SPAWNED_1] flag on [flags_1][/atom/var/flags_1], which signifies - * the object has been admin edited - */ + * call back when a var is edited on this atom + * + * Can be used to implement special handling of vars + * + * At the atom level, if you edit a var named "color" it will add the atom colour with + * admin level priority to the atom colours list + * + * Also, if GLOB.Debug2 is FALSE, it sets the [ADMIN_SPAWNED_1] flag on [flags_1][/atom/var/flags_1], which signifies + * the object has been admin edited + */ /atom/vv_edit_var(var_name, var_value) if(!GLOB.Debug2) flags_1 |= ADMIN_SPAWNED_1 @@ -1044,10 +1044,10 @@ add_atom_colour(color, ADMIN_COLOUR_PRIORITY) /** - * Return the markup to for the dropdown list for the VV panel for this atom - * - * Override in subtypes to add custom VV handling in the VV panel - */ + * Return the markup to for the dropdown list for the VV panel for this atom + * + * Override in subtypes to add custom VV handling in the VV panel + */ /atom/vv_get_dropdown() . = ..() VV_DROPDOWN_OPTION("", "---------") @@ -1157,13 +1157,13 @@ SEND_SIGNAL(src, COMSIG_ATOM_ENTERED, arrived, old_loc, old_locs) /** - * An atom is attempting to exit this atom's contents - * - * Default behaviour is to send the [COMSIG_ATOM_EXIT] - * - * Return value should be set to FALSE if the moving atom is unable to leave, - * otherwise leave value the result of the parent call - */ + * An atom is attempting to exit this atom's contents + * + * Default behaviour is to send the [COMSIG_ATOM_EXIT] + * + * Return value should be set to FALSE if the moving atom is unable to leave, + * otherwise leave value the result of the parent call + */ /atom/Exit(atom/movable/leaving, direction) // Don't call `..()` here, otherwise `Uncross()` gets called. // See the doc comment on `Uncross()` to learn why this is bad. @@ -1174,10 +1174,10 @@ return TRUE /** - * An atom has exited this atom's contents - * - * Default behaviour is to send the [COMSIG_ATOM_EXITED] - */ + * An atom has exited this atom's contents + * + * Default behaviour is to send the [COMSIG_ATOM_EXITED] + */ /atom/Exited(atom/movable/gone, direction) SEND_SIGNAL(src, COMSIG_ATOM_EXITED, gone, direction) @@ -1186,12 +1186,12 @@ return /** - *Tool behavior procedure. Redirects to tool-specific procs by default. - * - * You can override it to catch all tool interactions, for use in complex deconstruction procs. - * - * Must return parent proc ..() in the end if overridden - */ + *Tool behavior procedure. Redirects to tool-specific procs by default. + * + * You can override it to catch all tool interactions, for use in complex deconstruction procs. + * + * Must return parent proc ..() in the end if overridden + */ /atom/proc/tool_act(mob/living/user, obj/item/I, tool_type) switch(tool_type) if(TOOL_CROWBAR) @@ -1326,15 +1326,15 @@ target.log_talk(message, message_type, tag="[tag] from [key_name(source)]", log_globally=FALSE) /** - * Log a combat message in the attack log - * - * Arguments: - * * atom/user - argument is the actor performing the action - * * atom/target - argument is the target of the action - * * what_done - is a verb describing the action (e.g. punched, throwed, kicked, etc.) - * * atom/object - is a tool with which the action was made (usually an item) - * * addition - is any additional text, which will be appended to the rest of the log line - */ + * Log a combat message in the attack log + * + * Arguments: + * * atom/user - argument is the actor performing the action + * * atom/target - argument is the target of the action + * * what_done - is a verb describing the action (e.g. punched, throwed, kicked, etc.) + * * atom/object - is a tool with which the action was made (usually an item) + * * addition - is any additional text, which will be appended to the rest of the log line + */ /proc/log_combat(atom/user, atom/target, what_done, atom/object=null, addition=null) var/ssource = key_name(user) var/starget = key_name(target) @@ -1449,19 +1449,19 @@ custom_materials[custom_material] += materials[x] * multiplier /** - * Returns true if this atom has gravity for the passed in turf - * - * Sends signals [COMSIG_ATOM_HAS_GRAVITY] and [COMSIG_TURF_HAS_GRAVITY], both can force gravity with - * the forced gravity var - * - * Gravity situations: - * * No gravity if you're not in a turf - * * No gravity if this atom is in is a space turf - * * Gravity if the area it's in always has gravity - * * Gravity if there's a gravity generator on the z level - * * Gravity if the Z level has an SSMappingTrait for ZTRAIT_GRAVITY - * * otherwise no gravity - */ + * Returns true if this atom has gravity for the passed in turf + * + * Sends signals [COMSIG_ATOM_HAS_GRAVITY] and [COMSIG_TURF_HAS_GRAVITY], both can force gravity with + * the forced gravity var + * + * Gravity situations: + * * No gravity if you're not in a turf + * * No gravity if this atom is in is a space turf + * * Gravity if the area it's in always has gravity + * * Gravity if there's a gravity generator on the z level + * * Gravity if the Z level has an SSMappingTrait for ZTRAIT_GRAVITY + * * otherwise no gravity + */ /atom/proc/has_gravity(turf/T) if(!T || !isturf(T)) T = get_turf(src) @@ -1499,13 +1499,13 @@ return T.virtual_level_trait(ZTRAIT_GRAVITY) /** - * Called when a mob examines (shift click or verb) this atom twice (or more) within EXAMINE_MORE_TIME (default 1.5 seconds) - * - * This is where you can put extra information on something that may be superfluous or not important in critical gameplay - * moments, while allowing people to manually double-examine to take a closer look - * - * Produces a signal [COMSIG_PARENT_EXAMINE_MORE] - */ + * Called when a mob examines (shift click or verb) this atom twice (or more) within EXAMINE_MORE_TIME (default 1.5 seconds) + * + * This is where you can put extra information on something that may be superfluous or not important in critical gameplay + * moments, while allowing people to manually double-examine to take a closer look + * + * Produces a signal [COMSIG_PARENT_EXAMINE_MORE] + */ /atom/proc/examine_more(mob/user) . = list() SEND_SIGNAL(src, COMSIG_PARENT_EXAMINE_MORE, user, .) @@ -1535,7 +1535,7 @@ /atom/proc/container_resist_act(mob/living/user) ///Setter for the "base_pixel_x" var to append behavior related to it's changing -/atom/proc/set_base_pixel_x(var/new_value) +/atom/proc/set_base_pixel_x(new_value) if(base_pixel_x == new_value) return . = base_pixel_x diff --git a/code/game/atoms_movable.dm b/code/game/atoms_movable.dm index dec06f6e9b34..95f3e81c150d 100644 --- a/code/game/atoms_movable.dm +++ b/code/game/atoms_movable.dm @@ -678,16 +678,16 @@ /** - * Called whenever an object moves and by mobs when they attempt to move themselves through space - * And when an object or action applies a force on src, see [newtonian_move][/atom/movable/proc/newtonian_move] - * - * Return 0 to have src start/keep drifting in a no-grav area and 1 to stop/not start drifting - * - * Mobs should return 1 if they should be able to move of their own volition, see [/client/Move] - * - * Arguments: - * * movement_dir - 0 when stopping or any dir when trying to move - */ + * Called whenever an object moves and by mobs when they attempt to move themselves through space + * And when an object or action applies a force on src, see [newtonian_move][/atom/movable/proc/newtonian_move] + * + * Return 0 to have src start/keep drifting in a no-grav area and 1 to stop/not start drifting + * + * Mobs should return 1 if they should be able to move of their own volition, see [/client/Move] + * + * Arguments: + * * movement_dir - 0 when stopping or any dir when trying to move + */ /atom/movable/proc/Process_Spacemove(movement_dir = 0) if(has_gravity(src)) return 1 @@ -1087,10 +1087,10 @@ return TRUE /** - * Updates the grab state of the movable - * - * This exists to act as a hook for behaviour - */ + * Updates the grab state of the movable + * + * This exists to act as a hook for behaviour + */ /atom/movable/proc/setGrabState(newstate) if(newstate == grab_state) return diff --git a/code/game/communications.dm b/code/game/communications.dm index 480abb941275..09b28620e674 100644 --- a/code/game/communications.dm +++ b/code/game/communications.dm @@ -12,20 +12,20 @@ one device may listen several frequencies, but not same frequency twice. new_frequency - see possibly frequencies below; filter - thing for optimization. Optional, but recommended. - All filters should be consolidated in this file, see defines later. - Device without listening filter will receive all signals (on specified frequency). - Device with filter will receive any signals sent without filter. - Device with filter will not receive any signals sent with different filter. + All filters should be consolidated in this file, see defines later. + Device without listening filter will receive all signals (on specified frequency). + Device with filter will receive any signals sent without filter. + Device with filter will not receive any signals sent with different filter. returns: - Reference to frequency object. + Reference to frequency object. remove_object (obj/device, old_frequency) Obliviously, after calling this proc, device will not receive any signals on old_frequency. Other frequencies will left unaffected. - return_frequency(var/frequency as num) + return_frequency(var/frequency as num) returns: - Reference to frequency object. Use it if you need to send and do not need to listen. + Reference to frequency object. Use it if you need to send and do not need to listen. radio_frequency is a global object maintaining list of devices that listening specific frequency. procs: diff --git a/code/game/data_huds.dm b/code/game/data_huds.dm index ffd5ecb46948..1c07527fcf52 100644 --- a/code/game/data_huds.dm +++ b/code/game/data_huds.dm @@ -86,7 +86,7 @@ */ /*********************************************** - Medical HUD! Basic mode needs suit sensors on. +Medical HUD! Basic mode needs suit sensors on. ************************************************/ //HELPERS @@ -219,7 +219,7 @@ /*********************************************** - FAN HUDs! For identifying other fans on-sight. +FAN HUDs! For identifying other fans on-sight. ************************************************/ //HOOKS @@ -237,7 +237,7 @@ holder.icon_state = "fan_clown_pin" /*********************************************** - Security HUDs! Basic mode shows only the job. +Security HUDs! Basic mode shows only the job. ************************************************/ //HOOKS @@ -297,7 +297,7 @@ holder.icon_state = null /*********************************************** - Diagnostic HUDs! +Diagnostic HUDs! ************************************************/ /mob/living/proc/hud_set_nanite_indicator() diff --git a/code/game/gamemodes/dynamic/dynamic_rulesets_latejoin.dm b/code/game/gamemodes/dynamic/dynamic_rulesets_latejoin.dm index 18f6e9fd0b53..04d7a42f4373 100644 --- a/code/game/gamemodes/dynamic/dynamic_rulesets_latejoin.dm +++ b/code/game/gamemodes/dynamic/dynamic_rulesets_latejoin.dm @@ -137,7 +137,7 @@ return RULESET_STOP_PROCESSING /// Checks for revhead loss conditions and other antag datums. -/datum/dynamic_ruleset/latejoin/provocateur/proc/check_eligible(var/datum/mind/M) +/datum/dynamic_ruleset/latejoin/provocateur/proc/check_eligible(datum/mind/M) if(!considered_afk(M) && considered_alive(M) && !M.antag_datums?.len && !HAS_TRAIT(M, TRAIT_MINDSHIELD)) return TRUE return FALSE diff --git a/code/game/gamemodes/dynamic/dynamic_rulesets_midround.dm b/code/game/gamemodes/dynamic/dynamic_rulesets_midround.dm index e2e83521869c..613182cea211 100644 --- a/code/game/gamemodes/dynamic/dynamic_rulesets_midround.dm +++ b/code/game/gamemodes/dynamic/dynamic_rulesets_midround.dm @@ -63,7 +63,7 @@ // Or autotator someone // IMPORTANT, since /datum/dynamic_ruleset/midround may accept candidates from both living, dead, and even antag players, you need to manually check whether there are enough candidates -// (see /datum/dynamic_ruleset/midround/autotraitor/ready(var/forced = FALSE) for example) +// (see /datum/dynamic_ruleset/midround/autotraitor/ready(forced = FALSE) for example) /datum/dynamic_ruleset/midround/ready(forced = FALSE) if (!forced) var/job_check = 0 diff --git a/code/game/gamemodes/dynamic/dynamic_rulesets_roundstart.dm b/code/game/gamemodes/dynamic/dynamic_rulesets_roundstart.dm index a3a29accc68c..1ca947178911 100644 --- a/code/game/gamemodes/dynamic/dynamic_rulesets_roundstart.dm +++ b/code/game/gamemodes/dynamic/dynamic_rulesets_roundstart.dm @@ -407,7 +407,7 @@ return RULESET_STOP_PROCESSING /// Checks for revhead loss conditions and other antag datums. -/datum/dynamic_ruleset/roundstart/revs/proc/check_eligible(var/datum/mind/M) +/datum/dynamic_ruleset/roundstart/revs/proc/check_eligible(datum/mind/M) if(!considered_afk(M) && considered_alive(M) && !M.antag_datums?.len && !HAS_TRAIT(M, TRAIT_MINDSHIELD)) return TRUE return FALSE diff --git a/code/game/gamemodes/dynamic/readme.md b/code/game/gamemodes/dynamic/readme.md index 5d979b400163..655c3c937514 100644 --- a/code/game/gamemodes/dynamic/readme.md +++ b/code/game/gamemodes/dynamic/readme.md @@ -43,7 +43,7 @@ process() -> [For each midround rule...] ## FORCED For latejoin, it simply sets forced_latejoin_rule -make_antag_chance(newPlayer) -> trim_candidates() -> ready(forced=TRUE) **NOTE no acceptable() call +make_antag_chance(newPlayer) -> trim_candidates() -> ready(forced=TRUE) \*\*NOTE no acceptable() call For midround, calls the below proc with forced = TRUE picking_specific_rule(ruletype,forced) -> forced OR acceptable(living_players, threat_level) -> trim_candidates() -> ready(forced) -> spend threat -> execute() @@ -53,15 +53,15 @@ picking_specific_rule(ruletype,forced) -> forced OR acceptable(living_players, t ## RULESET acceptable(population,threat) just checks if enough threat_level for population indice. -**NOTE that we currently only send threat_level as the second arg, not threat. +\*\*NOTE that we currently only send threat_level as the second arg, not threat. ready(forced) checks if enough candidates and calls the map's map_ruleset(dynamic_ruleset) at the parent level trim_candidates() varies significantly according to the ruleset type Roundstart: All candidates are new_player mobs. Check them for standard stuff: connected, desire role, not banned, etc. -**NOTE Roundstart deals with both candidates (trimmed list of valid players) and mode.candidates (everyone readied up). Don't confuse them! +\*\*NOTE Roundstart deals with both candidates (trimmed list of valid players) and mode.candidates (everyone readied up). Don't confuse them! Latejoin: Only one candidate, the latejoiner. Standard checks. Midround: Instead of building a single list candidates, candidates contains four lists: living, dead, observing, and living antags. Standard checks in trim_list(list). Midround - Rulesets have additional types /from_ghosts: execute() -> send_applications() -> review_applications() -> finish_setup(mob/newcharacter, index) -> setup_role(role) -**NOTE: execute() here adds dead players and observers to candidates list +\*\*NOTE: execute() here adds dead players and observers to candidates list diff --git a/code/game/gamemodes/game_mode.dm b/code/game/gamemodes/game_mode.dm index 7bb3728f212b..83a7af763431 100644 --- a/code/game/gamemodes/game_mode.dm +++ b/code/game/gamemodes/game_mode.dm @@ -428,13 +428,13 @@ //Keeps track of all heads// //////////////////////////// -/datum/game_mode/proc/get_living_by_department(var/department) +/datum/game_mode/proc/get_living_by_department(department) . = list() for(var/mob/living/carbon/human/player in GLOB.mob_list) if(player.stat != DEAD && player.mind && (player.mind.assigned_role in department)) . |= player.mind -/datum/game_mode/proc/get_all_by_department(var/department) +/datum/game_mode/proc/get_all_by_department(department) . = list() for(var/mob/player in GLOB.mob_list) if(player.mind && (player.mind.assigned_role in department)) diff --git a/code/game/gamemodes/gang/gang_things.dm b/code/game/gamemodes/gang/gang_things.dm index d28bb2eaedfe..5871ed6a24cf 100644 --- a/code/game/gamemodes/gang/gang_things.dm +++ b/code/game/gamemodes/gang/gang_things.dm @@ -23,7 +23,7 @@ return attempt_join_gang(user) -/obj/item/gang_induction_package/proc/add_to_gang(var/mob/living/user) +/obj/item/gang_induction_package/proc/add_to_gang(mob/living/user) var/datum/game_mode/gang/F = SSticker.mode var/datum/antagonist/gang/swappin_sides = new gang_to_use() user.mind.add_antag_datum(swappin_sides) diff --git a/code/game/gamemodes/objective.dm b/code/game/gamemodes/objective.dm index 53227add6d52..9a114e9f3295 100644 --- a/code/game/gamemodes/objective.dm +++ b/code/game/gamemodes/objective.dm @@ -12,7 +12,7 @@ GLOBAL_LIST_EMPTY(objectives) var/completed = 0 //currently only used for custom objectives. var/martyr_compatible = 0 //If the objective is compatible with martyr objective, i.e. if you can still do it while dead. -/datum/objective/New(var/text) +/datum/objective/New(text) GLOB.objectives += src if(text) explanation_text = text @@ -982,7 +982,7 @@ GLOBAL_LIST_EMPTY(possible_items_special) martyr_compatible = 0 var/target_count -/datum/objective/hack_apc/New(var/text) +/datum/objective/hack_apc/New(text) target_count = rand(10, CONFIG_GET(number/max_malf_apc_hack_obj)) explanation_text = "Hack [target_count] APCs by the end of the round. You may still spend the processing power as normal." ..() diff --git a/code/game/gamemodes/sandbox/airlock_maker.dm b/code/game/gamemodes/sandbox/airlock_maker.dm index eca72611d31b..ab98aa80b428 100644 --- a/code/game/gamemodes/sandbox/airlock_maker.dm +++ b/code/game/gamemodes/sandbox/airlock_maker.dm @@ -25,7 +25,7 @@ var/doorname = "airlock" -/datum/airlock_maker/New(var/atom/target_loc) +/datum/airlock_maker/New(atom/target_loc) linked = new(target_loc) linked.maker = src linked.set_anchored(FALSE) @@ -70,7 +70,7 @@ dat += "
Finalize Airlock Construction | Cancel and Destroy Airlock" usr << browse(dat,"window=airlockmaker") -/datum/airlock_maker/Topic(var/href,var/list/href_list) +/datum/airlock_maker/Topic(href,list/href_list) if(!usr) return if(!src || !linked || !linked.loc) diff --git a/code/game/machinery/_machinery.dm b/code/game/machinery/_machinery.dm index 150f7f4b72c6..a503b442d6d5 100644 --- a/code/game/machinery/_machinery.dm +++ b/code/game/machinery/_machinery.dm @@ -609,7 +609,7 @@ Class Procs: AM.pixel_x = -8 + ((.%3)*8) AM.pixel_y = -8 + (round( . / 3)*8) -/obj/machinery/proc/play_click_sound(var/custom_clicksound) +/obj/machinery/proc/play_click_sound(custom_clicksound) if((custom_clicksound||clicksound) && world.time > next_clicksound) next_clicksound = world.time + CLICKSOUND_INTERVAL if(custom_clicksound) diff --git a/code/game/machinery/bounty_board.dm b/code/game/machinery/bounty_board.dm index 563fab663139..6450999d87eb 100644 --- a/code/game/machinery/bounty_board.dm +++ b/code/game/machinery/bounty_board.dm @@ -1,9 +1,9 @@ GLOBAL_LIST_EMPTY(allbountyboards) GLOBAL_LIST_EMPTY(request_list) /** - * A machine that acts basically like a quest board. - * Enables crew to create requests, crew can sign up to perform the request, and the requester can chose who to pay-out. - */ + * A machine that acts basically like a quest board. + * Enables crew to create requests, crew can sign up to perform the request, and the requester can chose who to pay-out. + */ /obj/machinery/bounty_board name = "bounty board" desc = "Alows you to place requests for goods and services across the sector, as well as pay those who actually did it." @@ -163,9 +163,9 @@ GLOBAL_LIST_EMPTY(request_list) result_path = /obj/machinery/bounty_board /** - * A combined all in one datum that stores everything about the request, the requester's account, as well as the requestee's account - * All of this is passed to the Request Console UI in order to present in organized way. - */ + * A combined all in one datum that stores everything about the request, the requester's account, as well as the requestee's account + * All of this is passed to the Request Console UI in order to present in organized way. + */ /datum/station_request ///Name of the Request Owner. var/owner @@ -180,7 +180,7 @@ GLOBAL_LIST_EMPTY(request_list) ///the account of the request fulfiller. var/list/applicants = list() -/datum/station_request/New(var/owned, var/newvalue, var/newdescription, var/reqnum, var/own_account) +/datum/station_request/New(owned, newvalue, newdescription, reqnum, own_account) . = ..() owner = owned value = newvalue diff --git a/code/game/machinery/buttons.dm b/code/game/machinery/buttons.dm index f253f256b534..14a8c10e8742 100644 --- a/code/game/machinery/buttons.dm +++ b/code/game/machinery/buttons.dm @@ -204,7 +204,7 @@ ..() /obj/machinery/button/door/incinerator_vent_toxmix - name = "combustion chamber vent control" + name = "Combustion Chamber Vent control" id = INCINERATOR_TOXMIX_VENT req_access = list(ACCESS_TOX) @@ -214,7 +214,7 @@ req_one_access = list(ACCESS_ATMOSPHERICS, ACCESS_MAINT_TUNNELS) /obj/machinery/button/door/incinerator_vent_atmos_aux - name = "combustion chamber vent control" + name = "Combustion Chamber Vent control" id = INCINERATOR_ATMOS_AUXVENT req_one_access = list(ACCESS_ATMOSPHERICS, ACCESS_MAINT_TUNNELS) @@ -224,7 +224,7 @@ req_access = list(ACCESS_SYNDICATE) /obj/machinery/button/door/incinerator_vent_syndicatelava_aux - name = "combustion chamber vent control" + name = "Combustion Chamber Vent control" id = INCINERATOR_SYNDICATELAVA_AUXVENT req_access = list(ACCESS_SYNDICATE) diff --git a/code/game/machinery/computer/arcade.dm b/code/game/machinery/computer/arcade.dm index 9c95927d6b22..bbe328720947 100644 --- a/code/game/machinery/computer/arcade.dm +++ b/code/game/machinery/computer/arcade.dm @@ -1187,7 +1187,7 @@ GLOBAL_LIST_INIT(arcade_prize_pool, list( //Add Random/Specific crewmember -/obj/machinery/computer/arcade/orion_trail/proc/add_crewmember(var/specific = "") +/obj/machinery/computer/arcade/orion_trail/proc/add_crewmember(specific = "") var/newcrew = "" if(specific) newcrew = specific diff --git a/code/game/machinery/computer/arena.dm b/code/game/machinery/computer/arena.dm index fd0236eb5197..7dfef576a1bd 100644 --- a/code/game/machinery/computer/arena.dm +++ b/code/game/machinery/computer/arena.dm @@ -78,9 +78,9 @@ team_hud_index[team] = length(GLOB.huds) /** - * Loads the arenas from config directory. - * THESE ARE FULLY CACHED FOR QUICK SWITCHING SO KEEP TRACK OF THE AMOUNT - */ + * Loads the arenas from config directory. + * THESE ARE FULLY CACHED FOR QUICK SWITCHING SO KEEP TRACK OF THE AMOUNT + */ /obj/machinery/computer/arena/proc/LoadDefaultArenas() if(default_arenas_loaded) return diff --git a/code/game/machinery/computer/cloning.dm b/code/game/machinery/computer/cloning.dm index bd5cf6679e2e..81ffb13b77fe 100644 --- a/code/game/machinery/computer/cloning.dm +++ b/code/game/machinery/computer/cloning.dm @@ -243,7 +243,7 @@ dat += "

[active_record.fields["name"]][body_only ? " - BODY-ONLY" : ""]

" dat += "Scan ID [active_record.fields["id"]] \ [!body_only ? "Clone" : "" ]\ - Empty Clone
" + Empty Clone
" var/obj/item/implant/health/H = locate(active_record.fields["imp"]) diff --git a/code/game/machinery/computer/pod.dm b/code/game/machinery/computer/pod.dm index a73875403599..6d9a5ed9d1ad 100644 --- a/code/game/machinery/computer/pod.dm +++ b/code/game/machinery/computer/pod.dm @@ -33,8 +33,8 @@ alarm() /** - * Initiates launching sequence by checking if all components are functional, opening poddoors, firing mass drivers and then closing poddoors - */ + * Initiates launching sequence by checking if all components are functional, opening poddoors, firing mass drivers and then closing poddoors + */ /obj/machinery/computer/pod/proc/alarm() if(machine_stat & (NOPOWER|BROKEN)) return diff --git a/code/game/machinery/cryopod.dm b/code/game/machinery/cryopod.dm index 16e3275cf6e5..6598429d2ff4 100644 --- a/code/game/machinery/cryopod.dm +++ b/code/game/machinery/cryopod.dm @@ -1,4 +1,3 @@ -#define DEFAULT_JOB_SLOT_ADJUSTMENT_COOLDOWN 2 MINUTES /* * Cryogenic refrigeration unit. Basically a despawner. @@ -28,8 +27,6 @@ GLOBAL_LIST_EMPTY(cryopod_computers) /// Whether or not to store items from people going into cryosleep. var/allow_items = TRUE - /// The ship object representing the ship that this console is on. - var/datum/overmap/ship/controlled/linked_ship /obj/machinery/computer/cryopod/Initialize() . = ..() @@ -39,10 +36,6 @@ GLOBAL_LIST_EMPTY(cryopod_computers) GLOB.cryopod_computers -= src return ..() -/obj/machinery/computer/cryopod/connect_to_shuttle(obj/docking_port/mobile/port, obj/docking_port/stationary/dock, idnum, override) - . = ..() - linked_ship = port.current_ship - /obj/machinery/computer/cryopod/ui_interact(mob/user, datum/tgui/ui) . = ..() ui = SStgui.try_update_ui(user, src, ui) @@ -102,49 +95,12 @@ GLOBAL_LIST_EMPTY(cryopod_computers) allow_items = !allow_items return - if("toggleAwakening") - linked_ship.join_allowed = !linked_ship.join_allowed - return - - if("setMemo") - if(!("newName" in params) || params["newName"] == linked_ship.memo) - return - linked_ship.memo = params["newName"] - return - - if("adjustJobSlot") - if(!("toAdjust" in params) || !("delta" in params) || !COOLDOWN_FINISHED(linked_ship, job_slot_adjustment_cooldown)) - return - var/datum/job/target_job = locate(params["toAdjust"]) - if(!target_job) - return - if(linked_ship.job_slots[target_job] + params["delta"] < 0 || linked_ship.job_slots[target_job] + params["delta"] > 4) - return - linked_ship.job_slots[target_job] += params["delta"] - COOLDOWN_START(linked_ship, job_slot_adjustment_cooldown, DEFAULT_JOB_SLOT_ADJUSTMENT_COOLDOWN) - update_static_data(user) - return - /obj/machinery/computer/cryopod/ui_data(mob/user) . = list() .["allowItems"] = allow_items - .["awakening"] = linked_ship.join_allowed - .["cooldown"] = COOLDOWN_TIMELEFT(linked_ship, job_slot_adjustment_cooldown) - .["memo"] = linked_ship.memo /obj/machinery/computer/cryopod/ui_static_data(mob/user) . = list() - .["jobs"] = list() - for(var/datum/job/J as anything in linked_ship.job_slots) - if(J.officer) - continue - .["jobs"] += list(list( - name = J.title, - slots = linked_ship.job_slots[J], - ref = REF(J), - max = linked_ship.source_template.job_slots[J] * 2 - )) - .["hasItems"] = length(frozen_items) > 0 .["stored"] = frozen_crew @@ -471,5 +427,3 @@ GLOBAL_LIST_EMPTY(cryopod_computers) sleepyhead.set_disgust(60) sleepyhead.set_nutrition(160) to_chat(sleepyhead, "A very bad headache wakes you up from cryosleep...") - -#undef DEFAULT_JOB_SLOT_ADJUSTMENT_COOLDOWN diff --git a/code/game/machinery/doors/airlock.dm b/code/game/machinery/doors/airlock.dm index b74aee653a59..6bc2117d0c4c 100644 --- a/code/game/machinery/doors/airlock.dm +++ b/code/game/machinery/doors/airlock.dm @@ -1155,13 +1155,13 @@ return !operating && density /** - * Used when attempting to remove a seal from an airlock - * - * Called when attacking an airlock with an empty hand, returns TRUE (there was a seal and we removed it, or failed to remove it) - * or FALSE (there was no seal) - * Arguments: - * * user - Whoever is attempting to remove the seal - */ + * Used when attempting to remove a seal from an airlock + * + * Called when attacking an airlock with an empty hand, returns TRUE (there was a seal and we removed it, or failed to remove it) + * or FALSE (there was no seal) + * Arguments: + * * user - Whoever is attempting to remove the seal + */ /obj/machinery/door/airlock/try_remove_seal(mob/living/user) if(!seal) return FALSE diff --git a/code/game/machinery/doors/door.dm b/code/game/machinery/doors/door.dm index 135d08deba91..58aad2b3a976 100644 --- a/code/game/machinery/doors/door.dm +++ b/code/game/machinery/doors/door.dm @@ -103,13 +103,13 @@ return FALSE /** - * Called when attempting to remove the seal from an airlock - * - * Here because we need to call it and return if there was a seal so we don't try to open the door - * or try its safety lock while it's sealed - * Arguments: - * * user - the mob attempting to remove the seal - */ + * Called when attempting to remove the seal from an airlock + * + * Here because we need to call it and return if there was a seal so we don't try to open the door + * or try its safety lock while it's sealed + * Arguments: + * * user - the mob attempting to remove the seal + */ /obj/machinery/door/proc/try_remove_seal(mob/user) return diff --git a/code/game/machinery/doors/poddoor.dm b/code/game/machinery/doors/poddoor.dm index 23651409e02e..f014e523edc5 100644 --- a/code/game/machinery/doors/poddoor.dm +++ b/code/game/machinery/doors/poddoor.dm @@ -93,7 +93,7 @@ INVOKE_ASYNC(src, .proc/close) /obj/machinery/door/poddoor/incinerator_toxmix - name = "combustion chamber vent" + name = "Combustion Chamber Vent" id = INCINERATOR_TOXMIX_VENT /obj/machinery/door/poddoor/incinerator_atmos_main @@ -101,7 +101,7 @@ id = INCINERATOR_ATMOS_MAINVENT /obj/machinery/door/poddoor/incinerator_atmos_aux - name = "combustion chamber vent" + name = "Combustion Chamber Vent" id = INCINERATOR_ATMOS_AUXVENT /obj/machinery/door/poddoor/incinerator_syndicatelava_main @@ -109,7 +109,7 @@ id = INCINERATOR_SYNDICATELAVA_MAINVENT /obj/machinery/door/poddoor/incinerator_syndicatelava_aux - name = "combustion chamber vent" + name = "Combustion Chamber Vent" id = INCINERATOR_SYNDICATELAVA_AUXVENT /obj/machinery/door/poddoor/Bumped(atom/movable/AM) @@ -188,7 +188,7 @@ return ..() //Multi-tile poddoors don't turn invisible automatically, so we change the opacity of the turfs below instead one by one. -/obj/machinery/door/poddoor/multi_tile/proc/apply_opacity_to_my_turfs(var/new_opacity) +/obj/machinery/door/poddoor/multi_tile/proc/apply_opacity_to_my_turfs(new_opacity) for(var/turf/T in locs) T.opacity = new_opacity T.directional_opacity = ALL_CARDINALS diff --git a/code/game/machinery/flasher.dm b/code/game/machinery/flasher.dm index aadd21e82e7c..c6a283d5aa1e 100644 --- a/code/game/machinery/flasher.dm +++ b/code/game/machinery/flasher.dm @@ -209,7 +209,7 @@ . = ..() . += "Its channel ID is '[id]'." -/obj/item/wallframe/flasher/after_attach(var/obj/O) +/obj/item/wallframe/flasher/after_attach(obj/O) ..() var/obj/machinery/flasher/F = O F.id = id diff --git a/code/game/machinery/hologram.dm b/code/game/machinery/hologram.dm index 366513b94998..e3e410a029d1 100644 --- a/code/game/machinery/hologram.dm +++ b/code/game/machinery/hologram.dm @@ -329,8 +329,8 @@ Possible to do for anyone motivated enough: outgoing_call.Disconnect(src) /** - * hangup_all_calls: Disconnects all current holocalls from the holopad - */ + * hangup_all_calls: Disconnects all current holocalls from the holopad + */ /obj/machinery/holopad/proc/hangup_all_calls() for(var/I in holo_calls) var/datum/holocall/HC = I @@ -509,9 +509,9 @@ For the other part of the code, check silicon say.dm. Particularly robot talk.*/ return TRUE /**Can we display holos on the turf T - *Area check instead of line of sight check because this is a called a lot if AI wants to move around. - * *Areacheck for things that need to get into other areas, such as emergency holograms - */ + *Area check instead of line of sight check because this is a called a lot if AI wants to move around. + * *Areacheck for things that need to get into other areas, such as emergency holograms + */ /obj/machinery/holopad/proc/validate_location(turf/T, check_los = FALSE, areacheck = TRUE) if(T.virtual_z() == virtual_z() && get_dist(T, src) <= holo_range && (T.loc == get_area(src) || !areacheck) && anchored) return TRUE diff --git a/code/game/machinery/navbeacon.dm b/code/game/machinery/navbeacon.dm index c35654e6077b..39bf5d2efe98 100644 --- a/code/game/machinery/navbeacon.dm +++ b/code/game/machinery/navbeacon.dm @@ -76,7 +76,7 @@ GLOB.deliverybeacontags -= location GLOB.wayfindingbeacons -= src -/obj/machinery/navbeacon/proc/glob_lists_register(var/init=FALSE) +/obj/machinery/navbeacon/proc/glob_lists_register(init=FALSE) if(!init) glob_lists_deregister() if(codes["patrol"]) diff --git a/code/game/machinery/porta_turret/portable_turret.dm b/code/game/machinery/porta_turret/portable_turret.dm index 651bfaec8388..547dee47342a 100644 --- a/code/game/machinery/porta_turret/portable_turret.dm +++ b/code/game/machinery/porta_turret/portable_turret.dm @@ -122,7 +122,7 @@ DEFINE_BITFIELD(turret_flags, list( if(!has_cover) INVOKE_ASYNC(src, .proc/popUp) -/obj/machinery/porta_turret/proc/toggle_on(var/set_to) +/obj/machinery/porta_turret/proc/toggle_on(set_to) var/current = on if (!isnull(set_to)) on = set_to diff --git a/code/game/machinery/shuttle/shuttle_engine.dm b/code/game/machinery/shuttle/shuttle_engine.dm index 5286392a17e6..3a577749768a 100644 --- a/code/game/machinery/shuttle/shuttle_engine.dm +++ b/code/game/machinery/shuttle/shuttle_engine.dm @@ -1,8 +1,8 @@ /** - * ## Engine Thrusters - * The workhorse of any movable ship, these engines (usually) take in some kind fuel and produce thrust to move ships. - * - */ + * ## Engine Thrusters + * The workhorse of any movable ship, these engines (usually) take in some kind fuel and produce thrust to move ships. + * + */ /obj/machinery/power/shuttle/engine name = "shuttle thruster" desc = "A thruster for shuttles." @@ -16,29 +16,29 @@ var/thruster_active = FALSE /** - * Uses up a specified percentage of the fuel cost, and returns the amount of thrust if successful. - * * percentage - The percentage of total thrust that should be used - */ + * Uses up a specified percentage of the fuel cost, and returns the amount of thrust if successful. + * * percentage - The percentage of total thrust that should be used + */ /obj/machinery/power/shuttle/engine/proc/burn_engine(percentage = 100) update_icon_state() return FALSE /** - * Returns how much "Fuel" is left. (For use with engine displays.) - */ + * Returns how much "Fuel" is left. (For use with engine displays.) + */ /obj/machinery/power/shuttle/engine/proc/return_fuel() return /** - * Returns how much "Fuel" can be held. (For use with engine displays.) - */ + * Returns how much "Fuel" can be held. (For use with engine displays.) + */ /obj/machinery/power/shuttle/engine/proc/return_fuel_cap() return /** - * Updates the engine state. - * All functions should return if the parent function returns false. - */ + * Updates the engine state. + * All functions should return if the parent function returns false. + */ /obj/machinery/power/shuttle/engine/proc/update_engine() thruster_active = TRUE if(panel_open) @@ -47,8 +47,8 @@ return TRUE /** - * Updates the engine's icon and engine state. - */ + * Updates the engine's icon and engine state. + */ /obj/machinery/power/shuttle/engine/update_icon_state() update_engine() //Calls this so it sets the accurate icon if(panel_open) diff --git a/code/game/machinery/shuttle/shuttle_engine_types.dm b/code/game/machinery/shuttle/shuttle_engine_types.dm index 76d6b7a32622..6b72df941750 100644 --- a/code/game/machinery/shuttle/shuttle_engine_types.dm +++ b/code/game/machinery/shuttle/shuttle_engine_types.dm @@ -2,9 +2,9 @@ #define ENGINE_HEATING_POWER 5000000 /** - * ### Fueled engines - * Shuttle engines that require a gas or gases to burn. - */ + * ### Fueled engines + * Shuttle engines that require a gas or gases to burn. + */ /obj/machinery/power/shuttle/engine/fueled name = "fueled thruster" desc = "A thruster that burns a specific gas that is stored in an adjacent heater." @@ -102,9 +102,9 @@ //All fuel code already handled /** - * ### Ion Engines - * Engines that convert electricity to thrust. Yes, I know that's not how it works, it needs a propellant, but this is a video game. - */ + * ### Ion Engines + * Engines that convert electricity to thrust. Yes, I know that's not how it works, it needs a propellant, but this is a video game. + */ /obj/machinery/power/shuttle/engine/electric name = "ion thruster" desc = "A thruster that expels charged particles to generate thrust." @@ -166,9 +166,9 @@ return power_per_burn /** - * ### Liquid Fuel Engines - * Turns a specific reagent or reagents into thrust. - */ + * ### Liquid Fuel Engines + * Turns a specific reagent or reagents into thrust. + */ /obj/machinery/power/shuttle/engine/liquid name = "liquid thruster" desc = "A thruster that burns reagents stored in the engine for fuel." @@ -220,9 +220,9 @@ circuit = /obj/item/circuitboard/machine/shuttle/engine/oil /** - * ### Void Engines - * These engines are literally magic. Adminspawn only. - */ + * ### Void Engines + * These engines are literally magic. Adminspawn only. + */ /obj/machinery/power/shuttle/engine/void name = "void thruster" desc = "A thruster using technology to breach voidspace for propulsion." diff --git a/code/game/machinery/shuttle/shuttle_heater.dm b/code/game/machinery/shuttle/shuttle_heater.dm index b2fc783aab22..be9ad55eb5d8 100644 --- a/code/game/machinery/shuttle/shuttle_heater.dm +++ b/code/game/machinery/shuttle/shuttle_heater.dm @@ -118,10 +118,10 @@ return air_contents.get_moles(gas_type) >= required /** - * Burns a specific amount of one type of gas. Returns how much was actually used. - * * amount - The amount of mols of fuel to burn. - * * gas_type - The gas type to burn. - */ + * Burns a specific amount of one type of gas. Returns how much was actually used. + * * amount - The amount of mols of fuel to burn. + * * gas_type - The gas type to burn. + */ /obj/machinery/atmospherics/components/unary/shuttle/heater/proc/consume_fuel(amount, datum/gas/gas_type) var/datum/gas_mixture/air_contents = use_tank ? fuel_tank?.air_contents : airs[1] if(!air_contents) diff --git a/code/game/machinery/suit_storage_unit.dm b/code/game/machinery/suit_storage_unit.dm index d8575c56be72..7e9522db464c 100644 --- a/code/game/machinery/suit_storage_unit.dm +++ b/code/game/machinery/suit_storage_unit.dm @@ -383,12 +383,12 @@ add_fingerprint(user) /** - * UV decontamination sequence. - * Duration is determined by the uv_cycles var. - * Effects determined by the uv_super var. - * * If FALSE, all atoms (and their contents) contained are cleared of radiation. If a mob is inside, they are burned every cycle. - * * If TRUE, all items contained are destroyed, and burn damage applied to the mob is increased. All wires will be cut at the end. - * All atoms still inside at the end of all cycles are ejected from the unit. + * UV decontamination sequence. + * Duration is determined by the uv_cycles var. + * Effects determined by the uv_super var. + * * If FALSE, all atoms (and their contents) contained are cleared of radiation. If a mob is inside, they are burned every cycle. + * * If TRUE, all items contained are destroyed, and burn damage applied to the mob is increased. All wires will be cut at the end. + * All atoms still inside at the end of all cycles are ejected from the unit. */ /obj/machinery/suit_storage_unit/proc/cook() var/mob/living/mob_occupant = occupant diff --git a/code/game/machinery/teambuilder.dm b/code/game/machinery/teambuilder.dm index 8daf750de4e5..66a384036c35 100644 --- a/code/game/machinery/teambuilder.dm +++ b/code/game/machinery/teambuilder.dm @@ -1,6 +1,6 @@ /** - * Simple admin tool that enables players to be assigned to a VERY SHITTY, very visually distinct team, quickly and affordably. - */ + * Simple admin tool that enables players to be assigned to a VERY SHITTY, very visually distinct team, quickly and affordably. + */ /obj/machinery/teambuilder name = "Teambuilding Machine" desc = "A machine that, when passed, colors you based on the color of your team. Lead free!" diff --git a/code/game/mecha/combat/durand.dm b/code/game/mecha/combat/durand.dm index 99f803076915..33f09b11f021 100644 --- a/code/game/mecha/combat/durand.dm +++ b/code/game/mecha/combat/durand.dm @@ -46,7 +46,7 @@ shield.forceMove(loc) shield.setDir(dir) -/obj/mecha/combat/durand/forceMove(var/turf/T) +/obj/mecha/combat/durand/forceMove(turf/T) . = ..() shield.forceMove(T) @@ -75,7 +75,7 @@ /**Checks if defense mode is enabled, and if the attacker is standing in an area covered by the shield. Expects a turf. Returns true if the attack should be blocked, false if not.*/ -/obj/mecha/combat/durand/proc/defense_check(var/turf/aloc) +/obj/mecha/combat/durand/proc/defense_check(turf/aloc) if (!defense_mode || !shield || shield.switching) return FALSE . = FALSE diff --git a/code/game/mecha/equipment/tools/other_tools.dm b/code/game/mecha/equipment/tools/other_tools.dm index 4d2c5abe371e..2beaf9129ff6 100644 --- a/code/game/mecha/equipment/tools/other_tools.dm +++ b/code/game/mecha/equipment/tools/other_tools.dm @@ -301,7 +301,7 @@ return 1000 //making magic -/obj/item/mecha_parts/mecha_equipment/tesla_energy_relay/proc/GET_MUTATION_POWER_channel(var/area/A) +/obj/item/mecha_parts/mecha_equipment/tesla_energy_relay/proc/GET_MUTATION_POWER_channel(area/A) var/pow_chan if(A) for(var/c in use_channels) @@ -408,7 +408,7 @@ if(result) send_byjax(chassis.occupant,"exosuit.browser","[REF(src)]",src.get_equip_info()) -/obj/item/mecha_parts/mecha_equipment/generator/proc/load_fuel(var/obj/item/stack/sheet/sheet_being_inserted) +/obj/item/mecha_parts/mecha_equipment/generator/proc/load_fuel(obj/item/stack/sheet/sheet_being_inserted) if((istype(sheet_being_inserted, fuel)) && sheet_being_inserted.amount > 0) var/to_load = max(max_fuel - fuel.amount*MINERAL_MATERIAL_AMOUNT,0) if(to_load) @@ -529,13 +529,13 @@ /obj/item/mecha_parts/mecha_equipment/thrusters/get_equip_info() return "[..()] \[Enable|Disable\]" -/obj/item/mecha_parts/mecha_equipment/thrusters/proc/thrust(var/movement_dir) +/obj/item/mecha_parts/mecha_equipment/thrusters/proc/thrust(movement_dir) if(!chassis) return FALSE generate_effect(movement_dir) return TRUE //This parent should never exist in-game outside admeme use, so why not let it be a creative thruster? -/obj/item/mecha_parts/mecha_equipment/thrusters/proc/generate_effect(var/movement_dir) +/obj/item/mecha_parts/mecha_equipment/thrusters/proc/generate_effect(movement_dir) var/obj/effect/particle_effect/E = new effect_type(get_turf(chassis)) E.dir = turn(movement_dir, 180) step(E, turn(movement_dir, 180)) @@ -554,7 +554,7 @@ return FALSE . = ..() -/obj/item/mecha_parts/mecha_equipment/thrusters/gas/thrust(var/movement_dir) +/obj/item/mecha_parts/mecha_equipment/thrusters/gas/thrust(movement_dir) if(!chassis || !chassis.internal_tank) return FALSE var/moles = chassis.internal_tank.air_contents.total_moles() @@ -574,7 +574,7 @@ salvageable = FALSE effect_type = /obj/effect/particle_effect/ion_trails -/obj/item/mecha_parts/mecha_equipment/thrusters/ion/thrust(var/movement_dir) +/obj/item/mecha_parts/mecha_equipment/thrusters/ion/thrust(movement_dir) if(!chassis) return FALSE if(chassis.use_power(chassis.step_energy_drain)) diff --git a/code/game/mecha/equipment/tools/work_tools.dm b/code/game/mecha/equipment/tools/work_tools.dm index 2ba91419d003..ec7aa6212fe5 100644 --- a/code/game/mecha/equipment/tools/work_tools.dm +++ b/code/game/mecha/equipment/tools/work_tools.dm @@ -332,7 +332,7 @@ -/obj/item/mecha_parts/mecha_equipment/rcd/do_after_cooldown(var/atom/target) +/obj/item/mecha_parts/mecha_equipment/rcd/do_after_cooldown(atom/target) . = ..() /obj/item/mecha_parts/mecha_equipment/rcd/Topic(href,href_list) @@ -389,7 +389,7 @@ chassis.events.clearEvent("onMove",event) return ..() -/obj/item/mecha_parts/mecha_equipment/cable_layer/action(var/obj/item/stack/cable_coil/target) +/obj/item/mecha_parts/mecha_equipment/cable_layer/action(obj/item/stack/cable_coil/target) if(!action_checks(target)) return if(istype(target) && target.amount) @@ -449,7 +449,7 @@ /obj/item/mecha_parts/mecha_equipment/cable_layer/proc/reset() last_piece = null -/obj/item/mecha_parts/mecha_equipment/cable_layer/proc/dismantleFloor(var/turf/new_turf) +/obj/item/mecha_parts/mecha_equipment/cable_layer/proc/dismantleFloor(turf/new_turf) if(isfloorturf(new_turf)) var/turf/open/floor/T = new_turf if(!isplatingturf(T)) @@ -458,7 +458,7 @@ T.make_plating() return !new_turf.intact -/obj/item/mecha_parts/mecha_equipment/cable_layer/proc/layCable(var/turf/new_turf) +/obj/item/mecha_parts/mecha_equipment/cable_layer/proc/layCable(turf/new_turf) if(equip_ready || !istype(new_turf) || !dismantleFloor(new_turf)) return reset() var/fdirn = turn(chassis.dir,180) diff --git a/code/game/mecha/equipment/weapons/weapons.dm b/code/game/mecha/equipment/weapons/weapons.dm index 21ceba1f8a94..cfd09dc09830 100644 --- a/code/game/mecha/equipment/weapons/weapons.dm +++ b/code/game/mecha/equipment/weapons/weapons.dm @@ -398,7 +398,7 @@ return 1 //used for projectile initilisation (priming flashbang) and additional logging -/obj/item/mecha_parts/mecha_equipment/weapon/ballistic/launcher/proc/proj_init(var/obj/O) +/obj/item/mecha_parts/mecha_equipment/weapon/ballistic/launcher/proc/proj_init(obj/O) return @@ -416,7 +416,7 @@ var/det_time = 20 ammo_type = "flashbang" -/obj/item/mecha_parts/mecha_equipment/weapon/ballistic/launcher/flashbang/proj_init(var/obj/item/grenade/flashbang/F) +/obj/item/mecha_parts/mecha_equipment/weapon/ballistic/launcher/flashbang/proj_init(obj/item/grenade/flashbang/F) var/turf/T = get_turf(src) message_admins("[ADMIN_LOOKUPFLW(chassis.occupant)] fired a [src] in [ADMIN_VERBOSEJMP(T)]") log_game("[key_name(chassis.occupant)] fired a [src] in [AREACOORD(T)]") @@ -467,7 +467,7 @@ return 1 return 0 -/obj/item/mecha_parts/mecha_equipment/weapon/ballistic/launcher/mousetrap_mortar/proj_init(var/obj/item/assembly/mousetrap/armed/M) +/obj/item/mecha_parts/mecha_equipment/weapon/ballistic/launcher/mousetrap_mortar/proj_init(obj/item/assembly/mousetrap/armed/M) M.secured = 1 diff --git a/code/game/mecha/mech_fabricator.dm b/code/game/mecha/mech_fabricator.dm index a8a0d4b867b4..155a06bad0bb 100644 --- a/code/game/mecha/mech_fabricator.dm +++ b/code/game/mecha/mech_fabricator.dm @@ -288,7 +288,7 @@ updateUsrDialog() return -/obj/machinery/mecha_part_fabricator/proc/get_resource_cost_w_coeff(datum/design/D, var/datum/material/resource, roundto = 1) +/obj/machinery/mecha_part_fabricator/proc/get_resource_cost_w_coeff(datum/design/D, datum/material/resource, roundto = 1) return round(D.materials[resource]*component_coeff, roundto) /obj/machinery/mecha_part_fabricator/proc/get_construction_time_w_coeff(datum/design/D, roundto = 1) //aran diff --git a/code/game/mecha/mecha.dm b/code/game/mecha/mecha.dm index 6350b2d5a35d..d32f882b6fcb 100644 --- a/code/game/mecha/mecha.dm +++ b/code/game/mecha/mecha.dm @@ -232,7 +232,7 @@ return internal_tank ///Adds a cell, for use in Map-spawned mechs, Nuke Ops mechs, and admin-spawned mechs. Mechs built by hand will replace this. -/obj/mecha/proc/add_cell(var/obj/item/stock_parts/cell/C=null) +/obj/mecha/proc/add_cell(obj/item/stock_parts/cell/C=null) QDEL_NULL(cell) if(C) C.forceMove(src) @@ -241,7 +241,7 @@ cell = new /obj/item/stock_parts/cell/high/plus(src) ///Adds a scanning module, for use in Map-spawned mechs, Nuke Ops mechs, and admin-spawned mechs. Mechs built by hand will replace this. -/obj/mecha/proc/add_scanmod(var/obj/item/stock_parts/scanning_module/sm=null) +/obj/mecha/proc/add_scanmod(obj/item/stock_parts/scanning_module/sm=null) QDEL_NULL(scanmod) if(sm) sm.forceMove(src) @@ -250,7 +250,7 @@ scanmod = new /obj/item/stock_parts/scanning_module(src) ///Adds a capacitor, for use in Map-spawned mechs, Nuke Ops mechs, and admin-spawned mechs. Mechs built by hand will replace this. -/obj/mecha/proc/add_capacitor(var/obj/item/stock_parts/capacitor/cap=null) +/obj/mecha/proc/add_capacitor(obj/item/stock_parts/capacitor/cap=null) QDEL_NULL(capacitor) if(cap) cap.forceMove(src) @@ -529,7 +529,7 @@ occupant_message("Air port connection has been severed!") log_message("Lost connection to gas port.", LOG_MECHA) -/obj/mecha/Process_Spacemove(var/movement_dir = 0) +/obj/mecha/Process_Spacemove(movement_dir = 0) . = ..() if(.) return TRUE @@ -630,7 +630,7 @@ play_stepsound() step_silent = FALSE -/obj/mecha/Bump(var/atom/obstacle) +/obj/mecha/Bump(atom/obstacle) if(phasing && get_charge() >= phasing_energy_drain && !throwing) if(!can_move) return @@ -739,7 +739,7 @@ if(!..()) return - //Transfer from core or card to mech. Proc is called by mech. +//Transfer from core or card to mech. Proc is called by mech. switch(interaction) if(AI_TRANS_TO_CARD) //Upload AI from mech to AI card. if(!construction_state) //Mech must be in maint mode to allow carding. @@ -1155,7 +1155,7 @@ GLOBAL_VAR_INIT(year_integer, text2num(year)) // = 2013??? ////// Ammo stuff ///// /////////////////////// -/obj/mecha/proc/ammo_resupply(var/obj/item/mecha_ammo/A, mob/user,var/fail_chat_override = FALSE) +/obj/mecha/proc/ammo_resupply(obj/item/mecha_ammo/A, mob/user,fail_chat_override = FALSE) if(!A.rounds) if(!fail_chat_override) to_chat(user, "This box of ammo is empty!") diff --git a/code/game/mecha/mecha_control_console.dm b/code/game/mecha/mecha_control_console.dm index b100bfb70a5c..3aac1d0468ae 100644 --- a/code/game/mecha/mecha_control_console.dm +++ b/code/game/mecha/mecha_control_console.dm @@ -86,8 +86,8 @@ var/obj/mecha/chassis /** - * Returns a html formatted string describing attached mech status - */ + * Returns a html formatted string describing attached mech status + */ /obj/item/mecha_parts/mecha_tracking/proc/get_mecha_info() if(!chassis) return FALSE @@ -126,8 +126,8 @@ chassis = M /** - * Attempts to EMP mech that the tracker is attached to, if there is one and tracker is not on cooldown - */ + * Attempts to EMP mech that the tracker is attached to, if there is one and tracker is not on cooldown + */ /obj/item/mecha_parts/mecha_tracking/proc/shock() if(recharging) return @@ -137,8 +137,8 @@ recharging = TRUE /** - * Resets recharge variable, allowing tracker to be EMP pulsed again - */ + * Resets recharge variable, allowing tracker to be EMP pulsed again + */ /obj/item/mecha_parts/mecha_tracking/proc/recharge() recharging = FALSE diff --git a/code/game/mecha/mecha_wreckage.dm b/code/game/mecha/mecha_wreckage.dm index 3f02c1f9896a..f35c02ed3420 100644 --- a/code/game/mecha/mecha_wreckage.dm +++ b/code/game/mecha/mecha_wreckage.dm @@ -93,7 +93,7 @@ if(!..()) return - //Proc called on the wreck by the AI card. +//Proc called on the wreck by the AI card. if(interaction != AI_TRANS_TO_CARD) //AIs can only be transferred in one direction, from the wreck to the card. return if(!AI) //No AI in the wreck diff --git a/code/game/objects/buckling.dm b/code/game/objects/buckling.dm index e6dece9d9c78..a9dd13e286aa 100644 --- a/code/game/objects/buckling.dm +++ b/code/game/objects/buckling.dm @@ -128,14 +128,14 @@ /atom/movable/proc/post_unbuckle_mob(mob/living/M) /** - * Simple helper proc that runs a suite of checks to test whether it is possible or not to buckle the target mob to src. - * - * Returns FALSE if any conditions that should prevent buckling are satisfied. Returns TRUE otherwise. - * Arguments: - * * target - Target mob to check against buckling to src. - * * force - Whether or not the buckle should be forced. If TRUE, ignores src's can_buckle var. - * * check_loc - Whether to do a proximity check or not. The proximity check looks for target.loc == src.loc. - */ + * Simple helper proc that runs a suite of checks to test whether it is possible or not to buckle the target mob to src. + * + * Returns FALSE if any conditions that should prevent buckling are satisfied. Returns TRUE otherwise. + * Arguments: + * * target - Target mob to check against buckling to src. + * * force - Whether or not the buckle should be forced. If TRUE, ignores src's can_buckle var. + * * check_loc - Whether to do a proximity check or not. The proximity check looks for target.loc == src.loc. + */ /atom/movable/proc/is_buckle_possible(mob/living/target, force = FALSE, check_loc = TRUE) // Make sure target is mob/living if(!istype(target)) @@ -168,14 +168,14 @@ return TRUE /** - * Simple helper proc that runs a suite of checks to test whether it is possible or not for user to buckle target mob to src. - * - * Returns FALSE if any conditions that should prevent buckling are satisfied. Returns TRUE otherwise. - * Arguments: - * * target - Target mob to check against buckling to src. - * * user - The mob who is attempting to buckle the target to src. - * * check_loc - Whether to do a proximity check or not when calling is_buckle_possible(). - */ + * Simple helper proc that runs a suite of checks to test whether it is possible or not for user to buckle target mob to src. + * + * Returns FALSE if any conditions that should prevent buckling are satisfied. Returns TRUE otherwise. + * Arguments: + * * target - Target mob to check against buckling to src. + * * user - The mob who is attempting to buckle the target to src. + * * check_loc - Whether to do a proximity check or not when calling is_buckle_possible(). + */ /atom/movable/proc/is_user_buckle_possible(mob/living/target, mob/user, check_loc = TRUE) // Standard adjacency and other checks. if(!Adjacent(user) || !Adjacent(target) || !isturf(user.loc) || user.incapacitated() || target.anchored) diff --git a/code/game/objects/effects/contraband.dm b/code/game/objects/effects/contraband.dm index 3718b108e44b..e2686a120344 100644 --- a/code/game/objects/effects/contraband.dm +++ b/code/game/objects/effects/contraband.dm @@ -213,7 +213,7 @@ /obj/structure/sign/poster/contraband/fun_police name = "Fun Police" - desc = "A poster condemning Nanotransen's infamous corporate security forces." + desc = "A poster condemning Nanotrasen's infamous corporate security forces." icon_state = "poster3" /obj/structure/sign/poster/contraband/lusty_xenomorph diff --git a/code/game/objects/effects/effect_system/effects_water.dm b/code/game/objects/effects/effect_system/effects_water.dm index 44d9c485544b..6e00b336d240 100644 --- a/code/game/objects/effects/effect_system/effects_water.dm +++ b/code/game/objects/effects/effect_system/effects_water.dm @@ -34,11 +34,11 @@ // will always spawn at the items location, even if it's moved. /* Example: - var/datum/effect_system/steam_spread/steam = new /datum/effect_system/steam_spread() -- creates new system -steam.set_up(5, 0, mob.loc) -- sets up variables -OPTIONAL: steam.attach(mob) -steam.start() -- spawns the effect -*/ + * var/datum/effect_system/steam_spread/steam = new /datum/effect_system/steam_spread() -- creates new system + * steam.set_up(5, 0, mob.loc) -- sets up variables + * OPTIONAL: steam.attach(mob) + * steam.start() -- spawns the effect + */ ///////////////////////////////////////////// /obj/effect/particle_effect/steam name = "steam" diff --git a/code/game/objects/items.dm b/code/game/objects/items.dm index ad86580f8810..cff5e63cdf91 100644 --- a/code/game/objects/items.dm +++ b/code/game/objects/items.dm @@ -250,11 +250,11 @@ GLOBAL_VAR_INIT(embedpocalypse, FALSE) // if true, all items will be able to emb AddComponent(/datum/component/butchering, 80 * toolspeed) /**Makes cool stuff happen when you suicide with an item - * - *Outputs a creative message and then return the damagetype done - * Arguments: - * * user: The mob that is suiciding - */ + * + *Outputs a creative message and then return the damagetype done + * Arguments: + * * user: The mob that is suiciding + */ /obj/item/proc/suicide_act(mob/user) return @@ -498,13 +498,13 @@ GLOBAL_VAR_INIT(embedpocalypse, FALSE) // if true, all items will be able to emb return /** - *called after an item is placed in an equipment slot + *called after an item is placed in an equipment slot - * Arguments: - * * user is mob that equipped it - * * slot uses the slot_X defines found in setup.dm for items that can be placed in multiple slots - * * Initial is used to indicate whether or not this is the initial equipment (job datums etc) or just a player doing it - */ + * Arguments: + * * user is mob that equipped it + * * slot uses the slot_X defines found in setup.dm for items that can be placed in multiple slots + * * Initial is used to indicate whether or not this is the initial equipment (job datums etc) or just a player doing it + */ /obj/item/proc/equipped(mob/user, slot, initial = FALSE) SHOULD_CALL_PARENT(1) visual_equipped(user, slot, initial) @@ -528,15 +528,15 @@ GLOBAL_VAR_INIT(embedpocalypse, FALSE) // if true, all items will be able to emb return TRUE /** - *the mob M is attempting to equip this item into the slot passed through as 'slot'. Return 1 if it can do this and 0 if it can't. - *if this is being done by a mob other than M, it will include the mob equipper, who is trying to equip the item to mob M. equipper will be null otherwise. - *If you are making custom procs but would like to retain partial or complete functionality of this one, include a 'return ..()' to where you want this to happen. - * Arguments: - * * disable_warning to TRUE if you wish it to not give you text outputs. - * * slot is the slot we are trying to equip to - * * equipper is the mob trying to equip the item - * * bypass_equip_delay_self for whether we want to bypass the equip delay - */ + *the mob M is attempting to equip this item into the slot passed through as 'slot'. Return 1 if it can do this and 0 if it can't. + *if this is being done by a mob other than M, it will include the mob equipper, who is trying to equip the item to mob M. equipper will be null otherwise. + *If you are making custom procs but would like to retain partial or complete functionality of this one, include a 'return ..()' to where you want this to happen. + * Arguments: + * * disable_warning to TRUE if you wish it to not give you text outputs. + * * slot is the slot we are trying to equip to + * * equipper is the mob trying to equip the item + * * bypass_equip_delay_self for whether we want to bypass the equip delay + */ /obj/item/proc/mob_can_equip(mob/living/M, mob/living/equipper, slot, disable_warning = FALSE, bypass_equip_delay_self = FALSE, swap = FALSE) if(!M) return FALSE @@ -560,15 +560,15 @@ GLOBAL_VAR_INIT(embedpocalypse, FALSE) // if true, all items will be able to emb usr.UnarmedAttack(src) /** - *This proc is executed when someone clicks the on-screen UI button. - *The default action is attack_self(). - *Checks before we get to here are: mob is alive, mob is not restrained, stunned, asleep, resting, laying, item is on the mob. - */ + *This proc is executed when someone clicks the on-screen UI button. + *The default action is attack_self(). + *Checks before we get to here are: mob is alive, mob is not restrained, stunned, asleep, resting, laying, item is on the mob. + */ /obj/item/proc/ui_action_click(mob/user, actiontype) attack_self(user) ///This proc determines if and at what an object will reflect energy projectiles if it's in l_hand,r_hand or wear_suit -/obj/item/proc/IsReflect(var/def_zone) +/obj/item/proc/IsReflect(def_zone) return FALSE /obj/item/proc/eyestab(mob/living/carbon/M, mob/living/carbon/user) @@ -1020,14 +1020,14 @@ GLOBAL_VAR_INIT(embedpocalypse, FALSE) // if true, all items will be able to emb return src /** - * tryEmbed() is for when you want to try embedding something without dealing with the damage + hit messages of calling hitby() on the item while targetting the target. - * - * Really, this is used mostly with projectiles with shrapnel payloads, from [/datum/element/embed/proc/checkEmbedProjectile], and called on said shrapnel. Mostly acts as an intermediate between different embed elements. - * - * Arguments: - * * target- Either a body part, a carbon, or a closed turf. What are we hitting? - * * forced- Do we want this to go through 100%? - */ + * tryEmbed() is for when you want to try embedding something without dealing with the damage + hit messages of calling hitby() on the item while targetting the target. + * + * Really, this is used mostly with projectiles with shrapnel payloads, from [/datum/element/embed/proc/checkEmbedProjectile], and called on said shrapnel. Mostly acts as an intermediate between different embed elements. + * + * Arguments: + * * target- Either a body part, a carbon, or a closed turf. What are we hitting? + * * forced- Do we want this to go through 100%? + */ /obj/item/proc/tryEmbed(atom/target, forced=FALSE, silent=FALSE) if(!isbodypart(target) && !iscarbon(target) && !isclosedturf(target)) return diff --git a/code/game/objects/items/AI_modules.dm b/code/game/objects/items/AI_modules.dm index aa70a8781a5d..7fee84da562f 100644 --- a/code/game/objects/items/AI_modules.dm +++ b/code/game/objects/items/AI_modules.dm @@ -24,16 +24,16 @@ AI MODULES var/bypass_law_amt_check = 0 custom_materials = list(/datum/material/gold = 50) -/obj/item/aiModule/examine(var/mob/user as mob) +/obj/item/aiModule/examine(mob/user as mob) . = ..() if(Adjacent(user)) show_laws(user) -/obj/item/aiModule/attack_self(var/mob/user as mob) +/obj/item/aiModule/attack_self(mob/user as mob) ..() show_laws(user) -/obj/item/aiModule/proc/show_laws(var/mob/user as mob) +/obj/item/aiModule/proc/show_laws(mob/user as mob) if(laws.len) to_chat(user, "Programmed Law[(laws.len > 1) ? "s" : ""]:") for(var/law in laws) @@ -364,7 +364,7 @@ AI MODULES law_id = "asimov" var/subject = "human being" -/obj/item/aiModule/core/full/asimov/attack_self(var/mob/user as mob) +/obj/item/aiModule/core/full/asimov/attack_self(mob/user as mob) var/targName = stripped_input(user, "Please enter a new subject that asimov is concerned with.", "Asimov to whom?", subject, MAX_NAME_LEN) if(!targName) return diff --git a/code/game/objects/items/RCD.dm b/code/game/objects/items/RCD.dm index 28ec4f2bdb8f..493fd78e69cd 100644 --- a/code/game/objects/items/RCD.dm +++ b/code/game/objects/items/RCD.dm @@ -698,7 +698,7 @@ RLD to_chat(user, "You change RLD's mode to 'Deconstruct'.") -/obj/item/construction/rld/proc/checkdupes(var/target) +/obj/item/construction/rld/proc/checkdupes(target) . = list() var/turf/checking = get_turf(target) for(var/obj/machinery/light/dupe in checking) diff --git a/code/game/objects/items/apc_frame.dm b/code/game/objects/items/apc_frame.dm index 7d98d2271694..d47be80b8fae 100644 --- a/code/game/objects/items/apc_frame.dm +++ b/code/game/objects/items/apc_frame.dm @@ -55,7 +55,7 @@ qdel(src) -/obj/item/wallframe/proc/after_attach(var/obj/O) +/obj/item/wallframe/proc/after_attach(obj/O) transfer_fingerprints_to(O) /obj/item/wallframe/attackby(obj/item/W, mob/user, params) diff --git a/code/game/objects/items/body_egg.dm b/code/game/objects/items/body_egg.dm index 4be111b5aadc..cc4fd287c8b7 100644 --- a/code/game/objects/items/body_egg.dm +++ b/code/game/objects/items/body_egg.dm @@ -14,14 +14,14 @@ if(iscarbon(loc)) Insert(loc) -/obj/item/organ/body_egg/Insert(var/mob/living/carbon/M, special = 0) +/obj/item/organ/body_egg/Insert(mob/living/carbon/M, special = 0) ..() ADD_TRAIT(owner, TRAIT_XENO_HOST, TRAIT_GENERIC) ADD_TRAIT(owner, TRAIT_XENO_IMMUNE, "xeno immune") owner.med_hud_set_status() INVOKE_ASYNC(src, .proc/AddInfectionImages, owner) -/obj/item/organ/body_egg/Remove(var/mob/living/carbon/M, special = 0) +/obj/item/organ/body_egg/Remove(mob/living/carbon/M, special = 0) if(owner) REMOVE_TRAIT(owner, TRAIT_XENO_HOST, TRAIT_GENERIC) REMOVE_TRAIT(owner, TRAIT_XENO_IMMUNE, "xeno immune") diff --git a/code/game/objects/items/cardboard_cutouts.dm b/code/game/objects/items/cardboard_cutouts.dm index 6c7a28e62e07..8a84ae2b3a35 100644 --- a/code/game/objects/items/cardboard_cutouts.dm +++ b/code/game/objects/items/cardboard_cutouts.dm @@ -94,12 +94,12 @@ return BULLET_ACT_HIT /** - * change_appearance: Changes a skin of the cardboard cutout based on a user's choice - * - * Arguments: - * * crayon The crayon used to change and recolor the cardboard cutout - * * user The mob choosing a skin of the cardboard cutout - */ + * change_appearance: Changes a skin of the cardboard cutout based on a user's choice + * + * Arguments: + * * crayon The crayon used to change and recolor the cardboard cutout + * * user The mob choosing a skin of the cardboard cutout + */ /obj/item/cardboard_cutout/proc/change_appearance(obj/item/toy/crayon/crayon, mob/living/user) var/new_appearance = show_radial_menu(user, src, possible_appearances, custom_check = CALLBACK(src, .proc/check_menu, user, crayon), radius = 36, require_near = TRUE) if(!new_appearance) @@ -201,12 +201,12 @@ return TRUE /** - * check_menu: Checks if we are allowed to interact with a radial menu - * - * Arguments: - * * user The mob interacting with a menu - * * crayon The crayon used to interact with a menu - */ + * check_menu: Checks if we are allowed to interact with a radial menu + * + * Arguments: + * * user The mob interacting with a menu + * * crayon The crayon used to interact with a menu + */ /obj/item/cardboard_cutout/proc/check_menu(mob/living/user, obj/item/toy/crayon/crayon) if(!istype(user)) return FALSE diff --git a/code/game/objects/items/cards_ids.dm b/code/game/objects/items/cards_ids.dm index d019883dd2ee..1d5f94ba9384 100644 --- a/code/game/objects/items/cards_ids.dm +++ b/code/game/objects/items/cards_ids.dm @@ -405,17 +405,17 @@ return ..() // Adds the referenced ship directly to the card -/obj/item/card/id/proc/add_ship_access( var/datum/overmap/ship/controlled/ship ) +/obj/item/card/id/proc/add_ship_access(datum/overmap/ship/controlled/ship ) if ( ship ) ship_access += ship // Removes the referenced ship from the card -/obj/item/card/id/proc/remove_ship_access( var/datum/overmap/ship/controlled/ship ) +/obj/item/card/id/proc/remove_ship_access(datum/overmap/ship/controlled/ship ) if ( ship ) ship_access -= ship // Finds the referenced ship in the list -/obj/item/card/id/proc/has_ship_access( var/datum/overmap/ship/controlled/ship ) +/obj/item/card/id/proc/has_ship_access(datum/overmap/ship/controlled/ship ) if ( ship ) return ship_access.Find( ship ) @@ -644,7 +644,7 @@ update_label() access = get_all_centcom_access() . = ..() -/obj/item/card/id/centcom/has_ship_access( var/datum/overmap/ship/controlled/ship ) +/obj/item/card/id/centcom/has_ship_access(datum/overmap/ship/controlled/ship ) return TRUE /obj/item/card/id/ert diff --git a/code/game/objects/items/decal_painter.dm b/code/game/objects/items/decal_painter.dm index a11da653e10b..4dace1b5a302 100644 --- a/code/game/objects/items/decal_painter.dm +++ b/code/game/objects/items/decal_painter.dm @@ -22,7 +22,7 @@ "kafel_full", "steel_monofloor", "monotile", "grid", "ridged" ) -/obj/item/floor_painter/afterattack(var/atom/A, var/mob/user, proximity, params) +/obj/item/floor_painter/afterattack(atom/A, mob/user, proximity, params) if(!proximity) return @@ -36,7 +36,7 @@ F.dir = floor_dir playsound(src.loc, 'sound/effects/spray2.ogg', 50, TRUE) -/obj/item/floor_painter/attack_self(var/mob/user) +/obj/item/floor_painter/attack_self(mob/user) if(!user) return FALSE user.set_machine(src) @@ -190,7 +190,7 @@ "trimline_arrow_cw_fill","trimline_arrow_ccw_fill","trimline_warn","trimline_warn_fill" ) -/obj/item/decal_painter/afterattack(var/atom/A, var/mob/user, proximity, params) +/obj/item/decal_painter/afterattack(atom/A, mob/user, proximity, params) if(!proximity) return @@ -204,7 +204,7 @@ F.AddComponent(/datum/component/decal, 'whitesands/icons/turf/decals.dmi', decal_state, decal_dir, CLEAN_TYPE_PAINT, decal_color, null, null, alpha) playsound(src.loc, 'sound/effects/spray2.ogg', 50, TRUE) -/obj/item/decal_painter/attack_self(var/mob/user) +/obj/item/decal_painter/attack_self(mob/user) if(!user) return FALSE user.set_machine(src) diff --git a/code/game/objects/items/defib.dm b/code/game/objects/items/defib.dm index ced090216837..43c9c0d1941a 100644 --- a/code/game/objects/items/defib.dm +++ b/code/game/objects/items/defib.dm @@ -354,7 +354,7 @@ visible_message("[src] snap back into [defib].") snap_back() -/obj/item/shockpaddles/proc/recharge(var/time) +/obj/item/shockpaddles/proc/recharge(time) if(req_defib || !time) return cooldown = TRUE diff --git a/code/game/objects/items/devices/camera_bug.dm b/code/game/objects/items/devices/camera_bug.dm index 10aa30fc30e2..2080cab43fce 100644 --- a/code/game/objects/items/devices/camera_bug.dm +++ b/code/game/objects/items/devices/camera_bug.dm @@ -298,7 +298,7 @@ break src.updateSelfDialog() -/obj/item/camera_bug/proc/same_z_level(var/obj/machinery/camera/C) +/obj/item/camera_bug/proc/same_z_level(obj/machinery/camera/C) var/turf/T_cam = get_turf(C) var/turf/T_bug = get_turf(loc) if(!T_bug || T_cam.virtual_z() != T_bug.virtual_z()) diff --git a/code/game/objects/items/devices/lightreplacer.dm b/code/game/objects/items/devices/lightreplacer.dm index bc4889281883..ff92f7564b07 100644 --- a/code/game/objects/items/devices/lightreplacer.dm +++ b/code/game/objects/items/devices/lightreplacer.dm @@ -178,7 +178,7 @@ playsound(src.loc, 'sound/machines/ding.ogg', 50, TRUE) return new_bulbs -/obj/item/lightreplacer/proc/Charge(var/mob/user) +/obj/item/lightreplacer/proc/Charge(mob/user) charge += 1 if(charge > 3) AddUses(1) diff --git a/code/game/objects/items/devices/portable_chem_mixer.dm b/code/game/objects/items/devices/portable_chem_mixer.dm index 2e5f60655d20..3999e67c1952 100644 --- a/code/game/objects/items/devices/portable_chem_mixer.dm +++ b/code/game/objects/items/devices/portable_chem_mixer.dm @@ -63,10 +63,10 @@ return ..() /** - * Updates the contents of the portable chemical mixer - * - * A list of dispensable reagents is created by iterating through each source beaker in the portable chemical beaker and reading its contents - */ + * Updates the contents of the portable chemical mixer + * + * A list of dispensable reagents is created by iterating through each source beaker in the portable chemical beaker and reading its contents + */ /obj/item/storage/portable_chem_mixer/proc/update_contents() dispensable_reagents.Cut() @@ -99,13 +99,13 @@ update_icon() /** - * Replaces the beaker of the portable chemical mixer with another beaker, or simply adds the new beaker if none is in currently - * - * Checks if a valid user and a valid new beaker exist and attempts to replace the current beaker in the portable chemical mixer with the one in hand. Simply places the new beaker in if no beaker is currently loaded - * Arguments: - * * mob/living/user - The user who is trying to exchange beakers - * * obj/item/reagent_containers/new_beaker - The new beaker that the user wants to put into the device - */ + * Replaces the beaker of the portable chemical mixer with another beaker, or simply adds the new beaker if none is in currently + * + * Checks if a valid user and a valid new beaker exist and attempts to replace the current beaker in the portable chemical mixer with the one in hand. Simply places the new beaker in if no beaker is currently loaded + * Arguments: + * * mob/living/user - The user who is trying to exchange beakers + * * obj/item/reagent_containers/new_beaker - The new beaker that the user wants to put into the device + */ /obj/item/storage/portable_chem_mixer/proc/replace_beaker(mob/living/user, obj/item/reagent_containers/new_beaker) if(!user || !can_interact(user)) return FALSE diff --git a/code/game/objects/items/devices/scanners.dm b/code/game/objects/items/devices/scanners.dm index b7513a791349..f8d530fc05ab 100644 --- a/code/game/objects/items/devices/scanners.dm +++ b/code/game/objects/items/devices/scanners.dm @@ -602,7 +602,7 @@ GENE SCANNER if(cached_scan_results && cached_scan_results["fusion"]) //notify the user if a fusion reaction was detected render_list += "Large amounts of free neutrons detected in the air indicate that a fusion reaction took place.\ - \nInstability of the last fusion reaction: [round(cached_scan_results["fusion"], 0.01)]." + \nInstability of the last fusion reaction: [round(cached_scan_results["fusion"], 0.01)]." to_chat(user, jointext(render_list, "\n")) // we let the join apply newlines so we do need handholding return TRUE diff --git a/code/game/objects/items/devices/spyglasses.dm b/code/game/objects/items/devices/spyglasses.dm index f46cfa964fe9..8e59cfe19616 100644 --- a/code/game/objects/items/devices/spyglasses.dm +++ b/code/game/objects/items/devices/spyglasses.dm @@ -3,7 +3,7 @@ desc = "Made by Nerd. Co's infiltration and surveillance department. Upon closer inspection, there's a small screen in each lens." var/obj/item/spy_bug/linked_bug -/obj/item/clothing/glasses/regular/spy/proc/show_to_user(var/mob/user)//this is the meat of it. most of the map_popup usage is in this. +/obj/item/clothing/glasses/regular/spy/proc/show_to_user(mob/user)//this is the meat of it. most of the map_popup usage is in this. if(!user) return if(!user.client) diff --git a/code/game/objects/items/extinguisher.dm b/code/game/objects/items/extinguisher.dm index efb7153f32a1..acfa4732d286 100644 --- a/code/game/objects/items/extinguisher.dm +++ b/code/game/objects/items/extinguisher.dm @@ -238,7 +238,7 @@ return EmptyExtinguisher(user) -/obj/item/extinguisher/proc/EmptyExtinguisher(var/mob/user) +/obj/item/extinguisher/proc/EmptyExtinguisher(mob/user) if(loc == user && reagents.total_volume) reagents.clear_reagents() diff --git a/code/game/objects/items/handcuffs.dm b/code/game/objects/items/handcuffs.dm index 6d54fd449b0e..61ca566efa5f 100644 --- a/code/game/objects/items/handcuffs.dm +++ b/code/game/objects/items/handcuffs.dm @@ -353,11 +353,11 @@ ensnare(hit_atom) /** - * Attempts to legcuff someone with the bola - * - * Arguments: - * * C - the carbon that we will try to ensnare - */ + * Attempts to legcuff someone with the bola + * + * Arguments: + * * C - the carbon that we will try to ensnare + */ /obj/item/restraints/legcuffs/bola/proc/ensnare(mob/living/carbon/C) if(!C.legcuffed && C.num_legs >= 2) visible_message("\The [src] ensnares [C]!") diff --git a/code/game/objects/items/holy_weapons.dm b/code/game/objects/items/holy_weapons.dm index 4e10a3d4c77a..d2ba007dbb5b 100644 --- a/code/game/objects/items/holy_weapons.dm +++ b/code/game/objects/items/holy_weapons.dm @@ -217,11 +217,11 @@ reskin_holy_weapon(user) /** - * reskin_holy_weapon: Shows a user a list of all available nullrod reskins and based on his choice replaces the nullrod with the reskinned version - * - * Arguments: - * * M The mob choosing a nullrod reskin - */ + * reskin_holy_weapon: Shows a user a list of all available nullrod reskins and based on his choice replaces the nullrod with the reskinned version + * + * Arguments: + * * M The mob choosing a nullrod reskin + */ /obj/item/nullrod/proc/reskin_holy_weapon(mob/M) if(GLOB.holy_weapon_type) return @@ -250,11 +250,11 @@ M.put_in_active_hand(holy_weapon) /** - * check_menu: Checks if we are allowed to interact with a radial menu - * - * Arguments: - * * user The mob interacting with a menu - */ + * check_menu: Checks if we are allowed to interact with a radial menu + * + * Arguments: + * * user The mob interacting with a menu + */ /obj/item/nullrod/proc/check_menu(mob/user) if(!istype(user)) return FALSE diff --git a/code/game/objects/items/stacks/stack.dm b/code/game/objects/items/stacks/stack.dm index 4903a4e3291c..24fa2f871f53 100644 --- a/code/game/objects/items/stacks/stack.dm +++ b/code/game/objects/items/stacks/stack.dm @@ -125,11 +125,11 @@ . = (amount) /** - * Builds all recipes in a given recipe list and returns an association list containing them - * - * Arguments: - * * recipe_to_iterate - The list of recipes we are using to build recipes - */ + * Builds all recipes in a given recipe list and returns an association list containing them + * + * Arguments: + * * recipe_to_iterate - The list of recipes we are using to build recipes + */ /obj/item/stack/proc/recursively_build_recipes(list/recipe_to_iterate) var/list/L = list() for(var/recipe in recipe_to_iterate) @@ -142,11 +142,11 @@ return L /** - * Returns a list of properties of a given recipe - * - * Arguments: - * * R - The stack recipe we are using to get a list of properties - */ + * Returns a list of properties of a given recipe + * + * Arguments: + * * R - The stack recipe we are using to get a list of properties + */ /obj/item/stack/proc/build_recipe(datum/stack_recipe/R) return list( "res_amount" = R.res_amount, @@ -156,12 +156,12 @@ ) /** - * Checks if the recipe is valid to be used - * - * Arguments: - * * R - The stack recipe we are checking if it is valid - * * recipe_list - The list of recipes we are using to check the given recipe - */ + * Checks if the recipe is valid to be used + * + * Arguments: + * * R - The stack recipe we are checking if it is valid + * * recipe_list - The list of recipes we are using to check the given recipe + */ /obj/item/stack/proc/is_valid_recipe(datum/stack_recipe/R, list/recipe_list) for(var/S in recipe_list) if(S == R) diff --git a/code/game/objects/items/stacks/tiles/tile_reskinning.dm b/code/game/objects/items/stacks/tiles/tile_reskinning.dm index 5540220d1b0b..e4742367fdbf 100644 --- a/code/game/objects/items/stacks/tiles/tile_reskinning.dm +++ b/code/game/objects/items/stacks/tiles/tile_reskinning.dm @@ -11,8 +11,8 @@ GLOBAL_LIST_EMPTY(tile_reskin_lists) /** - * Caches associative lists with type path index keys and images of said type's initial icon state (typepath -> image). - */ + * Caches associative lists with type path index keys and images of said type's initial icon state (typepath -> image). + */ /obj/item/stack/tile/proc/tile_reskin_list(list/values) var/string_id = values.Join("-") . = GLOB.tile_reskin_lists[string_id] diff --git a/code/game/objects/items/storage/belt.dm b/code/game/objects/items/storage/belt.dm index eac48c31e4f7..34ad1ca8a8fd 100644 --- a/code/game/objects/items/storage/belt.dm +++ b/code/game/objects/items/storage/belt.dm @@ -614,7 +614,7 @@ new /obj/item/holosign_creator(src) new /obj/item/melee/flyswatter(src) - /obj/item/storage/belt/plant +/obj/item/storage/belt/plant name = "botanical belt" desc = "A belt used to hold most hydroponics supplies. Suprisingly, not green." icon_state = "plantbelt" diff --git a/code/game/objects/items/storage/boxes.dm b/code/game/objects/items/storage/boxes.dm index b21834e903a9..76547d18e046 100644 --- a/code/game/objects/items/storage/boxes.dm +++ b/code/game/objects/items/storage/boxes.dm @@ -985,12 +985,12 @@ return ..() /** - * check_menu: Checks if we are allowed to interact with a radial menu - * - * Arguments: - * * user The mob interacting with a menu - * * P The pen used to interact with a menu - */ + * check_menu: Checks if we are allowed to interact with a radial menu + * + * Arguments: + * * user The mob interacting with a menu + * * P The pen used to interact with a menu + */ /obj/item/storage/box/papersack/proc/check_menu(mob/user, obj/item/pen/P) if(!istype(user)) return FALSE diff --git a/code/game/objects/items/storage/storage.dm b/code/game/objects/items/storage/storage.dm index 6061f428653c..c2619eef4c14 100644 --- a/code/game/objects/items/storage/storage.dm +++ b/code/game/objects/items/storage/storage.dm @@ -49,7 +49,7 @@ var/datum/component/storage/ST = GetComponent(/datum/component/storage) ST.do_quick_empty() -/obj/item/storage/on_object_saved(var/depth = 0) +/obj/item/storage/on_object_saved(depth = 0) if(depth >= 10) return "" var/dat = "" diff --git a/code/game/objects/items/tanks/watertank.dm b/code/game/objects/items/tanks/watertank.dm index a1e94e64d944..6b27a51f58ac 100644 --- a/code/game/objects/items/tanks/watertank.dm +++ b/code/game/objects/items/tanks/watertank.dm @@ -171,7 +171,7 @@ /obj/item/watertank/janitor/make_noz() return new /obj/item/reagent_containers/spray/mister/janitor(src) -/obj/item/reagent_containers/spray/mister/janitor/attack_self(var/mob/user) +/obj/item/reagent_containers/spray/mister/janitor/attack_self(mob/user) amount_per_transfer_from_this = (amount_per_transfer_from_this == 10 ? 5 : 10) to_chat(user, "You [amount_per_transfer_from_this == 10 ? "remove" : "fix"] the nozzle. You'll now use [amount_per_transfer_from_this] units per spray.") @@ -376,7 +376,7 @@ turn_on() //Todo : cache these. -/obj/item/reagent_containers/chemtank/worn_overlays(var/isinhands = FALSE) //apply chemcolor and level +/obj/item/reagent_containers/chemtank/worn_overlays(isinhands = FALSE) //apply chemcolor and level . = list() //inhands + reagent_filling if(!isinhands && reagents.total_volume) diff --git a/code/game/objects/items/toy_mechs.dm b/code/game/objects/items/toy_mechs.dm index fee0012d6469..090502ad63c3 100644 --- a/code/game/objects/items/toy_mechs.dm +++ b/code/game/objects/items/toy_mechs.dm @@ -1,6 +1,6 @@ /** - * Mech prizes + MECHA COMBAT!! - */ + * Mech prizes + MECHA COMBAT!! + */ /// Mech battle special attack types. #define SPECIAL_ATTACK_HEAL 1 @@ -67,20 +67,20 @@ special_attack_type_message = "a mystery move, even I don't know." /** - * this proc combines "sleep" while also checking for if the battle should continue - * - * this goes through some of the checks - the toys need to be next to each other to fight! - * if it's player vs themself: They need to be able to "control" both mechs (either must be adjacent or using TK) - * if it's player vs player: Both players need to be able to "control" their mechs (either must be adjacent or using TK) - * if it's player vs mech (suicide): the mech needs to be in range of the player - * if all the checks are TRUE, it does the sleeps, and returns TRUE. Otherwise, it returns FALSE. - * Arguments: - * * delay - the amount of time the sleep at the end of the check will sleep for - * * attacker - the attacking toy in the battle. - * * attacker_controller - the controller of the attacking toy. there should ALWAYS be an attacker_controller - * * opponent - (optional) the defender controller in the battle, for PvP - */ -/obj/item/toy/prize/proc/combat_sleep(var/delay, obj/item/toy/prize/attacker, mob/living/carbon/attacker_controller, mob/living/carbon/opponent) + * this proc combines "sleep" while also checking for if the battle should continue + * + * this goes through some of the checks - the toys need to be next to each other to fight! + * if it's player vs themself: They need to be able to "control" both mechs (either must be adjacent or using TK) + * if it's player vs player: Both players need to be able to "control" their mechs (either must be adjacent or using TK) + * if it's player vs mech (suicide): the mech needs to be in range of the player + * if all the checks are TRUE, it does the sleeps, and returns TRUE. Otherwise, it returns FALSE. + * Arguments: + * * delay - the amount of time the sleep at the end of the check will sleep for + * * attacker - the attacking toy in the battle. + * * attacker_controller - the controller of the attacking toy. there should ALWAYS be an attacker_controller + * * opponent - (optional) the defender controller in the battle, for PvP + */ +/obj/item/toy/prize/proc/combat_sleep(delay, obj/item/toy/prize/attacker, mob/living/carbon/attacker_controller, mob/living/carbon/opponent) if(!attacker_controller) return FALSE @@ -140,8 +140,8 @@ attack_self(user) /** - * If you attack a mech with a mech, initiate combat between them - */ + * If you attack a mech with a mech, initiate combat between them + */ /obj/item/toy/prize/attackby(obj/item/user_toy, mob/living/user) if(istype(user_toy, /obj/item/toy/prize)) var/obj/item/toy/prize/P = user_toy @@ -150,8 +150,8 @@ ..() /** - * Attack is called from the user's toy, aimed at target(another human), checking for target's toy. - */ + * Attack is called from the user's toy, aimed at target(another human), checking for target's toy. + */ /obj/item/toy/prize/attack(mob/living/carbon/human/target, mob/living/carbon/human/user) if(target == user) to_chat(user, "Target another toy mech if you want to start a battle with yourself.") @@ -185,8 +185,8 @@ ..() /** - * Overrides attack_tk - Sorry, you have to be face to face to initiate a battle, it's good sportsmanship - */ + * Overrides attack_tk - Sorry, you have to be face to face to initiate a battle, it's good sportsmanship + */ /obj/item/toy/prize/attack_tk(mob/user) if(timer < world.time) to_chat(user, "You telekinetically play with [src].") @@ -195,19 +195,19 @@ playsound(user, 'sound/mecha/mechstep.ogg', 20, TRUE) /** - * Resets the request for battle. - * - * For use in a timer, this proc resets the wants_to_battle variable after a short period. - * Arguments: - * * user - the user wanting to do battle - */ + * Resets the request for battle. + * + * For use in a timer, this proc resets the wants_to_battle variable after a short period. + * Arguments: + * * user - the user wanting to do battle + */ /obj/item/toy/prize/proc/withdraw_offer(mob/living/carbon/user) if(wants_to_battle) wants_to_battle = FALSE to_chat(user, "You get the feeling they don't want to battle.") /** - * Starts a battle, toy mech vs player. Player... doesn't win. - */ + * Starts a battle, toy mech vs player. Player... doesn't win. + */ /obj/item/toy/prize/suicide_act(mob/living/carbon/user) if(in_combat) to_chat(user, "[src] is in battle, let it finish first.") @@ -262,25 +262,25 @@ . += "This toy has [wins] wins, and [losses] losses." /** - * Override the say proc if they're mute - */ + * Override the say proc if they're mute + */ /obj/item/toy/prize/say() if(!quiet) . = ..() /** - * The 'master' proc of the mech battle. Processes the entire battle's events and makes sure it start and finishes correctly. - * - * src is the defending toy, and the battle proc is called on it to begin the battle. - * After going through a few checks at the beginning to ensure the battle can start properly, the battle begins a loop that lasts - * until either toy has no more health. During this loop, it also ensures the mechs stay in combat range of each other. - * It will then randomly decide attacks for each toy, occasionally making one or the other use their special attack. - * When either mech has no more health, the loop ends, and it displays the victor and the loser while updating their stats and resetting them. - * Arguments: - * * attacker - the attacking toy, the toy in the attacker_controller's hands - * * attacker_controller - the user, the one who is holding the toys / controlling the fight - * * opponent - optional arg used in Mech PvP battles: the other person who is taking part in the fight (controls src) - */ + * The 'master' proc of the mech battle. Processes the entire battle's events and makes sure it start and finishes correctly. + * + * src is the defending toy, and the battle proc is called on it to begin the battle. + * After going through a few checks at the beginning to ensure the battle can start properly, the battle begins a loop that lasts + * until either toy has no more health. During this loop, it also ensures the mechs stay in combat range of each other. + * It will then randomly decide attacks for each toy, occasionally making one or the other use their special attack. + * When either mech has no more health, the loop ends, and it displays the victor and the loser while updating their stats and resetting them. + * Arguments: + * * attacker - the attacking toy, the toy in the attacker_controller's hands + * * attacker_controller - the user, the one who is holding the toys / controlling the fight + * * opponent - optional arg used in Mech PvP battles: the other person who is taking part in the fight (controls src) + */ /obj/item/toy/prize/proc/mecha_brawl(obj/item/toy/prize/attacker, mob/living/carbon/attacker_controller, mob/living/carbon/opponent) //A GOOD DAY FOR A SWELL BATTLE! attacker_controller.visible_message(" [attacker_controller.name] collides [attacker] with [src]! Looks like they're preparing for a brawl! ", \ @@ -431,16 +431,16 @@ return /** - * This proc checks if a battle can be initiated between src and attacker. - * - * Both SRC and attacker (if attacker is included) timers are checked if they're on cooldown, and - * both SRC and attacker (if attacker is included) are checked if they are in combat already. - * If any of the above are true, the proc returns FALSE and sends a message to user (and target, if included) otherwise, it returns TRUE - * Arguments: - * * user: the user who is initiating the battle - * * attacker: optional arg for checking two mechs at once - * * target: optional arg used in Mech PvP battles (if used, attacker is target's toy) - */ + * This proc checks if a battle can be initiated between src and attacker. + * + * Both SRC and attacker (if attacker is included) timers are checked if they're on cooldown, and + * both SRC and attacker (if attacker is included) are checked if they are in combat already. + * If any of the above are true, the proc returns FALSE and sends a message to user (and target, if included) otherwise, it returns TRUE + * Arguments: + * * user: the user who is initiating the battle + * * attacker: optional arg for checking two mechs at once + * * target: optional arg used in Mech PvP battles (if used, attacker is target's toy) + */ /obj/item/toy/prize/proc/check_battle_start(mob/living/carbon/user, obj/item/toy/prize/attacker, mob/living/carbon/target) if(attacker && attacker.in_combat) to_chat(user, "[target?target.p_their() : "Your" ] [attacker.name] is in combat.") @@ -462,12 +462,12 @@ return TRUE /** - * Processes any special attack moves that happen in the battle (called in the mechaBattle proc). - * - * Makes the toy shout their special attack cry and updates its cooldown. Then, does the special attack. - * Arguments: - * * victim - the toy being hit by the special move - */ + * Processes any special attack moves that happen in the battle (called in the mechaBattle proc). + * + * Makes the toy shout their special attack cry and updates its cooldown. Then, does the special attack. + * Arguments: + * * victim - the toy being hit by the special move + */ /obj/item/toy/prize/proc/special_attack_move(obj/item/toy/prize/victim) say(special_attack_cry + "!!") @@ -491,12 +491,12 @@ say("I FORGOT MY SPECIAL ATTACK...") /** - * Base proc for 'other' special attack moves. - * - * This one is only for inheritance, each mech with an 'other' type move has their procs below. - * Arguments: - * * victim - the toy being hit by the super special move (doesn't necessarily need to be used) - */ + * Base proc for 'other' special attack moves. + * + * This one is only for inheritance, each mech with an 'other' type move has their procs below. + * Arguments: + * * victim - the toy being hit by the super special move (doesn't necessarily need to be used) + */ /obj/item/toy/prize/proc/super_special_attack(obj/item/toy/prize/victim) visible_message(" [src] does a cool flip.") diff --git a/code/game/objects/items/toys.dm b/code/game/objects/items/toys.dm index 892679de15ee..50393d7c36c7 100644 --- a/code/game/objects/items/toys.dm +++ b/code/game/objects/items/toys.dm @@ -190,14 +190,14 @@ return MANUAL_SUICIDE /** - * Internal function used in the toy singularity suicide - * - * Cavity implants the toy singularity into the body of the user (arg1), and kills the user. - * Makes the user vomit and receive 120 suffocation damage if there already is a cavity implant in the user. - * Throwing the singularity away will cause the user to start choking themself to death. - * Arguments: - * * user - Whoever is doing the suiciding - */ + * Internal function used in the toy singularity suicide + * + * Cavity implants the toy singularity into the body of the user (arg1), and kills the user. + * Makes the user vomit and receive 120 suffocation damage if there already is a cavity implant in the user. + * Throwing the singularity away will cause the user to start choking themself to death. + * Arguments: + * * user - Whoever is doing the suiciding + */ /obj/item/toy/spinningtoy/proc/manual_suicide(mob/living/carbon/human/user) if(!user) return @@ -862,8 +862,8 @@ newobj.resistance_flags = sourceobj.resistance_flags /** - * This proc updates the sprite for when you create a hand of cards - */ + * This proc updates the sprite for when you create a hand of cards + */ /obj/item/toy/cards/cardhand/proc/update_sprite() cut_overlays() var/overlay_cards = currenthand.len diff --git a/code/game/objects/obj_defense.dm b/code/game/objects/obj_defense.dm index e6bf3cc5bb69..ef538159b018 100644 --- a/code/game/objects/obj_defense.dm +++ b/code/game/objects/obj_defense.dm @@ -238,7 +238,7 @@ GLOBAL_DATUM_INIT(acid_overlay, /mutable_appearance, mutable_appearance('icons/e //The surgeon general warns that being buckled to certain objects receiving powerful shocks is greatly hazardous to your health ///Only tesla coils, vehicles, and grounding rods currently call this because mobs are already targeted over all other objects, but this might be useful for more things later. -/obj/proc/zap_buckle_check(var/strength) +/obj/proc/zap_buckle_check(strength) if(has_buckled_mobs()) for(var/m in buckled_mobs) var/mob/living/buckled_mob = m diff --git a/code/game/objects/objs.dm b/code/game/objects/objs.dm index 2056dcb322b3..08ceb13c78c8 100644 --- a/code/game/objects/objs.dm +++ b/code/game/objects/objs.dm @@ -409,5 +409,5 @@ * Just add ,\n between each thing * generate_tgm_metadata(thing) handles everything inside the {} for you **/ -/obj/proc/on_object_saved(var/depth = 0) +/obj/proc/on_object_saved(depth = 0) return "" diff --git a/code/game/objects/structures/ai_core.dm b/code/game/objects/structures/ai_core.dm index 4c950935c9ec..d684ebef34a2 100644 --- a/code/game/objects/structures/ai_core.dm +++ b/code/game/objects/structures/ai_core.dm @@ -313,7 +313,7 @@ That prevents a few funky behaviors. /obj/structure/AIcore/transfer_ai(interaction, mob/user, mob/living/silicon/ai/AI, obj/item/aicard/card) if(state != AI_READY_CORE || !..()) return - //Transferring a carded AI to a core. +//Transferring a carded AI to a core. if(interaction == AI_TRANS_FROM_CARD) AI.control_disabled = FALSE AI.radio_enabled = TRUE diff --git a/code/game/objects/structures/crates_lockers/closets.dm b/code/game/objects/structures/crates_lockers/closets.dm index 4c2061538676..cd4ae80b92a8 100644 --- a/code/game/objects/structures/crates_lockers/closets.dm +++ b/code/game/objects/structures/crates_lockers/closets.dm @@ -546,7 +546,7 @@ togglelock(user) T1.visible_message("[user] dives into [src]!") -/obj/structure/closet/on_object_saved(var/depth = 0) +/obj/structure/closet/on_object_saved(depth = 0) if(depth >= 10) return "" var/dat = "" diff --git a/code/game/objects/structures/crates_lockers/crates/secure.dm b/code/game/objects/structures/crates_lockers/crates/secure.dm index 948fe59dea0e..93a11342e274 100644 --- a/code/game/objects/structures/crates_lockers/crates/secure.dm +++ b/code/game/objects/structures/crates_lockers/crates/secure.dm @@ -50,18 +50,18 @@ icon_state = "secgearcrate" /obj/structure/closet/crate/secure/hydroponics - desc = "A crate with a lock on it, painted in the scheme of the Nanotransen's hydroponics division." + desc = "A crate with a lock on it, painted in the scheme of the Nanotrasen's hydroponics division." name = "secure hydroponics crate" icon_state = "hydrosecurecrate" /obj/structure/closet/crate/secure/engineering - desc = "A crate with a lock on it, painted in the scheme of the Nanotransen's engineering division." + desc = "A crate with a lock on it, painted in the scheme of the Nanotrasen's engineering division." name = "secure engineering crate" icon_state = "engi_secure_crate" /obj/structure/closet/crate/secure/science name = "secure science crate" - desc = "A crate with a lock on it, painted in the scheme of the Nanotransen's research & development division." + desc = "A crate with a lock on it, painted in the scheme of the Nanotrasen's research & development division." icon_state = "scisecurecrate" /obj/structure/closet/crate/secure/owned diff --git a/code/game/objects/structures/ghost_role_spawners.dm b/code/game/objects/structures/ghost_role_spawners.dm index 3a7c634a540b..2617293ee782 100644 --- a/code/game/objects/structures/ghost_role_spawners.dm +++ b/code/game/objects/structures/ghost_role_spawners.dm @@ -746,7 +746,7 @@ icon = 'icons/obj/machines/sleeper.dmi' icon_state = "sleeper_s" short_desc = "You are a syndicate operative, awoken deep in hostile space." - flavour_text = "Your ship is part of the infamous \"sleeper\" doctrine of syndicate strike forces, who flung unpowered vessels with cryo-frozen crew deep into Nanotransen territory, tasked to cause havoc and carry out covert reconnisance. The chill in your bones informs you that you've been asleep far longer than intended. Your vessel appears to be in a sorry state, and a tinny alarm pierces through your fugue to report unknown contacts aboard the vessel. It's going to be one of those days." + flavour_text = "Your ship is part of the infamous \"sleeper\" doctrine of syndicate strike forces, who flung unpowered vessels with cryo-frozen crew deep into Nanotrasen territory, tasked to cause havoc and carry out covert reconnisance. The chill in your bones informs you that you've been asleep far longer than intended. Your vessel appears to be in a sorry state, and a tinny alarm pierces through your fugue to report unknown contacts aboard the vessel. It's going to be one of those days." important_info = "Obey orders given by your captain. Prevent yourself and any syndicate assets from falling into enemy hands." outfit = /datum/outfit/syndicatespace/syndicrew assignedrole = "Cybersun Crewmember" @@ -770,7 +770,7 @@ icon = 'icons/obj/machines/sleeper.dmi' icon_state = "sleeper_s" short_desc = "You are the captain of a long-slumbering syndicate vessel, stuck deep in enemy territory." - flavour_text = "Your ship is part of the infamous \"sleeper\" doctrine of syndicate strike forces, who flung unpowered vessels with cryo-frozen crew deep into Nanotransen territory, tasked to cause havoc and carry out covert reconnisance. The chill in your bones informs you that you've been asleep far longer than intended. Your vessel appears to be in a sorry state, and a tinny alarm pierces through your fugue to report unknown contacts aboard the vessel. It's going to be one of those days." + flavour_text = "Your ship is part of the infamous \"sleeper\" doctrine of syndicate strike forces, who flung unpowered vessels with cryo-frozen crew deep into Nanotrasen territory, tasked to cause havoc and carry out covert reconnisance. The chill in your bones informs you that you've been asleep far longer than intended. Your vessel appears to be in a sorry state, and a tinny alarm pierces through your fugue to report unknown contacts aboard the vessel. It's going to be one of those days." important_info = "Protect the ship and secret documents in your backpack with your own life. Secure the syndicate assets present at your covert landing site. Prevent them, your crew, and yourself from falling into corporate hands." outfit = /datum/outfit/syndicatespace/syndicaptain assignedrole = "Cybersun Captain" diff --git a/code/game/objects/structures/guncase.dm b/code/game/objects/structures/guncase.dm index a74ea1ca7c65..9588691c214e 100644 --- a/code/game/objects/structures/guncase.dm +++ b/code/game/objects/structures/guncase.dm @@ -66,11 +66,11 @@ update_icon() /** - * show_menu: Shows a radial menu to a user consisting of an available weaponry for taking - * - * Arguments: - * * user The mob to which we are showing the radial menu - */ + * show_menu: Shows a radial menu to a user consisting of an available weaponry for taking + * + * Arguments: + * * user The mob to which we are showing the radial menu + */ /obj/structure/guncase/proc/show_menu(mob/user) if(!LAZYLEN(contents)) return @@ -98,11 +98,11 @@ update_icon() /** - * check_menu: Checks if we are allowed to interact with a radial menu - * - * Arguments: - * * user The mob interacting with a menu - */ + * check_menu: Checks if we are allowed to interact with a radial menu + * + * Arguments: + * * user The mob interacting with a menu + */ /obj/structure/guncase/proc/check_menu(mob/living/carbon/human/user) if(!open) return FALSE diff --git a/code/game/objects/structures/industrial_lift.dm b/code/game/objects/structures/industrial_lift.dm index 50570b007380..cf8671aca69f 100644 --- a/code/game/objects/structures/industrial_lift.dm +++ b/code/game/objects/structures/industrial_lift.dm @@ -49,13 +49,13 @@ possible_expansions -= borderline /** - * Moves the lift UP or DOWN, this is what users invoke with their hand. - * This is a SAFE proc, ensuring every part of the lift moves SANELY. - * It also locks controls for the (miniscule) duration of the movement, so the elevator cannot be broken by spamming. - * Arguments: - * going - UP or DOWN directions, where the lift should go. Keep in mind by this point checks of whether it should go up or down have already been done. - * user - Whomever made the lift movement. - */ + * Moves the lift UP or DOWN, this is what users invoke with their hand. + * This is a SAFE proc, ensuring every part of the lift moves SANELY. + * It also locks controls for the (miniscule) duration of the movement, so the elevator cannot be broken by spamming. + * Arguments: + * going - UP or DOWN directions, where the lift should go. Keep in mind by this point checks of whether it should go up or down have already been done. + * user - Whomever made the lift movement. + */ /datum/lift_master/proc/MoveLift(going, mob/user) set_controls(LOCKED) for(var/p in lift_platforms) @@ -64,10 +64,10 @@ set_controls(UNLOCKED) /** - * Moves the lift, this is what users invoke with their hand. - * This is a SAFE proc, ensuring every part of the lift moves SANELY. - * It also locks controls for the (miniscule) duration of the movement, so the elevator cannot be broken by spamming. - */ + * Moves the lift, this is what users invoke with their hand. + * This is a SAFE proc, ensuring every part of the lift moves SANELY. + * It also locks controls for the (miniscule) duration of the movement, so the elevator cannot be broken by spamming. + */ /datum/lift_master/proc/MoveLiftHorizontal(going, z) var/max_x = 1 var/max_y = 1 @@ -123,8 +123,8 @@ return TRUE /** - * Sets all lift parts's controls_locked variable. Used to prevent moving mid movement, or cooldowns. - */ + * Sets all lift parts's controls_locked variable. Used to prevent moving mid movement, or cooldowns. + */ /datum/lift_master/proc/set_controls(state) for(var/l in lift_platforms) var/obj/structure/industrial_lift/lift_platform = l diff --git a/code/game/objects/structures/signs/_signs.dm b/code/game/objects/structures/signs/_signs.dm index 69b18048ed80..716a48a4f33c 100644 --- a/code/game/objects/structures/signs/_signs.dm +++ b/code/game/objects/structures/signs/_signs.dm @@ -47,10 +47,10 @@ user.examinate(src) /** - * This proc populates GLOBAL_LIST_EMPTY(editable_sign_types) - * - * The first time a pen is used on any sign, this populates GLOBAL_LIST_EMPTY(editable_sign_types), creating a global list of all the signs that you can set a sign backing to with a pen. - */ + * This proc populates GLOBAL_LIST_EMPTY(editable_sign_types) + * + * The first time a pen is used on any sign, this populates GLOBAL_LIST_EMPTY(editable_sign_types), creating a global list of all the signs that you can set a sign backing to with a pen. + */ /proc/populate_editable_sign_types() for(var/s in subtypesof(/obj/structure/sign)) var/obj/structure/sign/potential_sign = s diff --git a/code/game/objects/structures/training_machine.dm b/code/game/objects/structures/training_machine.dm index cc36a1a8f8f5..f3a17f9c2f07 100644 --- a/code/game/objects/structures/training_machine.dm +++ b/code/game/objects/structures/training_machine.dm @@ -7,11 +7,11 @@ #define MAX_ATTACK_DELAY 15 /** - * Machine that runs around wildly so people can practice clickin on things - * - * Can have a mob buckled on or a obj/item/target attached. Movement controlled by SSFastProcess, - * movespeed controlled by cooldown macros. Can attach obj/item/target, obj/item/training_toolbox, and can buckle mobs to this. - */ + * Machine that runs around wildly so people can practice clickin on things + * + * Can have a mob buckled on or a obj/item/target attached. Movement controlled by SSFastProcess, + * movespeed controlled by cooldown macros. Can attach obj/item/target, obj/item/training_toolbox, and can buckle mobs to this. + */ /obj/structure/training_machine name = "AURUMILL-Brand MkII. Personnel Training Machine" desc = "Used for combat training simulations. Accepts standard training targets. A pair of buckling straps are attached." @@ -327,10 +327,10 @@ . += "Click to open control interface." /** - * Device that simply counts the number of times you've hit a mob or target with. Looks like a toolbox but isn't. - * - * Also has a 'Lap' function for keeping track of hits made at a certain point. Also, looks kinda like his grace for laughs and pranks. - */ + * Device that simply counts the number of times you've hit a mob or target with. Looks like a toolbox but isn't. + * + * Also has a 'Lap' function for keeping track of hits made at a certain point. Also, looks kinda like his grace for laughs and pranks. + */ /obj/item/training_toolbox name = "Training Toolbox" desc = "AURUMILL-Brand Baby's First Training Toolbox. A digital display on the back keeps track of hits made by the user. Second toolbox sold seperately!" diff --git a/code/game/sound.dm b/code/game/sound.dm index 4d7648eae9d3..d16877916165 100644 --- a/code/game/sound.dm +++ b/code/game/sound.dm @@ -41,7 +41,7 @@ falloff_distance - Distance at which falloff begins. Sound is at peak volume (in */ -/proc/playsound(atom/source, soundin, vol as num, vary, extrarange as num, falloff_exponent = SOUND_FALLOFF_EXPONENT, frequency = null, channel = 0, pressure_affected = TRUE, ignore_walls = TRUE, falloff_distance = SOUND_DEFAULT_FALLOFF_DISTANCE, use_reverb = TRUE, var/mono_adj = FALSE) //WS Edit, Make tools and nearby airlocks use mono sound +/proc/playsound(atom/source, soundin, vol as num, vary, extrarange as num, falloff_exponent = SOUND_FALLOFF_EXPONENT, frequency = null, channel = 0, pressure_affected = TRUE, ignore_walls = TRUE, falloff_distance = SOUND_DEFAULT_FALLOFF_DISTANCE, use_reverb = TRUE, mono_adj = FALSE) //WS Edit, Make tools and nearby airlocks use mono sound if(isarea(source)) CRASH("playsound(): source is an area") diff --git a/code/game/turfs/closed/minerals.dm b/code/game/turfs/closed/minerals.dm index d02223460a49..8b9930a78544 100644 --- a/code/game/turfs/closed/minerals.dm +++ b/code/game/turfs/closed/minerals.dm @@ -43,7 +43,7 @@ if(istype(M) && !M.mineralType) M.Change_Ore(mineralType) -/turf/closed/mineral/proc/Change_Ore(var/ore_type, random = 0) +/turf/closed/mineral/proc/Change_Ore(ore_type, random = 0) if(random) mineralAmt = rand(1, 5) if(ispath(ore_type, /obj/item/stack/ore)) //If it has a scan_state, switch to it diff --git a/code/game/turfs/open/floor/light_floor.dm b/code/game/turfs/open/floor/light_floor.dm index 9288834eed8c..2eb01418bf8b 100644 --- a/code/game/turfs/open/floor/light_floor.dm +++ b/code/game/turfs/open/floor/light_floor.dm @@ -156,12 +156,12 @@ can_modify_colour = FALSE /** - * check_menu: Checks if we are allowed to interact with a radial menu - * - * Arguments: - * * user The mob interacting with a menu - * * multitool The multitool used to interact with a menu - */ + * check_menu: Checks if we are allowed to interact with a radial menu + * + * Arguments: + * * user The mob interacting with a menu + * * multitool The multitool used to interact with a menu + */ /turf/open/floor/light/proc/check_menu(mob/living/user, obj/item/multitool) if(!istype(user)) return FALSE diff --git a/code/game/turfs/open/space/space.dm b/code/game/turfs/open/space/space.dm index 76a517c18b58..b7d0a2e8cb01 100644 --- a/code/game/turfs/open/space/space.dm +++ b/code/game/turfs/open/space/space.dm @@ -27,10 +27,10 @@ return /** - * Space Initialize - * - * Doesn't call parent, see [/atom/proc/Initialize] - */ + * Space Initialize + * + * Doesn't call parent, see [/atom/proc/Initialize] + */ /turf/open/space/Initialize(mapload, inherited_virtual_z) SHOULD_CALL_PARENT(FALSE) icon_state = SPACE_ICON_STATE diff --git a/code/game/turfs/turf.dm b/code/game/turfs/turf.dm index c4b2bea6ca9c..b8497853d153 100644 --- a/code/game/turfs/turf.dm +++ b/code/game/turfs/turf.dm @@ -79,10 +79,10 @@ . = ..() /** - * Turf Initialize - * - * Doesn't call parent, see [/atom/proc/Initialize] - */ + * Turf Initialize + * + * Doesn't call parent, see [/atom/proc/Initialize] + */ /turf/Initialize(mapload, inherited_virtual_z) SHOULD_CALL_PARENT(FALSE) if(flags_1 & INITIALIZED_1) @@ -468,7 +468,7 @@ ////////////////////////////// //Distance associates with all directions movement -/turf/proc/Distance(var/turf/T) +/turf/proc/Distance(turf/T) return get_dist(src,T) // This Distance proc assumes that only cardinal movement is @@ -540,7 +540,7 @@ underlay_appearance.dir = adjacency_dir return TRUE -/turf/proc/add_blueprints(var/atom/movable/AM) +/turf/proc/add_blueprints(atom/movable/AM) var/image/I = new I.appearance = AM.appearance I.appearance_flags = RESET_COLOR|RESET_ALPHA|RESET_TRANSFORM @@ -639,8 +639,8 @@ . |= R.expose_turf(src, reagents[R]) /** - * Called when this turf is being washed. Washing a turf will also wash any mopable floor decals - */ + * Called when this turf is being washed. Washing a turf will also wash any mopable floor decals + */ /turf/wash(clean_types) . = ..() diff --git a/code/game/world.dm b/code/game/world.dm index 43120cdafb3c..c13da4f64d3e 100644 --- a/code/game/world.dm +++ b/code/game/world.dm @@ -3,31 +3,31 @@ GLOBAL_VAR(restart_counter) /** - * World creation - * - * Here is where a round itself is actually begun and setup. - * * db connection setup - * * config loaded from files - * * loads admins - * * Sets up the dynamic menu system - * * and most importantly, calls initialize on the master subsystem, starting the game loop that causes the rest of the game to begin processing and setting up - * - * - * Nothing happens until something moves. ~Albert Einstein - * - * For clarity, this proc gets triggered later in the initialization pipeline, it is not the first thing to happen, as it might seem. - * - * Initialization Pipeline: - * Global vars are new()'ed, (including config, glob, and the master controller will also new and preinit all subsystems when it gets new()ed) - * Compiled in maps are loaded (mainly centcom). all areas/turfs/objs/mobs(ATOMs) in these maps will be new()ed - * world/New() (You are here) - * Once world/New() returns, client's can connect. - * 1 second sleep - * Master Controller initialization. - * Subsystem initialization. - * Non-compiled-in maps are maploaded, all atoms are new()ed - * All atoms in both compiled and uncompiled maps are initialized() - */ + * World creation + * + * Here is where a round itself is actually begun and setup. + * * db connection setup + * * config loaded from files + * * loads admins + * * Sets up the dynamic menu system + * * and most importantly, calls initialize on the master subsystem, starting the game loop that causes the rest of the game to begin processing and setting up + * + * + * Nothing happens until something moves. ~Albert Einstein + * + * For clarity, this proc gets triggered later in the initialization pipeline, it is not the first thing to happen, as it might seem. + * + * Initialization Pipeline: + * Global vars are new()'ed, (including config, glob, and the master controller will also new and preinit all subsystems when it gets new()ed) + * Compiled in maps are loaded (mainly centcom). all areas/turfs/objs/mobs(ATOMs) in these maps will be new()ed + * world/New() (You are here) + * Once world/New() returns, client's can connect. + * 1 second sleep + * Master Controller initialization. + * Subsystem initialization. + * Non-compiled-in maps are maploaded, all atoms are new()ed + * All atoms in both compiled and uncompiled maps are initialized() + */ /world/New() //Keep the auxtools stuff at the top AUXTOOLS_CHECK(AUXMOS) diff --git a/code/modules/admin/admin.dm b/code/modules/admin/admin.dm index 2fd89a9ec7b5..ad4d4af49481 100644 --- a/code/modules/admin/admin.dm +++ b/code/modules/admin/admin.dm @@ -793,7 +793,7 @@ target_mind.traitor_panel() SSblackbox.record_feedback("tally", "admin_verb", 1, "Traitor Panel") //If you are copy-pasting this, ensure the 2nd parameter is unique to the new proc! -/datum/admins/proc/show_skill_panel(var/target) +/datum/admins/proc/show_skill_panel(target) set category = "Admin.Game" set desc = "Edit mobs's experience and skill levels" set name = "Show Skill Panel" diff --git a/code/modules/admin/create_mob.dm b/code/modules/admin/create_mob.dm index 9be17d1efb7e..887d88993a93 100644 --- a/code/modules/admin/create_mob.dm +++ b/code/modules/admin/create_mob.dm @@ -6,7 +6,7 @@ mobjs = jointext(typesof(/mob), ";") create_mob_html = file2text('html/create_object.html') create_mob_html = replacetext(create_mob_html, "Create Object", "Create Mob") - create_mob_html = replacetext(create_mob_html, "null /* object types */", "\"[mobjs]\"") + create_mob_html = replacetext(create_mob_html, "null; /* object types */", "\"[mobjs]\"") user << browse(create_panel_helper(create_mob_html), "window=create_mob;size=425x475") diff --git a/code/modules/admin/create_object.dm b/code/modules/admin/create_object.dm index 00f642c79460..5bf5a0e568a6 100644 --- a/code/modules/admin/create_object.dm +++ b/code/modules/admin/create_object.dm @@ -9,7 +9,7 @@ var/objectjs = null objectjs = jointext(typesof(/obj), ";") create_object_html = file2text('html/create_object.html') - create_object_html = replacetext(create_object_html, "null /* object types */", "\"[objectjs]\"") + create_object_html = replacetext(create_object_html, "null; /* object types */", "\"[objectjs]\"") user << browse(create_panel_helper(create_object_html), "window=create_object;size=425x475") diff --git a/code/modules/admin/poll_management.dm b/code/modules/admin/poll_management.dm index ae1a6e17e8c6..df8bc1010525 100644 --- a/code/modules/admin/poll_management.dm +++ b/code/modules/admin/poll_management.dm @@ -1,9 +1,9 @@ /** - * Datum which holds details of a running poll loaded from the database and supplementary info. - * - * Used to minimize the need for querying this data every time it's needed. - * - */ + * Datum which holds details of a running poll loaded from the database and supplementary info. + * + * Used to minimize the need for querying this data every time it's needed. + * + */ /datum/poll_question ///Reference list of the options for this poll, not used by text response polls. var/list/options = list() @@ -41,11 +41,11 @@ var/future_poll /** - * Datum which holds details of a poll option loaded from the database. - * - * Used to minimize the need for querying this data every time it's needed. - * - */ + * Datum which holds details of a poll option loaded from the database. + * + * Used to minimize the need for querying this data every time it's needed. + * + */ /datum/poll_option ///Reference to the poll this option belongs to var/datum/poll_question/parent_poll @@ -67,9 +67,9 @@ var/default_percentage_calc /** - * Shows a list of all current and future polls and buttons to edit or delete them or create a new poll. - * - */ + * Shows a list of all current and future polls and buttons to edit or delete them or create a new poll. + * + */ /datum/admins/proc/poll_list_panel() var/list/output = list("Current and future polls
Note when editing polls or their options changes are not saved until you press Submit Poll.
New PollReload Polls
") for(var/p in GLOB.polls) @@ -91,9 +91,9 @@ panel.open() /** - * Show the options for creating a poll or editing its parameters along with its linked options. - * - */ + * Show the options for creating a poll or editing its parameters along with its linked options. + * + */ /datum/admins/proc/poll_management_panel(datum/poll_question/poll) var/list/output = list("
[HrefTokenFormField()]") output += {"Poll type @@ -235,12 +235,12 @@ panel.open() /** - * Processes topic data from poll management panel. - * - * Reads through returned form data and assigns data to the poll datum, creating a new one if required, before passing it to be saved. - * Also does some simple error checking to ensure the poll will be valid before creation. - * - */ + * Processes topic data from poll management panel. + * + * Reads through returned form data and assigns data to the poll datum, creating a new one if required, before passing it to be saved. + * Also does some simple error checking to ensure the poll will be valid before creation. + * + */ /datum/admins/proc/poll_parse_href(list/href_list, datum/poll_question/poll) if(!check_rights(R_POLL)) return @@ -344,12 +344,12 @@ return ..() /** - * Sets a poll and its associated data as deleted in the database. - * - * Calls the procedure set_poll_deleted to set the deleted column to 1 for each row in the poll_ tables matching the poll id used. - * Then deletes each option datum and finally the poll itself. - * - */ + * Sets a poll and its associated data as deleted in the database. + * + * Calls the procedure set_poll_deleted to set the deleted column to 1 for each row in the poll_ tables matching the poll id used. + * Then deletes each option datum and finally the poll itself. + * + */ /datum/poll_question/proc/delete_poll() if(!check_rights(R_POLL)) return @@ -371,14 +371,14 @@ qdel(src) /** - * Inserts or updates a poll question to the database. - * - * Uses INSERT ON DUPLICATE KEY UPDATE to handle both inserting and updating at once. - * The start and end datetimes and poll id for new polls is then retrieved for the poll datum. - * Arguments: - * * clear_votes - When true will call clear_poll_votes() to delete all votes matching this poll id. - * - */ + * Inserts or updates a poll question to the database. + * + * Uses INSERT ON DUPLICATE KEY UPDATE to handle both inserting and updating at once. + * The start and end datetimes and poll id for new polls is then retrieved for the poll datum. + * Arguments: + * * clear_votes - When true will call clear_poll_votes() to delete all votes matching this poll id. + * + */ /datum/poll_question/proc/save_poll_data(clear_votes) if(!check_rights(R_POLL)) return @@ -437,13 +437,13 @@ message_admins("[kna] [msg]") /** - * Saves all options of a poll to the database. - * - * Saves all the created options for a poll when it's submitted to the DB for the first time and associated an id with the options. - * Insertion and id querying for each option is done separately to ensure data integrity; this is less performant, but not significantly. - * Using MassInsert() would mean having to query a list of rows by poll_id or matching by fields afterwards, which doesn't guarantee accuracy. - * - */ + * Saves all options of a poll to the database. + * + * Saves all the created options for a poll when it's submitted to the DB for the first time and associated an id with the options. + * Insertion and id querying for each option is done separately to ensure data integrity; this is less performant, but not significantly. + * Using MassInsert() would mean having to query a list of rows by poll_id or matching by fields afterwards, which doesn't guarantee accuracy. + * + */ /datum/poll_question/proc/save_all_options() if(!SSdbcore.Connect()) to_chat(usr, "Failed to establish database connection.", confidential = TRUE) @@ -453,9 +453,9 @@ option.save_option() /** - * Deletes all votes or text replies for this poll, depending on its type. - * - */ + * Deletes all votes or text replies for this poll, depending on its type. + * + */ /datum/poll_question/proc/clear_poll_votes() if(!check_rights(R_POLL)) return @@ -477,9 +477,9 @@ to_chat(usr, "Poll [poll_type == POLLTYPE_TEXT ? "responses" : "votes"] cleared.", confidential = TRUE) /** - * Show the options for creating a poll option or editing its parameters. - * - */ + * Show the options for creating a poll option or editing its parameters. + * + */ /datum/admins/proc/poll_option_panel(datum/poll_question/poll, datum/poll_option/option) var/list/output = list("[HrefTokenFormField()]") output += {" Option for poll [poll.question] @@ -533,12 +533,12 @@ panel.open() /** - * Processes topic data from poll option panel. - * - * Reads through returned form data and assigns data to the option datum, creating a new one if required, before passing it to be saved. - * Also does some simple error checking to ensure the option will be valid before creation. - * - */ + * Processes topic data from poll option panel. + * + * Reads through returned form data and assigns data to the option datum, creating a new one if required, before passing it to be saved. + * Also does some simple error checking to ensure the option will be valid before creation. + * + */ /datum/admins/proc/poll_option_parse_href(list/href_list, datum/poll_question/poll, datum/poll_option/option) if(!check_rights(R_POLL)) return @@ -631,12 +631,12 @@ return ..() /** - * Inserts or updates a poll option to the database. - * - * Uses INSERT ON DUPLICATE KEY UPDATE to handle both inserting and updating at once. - * The list of columns and values is built dynamically to avoid excess data being sent when not a rating type poll. - * - */ + * Inserts or updates a poll option to the database. + * + * Uses INSERT ON DUPLICATE KEY UPDATE to handle both inserting and updating at once. + * The list of columns and values is built dynamically to avoid excess data being sent when not a rating type poll. + * + */ /datum/poll_option/proc/save_option() if(!check_rights(R_POLL)) return @@ -668,9 +668,9 @@ qdel(query_update_poll_option) /** - * Sets a poll option and its votes as deleted in the database then deletes its datum. - * - */ + * Sets a poll option and its votes as deleted in the database then deletes its datum. + * + */ /datum/poll_option/proc/delete_option() if(!check_rights(R_POLL)) return @@ -690,9 +690,9 @@ qdel(src) /** - * Loads all current and future server polls and their options to store both as datums. - * - */ + * Loads all current and future server polls and their options to store both as datums. + * + */ /proc/load_poll_data() if(!SSdbcore.Connect()) to_chat(usr, "Failed to establish database connection.", confidential = TRUE) diff --git a/code/modules/admin/stickyban.dm b/code/modules/admin/stickyban.dm index 0cad328a97a2..28350d971c81 100644 --- a/code/modules/admin/stickyban.dm +++ b/code/modules/admin/stickyban.dm @@ -406,7 +406,7 @@ return sortList(world.GetConfig("ban")) -/proc/get_stickyban_from_ckey(var/ckey) +/proc/get_stickyban_from_ckey(ckey) . = list() if (!ckey) return null diff --git a/code/modules/admin/topic.dm b/code/modules/admin/topic.dm index cf8c3122cfe4..35420d45f57f 100644 --- a/code/modules/admin/topic.dm +++ b/code/modules/admin/topic.dm @@ -2255,42 +2255,6 @@ fax_panel(usr) return - else if(href_list["EvilFax"]) - if(!check_rights(R_FUN)) - return - var/mob/living/carbon/human/H = locate(href_list["EvilFax"]) - if(!istype(H)) - to_chat(usr, "This can only be used on instances of type /mob/living/carbon/human.") - return - var/etypes = list("Borgification","Corgification","Death By Fire","Demotion Notice") - var/eviltype = input(src.owner, "Which type of evil fax do you wish to send [H]?","Its good to be baaaad...", "") as null|anything in etypes - if(!(eviltype in etypes)) - return - var/customname = input(src.owner, "Pick a title for the evil fax.", "Fax Title") as text|null - if(!customname) - customname = "paper" - var/obj/item/paper/evilfax/P = new /obj/item/paper/evilfax(null) - var/obj/machinery/photocopier/faxmachine/fax = locate(href_list["originfax"]) - - P.name = "Central Command - [customname]" - P.info = "You really should've known better." - P.myeffect = eviltype - P.mytarget = H - if(alert("Do you want the Evil Fax to activate automatically if [H] tries to ignore it?",,"Yes", "No") == "Yes") - P.activate_on_timeout = TRUE - P.x = rand(-2, 0) - P.y = rand(-1, 2) - P.update_icon() - //we have to physically teleport the fax paper - fax.handle_animation() - P.forceMove(fax.loc) - if(istype(H) && H.stat == CONSCIOUS && (istype(H.ears, /obj/item/radio/headset))) - to_chat(H, "Your headset pings, notifying you that a reply to your fax has arrived.") - to_chat(src.owner, "You sent a [eviltype] fax to [H].") - log_admin("[key_name(src.owner)] sent [key_name(H)] a [eviltype] fax") - message_admins("[key_name_admin(src.owner)] replied to [key_name_admin(H)] with a [eviltype] fax") - return - else if(href_list["FaxReplyTemplate"]) if(!check_rights(R_FUN)) return @@ -2360,7 +2324,7 @@ return GLOB.interviews.ui_interact(usr) -/datum/admins/proc/handle_sendall(var/obj/machinery/photocopier/faxmachine/F, var/obj/item/paper/P) +/datum/admins/proc/handle_sendall(obj/machinery/photocopier/faxmachine/F, obj/item/paper/P) if(F.receivefax(P) == FALSE) to_chat(owner, "Message transmission to [F.department] failed.") diff --git a/code/modules/admin/verbs/adminhelp.dm b/code/modules/admin/verbs/adminhelp.dm index 946510f909ce..c4d8f3306035 100644 --- a/code/modules/admin/verbs/adminhelp.dm +++ b/code/modules/admin/verbs/adminhelp.dm @@ -609,15 +609,15 @@ GLOBAL_DATUM_INIT(ahelp_tickets, /datum/admin_help_tickets, new) world.TgsTargetedChatBroadcast("[msg] | [msg2]", TRUE) /** - * Sends a message to a set of cross-communications-enabled servers using world topic calls - * - * Arguments: - * * source - Who sent this message - * * msg - The message body - * * type - The type of message, becomes the topic command under the hood - * * target_servers - A collection of servers to send the message to, defined in config - * * additional_data - An (optional) associated list of extra parameters and data to send with this world topic call - */ + * Sends a message to a set of cross-communications-enabled servers using world topic calls + * + * Arguments: + * * source - Who sent this message + * * msg - The message body + * * type - The type of message, becomes the topic command under the hood + * * target_servers - A collection of servers to send the message to, defined in config + * * additional_data - An (optional) associated list of extra parameters and data to send with this world topic call + */ /proc/send2otherserver(source, msg, type = "Ahelp", target_servers, list/additional_data = list()) if(!CONFIG_GET(string/comms_key)) debug2_world_log("Server cross-comms message not sent for lack of configured key") diff --git a/code/modules/admin/verbs/anonymousnames.dm b/code/modules/admin/verbs/anonymousnames.dm index 448ef83e5e16..62c48149af52 100644 --- a/code/modules/admin/verbs/anonymousnames.dm +++ b/code/modules/admin/verbs/anonymousnames.dm @@ -25,13 +25,13 @@ message_admins("[key_name_admin(usr)] has enabled anonymous names. THEME: [SSticker.anonymousnames].") /** - * anonymous_name: generates a corporate random name. used in admin event tool anonymous names - * - * first letter is always a letter - * Example name = "Employee Q5460Z" - * Arguments: - * * M - mob for preferences and gender - */ + * anonymous_name: generates a corporate random name. used in admin event tool anonymous names + * + * first letter is always a letter + * Example name = "Employee Q5460Z" + * Arguments: + * * M - mob for preferences and gender + */ /proc/anonymous_name(mob/M) switch(SSticker.anonymousnames) if(ANON_RANDOMNAMES) @@ -47,13 +47,13 @@ return name /** - * anonymous_ai_name: generates a corporate random name (but for sillycones). used in admin event tool anonymous names - * - * first letter is always a letter - * Example name = "Employee Assistant Assuming Delta" - * Arguments: - * * is_ai - boolean to decide whether the name has "Core" (AI) or "Assistant" (Cyborg) - */ + * anonymous_ai_name: generates a corporate random name (but for sillycones). used in admin event tool anonymous names + * + * first letter is always a letter + * Example name = "Employee Assistant Assuming Delta" + * Arguments: + * * is_ai - boolean to decide whether the name has "Core" (AI) or "Assistant" (Cyborg) + */ /proc/anonymous_ai_name(is_ai = FALSE) switch(SSticker.anonymousnames) if(ANON_RANDOMNAMES) diff --git a/code/modules/admin/verbs/fix_air.dm b/code/modules/admin/verbs/fix_air.dm index bc3fec478c64..6c2db230bb65 100644 --- a/code/modules/admin/verbs/fix_air.dm +++ b/code/modules/admin/verbs/fix_air.dm @@ -1,5 +1,5 @@ // Proc taken from yogstation, credit to nichlas0010 for the original -/client/proc/fix_air(var/turf/open/T in world) +/client/proc/fix_air(turf/open/T in world) set name = "Fix Air" set category = "Admin.Game" set desc = "Fixes air in specified radius." diff --git a/code/modules/admin/verbs/one_click_antag.dm b/code/modules/admin/verbs/one_click_antag.dm index 607ce69dc64e..bcd1fa86ecb2 100644 --- a/code/modules/admin/verbs/one_click_antag.dm +++ b/code/modules/admin/verbs/one_click_antag.dm @@ -299,7 +299,7 @@ unset_busy_human_dummy(DUMMY_HUMAN_SLOT_ADMIN) return preview_icon -/datum/admins/proc/makeEmergencyresponseteam(var/datum/ert/ertemplate = null) +/datum/admins/proc/makeEmergencyresponseteam(datum/ert/ertemplate = null) if (ertemplate) ertemplate = new ertemplate else diff --git a/code/modules/admin/view_variables/mass_edit_variables.dm b/code/modules/admin/view_variables/mass_edit_variables.dm index a56ae22cf1e5..14b703cd09b3 100644 --- a/code/modules/admin/view_variables/mass_edit_variables.dm +++ b/code/modules/admin/view_variables/mass_edit_variables.dm @@ -201,7 +201,7 @@ message_admins("[key_name_admin(src)] mass modified [original_name]'s [variable] to [O.vars[variable]] ([accepted] objects modified)") //not using global lists as vv is a debug function and debug functions should rely on as less things as possible. -/proc/get_all_of_type(var/T, subtypes = TRUE) +/proc/get_all_of_type(T, subtypes = TRUE) var/list/typecache = list() typecache[T] = 1 if (subtypes) diff --git a/code/modules/admin/view_variables/modify_variables.dm b/code/modules/admin/view_variables/modify_variables.dm index 547788afa912..91a4e4630185 100644 --- a/code/modules/admin/view_variables/modify_variables.dm +++ b/code/modules/admin/view_variables/modify_variables.dm @@ -17,7 +17,7 @@ GLOBAL_PROTECT(VVpixelmovement) //FALSE = no subtypes, strict exact type pathing (or the type doesn't have subtypes) //TRUE = Yes subtypes //NULL = User cancelled at the prompt or invalid type given -/client/proc/vv_subtype_prompt(var/type) +/client/proc/vv_subtype_prompt(type) if (!ispath(type)) return var/list/subtypes = subtypesof(type) diff --git a/code/modules/admin/whitelist.dm b/code/modules/admin/whitelist.dm index 263268a5ca12..59a14dc1fbc6 100644 --- a/code/modules/admin/whitelist.dm +++ b/code/modules/admin/whitelist.dm @@ -15,7 +15,7 @@ GLOBAL_PROTECT(whitelist) if(!GLOB.whitelist.len) GLOB.whitelist = null -/proc/check_whitelist(var/ckey) +/proc/check_whitelist(ckey) if(!GLOB.whitelist) return FALSE . = (ckey in GLOB.whitelist) diff --git a/code/modules/antagonists/abductor/equipment/abduction_gear.dm b/code/modules/antagonists/abductor/equipment/abduction_gear.dm index 30a086044212..8fdb656c6e79 100644 --- a/code/modules/antagonists/abductor/equipment/abduction_gear.dm +++ b/code/modules/antagonists/abductor/equipment/abduction_gear.dm @@ -406,18 +406,18 @@ info = {"Dissection for Dummies

- 1.Acquire fresh specimen.
- 2.Put the specimen on operating table.
- 3.Use a scalpel on the specimen's chest, preparing for experimental dissection.
- 4.Clamp bleeders on specimen's torso with a hemostat.
- 5.Retract skin of specimen's torso with a retractor.
- 6.Apply scalpel again to specimen's torso.
- 7.Search through the specimen's torso with your hands to remove any superfluous organs.
- 8.Insert replacement gland (Retrieve one from gland storage).
- 9.Consider dressing the specimen back to not disturb the habitat.
- 10.Put the specimen in the experiment machinery.
- 11.Choose one of the machine options. The target will be analyzed and teleported to the selected drop-off point.
- 12.You will receive one supply credit, and the subject will be counted towards your quota.
+1.Acquire fresh specimen.
+2.Put the specimen on operating table.
+3.Use a scalpel on the specimen's chest, preparing for experimental dissection.
+4.Clamp bleeders on specimen's torso with a hemostat.
+5.Retract skin of specimen's torso with a retractor.
+6.Apply scalpel again to specimen's torso.
+7.Search through the specimen's torso with your hands to remove any superfluous organs.
+8.Insert replacement gland (Retrieve one from gland storage).
+9.Consider dressing the specimen back to not disturb the habitat.
+10.Put the specimen in the experiment machinery.
+11.Choose one of the machine options. The target will be analyzed and teleported to the selected drop-off point.
+12.You will receive one supply credit, and the subject will be counted towards your quota.

Congratulations! You are now trained for invasive xenobiology research!"} diff --git a/code/modules/antagonists/abductor/machinery/console.dm b/code/modules/antagonists/abductor/machinery/console.dm index 29d998e709b2..6a07abb7c4bc 100644 --- a/code/modules/antagonists/abductor/machinery/console.dm +++ b/code/modules/antagonists/abductor/machinery/console.dm @@ -35,8 +35,8 @@ possible_gear = get_abductor_gear() /** - * get_abductor_gear: Returns a list of a filtered abductor gear sorted by categories - */ + * get_abductor_gear: Returns a list of a filtered abductor gear sorted by categories + */ /obj/machinery/abductor/console/proc/get_abductor_gear() var/list/filtered_modules = list() for(var/path in GLOB.abductor_gear) diff --git a/code/modules/antagonists/abductor/machinery/experiment.dm b/code/modules/antagonists/abductor/machinery/experiment.dm index 07d09f41b1ef..0f8b770db4be 100644 --- a/code/modules/antagonists/abductor/machinery/experiment.dm +++ b/code/modules/antagonists/abductor/machinery/experiment.dm @@ -103,13 +103,13 @@ return TRUE /** - * experiment: Performs selected experiment on occupant mob, resulting in a point reward on success - * - * Arguments: - * * occupant The mob inside the machine - * * type The type of experiment to be performed - * * user The mob starting the experiment - */ + * experiment: Performs selected experiment on occupant mob, resulting in a point reward on success + * + * Arguments: + * * occupant The mob inside the machine + * * type The type of experiment to be performed + * * user The mob starting the experiment + */ /obj/machinery/abductor/experiment/proc/experiment(mob/occupant, type, mob/user) LAZYINITLIST(history) var/mob/living/carbon/human/H = occupant @@ -167,11 +167,11 @@ return "Specimen braindead - disposed." /** - * send_back: Sends a mob back to a selected teleport location if safe - * - * Arguments: - * * H The human mob to be sent back - */ + * send_back: Sends a mob back to a selected teleport location if safe + * + * Arguments: + * * H The human mob to be sent back + */ /obj/machinery/abductor/experiment/proc/send_back(mob/living/carbon/human/H) H.Sleeping(160) H.uncuff() diff --git a/code/modules/antagonists/blob/blob_mobs.dm b/code/modules/antagonists/blob/blob_mobs.dm index 3edd74e6c515..7c21939f89a0 100644 --- a/code/modules/antagonists/blob/blob_mobs.dm +++ b/code/modules/antagonists/blob/blob_mobs.dm @@ -72,7 +72,7 @@ return 1 return ..() -/mob/living/simple_animal/hostile/blob/say(message, bubble_type, var/list/spans = list(), sanitize = TRUE, datum/language/language = null, ignore_spam = FALSE, forced = null) +/mob/living/simple_animal/hostile/blob/say(message, bubble_type, list/spans = list(), sanitize = TRUE, datum/language/language = null, ignore_spam = FALSE, forced = null) if(!overmind) ..() return diff --git a/code/modules/antagonists/blob/blobstrains/_reagent.dm b/code/modules/antagonists/blob/blobstrains/_reagent.dm index 60ebd858cd43..3d210188d9b6 100644 --- a/code/modules/antagonists/blob/blobstrains/_reagent.dm +++ b/code/modules/antagonists/blob/blobstrains/_reagent.dm @@ -6,7 +6,7 @@ reagent = new reagent() -/datum/blobstrain/reagent/attack_living(var/mob/living/L) +/datum/blobstrain/reagent/attack_living(mob/living/L) var/mob_protection = L.get_permeability_protection() reagent.expose_mob(L, VAPOR, 25, 1, mob_protection, overmind) send_message(L) diff --git a/code/modules/antagonists/blob/structures/_blob.dm b/code/modules/antagonists/blob/structures/_blob.dm index d6f122486324..1fb0b0b12142 100644 --- a/code/modules/antagonists/blob/structures/_blob.dm +++ b/code/modules/antagonists/blob/structures/_blob.dm @@ -51,7 +51,7 @@ /obj/structure/blob/blob_act() return -/obj/structure/blob/Adjacent(var/atom/neighbour) +/obj/structure/blob/Adjacent(atom/neighbour) . = ..() if(.) var/result = 0 diff --git a/code/modules/antagonists/changeling/changeling_power.dm b/code/modules/antagonists/changeling/changeling_power.dm index fd182e0d846a..cd37fb81a6ee 100644 --- a/code/modules/antagonists/changeling/changeling_power.dm +++ b/code/modules/antagonists/changeling/changeling_power.dm @@ -37,15 +37,15 @@ the same goes for Remove(). if you override Remove(), call parent or else your p try_to_sting(user) /** - *Contrary to the name, this proc isn't just used by changeling stings. It handles the activation of the action and the deducation of its cost. - *The order of the proc chain is: - *can_sting(). Should this fail, the process gets aborted early. - *sting_action(). This proc usually handles the actual effect of the action. - *Should sting_action succeed the following will be done: - *sting_feedback(). Produces feedback on the performed action. Don't ask me why this isn't handled in sting_action() - *The deduction of the cost of this power. - *Returns TRUE on a successful activation. - */ + *Contrary to the name, this proc isn't just used by changeling stings. It handles the activation of the action and the deducation of its cost. + *The order of the proc chain is: + *can_sting(). Should this fail, the process gets aborted early. + *sting_action(). This proc usually handles the actual effect of the action. + *Should sting_action succeed the following will be done: + *sting_feedback(). Produces feedback on the performed action. Don't ask me why this isn't handled in sting_action() + *The deduction of the cost of this power. + *Returns TRUE on a successful activation. + */ /datum/action/changeling/proc/try_to_sting(mob/user, mob/target) if(!can_sting(user, target)) return FALSE diff --git a/code/modules/antagonists/changeling/powers/hivemind.dm b/code/modules/antagonists/changeling/powers/hivemind.dm index ece6b788d3cd..d3723650858f 100644 --- a/code/modules/antagonists/changeling/powers/hivemind.dm +++ b/code/modules/antagonists/changeling/powers/hivemind.dm @@ -43,7 +43,7 @@ GLOBAL_LIST_EMPTY(hivemind_bank) chemical_cost = 10 dna_cost = -1 -/datum/action/changeling/hivemind_upload/sting_action(var/mob/living/user) +/datum/action/changeling/hivemind_upload/sting_action(mob/living/user) if (HAS_TRAIT(user, CHANGELING_HIVEMIND_MUTE)) to_chat(user, "The poison in the air hinders our ability to interact with the hivemind.") return diff --git a/code/modules/antagonists/cult/cult_comms.dm b/code/modules/antagonists/cult/cult_comms.dm index e10812eaa848..1dae8a6a649f 100644 --- a/code/modules/antagonists/cult/cult_comms.dm +++ b/code/modules/antagonists/cult/cult_comms.dm @@ -86,7 +86,7 @@ var/datum/antagonist/cult/C = owner.mind.has_antag_datum(/datum/antagonist/cult,TRUE) pollCultists(owner,C.cult_team) -/proc/pollCultists(var/mob/living/Nominee,datum/team/cult/team) //Cult Master Poll +/proc/pollCultists(mob/living/Nominee,datum/team/cult/team) //Cult Master Poll if(world.time < CULT_POLL_WAIT) to_chat(Nominee, "It would be premature to select a leader while everyone is still settling in, try again in [DisplayTimeText(CULT_POLL_WAIT-world.time)].") return diff --git a/code/modules/antagonists/cult/runes.dm b/code/modules/antagonists/cult/runes.dm index 13588d65a4ef..4e68c4bf7fd8 100644 --- a/code/modules/antagonists/cult/runes.dm +++ b/code/modules/antagonists/cult/runes.dm @@ -110,7 +110,7 @@ structure_check() searches for nearby cultist structures required for the invoca */ -/obj/effect/rune/proc/can_invoke(var/mob/living/user=null) +/obj/effect/rune/proc/can_invoke(mob/living/user=null) //This proc determines if the rune can be invoked at the time. If there are multiple required cultists, it will find all nearby cultists. var/list/invokers = list() //people eligible to invoke the rune if(user) @@ -130,7 +130,7 @@ structure_check() searches for nearby cultist structures required for the invoca invokers += L return invokers -/obj/effect/rune/proc/invoke(var/list/invokers) +/obj/effect/rune/proc/invoke(list/invokers) //This proc contains the effects of the rune as well as things that happen afterwards. If you want it to spawn an object and then delete itself, have both here. for(var/M in invokers) if(isliving(M)) @@ -171,7 +171,7 @@ structure_check() searches for nearby cultist structures required for the invoca icon_state = "[rand(1,7)]" color = rgb(rand(0,255), rand(0,255), rand(0,255)) -/obj/effect/rune/malformed/invoke(var/list/invokers) +/obj/effect/rune/malformed/invoke(list/invokers) ..() qdel(src) @@ -189,7 +189,7 @@ structure_check() searches for nearby cultist structures required for the invoca /obj/effect/rune/convert/do_invoke_glow() return -/obj/effect/rune/convert/invoke(var/list/invokers) +/obj/effect/rune/convert/invoke(list/invokers) if(rune_in_use) return var/list/myriad_targets = list() @@ -320,7 +320,7 @@ structure_check() searches for nearby cultist structures required for the invoca color = RUNE_COLOR_TALISMAN construct_invoke = FALSE -/obj/effect/rune/empower/invoke(var/list/invokers) +/obj/effect/rune/empower/invoke(list/invokers) . = ..() var/mob/living/user = invokers[1] //the first invoker is always the user for(var/datum/action/innate/cult/blood_magic/BM in user.actions) @@ -350,7 +350,7 @@ structure_check() searches for nearby cultist structures required for the invoca GLOB.teleport_runes -= src return ..() -/obj/effect/rune/teleport/invoke(var/list/invokers) +/obj/effect/rune/teleport/invoke(list/invokers) var/mob/living/user = invokers[1] //the first invoker is always the user var/list/potential_runes = list() var/list/teleportnames = list() @@ -471,7 +471,7 @@ structure_check() searches for nearby cultist structures required for the invoca /obj/effect/rune/narsie/conceal() //can't hide this, and you wouldn't want to return -/obj/effect/rune/narsie/invoke(var/list/invokers) +/obj/effect/rune/narsie/invoke(list/invokers) if(used) return var/mob/living/user = invokers[1] @@ -522,7 +522,7 @@ structure_check() searches for nearby cultist structures required for the invoca if(iscultist(user) || user.stat == DEAD) . += "Sacrifices unrewarded: [LAZYLEN(GLOB.sacrificed) - sacrifices_used]" -/obj/effect/rune/raise_dead/invoke(var/list/invokers) +/obj/effect/rune/raise_dead/invoke(list/invokers) var/turf/T = get_turf(src) var/mob/living/mob_to_revive var/list/potential_revive_mobs = list() @@ -627,7 +627,7 @@ structure_check() searches for nearby cultist structures required for the invoca /obj/effect/rune/wall/BlockThermalConductivity() return density -/obj/effect/rune/wall/invoke(var/list/invokers) +/obj/effect/rune/wall/invoke(list/invokers) if(recharging) return var/mob/living/user = invokers[1] @@ -691,7 +691,7 @@ structure_check() searches for nearby cultist structures required for the invoca icon_state = "3" color = RUNE_COLOR_SUMMON -/obj/effect/rune/summon/invoke(var/list/invokers) +/obj/effect/rune/summon/invoke(list/invokers) var/mob/living/user = invokers[1] var/list/cultists = list() for(var/datum/mind/M in SSticker.mode.cult) @@ -750,7 +750,7 @@ structure_check() searches for nearby cultist structures required for the invoca /obj/effect/rune/blood_boil/do_invoke_glow() return -/obj/effect/rune/blood_boil/invoke(var/list/invokers) +/obj/effect/rune/blood_boil/invoke(list/invokers) if(rune_in_use) return ..() @@ -823,7 +823,7 @@ structure_check() searches for nearby cultist structures required for the invoca return list() return ..() -/obj/effect/rune/manifest/invoke(var/list/invokers) +/obj/effect/rune/manifest/invoke(list/invokers) . = ..() var/mob/living/user = invokers[1] var/turf/T = get_turf(src) @@ -932,7 +932,7 @@ structure_check() searches for nearby cultist structures required for the invoca req_cultists = 3 scribe_delay = 100 -/obj/effect/rune/apocalypse/invoke(var/list/invokers) +/obj/effect/rune/apocalypse/invoke(list/invokers) if(rune_in_use) return . = ..() @@ -1035,7 +1035,7 @@ structure_check() searches for nearby cultist structures required for the invoca GT.runEvent() qdel(src) -/obj/effect/rune/apocalypse/proc/image_handler(var/list/images, duration) +/obj/effect/rune/apocalypse/proc/image_handler(list/images, duration) var/end = world.time + duration set waitfor = 0 while(end>world.time) diff --git a/code/modules/antagonists/disease/disease_disease.dm b/code/modules/antagonists/disease/disease_disease.dm index c37abefab03a..482beaba6be6 100644 --- a/code/modules/antagonists/disease/disease_disease.dm +++ b/code/modules/antagonists/disease/disease_disease.dm @@ -19,7 +19,7 @@ overmind.remove_infection(src) ..() -/datum/disease/advance/sentient_disease/infect(var/mob/living/infectee, make_copy = TRUE) +/datum/disease/advance/sentient_disease/infect(mob/living/infectee, make_copy = TRUE) if(make_copy && overmind && (overmind.disease_template != src)) overmind.disease_template.infect(infectee, TRUE) //get an updated version of the virus else diff --git a/code/modules/antagonists/disease/disease_mob.dm b/code/modules/antagonists/disease/disease_mob.dm index 6788f35d5245..8f1ea1c2b04e 100644 --- a/code/modules/antagonists/disease/disease_mob.dm +++ b/code/modules/antagonists/disease/disease_mob.dm @@ -284,13 +284,13 @@ the new instance inside the host to be updated to the template's stats. if(T) forceMove(T) -/mob/camera/disease/DblClickOn(var/atom/A, params) +/mob/camera/disease/DblClickOn(atom/A, params) if(hosts[A]) set_following(A) else ..() -/mob/camera/disease/ClickOn(var/atom/A, params) +/mob/camera/disease/ClickOn(atom/A, params) if(freemove && ishuman(A)) var/mob/living/carbon/human/H = A if(alert(src, "Select [H.name] as your initial host?", "Select Host", "Yes", "No") != "Yes") diff --git a/code/modules/antagonists/gang/gang.dm b/code/modules/antagonists/gang/gang.dm index d5099667aebc..09225c719da2 100644 --- a/code/modules/antagonists/gang/gang.dm +++ b/code/modules/antagonists/gang/gang.dm @@ -38,7 +38,7 @@ /datum/antagonist/gang/get_team() return my_gang -/datum/antagonist/gang/proc/add_gang_points(var/points_to_add) +/datum/antagonist/gang/proc/add_gang_points(points_to_add) if(my_gang) my_gang.adjust_points(points_to_add) @@ -347,7 +347,7 @@ var/list/free_clothes = list() var/datum/antagonist/gang/my_gang_datum -/datum/team/gang/proc/adjust_points(var/points_to_adjust) +/datum/team/gang/proc/adjust_points(points_to_adjust) points += points_to_adjust /datum/team/gang/roundend_report() diff --git a/code/modules/antagonists/morph/morph.dm b/code/modules/antagonists/morph/morph.dm index 894f37b022b7..19b0cc891523 100644 --- a/code/modules/antagonists/morph/morph.dm +++ b/code/modules/antagonists/morph/morph.dm @@ -176,7 +176,7 @@ /mob/living/simple_animal/hostile/morph/LoseAggro() vision_range = initial(vision_range) -/mob/living/simple_animal/hostile/morph/AIShouldSleep(var/list/possible_targets) +/mob/living/simple_animal/hostile/morph/AIShouldSleep(list/possible_targets) . = ..() if(.) var/list/things = list() diff --git a/code/modules/antagonists/slaughter/slaughter.dm b/code/modules/antagonists/slaughter/slaughter.dm index 1c88ef7f9b5f..087861a35d9c 100644 --- a/code/modules/antagonists/slaughter/slaughter.dm +++ b/code/modules/antagonists/slaughter/slaughter.dm @@ -186,7 +186,7 @@ playsound(T, feast_sound, 50, TRUE, -1) to_chat(M, "You leave [src]'s warm embrace, and feel ready to take on the world.") -/mob/living/simple_animal/slaughter/laughter/bloodcrawl_swallow(var/mob/living/victim) +/mob/living/simple_animal/slaughter/laughter/bloodcrawl_swallow(mob/living/victim) if(consumed_mobs) // Keep their corpse so rescue is possible consumed_mobs += victim diff --git a/code/modules/antagonists/traitor/datum_traitor.dm b/code/modules/antagonists/traitor/datum_traitor.dm index 2ca345994696..e568e95e8700 100644 --- a/code/modules/antagonists/traitor/datum_traitor.dm +++ b/code/modules/antagonists/traitor/datum_traitor.dm @@ -260,7 +260,7 @@ to_chat(killer, "Your radio has been upgraded! Use :t to speak on an encrypted channel with Syndicate Agents!") killer.add_malf_picker() -/datum/antagonist/traitor/proc/equip(var/silent = FALSE) +/datum/antagonist/traitor/proc/equip(silent = FALSE) if(traitor_kind == TRAITOR_HUMAN) owner.equip_traitor(employer, silent, src) diff --git a/code/modules/antagonists/traitor/equipment/Malf_Modules.dm b/code/modules/antagonists/traitor/equipment/Malf_Modules.dm index b1e4d28cb61b..2600f56719ce 100644 --- a/code/modules/antagonists/traitor/equipment/Malf_Modules.dm +++ b/code/modules/antagonists/traitor/equipment/Malf_Modules.dm @@ -133,7 +133,7 @@ GLOBAL_LIST_INIT(malf_modules, subtypesof(/datum/AI_Module)) /// Sound played when an ability is unlocked var/unlock_sound - /// Applies upgrades +/// Applies upgrades /datum/AI_Module/proc/upgrade(mob/living/silicon/ai/AI) return diff --git a/code/modules/antagonists/traitor/equipment/contractor.dm b/code/modules/antagonists/traitor/equipment/contractor.dm index 2c3dff433e5b..121430252ef0 100644 --- a/code/modules/antagonists/traitor/equipment/contractor.dm +++ b/code/modules/antagonists/traitor/equipment/contractor.dm @@ -112,7 +112,7 @@ limited = 2 cost = 0 -/datum/contractor_item/contract_reroll/handle_purchase(var/datum/contractor_hub/hub) +/datum/contractor_item/contract_reroll/handle_purchase(datum/contractor_hub/hub) . = ..() if (.) @@ -159,7 +159,7 @@ cost = 2 var/datum/mind/partner_mind = null -/datum/contractor_item/contractor_partner/handle_purchase(var/datum/contractor_hub/hub, mob/living/user) +/datum/contractor_item/contractor_partner/handle_purchase(datum/contractor_hub/hub, mob/living/user) . = ..() if (.) @@ -238,7 +238,7 @@ limited = 2 cost = 3 -/datum/contractor_item/blackout/handle_purchase(var/datum/contractor_hub/hub) +/datum/contractor_item/blackout/handle_purchase(datum/contractor_hub/hub) . = ..() if (.) @@ -246,7 +246,7 @@ priority_announce("Abnormal activity detected in [station_name()]'s powernet. As a precautionary measure, the station's power will be shut off for an indeterminate duration.", "Critical Power Failure", 'sound/ai/poweroff.ogg') // Subtract cost, and spawn if it's an item. -/datum/contractor_item/proc/handle_purchase(var/datum/contractor_hub/hub, mob/living/user) +/datum/contractor_item/proc/handle_purchase(datum/contractor_hub/hub, mob/living/user) if (hub.contract_rep >= cost) hub.contract_rep -= cost diff --git a/code/modules/antagonists/traitor/syndicate_contract.dm b/code/modules/antagonists/traitor/syndicate_contract.dm index b7fc2141428c..977cab2987dc 100644 --- a/code/modules/antagonists/traitor/syndicate_contract.dm +++ b/code/modules/antagonists/traitor/syndicate_contract.dm @@ -45,7 +45,7 @@ var/location = pick_list_weighted(WANTED_FILE, "location") wanted_message = "[base] [verb_string] [noun] [location]." -/datum/syndicate_contract/proc/handle_extraction(var/mob/living/user) +/datum/syndicate_contract/proc/handle_extraction(mob/living/user) if (contract.target && contract.dropoff_check(user, contract.target.current)) var/turf/free_location = find_obstruction_free_location(3, user, contract.dropoff) @@ -153,7 +153,7 @@ [C.registered_account.account_balance] cr.", TRUE) // They're off to holding - handle the return timer and give some text about what's going on. -/datum/syndicate_contract/proc/handleVictimExperience(var/mob/living/M) +/datum/syndicate_contract/proc/handleVictimExperience(mob/living/M) // Ship 'em back - dead or alive, 4 minutes wait. // Even if they weren't the target, we're still treating them the same. addtimer(CALLBACK(src, .proc/returnVictim, M), (60 * 10) * 4) @@ -188,7 +188,7 @@ M.confused += 20 // We're returning the victim -/datum/syndicate_contract/proc/returnVictim(var/mob/living/M) +/datum/syndicate_contract/proc/returnVictim(mob/living/M) var/list/possible_drop_loc = list() for (var/turf/possible_drop in contract.dropoff.contents) diff --git a/code/modules/antagonists/xeno/xeno.dm b/code/modules/antagonists/xeno/xeno.dm index 2992c8af6520..21b60b7ec2a1 100644 --- a/code/modules/antagonists/xeno/xeno.dm +++ b/code/modules/antagonists/xeno/xeno.dm @@ -1,4 +1,4 @@ - //XENO TEAM +//XENO TEAM /datum/team/xeno name = "Aliens" /// How many alien queens have already died diff --git a/code/modules/asset_cache/asset_list_items.dm b/code/modules/asset_cache/asset_list_items.dm index 0026c752e104..aaf520690c08 100644 --- a/code/modules/asset_cache/asset_list_items.dm +++ b/code/modules/asset_cache/asset_list_items.dm @@ -3,21 +3,21 @@ /datum/asset/simple/tgui_common keep_local_name = TRUE assets = list( - "tgui-common.bundle.js" = 'tgui/public/tgui-common.bundle.js', + "tgui-common.bundle.js" = file("tgui/public/tgui-common.bundle.js"), ) /datum/asset/simple/tgui keep_local_name = TRUE assets = list( - "tgui.bundle.js" = 'tgui/public/tgui.bundle.js', - "tgui.bundle.css" = 'tgui/public/tgui.bundle.css', + "tgui.bundle.js" = file("tgui/public/tgui.bundle.js"), + "tgui.bundle.css" = file("tgui/public/tgui.bundle.css"), ) /datum/asset/simple/tgui_panel keep_local_name = TRUE assets = list( - "tgui-panel.bundle.js" = 'tgui/public/tgui-panel.bundle.js', - "tgui-panel.bundle.css" = 'tgui/public/tgui-panel.bundle.css', + "tgui-panel.bundle.js" = file("tgui/public/tgui-panel.bundle.js"), + "tgui-panel.bundle.css" = file("tgui/public/tgui-panel.bundle.css"), ) /datum/asset/simple/headers diff --git a/code/modules/asset_cache/readme.md b/code/modules/asset_cache/readme.md index 82e6bea896c8..b2f8914708bb 100644 --- a/code/modules/asset_cache/readme.md +++ b/code/modules/asset_cache/readme.md @@ -24,14 +24,12 @@ Call .get_url_mappings() to get an associated list with the urls your assets can See the documentation for `/datum/asset_transport` for the backend api the asset datums utilize. -The global variable `SSassets.transport` contains the currently configured transport. - - +The global variable `SSassets.transport` contains the currently configured transport. ### Notes: Because byond browse() calls use non-blocking queues, if your code uses output() (which bypasses all of these queues) to invoke javascript functions you will need to first have the javascript announce to the server it has loaded before trying to invoke js functions. -To make your code work with any CDNs configured by the server, you must make sure assets are referenced from the url returned by `get_url_mappings()` or by asset_transport's `get_asset_url()`. (TGUI also has helpers for this.) If this can not be easily done, you can bypass the cdn using legacy assets, see the simple asset datum for details. +To make your code work with any CDNs configured by the server, you must make sure assets are referenced from the url returned by `get_url_mappings()` or by asset_transport's `get_asset_url()`. (TGUI also has helpers for this.) If this can not be easily done, you can bypass the cdn using legacy assets, see the simple asset datum for details. CSS files that use url() can be made to use the CDN without needing to rewrite all url() calls in code by using the namespaced helper datum. See the documentation for `/datum/asset/simple/namespaced` for details. diff --git a/code/modules/asset_cache/validate_assets.html b/code/modules/asset_cache/validate_assets.html index 9728bb5c285b..fff158d5ac83 100644 --- a/code/modules/asset_cache/validate_assets.html +++ b/code/modules/asset_cache/validate_assets.html @@ -8,22 +8,24 @@ //this is used over window.location because window.location has a character limit in IE. function sendbyond(text) { var xhr = new XMLHttpRequest(); - xhr.open('GET', '?'+text, true); + xhr.open("GET", "?" + text, true); xhr.send(null); } var xhr = new XMLHttpRequest(); - xhr.open('GET', 'asset_data.json', true); - xhr.responseType = 'text'; + xhr.open("GET", "asset_data.json", true); + xhr.responseType = "text"; xhr.onreadystatechange = function () { if (xhr.readyState === 4) { var status = xhr.status; - if (status >= 200 && status < 400) { - sendbyond('asset_cache_preload_data=' + encodeURIComponent(xhr.responseText)); + if (status >= 200 && status < 400) { + sendbyond( + "asset_cache_preload_data=" + + encodeURIComponent(xhr.responseText) + ); } } }; xhr.send(null); - - - + + diff --git a/code/modules/atmospherics/gasmixtures/gas_mixture.dm b/code/modules/atmospherics/gasmixtures/gas_mixture.dm index 0e210966ff2f..b11830ca3d76 100644 --- a/code/modules/atmospherics/gasmixtures/gas_mixture.dm +++ b/code/modules/atmospherics/gasmixtures/gas_mixture.dm @@ -1,4 +1,4 @@ - /* +/* What are the archived variables for? Calculations are done using the archived variables with the results merged into the regular variables. This prevents race conditions that arise based on the order of tile processing. diff --git a/code/modules/atmospherics/machinery/components/binary_devices/binary_devices.dm b/code/modules/atmospherics/machinery/components/binary_devices/binary_devices.dm index 74eb746ebe2c..8f1e2cc3548b 100644 --- a/code/modules/atmospherics/machinery/components/binary_devices/binary_devices.dm +++ b/code/modules/atmospherics/machinery/components/binary_devices/binary_devices.dm @@ -19,7 +19,7 @@ return list(turn(dir, 180), dir) ///Used by binary devices to set what the offset will be for each layer -/obj/machinery/atmospherics/components/binary/proc/set_overlay_offset(var/pipe_layer) +/obj/machinery/atmospherics/components/binary/proc/set_overlay_offset(pipe_layer) switch(pipe_layer) if(1, 3, 5) return 1 diff --git a/code/modules/atmospherics/machinery/components/trinary_devices/trinary_devices.dm b/code/modules/atmospherics/machinery/components/trinary_devices/trinary_devices.dm index 13fcd05d0ae6..c587b1b1b630 100644 --- a/code/modules/atmospherics/machinery/components/trinary_devices/trinary_devices.dm +++ b/code/modules/atmospherics/machinery/components/trinary_devices/trinary_devices.dm @@ -47,7 +47,7 @@ Housekeeping and pipe network stuff return list(node1_connect, node2_connect, node3_connect) -/obj/machinery/atmospherics/components/trinary/proc/set_overlay_offset(var/pipe_layer) +/obj/machinery/atmospherics/components/trinary/proc/set_overlay_offset(pipe_layer) switch(pipe_layer) if(1) return 1 diff --git a/code/modules/atmospherics/machinery/components/unary_devices/vent_scrubber.dm b/code/modules/atmospherics/machinery/components/unary_devices/vent_scrubber.dm index c164d6cb10df..8934d14376dc 100644 --- a/code/modules/atmospherics/machinery/components/unary_devices/vent_scrubber.dm +++ b/code/modules/atmospherics/machinery/components/unary_devices/vent_scrubber.dm @@ -145,7 +145,7 @@ scrub(tile) return TRUE -/obj/machinery/atmospherics/components/unary/vent_scrubber/proc/scrub(var/turf/tile) +/obj/machinery/atmospherics/components/unary/vent_scrubber/proc/scrub(turf/tile) if(!istype(tile)) return FALSE var/datum/gas_mixture/environment = tile.return_air() diff --git a/code/modules/atmospherics/machinery/portable/scrubber.dm b/code/modules/atmospherics/machinery/portable/scrubber.dm index 90d6de8ed227..44ef0b7fa62a 100644 --- a/code/modules/atmospherics/machinery/portable/scrubber.dm +++ b/code/modules/atmospherics/machinery/portable/scrubber.dm @@ -39,7 +39,7 @@ var/turf/T = get_turf(src) scrub(T.return_air()) -/obj/machinery/portable_atmospherics/scrubber/proc/scrub(var/datum/gas_mixture/mixture) +/obj/machinery/portable_atmospherics/scrubber/proc/scrub(datum/gas_mixture/mixture) if(air_contents.return_pressure() >= overpressure_m * ONE_ATMOSPHERE) return diff --git a/code/modules/awaymissions/capture_the_flag.dm b/code/modules/awaymissions/capture_the_flag.dm index 52093a6344ae..84004aed2448 100644 --- a/code/modules/awaymissions/capture_the_flag.dm +++ b/code/modules/awaymissions/capture_the_flag.dm @@ -263,7 +263,7 @@ addtimer(CALLBACK(src, .proc/clear_cooldown, body.ckey), respawn_cooldown, TIMER_UNIQUE) body.dust() -/obj/machinery/capture_the_flag/proc/clear_cooldown(var/ckey) +/obj/machinery/capture_the_flag/proc/clear_cooldown(ckey) recently_dead_ckeys -= ckey /obj/machinery/capture_the_flag/proc/spawn_team_member(client/new_team_member) diff --git a/code/modules/awaymissions/gateway.dm b/code/modules/awaymissions/gateway.dm index b6fdc7e7003a..4de1b424f113 100644 --- a/code/modules/awaymissions/gateway.dm +++ b/code/modules/awaymissions/gateway.dm @@ -4,10 +4,10 @@ GLOBAL_DATUM(the_gateway, /obj/machinery/gateway/centerstation) GLOBAL_LIST_EMPTY(gateway_destinations) /** - * Corresponds to single entry in gateway control. - * - * Will NOT be added automatically to GLOB.gateway_destinations list. - */ + * Corresponds to single entry in gateway control. + * + * Will NOT be added automatically to GLOB.gateway_destinations list. + */ /datum/gateway_destination var/name = "Unknown Destination" var/wait = 0 /// How long after roundstart this destination becomes active diff --git a/code/modules/awaymissions/mission_code/Academy.dm b/code/modules/awaymissions/mission_code/Academy.dm index 1803e905fd7d..ed9293c64bc7 100644 --- a/code/modules/awaymissions/mission_code/Academy.dm +++ b/code/modules/awaymissions/mission_code/Academy.dm @@ -221,7 +221,7 @@ user.dropItemToGround(src) -/obj/item/dice/d20/fate/proc/effect(var/mob/living/carbon/human/user,roll) +/obj/item/dice/d20/fate/proc/effect(mob/living/carbon/human/user,roll) var/turf/T = get_turf(src) switch(roll) if(1) diff --git a/code/modules/awaymissions/mission_code/snowdin.dm b/code/modules/awaymissions/mission_code/snowdin.dm index f749ce5287a3..ddb34c67a97c 100644 --- a/code/modules/awaymissions/mission_code/snowdin.dm +++ b/code/modules/awaymissions/mission_code/snowdin.dm @@ -250,7 +250,7 @@ /obj/item/paper/crumpled/ruins/snowdin/foreshadowing name = "scribbled note" info = {"Something's gone VERY wrong here. Jouslen has been mumbling about some weird shit in his cabin during the night and he seems always tired when we're working. I tried to confront him about it and he blew up on me, - telling me to mind my own business. I reported him to the officer, said he'd look into it. We only got another 2 months here before we're pulled for another assignment, so this shit can't go any quicker..."} + telling me to mind my own business. I reported him to the officer, said he'd look into it. We only got another 2 months here before we're pulled for another assignment, so this shit can't go any quicker..."} /obj/item/paper/crumpled/ruins/snowdin/misc1 name = "Mission Prologue" @@ -260,8 +260,8 @@ /obj/item/paper/crumpled/ruins/snowdin/dontdeadopeninside name = "scribbled note" info = {"If you're reading this: GET OUT! The mining go on here has unearthed something that was once-trapped by the layers of ice on this hell-hole. The overseer and Jouslen have gone missing. The officer is - keeping the rest of us on lockdown and I swear to god I keep hearing strange noises outside the walls at night. The gateway link has gone dead and without a supply of resources from Central, we're left - for dead here. We haven't heard anything back from the mining squad either, so I can only assume whatever the fuck they unearthed got them first before coming for us. I don't want to die here..."} + keeping the rest of us on lockdown and I swear to god I keep hearing strange noises outside the walls at night. The gateway link has gone dead and without a supply of resources from Central, we're left + for dead here. We haven't heard anything back from the mining squad either, so I can only assume whatever the fuck they unearthed got them first before coming for us. I don't want to die here..."} /obj/item/paper/fluff/awaymissions/snowdin/saw_usage name = "SAW Usage" @@ -276,19 +276,19 @@ /obj/item/paper/fluff/awaymissions/snowdin/profile/overseer name = "Personnel Record AOP#01" info = {"
Personnel Log


Name:Caleb Reed
Age:38
Gender:Male
On-Site Profession:Outpost Overseer

Information

Caleb Reed lead several expeditions - among uncharted planets in search of plasma for Nanotrasen, scouring from hot savanas to freezing arctics. Track record is fairly clean with only incidient including the loss of two researchers during the - expedition of _______, where mis-used of explosive ordinance for tunneling causes a cave-in."} + among uncharted planets in search of plasma for Nanotrasen, scouring from hot savanas to freezing arctics. Track record is fairly clean with only incidient including the loss of two researchers during the + expedition of _______, where mis-used of explosive ordinance for tunneling causes a cave-in."} /obj/item/paper/fluff/awaymissions/snowdin/profile/sec1 name = "Personnel Record AOP#02" info = {"
Personnel Log


Name:James Reed
Age:43
Gender:Male
On-Site Profession:Outpost Security

Information

James Reed has been a part - of Nanotrasen's security force for over 20 years, first joining in 22XX. A clean record and unwavering loyalty to the corperation through numerous deployments to various sites makes him a valuable asset to Natotrasen - when it comes to keeping the peace while prioritizing Nanotrasen privacy matters. "} + of Nanotrasen's security force for over 20 years, first joining in 22XX. A clean record and unwavering loyalty to the corperation through numerous deployments to various sites makes him a valuable asset to Natotrasen + when it comes to keeping the peace while prioritizing Nanotrasen privacy matters. "} /obj/item/paper/fluff/awaymissions/snowdin/profile/hydro1 name = "Personnel Record AOP#03" info = {"
Personnel Log


Name:Katherine Esterdeen
Age:27
Gender:Female
On-Site Profession:Outpost Botanist

Information

Katherine Esterdeen is a recent - graduate with a major in Botany and a PH.D in Ecology. Having a clean record and eager to work, Esterdeen seems to be the right fit for maintaining plants in the middle of nowhere."} + graduate with a major in Botany and a PH.D in Ecology. Having a clean record and eager to work, Esterdeen seems to be the right fit for maintaining plants in the middle of nowhere."} /obj/item/paper/fluff/awaymissions/snowdin/profile/engi1 name = "Personnel Record AOP#04" @@ -316,12 +316,12 @@ /obj/item/paper/fluff/awaymissions/snowdin/mining name = "Assignment Notice" info = {"This cold-ass planet is the new-age equivalent of striking gold. Huge deposits of plasma and literal streams of plasma run through the caverns under all this ice and we're here to mine it all.\ - Nanotrasen pays by the pound, so get minin' boys!"} + Nanotrasen pays by the pound, so get minin' boys!"} /obj/item/paper/crumpled/ruins/snowdin/lootstructures name = "scribbled note" info = {"There's some ruins scattered along the cavern, their walls seem to be made of some sort of super-condensed mixture of ice and snow. We've already barricaded up the ones we've found so far, - since we keep hearing some strange noises from inside. Besides, what sort of fool would wrecklessly run into ancient ruins full of monsters for some old gear, anyway?"} + since we keep hearing some strange noises from inside. Besides, what sort of fool would wrecklessly run into ancient ruins full of monsters for some old gear, anyway?"} /obj/item/paper/crumpled/ruins/snowdin/shovel name = "shoveling duties" diff --git a/code/modules/awaymissions/mission_code/wildwest.dm b/code/modules/awaymissions/mission_code/wildwest.dm index 9c8053d8c0bf..33615f160f97 100644 --- a/code/modules/awaymissions/mission_code/wildwest.dm +++ b/code/modules/awaymissions/mission_code/wildwest.dm @@ -31,7 +31,7 @@ requires_power = FALSE - ////////// wildwest papers +////////// wildwest papers /obj/item/paper/fluff/awaymissions/wildwest/grinder info = "meat grinder requires sacri" diff --git a/code/modules/buildmode/README.md b/code/modules/buildmode/README.md index 1bdb6e07584c..9f4b3eec27c6 100644 --- a/code/modules/buildmode/README.md +++ b/code/modules/buildmode/README.md @@ -16,200 +16,200 @@ Implementer of buildmode behaviors. Existing varieties: -+ Basic +- Basic - **Description**: + **Description**: - Allows creation of simple structures consisting of floors, walls, windows, and airlocks. + Allows creation of simple structures consisting of floors, walls, windows, and airlocks. - **Controls**: + **Controls**: - + *Left click a turf*: - - "Upgrades" the turf based on the following rules below: + - _Left click a turf_: - + Space -> Tiled floor - + Simulated floor -> Regular wall - + Wall -> Reinforced wall - - + *Right click a turf*: + "Upgrades" the turf based on the following rules below: - "Downgrades" the turf based on the following rules below: + - Space -> Tiled floor + - Simulated floor -> Regular wall + - Wall -> Reinforced wall - + Reinforced wall -> Regular wall - + Wall -> Tiled floor - + Simulated floor -> Space - - + *Right click an object*: + - _Right click a turf_: - Deletes the clicked object. + "Downgrades" the turf based on the following rules below: - + *Alt+Left click a location*: + - Reinforced wall -> Regular wall + - Wall -> Tiled floor + - Simulated floor -> Space - Places an airlock at the clicked location. - - + *Ctrl+Left click a location*: + - _Right click an object_: - Places a window at the clicked location. + Deletes the clicked object. -+ Advanced + - _Alt+Left click a location_: - **Description**: + Places an airlock at the clicked location. - Creates an instance of a configurable atom path where you click. + - _Ctrl+Left click a location_: - **Controls**: + Places a window at the clicked location. - + *Right click on the mode selector*: +- Advanced - Choose a path to spawn. - - + *Left click a location* (requires chosen path): + **Description**: - Place an instance of the chosen path at the location. + Creates an instance of a configurable atom path where you click. - + *Right click an object*: + **Controls**: - Delete the object. + - _Right click on the mode selector_: -+ Fill + Choose a path to spawn. - **Description**: + - _Left click a location_ (requires chosen path): - Creates an instance of an atom path on every tile in a chosen region. + Place an instance of the chosen path at the location. - With a special control input, instead deletes everything within the region. + - _Right click an object_: - **Controls**: + Delete the object. - + *Right click on the mode selector*: +- Fill - Choose a path to spawn. + **Description**: - + *Left click on a region* (requires chosen path): + Creates an instance of an atom path on every tile in a chosen region. - Fill the region with the chosen path. + With a special control input, instead deletes everything within the region. - + *Alt+Left click on a region*: + **Controls**: - Deletes everything within the region. + - _Right click on the mode selector_: - + *Right click during region selection*: + Choose a path to spawn. - Cancel region selection. + - _Left click on a region_ (requires chosen path): -+ Copy + Fill the region with the chosen path. - **Description**: - - Take an existing object in the world, and place duplicates with identical attributes where you click. + - _Alt+Left click on a region_: - May not always work nicely - "deep" variables such as lists or datums may malfunction. + Deletes everything within the region. - **Controls**: + - _Right click during region selection_: - + *Right click an existing object*: + Cancel region selection. - Select the clicked object as a template. +- Copy - + *Left click a location* (Requires a selected object as template): + **Description**: - Place a duplicate of the template at the clicked location. + Take an existing object in the world, and place duplicates with identical attributes where you click. -+ Area Edit + May not always work nicely - "deep" variables such as lists or datums may malfunction. - **Description**: + **Controls**: - Modifies and creates areas. + - _Right click an existing object_: - The active area will be highlighted in yellow. + Select the clicked object as a template. - **Controls**: + - _Left click a location_ (Requires a selected object as template): - + *Right click the mode selector*: + Place a duplicate of the template at the clicked location. - Create a new area, and make it active. +- Area Edit - + *Right click an existing area*: + **Description**: - Make the clicked area active. + Modifies and creates areas. - + *Left click a turf*: + The active area will be highlighted in yellow. - When an area is active, adds the turf to the active area. + **Controls**: -+ Var Edit + - _Right click the mode selector_: - **Description**: + Create a new area, and make it active. - Allows for setting and resetting variables of objects with a click. + - _Right click an existing area_: - If the object does not have the var, will do nothing and print a warning message. + Make the clicked area active. - **Controls**: + - _Left click a turf_: - + *Right click the mode selector*: + When an area is active, adds the turf to the active area. - Choose which variable to set, and what to set it to. +- Var Edit - + *Left click an atom*: + **Description**: - Change the clicked atom's variables as configured. - - + *Right click an atom*: + Allows for setting and resetting variables of objects with a click. - Reset the targeted variable to its original value in the code. + If the object does not have the var, will do nothing and print a warning message. -+ Map Generator + **Controls**: - **Description**: + - _Right click the mode selector_: - Fills rectangular regions with algorithmically generated content. Right click during region selection to cancel. + Choose which variable to set, and what to set it to. - See the `procedural_mapping` module for the generators themselves. + - _Left click an atom_: - **Controls**: + Change the clicked atom's variables as configured. - + *Right-click on the mode selector*: - - Select a map generator from all the generators present in the codebase. - - + *Left click two corners of an area*: + - _Right click an atom_: - Use the generator to populate the region. + Reset the targeted variable to its original value in the code. - + *Right click during region selection*: +- Map Generator - Cancel region selection. + **Description**: -+ Throwing + Fills rectangular regions with algorithmically generated content. Right click during region selection to cancel. - **Description**: + See the `procedural_mapping` module for the generators themselves. - Select an object with left click, and right click to throw it towards where you clicked. + **Controls**: - **Controls**: + - _Right-click on the mode selector_: - + *Left click on a movable atom*: - - Select the atom for throwing. - - + *Right click on a location*: + Select a map generator from all the generators present in the codebase. - Throw the selected atom towards that location. + - _Left click two corners of an area_: -+ Boom + Use the generator to populate the region. - **Description**: + - _Right click during region selection_: - Make explosions where you click. + Cancel region selection. - **Controls**: +- Throwing - + *Right click the mode selector*: - - Configure the explosion size. + **Description**: - + *Left click a location*: - - Cause an explosion where you clicked. \ No newline at end of file + Select an object with left click, and right click to throw it towards where you clicked. + + **Controls**: + + - _Left click on a movable atom_: + + Select the atom for throwing. + + - _Right click on a location_: + + Throw the selected atom towards that location. + +- Boom + + **Description**: + + Make explosions where you click. + + **Controls**: + + - _Right click the mode selector_: + + Configure the explosion size. + + - _Left click a location_: + + Cause an explosion where you clicked. diff --git a/code/modules/cargo/centcom_podlauncher.dm b/code/modules/cargo/centcom_podlauncher.dm index a75b4d3c373b..71f571e4b186 100644 --- a/code/modules/cargo/centcom_podlauncher.dm +++ b/code/modules/cargo/centcom_podlauncher.dm @@ -444,7 +444,7 @@ /datum/centcom_podlauncher/ui_close() //Uses the destroy() proc. When the user closes the UI, we clean up the temp_pod and supplypod_selector variables. qdel(src) -/datum/centcom_podlauncher/proc/updateCursor(var/launching) //Update the moues of the user +/datum/centcom_podlauncher/proc/updateCursor(launching) //Update the moues of the user if (holder) //Check to see if we have a client if (launching) //If the launching param is true, we give the user new mouse icons. holder.mouse_up_icon = 'icons/effects/mouse_pointers/supplypod_target.dmi' //Icon for when mouse is released @@ -597,7 +597,7 @@ qdel(selector) //Delete the selector effect . = ..() -/datum/centcom_podlauncher/proc/supplypod_punish_log(var/list/whoDyin) +/datum/centcom_podlauncher/proc/supplypod_punish_log(list/whoDyin) var/podString = effectBurst ? "5 pods" : "a pod" var/whomString = "" if (LAZYLEN(whoDyin)) diff --git a/code/modules/cargo/exports.dm b/code/modules/cargo/exports.dm index 0d640f960cf0..be3ec7a26599 100644 --- a/code/modules/cargo/exports.dm +++ b/code/modules/cargo/exports.dm @@ -1,22 +1,22 @@ /* How it works: - The shuttle arrives at CentCom dock and calls sell(), which recursively loops through all the shuttle contents that are unanchored. +The shuttle arrives at CentCom dock and calls sell(), which recursively loops through all the shuttle contents that are unanchored. - Each object in the loop is checked for applies_to() of various export datums, except the invalid ones. +Each object in the loop is checked for applies_to() of various export datums, except the invalid ones. */ /* The rule in figuring out item export cost: - Export cost of goods in the shipping crate must be always equal or lower than: +Export cost of goods in the shipping crate must be always equal or lower than: packcage cost - crate cost - manifest cost - Crate cost is 500cr for a regular plasteel crate and 100cr for a large wooden one. Manifest cost is always 200cr. - This is to avoid easy cargo points dupes. +Crate cost is 500cr for a regular plasteel crate and 100cr for a large wooden one. Manifest cost is always 200cr. +This is to avoid easy cargo points dupes. Credit dupes that require a lot of manual work shouldn't be removed, unless they yield too much profit for too little work. - For example, if some player buys metal and glass sheets and uses them to make and sell reinforced glass: +For example, if some player buys metal and glass sheets and uses them to make and sell reinforced glass: - 100 glass + 50 metal -> 100 reinforced glass - (1500cr -> 1600cr) +100 glass + 50 metal -> 100 reinforced glass +(1500cr -> 1600cr) - then the player gets the profit from selling his own wasted time. +then the player gets the profit from selling his own wasted time. */ // Simple holder datum to pass export results around diff --git a/code/modules/cargo/packs.dm b/code/modules/cargo/packs.dm index cde4a57db341..2e7b303cdbe6 100644 --- a/code/modules/cargo/packs.dm +++ b/code/modules/cargo/packs.dm @@ -893,7 +893,7 @@ /datum/supply_pack/engineering/atmossuit name = "Atmospherics Hardsuit Crate" - desc = "The iconic hardsuit of Nanotransen's Atmosphere Corps, this hardsuit is known across space as a symbol of defiance in the face of sudden decompression. Smells faintly of plasma. Requires engineering access to open." + desc = "The iconic hardsuit of Nanotrasen's Atmosphere Corps, this hardsuit is known across space as a symbol of defiance in the face of sudden decompression. Smells faintly of plasma. Requires engineering access to open." cost = 12000 access = ACCESS_ATMOSPHERICS contains = list(/obj/item/clothing/suit/space/hardsuit/engine/atmos) diff --git a/code/modules/cargo/supplypod_beacon.dm b/code/modules/cargo/supplypod_beacon.dm index 23021567d51b..31cb4a7f82a1 100644 --- a/code/modules/cargo/supplypod_beacon.dm +++ b/code/modules/cargo/supplypod_beacon.dm @@ -12,7 +12,7 @@ var/ready = FALSE var/launched = FALSE -/obj/item/supplypod_beacon/proc/update_status(var/consoleStatus) +/obj/item/supplypod_beacon/proc/update_status(consoleStatus) switch(consoleStatus) if (SP_LINKED) linked = TRUE diff --git a/code/modules/client/client_colour.dm b/code/modules/client/client_colour.dm index a1314fb4556e..6357229e02db 100644 --- a/code/modules/client/client_colour.dm +++ b/code/modules/client/client_colour.dm @@ -4,17 +4,17 @@ #define PRIORITY_LOW 1000 /** - * Client Colour Priority System By RemieRichards (then refactored by another contributor) - * A System that gives finer control over which client.colour value to display on screen - * so that the "highest priority" one is always displayed as opposed to the default of - * "whichever was set last is displayed". - * - * Refactored to allow multiple overlapping client colours - * (e.g. wearing blue glasses under a yellow visor, even though the result is a little unsatured.) - * As well as some support for animated colour transitions. - * - * Define subtypes of this datum - */ + * Client Colour Priority System By RemieRichards (then refactored by another contributor) + * A System that gives finer control over which client.colour value to display on screen + * so that the "highest priority" one is always displayed as opposed to the default of + * "whichever was set last is displayed". + * + * Refactored to allow multiple overlapping client colours + * (e.g. wearing blue glasses under a yellow visor, even though the result is a little unsatured.) + * As well as some support for animated colour transitions. + * + * Define subtypes of this datum + */ /datum/client_colour ///Any client.color-valid value var/colour = "" @@ -56,9 +56,9 @@ owner.update_client_colour() /** - * Adds an instance of colour_type to the mob's client_colours list - * colour_type - a typepath (subtyped from /datum/client_colour) - */ + * Adds an instance of colour_type to the mob's client_colours list + * colour_type - a typepath (subtyped from /datum/client_colour) + */ /mob/proc/add_client_colour(colour_type) if(!ispath(colour_type, /datum/client_colour) || QDELING(src)) return @@ -72,9 +72,9 @@ return colour /** - * Removes an instance of colour_type from the mob's client_colours list - * colour_type - a typepath (subtyped from /datum/client_colour) - */ + * Removes an instance of colour_type from the mob's client_colours list + * colour_type - a typepath (subtyped from /datum/client_colour) + */ /mob/proc/remove_client_colour(colour_type) if(!ispath(colour_type, /datum/client_colour)) return @@ -86,11 +86,11 @@ break /** - * Gets the resulting colour/tone from client_colours. - * In the case of multiple colours, they'll be converted to RGBA matrices for compatibility, - * summed together, and then each element divided by the number of matrices. (except we do this with lists because byond) - * target is the target variable. - */ + * Gets the resulting colour/tone from client_colours. + * In the case of multiple colours, they'll be converted to RGBA matrices for compatibility, + * summed together, and then each element divided by the number of matrices. (except we do this with lists because byond) + * target is the target variable. + */ #define MIX_CLIENT_COLOUR(target)\ var/_our_colour;\ var/_number_colours = 0;\ @@ -127,9 +127,9 @@ /** - * Resets the mob's client.color to null, and then reapplies a new color based - * on the client_colour datums it currently has. - */ + * Resets the mob's client.color to null, and then reapplies a new color based + * on the client_colour datums it currently has. + */ /mob/proc/update_client_colour() if(!client) return diff --git a/code/modules/client/client_defines.dm b/code/modules/client/client_defines.dm index 01be64d85a96..9879f580fde0 100644 --- a/code/modules/client/client_defines.dm +++ b/code/modules/client/client_defines.dm @@ -187,3 +187,6 @@ /// If the client is currently under the restrictions of the interview system var/interviewee = FALSE + /// Used by SSserver_maint to detect if a client is newly AFK. + var/last_seen_afk = 0 + diff --git a/code/modules/client/client_procs.dm b/code/modules/client/client_procs.dm index 94e1634e6d48..eac9b746de42 100644 --- a/code/modules/client/client_procs.dm +++ b/code/modules/client/client_procs.dm @@ -951,14 +951,14 @@ GLOBAL_LIST_INIT(blacklisted_builds, list( view_size.setTo(clamp(change, min, max), clamp(change, min, max)) /** - * Updates the keybinds for special keys - * - * Handles adding macros for the keys that need it - * And adding movement keys to the clients movement_keys list - * At the time of writing this, communication(OOC, Say, IC) require macros - * Arguments: - * * direct_prefs - the preference we're going to get keybinds from - */ + * Updates the keybinds for special keys + * + * Handles adding macros for the keys that need it + * And adding movement keys to the clients movement_keys list + * At the time of writing this, communication(OOC, Say, IC) require macros + * Arguments: + * * direct_prefs - the preference we're going to get keybinds from + */ /client/proc/update_special_keybinds(datum/preferences/direct_prefs) var/datum/preferences/D = prefs || direct_prefs if(!D?.key_bindings) @@ -1067,8 +1067,8 @@ GLOBAL_LIST_INIT(blacklisted_builds, list( to_chat(src, "Statpanel failed to load, click here to reload the panel ") /** - * Initializes dropdown menus on client - */ + * Initializes dropdown menus on client + */ /client/proc/initialize_menus() var/list/topmenus = GLOB.menulist[/datum/verbs/menu] for (var/thing in topmenus) diff --git a/code/modules/client/preferences.dm b/code/modules/client/preferences.dm index 69ddd32a1585..85e5279507fb 100644 --- a/code/modules/client/preferences.dm +++ b/code/modules/client/preferences.dm @@ -1139,7 +1139,7 @@ GLOBAL_LIST_EMPTY(preferences_datums) #undef APPEARANCE_CATEGORY_COLUMN #undef MAX_MUTANT_ROWS -/datum/preferences/proc/CaptureKeybinding(mob/user, datum/keybinding/kb, var/old_key) +/datum/preferences/proc/CaptureKeybinding(mob/user, datum/keybinding/kb, old_key) var/HTML = {"
Keybinding: [kb.full_name]
[kb.description]

Press any key to change
Press ESC to clear
- + - + + //Handle special cases (for fuck sake) + if (tooltip.special !== "none") { + //Put yo special cases here + } + + //Clamp values + left = + left < 0 ? 0 : left > tilesShownX ? tilesShownX : left; + top = top < 0 ? 0 : top > tilesShownY ? tilesShownY : top; + + //Calculate where on the screen the popup should appear (below the hovered tile) + var posX = Math.round( + (left - 1) * realIconSizeX + + leftOffset + + tooltip.padding + ); //-1 to position at the left of the target tile + var posY = Math.round( + (tilesShownY - top + 1) * realIconSizeY + + topOffset + + tooltip.padding + ); //+1 to position at the bottom of the target tile + + //alert(mapWidth+' | '+mapHeight+' | '+tilesShown+' | '+realIconSize+' | '+leftOffset+' | '+topOffset+' | '+left+' | '+top+' | '+posX+' | '+posY); //DEBUG + + $("body").attr("class", tooltip.theme); + + var $content = $("#content"), + $wrap = $("#wrap"); + $wrap.attr("style", ""); + $content.off("mouseover"); + $content.html(tooltip.text); + + $wrap.width($wrap.width() + 2); //Dumb hack to fix a bizarre sizing bug + + var docWidth = $wrap.outerWidth(), + docHeight = $wrap.outerHeight(); + + if (posY + docHeight > map.size.y) { + //Is the bottom edge below the window? Snap it up if so + posY = + posY - docHeight - realIconSizeY - tooltip.padding; + } + + //Actually size, move and show the tooltip box + window.location = + "byond://winset?id=" + + tooltip.control + + ";size=" + + docWidth + + "x" + + docHeight + + ";pos=" + + posX + + "," + + posY + + ";is-visible=true"; + + $content.on("mouseover", function () { + tooltip.hide(); + }); + }, + update: function ( + params, + client_vw, + clien_vh, + text, + theme, + special + ) { + //Assign our global object + tooltip.params = $.parseJSON(params); + tooltip.client_view_w = parseInt(client_vw); + tooltip.client_view_h = parseInt(clien_vh); + tooltip.text = text; + tooltip.theme = theme; + tooltip.special = special; + + //Go get the map details + window.location = + "byond://winget?callback=tooltip.updateCallback;id=mapwindow.map;property=size,view-size"; + }, + }; + + diff --git a/code/modules/uplink/uplink_items.dm b/code/modules/uplink/uplink_items.dm index d7e00c373e38..2d2b88129d51 100644 --- a/code/modules/uplink/uplink_items.dm +++ b/code/modules/uplink/uplink_items.dm @@ -1,6 +1,6 @@ GLOBAL_LIST_INIT(uplink_items, subtypesof(/datum/uplink_item)) -/proc/get_uplink_items(var/datum/game_mode/gamemode = null, allow_sales = TRUE, allow_restricted = TRUE) +/proc/get_uplink_items(datum/game_mode/gamemode = null, allow_sales = TRUE, allow_restricted = TRUE) var/list/filtered_uplink_items = list() var/list/sale_items = list() @@ -1874,7 +1874,7 @@ GLOBAL_LIST_INIT(uplink_items, subtypesof(/datum/uplink_item)) /datum/uplink_item/role_restricted/his_grace name = "His Grace" - desc = "An incredibly dangerous weapon recovered from a Nanotransen station overcome by the grey tide. Once activated, He will thirst for blood and must be used to kill to sate that thirst. \ + desc = "An incredibly dangerous weapon recovered from a Nanotrasen station overcome by the grey tide. Once activated, He will thirst for blood and must be used to kill to sate that thirst. \ His Grace grants gradual regeneration and complete stun immunity to His wielder, but be wary: if He gets too hungry, He will become impossible to drop and eventually kill you if not fed. \ However, if left alone for long enough, He will fall back to slumber. \ To activate His Grace, simply unlatch Him." diff --git a/code/modules/zombie/organs.dm b/code/modules/zombie/organs.dm index 9c2825ba4f02..34397a98c888 100644 --- a/code/modules/zombie/organs.dm +++ b/code/modules/zombie/organs.dm @@ -23,7 +23,7 @@ GLOB.zombie_infection_list -= src . = ..() -/obj/item/organ/zombie_infection/Insert(var/mob/living/carbon/M, special = 0) +/obj/item/organ/zombie_infection/Insert(mob/living/carbon/M, special = 0) . = ..() START_PROCESSING(SSobj, src) @@ -67,7 +67,7 @@ var/flags = TIMER_STOPPABLE timer_id = addtimer(CALLBACK(src, .proc/zombify, owner), revive_time, flags) -/obj/item/organ/zombie_infection/proc/zombify(var/mob/living/carbon/C) +/obj/item/organ/zombie_infection/proc/zombify(mob/living/carbon/C) timer_id = null if(!converts_living && owner.stat != DEAD) diff --git a/config/admin_nicknames.json b/config/admin_nicknames.json index 9c83f646229d..91375e889a7e 100644 --- a/config/admin_nicknames.json +++ b/config/admin_nicknames.json @@ -1,10 +1,4 @@ { - "ranks": [ - "Dedmin", - "Sir Madam Headmin" - ], - "names": [ - "Badmin", - "Spanmin" - ] -} \ No newline at end of file + "ranks": ["Dedmin", "Sir Madam Headmin"], + "names": ["Badmin", "Spanmin"] +} diff --git a/config/arenas/README.md b/config/arenas/README.md index 9f31ce2349a9..a5b97f61c3a5 100644 --- a/config/arenas/README.md +++ b/config/arenas/README.md @@ -1,3 +1,3 @@ Add admin arena dmms here. -**These are fully cached so keep this directory empty by default.** \ No newline at end of file +**These are fully cached so keep this directory empty by default.** diff --git a/config/donators/ianthewanderer.json b/config/donators/ianthewanderer.json index 7148e7495b38..7c5e93c88ab1 100644 --- a/config/donators/ianthewanderer.json +++ b/config/donators/ianthewanderer.json @@ -1,6 +1,4 @@ { "ckey": "ianthewanderer", - "flat": [ - "/obj/item/clothing/under/legislature" - ] + "flat": ["/obj/item/clothing/under/legislature"] } diff --git a/config/dynamic.json b/config/dynamic.json index 4c83d5739bab..f5dc9a925e32 100644 --- a/config/dynamic.json +++ b/config/dynamic.json @@ -7,30 +7,8 @@ "weight": 5, "required_candidates": 1, "minimum_required_age": 0, - "requirements": [ - 10, - 10, - 10, - 10, - 10, - 10, - 10, - 10, - 10, - 10 - ], - "antag_cap": [ - 1, - 1, - 1, - 2, - 2, - 2, - 3, - 3, - 3, - 3 - ], + "requirements": [10, 10, 10, 10, 10, 10, 10, 10, 10, 10], + "antag_cap": [1, 1, 1, 2, 2, 2, 3, 3, 3, 3], "protected_roles": [ "Prisoner", "Security Officer", @@ -43,9 +21,7 @@ "Research Director", "Chief Medical Officer" ], - "restricted_roles": [ - "Cyborg" - ], + "restricted_roles": ["Cyborg"], "autotraitor_cooldown": 450 } }, diff --git a/config/game_options.txt b/config/game_options.txt index 895b4c030e51..688623938119 100644 --- a/config/game_options.txt +++ b/config/game_options.txt @@ -74,8 +74,8 @@ ALERT_GREEN All threats to the sector have passed. Local security personnel may ALERT_BLUE_UPTO Potentially dangerous conditions have been reported in this sector. Corporate security staff have been granted increased powers, and security sweeps will now be organized. ALERT_BLUE_DOWNTO The immediate threat to personal safety has passed. Corporate security may no longer have weapons drawn at all times, but may continue to have them visible. Privacy laws will continue to be suspended until an all-clear has been posted. ALERT_RED_UPTO There is an immediate and serious threat to the sector. Local Security forces may have weapons unholstered at all times. Random searches will be allowed and advised. Colonial emergency supply restrictions have been lifted. -ALERT_RED_DOWNTO The sector's immediate destruction has been averted. There may, however, remain deadly threats to personal safety. Random searches will be allowed and advised to nanotransen peacekeepers. -ALERT_DELTA The destruction of the sector is imminent. All local persons are instructed to obey commands by Nanotransen personnel. Any violations of these orders may be punishable by death. This is not a drill. +ALERT_RED_DOWNTO The sector's immediate destruction has been averted. There may, however, remain deadly threats to personal safety. Random searches will be allowed and advised to Nanotrasen peacekeepers. +ALERT_DELTA The destruction of the sector is imminent. All local persons are instructed to obey commands by Nanotrasen personnel. Any violations of these orders may be punishable by death. This is not a drill. @@ -610,4 +610,4 @@ BLUESPACE_JUMP_WAIT 12000 #AUTH_ONLY ## If admins are allowed to use the authentication server as a regular server for testing -AUTH_ADMIN_TESTING \ No newline at end of file +AUTH_ADMIN_TESTING diff --git a/dependencies.sh b/dependencies.sh index f378587b2a74..b4d7bad424f6 100755 --- a/dependencies.sh +++ b/dependencies.sh @@ -21,7 +21,7 @@ export NODE_VERSION_PRECISE=16.13.0 export SPACEMAN_DMM_VERSION=suite-1.7.1 # Python version for mapmerge and other tools -export PYTHON_VERSION=3.9.10 +export PYTHON_VERSION=3.7.9 #auxmos version export AUXMOS_VERSION=v1.1.2 diff --git a/goon/LICENSE.md b/goon/LICENSE.md index d227d11c6cdf..5bda1d84f9b7 100644 --- a/goon/LICENSE.md +++ b/goon/LICENSE.md @@ -1,4 +1,4 @@ This work is licensed under the Creative Commons Attribution-NonCommercial-ShareAlike 3.0 United States License. To view a copy of this license, visit http://creativecommons.org/licenses/by-nc-sa/3.0/us/ or -send a letter to Creative Commons, PO Box 1866, Mountain View, CA 94042, USA. \ No newline at end of file +send a letter to Creative Commons, PO Box 1866, Mountain View, CA 94042, USA. diff --git a/html/IRV/jquery-ui.custom-core-widgit-mouse-sortable-min.js b/html/IRV/jquery-ui.custom-core-widgit-mouse-sortable-min.js index fe9bba7a51ce..ab99fff6af8b 100644 --- a/html/IRV/jquery-ui.custom-core-widgit-mouse-sortable-min.js +++ b/html/IRV/jquery-ui.custom-core-widgit-mouse-sortable-min.js @@ -1,7 +1,2168 @@ /*! jQuery UI - v1.11.4 - 2016-07-05 -* http://jqueryui.com -* Includes: core.js, widget.js, mouse.js, sortable.js -* Copyright jQuery Foundation and other contributors; Licensed MIT */ + * http://jqueryui.com + * Includes: core.js, widget.js, mouse.js, sortable.js + * Copyright jQuery Foundation and other contributors; Licensed MIT */ -(function(e){"function"==typeof define&&define.amd?define(["jquery"],e):e(jQuery)})(function(e){function t(t,s){var n,a,o,r=t.nodeName.toLowerCase();return"area"===r?(n=t.parentNode,a=n.name,t.href&&a&&"map"===n.nodeName.toLowerCase()?(o=e("img[usemap='#"+a+"']")[0],!!o&&i(o)):!1):(/^(input|select|textarea|button|object)$/.test(r)?!t.disabled:"a"===r?t.href||s:s)&&i(t)}function i(t){return e.expr.filters.visible(t)&&!e(t).parents().addBack().filter(function(){return"hidden"===e.css(this,"visibility")}).length}e.ui=e.ui||{},e.extend(e.ui,{version:"1.11.4",keyCode:{BACKSPACE:8,COMMA:188,DELETE:46,DOWN:40,END:35,ENTER:13,ESCAPE:27,HOME:36,LEFT:37,PAGE_DOWN:34,PAGE_UP:33,PERIOD:190,RIGHT:39,SPACE:32,TAB:9,UP:38}}),e.fn.extend({scrollParent:function(t){var i=this.css("position"),s="absolute"===i,n=t?/(auto|scroll|hidden)/:/(auto|scroll)/,a=this.parents().filter(function(){var t=e(this);return s&&"static"===t.css("position")?!1:n.test(t.css("overflow")+t.css("overflow-y")+t.css("overflow-x"))}).eq(0);return"fixed"!==i&&a.length?a:e(this[0].ownerDocument||document)},uniqueId:function(){var e=0;return function(){return this.each(function(){this.id||(this.id="ui-id-"+ ++e)})}}(),removeUniqueId:function(){return this.each(function(){/^ui-id-\d+$/.test(this.id)&&e(this).removeAttr("id")})}}),e.extend(e.expr[":"],{data:e.expr.createPseudo?e.expr.createPseudo(function(t){return function(i){return!!e.data(i,t)}}):function(t,i,s){return!!e.data(t,s[3])},focusable:function(i){return t(i,!isNaN(e.attr(i,"tabindex")))},tabbable:function(i){var s=e.attr(i,"tabindex"),n=isNaN(s);return(n||s>=0)&&t(i,!n)}}),e("").outerWidth(1).jquery||e.each(["Width","Height"],function(t,i){function s(t,i,s,a){return e.each(n,function(){i-=parseFloat(e.css(t,"padding"+this))||0,s&&(i-=parseFloat(e.css(t,"border"+this+"Width"))||0),a&&(i-=parseFloat(e.css(t,"margin"+this))||0)}),i}var n="Width"===i?["Left","Right"]:["Top","Bottom"],a=i.toLowerCase(),o={innerWidth:e.fn.innerWidth,innerHeight:e.fn.innerHeight,outerWidth:e.fn.outerWidth,outerHeight:e.fn.outerHeight};e.fn["inner"+i]=function(t){return void 0===t?o["inner"+i].call(this):this.each(function(){e(this).css(a,s(this,t)+"px")})},e.fn["outer"+i]=function(t,n){return"number"!=typeof t?o["outer"+i].call(this,t):this.each(function(){e(this).css(a,s(this,t,!0,n)+"px")})}}),e.fn.addBack||(e.fn.addBack=function(e){return this.add(null==e?this.prevObject:this.prevObject.filter(e))}),e("").data("a-b","a").removeData("a-b").data("a-b")&&(e.fn.removeData=function(t){return function(i){return arguments.length?t.call(this,e.camelCase(i)):t.call(this)}}(e.fn.removeData)),e.ui.ie=!!/msie [\w.]+/.exec(navigator.userAgent.toLowerCase()),e.fn.extend({focus:function(t){return function(i,s){return"number"==typeof i?this.each(function(){var t=this;setTimeout(function(){e(t).focus(),s&&s.call(t)},i)}):t.apply(this,arguments)}}(e.fn.focus),disableSelection:function(){var e="onselectstart"in document.createElement("div")?"selectstart":"mousedown";return function(){return this.bind(e+".ui-disableSelection",function(e){e.preventDefault()})}}(),enableSelection:function(){return this.unbind(".ui-disableSelection")},zIndex:function(t){if(void 0!==t)return this.css("zIndex",t);if(this.length)for(var i,s,n=e(this[0]);n.length&&n[0]!==document;){if(i=n.css("position"),("absolute"===i||"relative"===i||"fixed"===i)&&(s=parseInt(n.css("zIndex"),10),!isNaN(s)&&0!==s))return s;n=n.parent()}return 0}}),e.ui.plugin={add:function(t,i,s){var n,a=e.ui[t].prototype;for(n in s)a.plugins[n]=a.plugins[n]||[],a.plugins[n].push([i,s[n]])},call:function(e,t,i,s){var n,a=e.plugins[t];if(a&&(s||e.element[0].parentNode&&11!==e.element[0].parentNode.nodeType))for(n=0;a.length>n;n++)e.options[a[n][0]]&&a[n][1].apply(e.element,i)}};var s=0,n=Array.prototype.slice;e.cleanData=function(t){return function(i){var s,n,a;for(a=0;null!=(n=i[a]);a++)try{s=e._data(n,"events"),s&&s.remove&&e(n).triggerHandler("remove")}catch(o){}t(i)}}(e.cleanData),e.widget=function(t,i,s){var n,a,o,r,h={},l=t.split(".")[0];return t=t.split(".")[1],n=l+"-"+t,s||(s=i,i=e.Widget),e.expr[":"][n.toLowerCase()]=function(t){return!!e.data(t,n)},e[l]=e[l]||{},a=e[l][t],o=e[l][t]=function(e,t){return this._createWidget?(arguments.length&&this._createWidget(e,t),void 0):new o(e,t)},e.extend(o,a,{version:s.version,_proto:e.extend({},s),_childConstructors:[]}),r=new i,r.options=e.widget.extend({},r.options),e.each(s,function(t,s){return e.isFunction(s)?(h[t]=function(){var e=function(){return i.prototype[t].apply(this,arguments)},n=function(e){return i.prototype[t].apply(this,e)};return function(){var t,i=this._super,a=this._superApply;return this._super=e,this._superApply=n,t=s.apply(this,arguments),this._super=i,this._superApply=a,t}}(),void 0):(h[t]=s,void 0)}),o.prototype=e.widget.extend(r,{widgetEventPrefix:a?r.widgetEventPrefix||t:t},h,{constructor:o,namespace:l,widgetName:t,widgetFullName:n}),a?(e.each(a._childConstructors,function(t,i){var s=i.prototype;e.widget(s.namespace+"."+s.widgetName,o,i._proto)}),delete a._childConstructors):i._childConstructors.push(o),e.widget.bridge(t,o),o},e.widget.extend=function(t){for(var i,s,a=n.call(arguments,1),o=0,r=a.length;r>o;o++)for(i in a[o])s=a[o][i],a[o].hasOwnProperty(i)&&void 0!==s&&(t[i]=e.isPlainObject(s)?e.isPlainObject(t[i])?e.widget.extend({},t[i],s):e.widget.extend({},s):s);return t},e.widget.bridge=function(t,i){var s=i.prototype.widgetFullName||t;e.fn[t]=function(a){var o="string"==typeof a,r=n.call(arguments,1),h=this;return o?this.each(function(){var i,n=e.data(this,s);return"instance"===a?(h=n,!1):n?e.isFunction(n[a])&&"_"!==a.charAt(0)?(i=n[a].apply(n,r),i!==n&&void 0!==i?(h=i&&i.jquery?h.pushStack(i.get()):i,!1):void 0):e.error("no such method '"+a+"' for "+t+" widget instance"):e.error("cannot call methods on "+t+" prior to initialization; "+"attempted to call method '"+a+"'")}):(r.length&&(a=e.widget.extend.apply(null,[a].concat(r))),this.each(function(){var t=e.data(this,s);t?(t.option(a||{}),t._init&&t._init()):e.data(this,s,new i(a,this))})),h}},e.Widget=function(){},e.Widget._childConstructors=[],e.Widget.prototype={widgetName:"widget",widgetEventPrefix:"",defaultElement:"
",options:{disabled:!1,create:null},_createWidget:function(t,i){i=e(i||this.defaultElement||this)[0],this.element=e(i),this.uuid=s++,this.eventNamespace="."+this.widgetName+this.uuid,this.bindings=e(),this.hoverable=e(),this.focusable=e(),i!==this&&(e.data(i,this.widgetFullName,this),this._on(!0,this.element,{remove:function(e){e.target===i&&this.destroy()}}),this.document=e(i.style?i.ownerDocument:i.document||i),this.window=e(this.document[0].defaultView||this.document[0].parentWindow)),this.options=e.widget.extend({},this.options,this._getCreateOptions(),t),this._create(),this._trigger("create",null,this._getCreateEventData()),this._init()},_getCreateOptions:e.noop,_getCreateEventData:e.noop,_create:e.noop,_init:e.noop,destroy:function(){this._destroy(),this.element.unbind(this.eventNamespace).removeData(this.widgetFullName).removeData(e.camelCase(this.widgetFullName)),this.widget().unbind(this.eventNamespace).removeAttr("aria-disabled").removeClass(this.widgetFullName+"-disabled "+"ui-state-disabled"),this.bindings.unbind(this.eventNamespace),this.hoverable.removeClass("ui-state-hover"),this.focusable.removeClass("ui-state-focus")},_destroy:e.noop,widget:function(){return this.element},option:function(t,i){var s,n,a,o=t;if(0===arguments.length)return e.widget.extend({},this.options);if("string"==typeof t)if(o={},s=t.split("."),t=s.shift(),s.length){for(n=o[t]=e.widget.extend({},this.options[t]),a=0;s.length-1>a;a++)n[s[a]]=n[s[a]]||{},n=n[s[a]];if(t=s.pop(),1===arguments.length)return void 0===n[t]?null:n[t];n[t]=i}else{if(1===arguments.length)return void 0===this.options[t]?null:this.options[t];o[t]=i}return this._setOptions(o),this},_setOptions:function(e){var t;for(t in e)this._setOption(t,e[t]);return this},_setOption:function(e,t){return this.options[e]=t,"disabled"===e&&(this.widget().toggleClass(this.widgetFullName+"-disabled",!!t),t&&(this.hoverable.removeClass("ui-state-hover"),this.focusable.removeClass("ui-state-focus"))),this},enable:function(){return this._setOptions({disabled:!1})},disable:function(){return this._setOptions({disabled:!0})},_on:function(t,i,s){var n,a=this;"boolean"!=typeof t&&(s=i,i=t,t=!1),s?(i=n=e(i),this.bindings=this.bindings.add(i)):(s=i,i=this.element,n=this.widget()),e.each(s,function(s,o){function r(){return t||a.options.disabled!==!0&&!e(this).hasClass("ui-state-disabled")?("string"==typeof o?a[o]:o).apply(a,arguments):void 0}"string"!=typeof o&&(r.guid=o.guid=o.guid||r.guid||e.guid++);var h=s.match(/^([\w:-]*)\s*(.*)$/),l=h[1]+a.eventNamespace,u=h[2];u?n.delegate(u,l,r):i.bind(l,r)})},_off:function(t,i){i=(i||"").split(" ").join(this.eventNamespace+" ")+this.eventNamespace,t.unbind(i).undelegate(i),this.bindings=e(this.bindings.not(t).get()),this.focusable=e(this.focusable.not(t).get()),this.hoverable=e(this.hoverable.not(t).get())},_delay:function(e,t){function i(){return("string"==typeof e?s[e]:e).apply(s,arguments)}var s=this;return setTimeout(i,t||0)},_hoverable:function(t){this.hoverable=this.hoverable.add(t),this._on(t,{mouseenter:function(t){e(t.currentTarget).addClass("ui-state-hover")},mouseleave:function(t){e(t.currentTarget).removeClass("ui-state-hover")}})},_focusable:function(t){this.focusable=this.focusable.add(t),this._on(t,{focusin:function(t){e(t.currentTarget).addClass("ui-state-focus")},focusout:function(t){e(t.currentTarget).removeClass("ui-state-focus")}})},_trigger:function(t,i,s){var n,a,o=this.options[t];if(s=s||{},i=e.Event(i),i.type=(t===this.widgetEventPrefix?t:this.widgetEventPrefix+t).toLowerCase(),i.target=this.element[0],a=i.originalEvent)for(n in a)n in i||(i[n]=a[n]);return this.element.trigger(i,s),!(e.isFunction(o)&&o.apply(this.element[0],[i].concat(s))===!1||i.isDefaultPrevented())}},e.each({show:"fadeIn",hide:"fadeOut"},function(t,i){e.Widget.prototype["_"+t]=function(s,n,a){"string"==typeof n&&(n={effect:n});var o,r=n?n===!0||"number"==typeof n?i:n.effect||i:t;n=n||{},"number"==typeof n&&(n={duration:n}),o=!e.isEmptyObject(n),n.complete=a,n.delay&&s.delay(n.delay),o&&e.effects&&e.effects.effect[r]?s[t](n):r!==t&&s[r]?s[r](n.duration,n.easing,a):s.queue(function(i){e(this)[t](),a&&a.call(s[0]),i()})}}),e.widget;var a=!1;e(document).mouseup(function(){a=!1}),e.widget("ui.mouse",{version:"1.11.4",options:{cancel:"input,textarea,button,select,option",distance:1,delay:0},_mouseInit:function(){var t=this;this.element.bind("mousedown."+this.widgetName,function(e){return t._mouseDown(e)}).bind("click."+this.widgetName,function(i){return!0===e.data(i.target,t.widgetName+".preventClickEvent")?(e.removeData(i.target,t.widgetName+".preventClickEvent"),i.stopImmediatePropagation(),!1):void 0}),this.started=!1},_mouseDestroy:function(){this.element.unbind("."+this.widgetName),this._mouseMoveDelegate&&this.document.unbind("mousemove."+this.widgetName,this._mouseMoveDelegate).unbind("mouseup."+this.widgetName,this._mouseUpDelegate)},_mouseDown:function(t){if(!a){this._mouseMoved=!1,this._mouseStarted&&this._mouseUp(t),this._mouseDownEvent=t;var i=this,s=1===t.which,n="string"==typeof this.options.cancel&&t.target.nodeName?e(t.target).closest(this.options.cancel).length:!1;return s&&!n&&this._mouseCapture(t)?(this.mouseDelayMet=!this.options.delay,this.mouseDelayMet||(this._mouseDelayTimer=setTimeout(function(){i.mouseDelayMet=!0},this.options.delay)),this._mouseDistanceMet(t)&&this._mouseDelayMet(t)&&(this._mouseStarted=this._mouseStart(t)!==!1,!this._mouseStarted)?(t.preventDefault(),!0):(!0===e.data(t.target,this.widgetName+".preventClickEvent")&&e.removeData(t.target,this.widgetName+".preventClickEvent"),this._mouseMoveDelegate=function(e){return i._mouseMove(e)},this._mouseUpDelegate=function(e){return i._mouseUp(e)},this.document.bind("mousemove."+this.widgetName,this._mouseMoveDelegate).bind("mouseup."+this.widgetName,this._mouseUpDelegate),t.preventDefault(),a=!0,!0)):!0}},_mouseMove:function(t){if(this._mouseMoved){if(e.ui.ie&&(!document.documentMode||9>document.documentMode)&&!t.button)return this._mouseUp(t);if(!t.which)return this._mouseUp(t)}return(t.which||t.button)&&(this._mouseMoved=!0),this._mouseStarted?(this._mouseDrag(t),t.preventDefault()):(this._mouseDistanceMet(t)&&this._mouseDelayMet(t)&&(this._mouseStarted=this._mouseStart(this._mouseDownEvent,t)!==!1,this._mouseStarted?this._mouseDrag(t):this._mouseUp(t)),!this._mouseStarted)},_mouseUp:function(t){return this.document.unbind("mousemove."+this.widgetName,this._mouseMoveDelegate).unbind("mouseup."+this.widgetName,this._mouseUpDelegate),this._mouseStarted&&(this._mouseStarted=!1,t.target===this._mouseDownEvent.target&&e.data(t.target,this.widgetName+".preventClickEvent",!0),this._mouseStop(t)),a=!1,!1},_mouseDistanceMet:function(e){return Math.max(Math.abs(this._mouseDownEvent.pageX-e.pageX),Math.abs(this._mouseDownEvent.pageY-e.pageY))>=this.options.distance},_mouseDelayMet:function(){return this.mouseDelayMet},_mouseStart:function(){},_mouseDrag:function(){},_mouseStop:function(){},_mouseCapture:function(){return!0}}),e.widget("ui.sortable",e.ui.mouse,{version:"1.11.4",widgetEventPrefix:"sort",ready:!1,options:{appendTo:"parent",axis:!1,connectWith:!1,containment:!1,cursor:"auto",cursorAt:!1,dropOnEmpty:!0,forcePlaceholderSize:!1,forceHelperSize:!1,grid:!1,handle:!1,helper:"original",items:"> *",opacity:!1,placeholder:!1,revert:!1,scroll:!0,scrollSensitivity:20,scrollSpeed:20,scope:"default",tolerance:"intersect",zIndex:1e3,activate:null,beforeStop:null,change:null,deactivate:null,out:null,over:null,receive:null,remove:null,sort:null,start:null,stop:null,update:null},_isOverAxis:function(e,t,i){return e>=t&&t+i>e},_isFloating:function(e){return/left|right/.test(e.css("float"))||/inline|table-cell/.test(e.css("display"))},_create:function(){this.containerCache={},this.element.addClass("ui-sortable"),this.refresh(),this.offset=this.element.offset(),this._mouseInit(),this._setHandleClassName(),this.ready=!0},_setOption:function(e,t){this._super(e,t),"handle"===e&&this._setHandleClassName()},_setHandleClassName:function(){this.element.find(".ui-sortable-handle").removeClass("ui-sortable-handle"),e.each(this.items,function(){(this.instance.options.handle?this.item.find(this.instance.options.handle):this.item).addClass("ui-sortable-handle")})},_destroy:function(){this.element.removeClass("ui-sortable ui-sortable-disabled").find(".ui-sortable-handle").removeClass("ui-sortable-handle"),this._mouseDestroy();for(var e=this.items.length-1;e>=0;e--)this.items[e].item.removeData(this.widgetName+"-item");return this},_mouseCapture:function(t,i){var s=null,n=!1,a=this;return this.reverting?!1:this.options.disabled||"static"===this.options.type?!1:(this._refreshItems(t),e(t.target).parents().each(function(){return e.data(this,a.widgetName+"-item")===a?(s=e(this),!1):void 0}),e.data(t.target,a.widgetName+"-item")===a&&(s=e(t.target)),s?!this.options.handle||i||(e(this.options.handle,s).find("*").addBack().each(function(){this===t.target&&(n=!0)}),n)?(this.currentItem=s,this._removeCurrentsFromItems(),!0):!1:!1)},_mouseStart:function(t,i,s){var n,a,o=this.options;if(this.currentContainer=this,this.refreshPositions(),this.helper=this._createHelper(t),this._cacheHelperProportions(),this._cacheMargins(),this.scrollParent=this.helper.scrollParent(),this.offset=this.currentItem.offset(),this.offset={top:this.offset.top-this.margins.top,left:this.offset.left-this.margins.left},e.extend(this.offset,{click:{left:t.pageX-this.offset.left,top:t.pageY-this.offset.top},parent:this._getParentOffset(),relative:this._getRelativeOffset()}),this.helper.css("position","absolute"),this.cssPosition=this.helper.css("position"),this.originalPosition=this._generatePosition(t),this.originalPageX=t.pageX,this.originalPageY=t.pageY,o.cursorAt&&this._adjustOffsetFromHelper(o.cursorAt),this.domPosition={prev:this.currentItem.prev()[0],parent:this.currentItem.parent()[0]},this.helper[0]!==this.currentItem[0]&&this.currentItem.hide(),this._createPlaceholder(),o.containment&&this._setContainment(),o.cursor&&"auto"!==o.cursor&&(a=this.document.find("body"),this.storedCursor=a.css("cursor"),a.css("cursor",o.cursor),this.storedStylesheet=e("").appendTo(a)),o.opacity&&(this.helper.css("opacity")&&(this._storedOpacity=this.helper.css("opacity")),this.helper.css("opacity",o.opacity)),o.zIndex&&(this.helper.css("zIndex")&&(this._storedZIndex=this.helper.css("zIndex")),this.helper.css("zIndex",o.zIndex)),this.scrollParent[0]!==this.document[0]&&"HTML"!==this.scrollParent[0].tagName&&(this.overflowOffset=this.scrollParent.offset()),this._trigger("start",t,this._uiHash()),this._preserveHelperProportions||this._cacheHelperProportions(),!s)for(n=this.containers.length-1;n>=0;n--)this.containers[n]._trigger("activate",t,this._uiHash(this));return e.ui.ddmanager&&(e.ui.ddmanager.current=this),e.ui.ddmanager&&!o.dropBehaviour&&e.ui.ddmanager.prepareOffsets(this,t),this.dragging=!0,this.helper.addClass("ui-sortable-helper"),this._mouseDrag(t),!0},_mouseDrag:function(t){var i,s,n,a,o=this.options,r=!1;for(this.position=this._generatePosition(t),this.positionAbs=this._convertPositionTo("absolute"),this.lastPositionAbs||(this.lastPositionAbs=this.positionAbs),this.options.scroll&&(this.scrollParent[0]!==this.document[0]&&"HTML"!==this.scrollParent[0].tagName?(this.overflowOffset.top+this.scrollParent[0].offsetHeight-t.pageY=0;i--)if(s=this.items[i],n=s.item[0],a=this._intersectsWithPointer(s),a&&s.instance===this.currentContainer&&n!==this.currentItem[0]&&this.placeholder[1===a?"next":"prev"]()[0]!==n&&!e.contains(this.placeholder[0],n)&&("semi-dynamic"===this.options.type?!e.contains(this.element[0],n):!0)){if(this.direction=1===a?"down":"up","pointer"!==this.options.tolerance&&!this._intersectsWithSides(s))break;this._rearrange(t,s),this._trigger("change",t,this._uiHash());break}return this._contactContainers(t),e.ui.ddmanager&&e.ui.ddmanager.drag(this,t),this._trigger("sort",t,this._uiHash()),this.lastPositionAbs=this.positionAbs,!1},_mouseStop:function(t,i){if(t){if(e.ui.ddmanager&&!this.options.dropBehaviour&&e.ui.ddmanager.drop(this,t),this.options.revert){var s=this,n=this.placeholder.offset(),a=this.options.axis,o={};a&&"x"!==a||(o.left=n.left-this.offset.parent.left-this.margins.left+(this.offsetParent[0]===this.document[0].body?0:this.offsetParent[0].scrollLeft)),a&&"y"!==a||(o.top=n.top-this.offset.parent.top-this.margins.top+(this.offsetParent[0]===this.document[0].body?0:this.offsetParent[0].scrollTop)),this.reverting=!0,e(this.helper).animate(o,parseInt(this.options.revert,10)||500,function(){s._clear(t)})}else this._clear(t,i);return!1}},cancel:function(){if(this.dragging){this._mouseUp({target:null}),"original"===this.options.helper?this.currentItem.css(this._storedCSS).removeClass("ui-sortable-helper"):this.currentItem.show();for(var t=this.containers.length-1;t>=0;t--)this.containers[t]._trigger("deactivate",null,this._uiHash(this)),this.containers[t].containerCache.over&&(this.containers[t]._trigger("out",null,this._uiHash(this)),this.containers[t].containerCache.over=0)}return this.placeholder&&(this.placeholder[0].parentNode&&this.placeholder[0].parentNode.removeChild(this.placeholder[0]),"original"!==this.options.helper&&this.helper&&this.helper[0].parentNode&&this.helper.remove(),e.extend(this,{helper:null,dragging:!1,reverting:!1,_noFinalSort:null}),this.domPosition.prev?e(this.domPosition.prev).after(this.currentItem):e(this.domPosition.parent).prepend(this.currentItem)),this},serialize:function(t){var i=this._getItemsAsjQuery(t&&t.connected),s=[];return t=t||{},e(i).each(function(){var i=(e(t.item||this).attr(t.attribute||"id")||"").match(t.expression||/(.+)[\-=_](.+)/);i&&s.push((t.key||i[1]+"[]")+"="+(t.key&&t.expression?i[1]:i[2]))}),!s.length&&t.key&&s.push(t.key+"="),s.join("&")},toArray:function(t){var i=this._getItemsAsjQuery(t&&t.connected),s=[];return t=t||{},i.each(function(){s.push(e(t.item||this).attr(t.attribute||"id")||"")}),s},_intersectsWith:function(e){var t=this.positionAbs.left,i=t+this.helperProportions.width,s=this.positionAbs.top,n=s+this.helperProportions.height,a=e.left,o=a+e.width,r=e.top,h=r+e.height,l=this.offset.click.top,u=this.offset.click.left,c="x"===this.options.axis||s+l>r&&h>s+l,d="y"===this.options.axis||t+u>a&&o>t+u,p=c&&d;return"pointer"===this.options.tolerance||this.options.forcePointerForContainers||"pointer"!==this.options.tolerance&&this.helperProportions[this.floating?"width":"height"]>e[this.floating?"width":"height"]?p:t+this.helperProportions.width/2>a&&o>i-this.helperProportions.width/2&&s+this.helperProportions.height/2>r&&h>n-this.helperProportions.height/2},_intersectsWithPointer:function(e){var t="x"===this.options.axis||this._isOverAxis(this.positionAbs.top+this.offset.click.top,e.top,e.height),i="y"===this.options.axis||this._isOverAxis(this.positionAbs.left+this.offset.click.left,e.left,e.width),s=t&&i,n=this._getDragVerticalDirection(),a=this._getDragHorizontalDirection();return s?this.floating?a&&"right"===a||"down"===n?2:1:n&&("down"===n?2:1):!1},_intersectsWithSides:function(e){var t=this._isOverAxis(this.positionAbs.top+this.offset.click.top,e.top+e.height/2,e.height),i=this._isOverAxis(this.positionAbs.left+this.offset.click.left,e.left+e.width/2,e.width),s=this._getDragVerticalDirection(),n=this._getDragHorizontalDirection();return this.floating&&n?"right"===n&&i||"left"===n&&!i:s&&("down"===s&&t||"up"===s&&!t)},_getDragVerticalDirection:function(){var e=this.positionAbs.top-this.lastPositionAbs.top;return 0!==e&&(e>0?"down":"up")},_getDragHorizontalDirection:function(){var e=this.positionAbs.left-this.lastPositionAbs.left;return 0!==e&&(e>0?"right":"left")},refresh:function(e){return this._refreshItems(e),this._setHandleClassName(),this.refreshPositions(),this},_connectWith:function(){var e=this.options;return e.connectWith.constructor===String?[e.connectWith]:e.connectWith},_getItemsAsjQuery:function(t){function i(){r.push(this)}var s,n,a,o,r=[],h=[],l=this._connectWith();if(l&&t)for(s=l.length-1;s>=0;s--)for(a=e(l[s],this.document[0]),n=a.length-1;n>=0;n--)o=e.data(a[n],this.widgetFullName),o&&o!==this&&!o.options.disabled&&h.push([e.isFunction(o.options.items)?o.options.items.call(o.element):e(o.options.items,o.element).not(".ui-sortable-helper").not(".ui-sortable-placeholder"),o]);for(h.push([e.isFunction(this.options.items)?this.options.items.call(this.element,null,{options:this.options,item:this.currentItem}):e(this.options.items,this.element).not(".ui-sortable-helper").not(".ui-sortable-placeholder"),this]),s=h.length-1;s>=0;s--)h[s][0].each(i);return e(r)},_removeCurrentsFromItems:function(){var t=this.currentItem.find(":data("+this.widgetName+"-item)");this.items=e.grep(this.items,function(e){for(var i=0;t.length>i;i++)if(t[i]===e.item[0])return!1;return!0})},_refreshItems:function(t){this.items=[],this.containers=[this];var i,s,n,a,o,r,h,l,u=this.items,c=[[e.isFunction(this.options.items)?this.options.items.call(this.element[0],t,{item:this.currentItem}):e(this.options.items,this.element),this]],d=this._connectWith();if(d&&this.ready)for(i=d.length-1;i>=0;i--)for(n=e(d[i],this.document[0]),s=n.length-1;s>=0;s--)a=e.data(n[s],this.widgetFullName),a&&a!==this&&!a.options.disabled&&(c.push([e.isFunction(a.options.items)?a.options.items.call(a.element[0],t,{item:this.currentItem}):e(a.options.items,a.element),a]),this.containers.push(a));for(i=c.length-1;i>=0;i--)for(o=c[i][1],r=c[i][0],s=0,l=r.length;l>s;s++)h=e(r[s]),h.data(this.widgetName+"-item",o),u.push({item:h,instance:o,width:0,height:0,left:0,top:0})},refreshPositions:function(t){this.floating=this.items.length?"x"===this.options.axis||this._isFloating(this.items[0].item):!1,this.offsetParent&&this.helper&&(this.offset.parent=this._getParentOffset());var i,s,n,a;for(i=this.items.length-1;i>=0;i--)s=this.items[i],s.instance!==this.currentContainer&&this.currentContainer&&s.item[0]!==this.currentItem[0]||(n=this.options.toleranceElement?e(this.options.toleranceElement,s.item):s.item,t||(s.width=n.outerWidth(),s.height=n.outerHeight()),a=n.offset(),s.left=a.left,s.top=a.top);if(this.options.custom&&this.options.custom.refreshContainers)this.options.custom.refreshContainers.call(this);else for(i=this.containers.length-1;i>=0;i--)a=this.containers[i].element.offset(),this.containers[i].containerCache.left=a.left,this.containers[i].containerCache.top=a.top,this.containers[i].containerCache.width=this.containers[i].element.outerWidth(),this.containers[i].containerCache.height=this.containers[i].element.outerHeight();return this},_createPlaceholder:function(t){t=t||this;var i,s=t.options;s.placeholder&&s.placeholder.constructor!==String||(i=s.placeholder,s.placeholder={element:function(){var s=t.currentItem[0].nodeName.toLowerCase(),n=e("<"+s+">",t.document[0]).addClass(i||t.currentItem[0].className+" ui-sortable-placeholder").removeClass("ui-sortable-helper");return"tbody"===s?t._createTrPlaceholder(t.currentItem.find("tr").eq(0),e("",t.document[0]).appendTo(n)):"tr"===s?t._createTrPlaceholder(t.currentItem,n):"img"===s&&n.attr("src",t.currentItem.attr("src")),i||n.css("visibility","hidden"),n},update:function(e,n){(!i||s.forcePlaceholderSize)&&(n.height()||n.height(t.currentItem.innerHeight()-parseInt(t.currentItem.css("paddingTop")||0,10)-parseInt(t.currentItem.css("paddingBottom")||0,10)),n.width()||n.width(t.currentItem.innerWidth()-parseInt(t.currentItem.css("paddingLeft")||0,10)-parseInt(t.currentItem.css("paddingRight")||0,10)))}}),t.placeholder=e(s.placeholder.element.call(t.element,t.currentItem)),t.currentItem.after(t.placeholder),s.placeholder.update(t,t.placeholder)},_createTrPlaceholder:function(t,i){var s=this;t.children().each(function(){e(" ",s.document[0]).attr("colspan",e(this).attr("colspan")||1).appendTo(i)})},_contactContainers:function(t){var i,s,n,a,o,r,h,l,u,c,d=null,p=null;for(i=this.containers.length-1;i>=0;i--)if(!e.contains(this.currentItem[0],this.containers[i].element[0]))if(this._intersectsWith(this.containers[i].containerCache)){if(d&&e.contains(this.containers[i].element[0],d.element[0]))continue;d=this.containers[i],p=i}else this.containers[i].containerCache.over&&(this.containers[i]._trigger("out",t,this._uiHash(this)),this.containers[i].containerCache.over=0);if(d)if(1===this.containers.length)this.containers[p].containerCache.over||(this.containers[p]._trigger("over",t,this._uiHash(this)),this.containers[p].containerCache.over=1);else{for(n=1e4,a=null,u=d.floating||this._isFloating(this.currentItem),o=u?"left":"top",r=u?"width":"height",c=u?"clientX":"clientY",s=this.items.length-1;s>=0;s--)e.contains(this.containers[p].element[0],this.items[s].item[0])&&this.items[s].item[0]!==this.currentItem[0]&&(h=this.items[s].item.offset()[o],l=!1,t[c]-h>this.items[s][r]/2&&(l=!0),n>Math.abs(t[c]-h)&&(n=Math.abs(t[c]-h),a=this.items[s],this.direction=l?"up":"down"));if(!a&&!this.options.dropOnEmpty)return;if(this.currentContainer===this.containers[p])return this.currentContainer.containerCache.over||(this.containers[p]._trigger("over",t,this._uiHash()),this.currentContainer.containerCache.over=1),void 0;a?this._rearrange(t,a,null,!0):this._rearrange(t,null,this.containers[p].element,!0),this._trigger("change",t,this._uiHash()),this.containers[p]._trigger("change",t,this._uiHash(this)),this.currentContainer=this.containers[p],this.options.placeholder.update(this.currentContainer,this.placeholder),this.containers[p]._trigger("over",t,this._uiHash(this)),this.containers[p].containerCache.over=1}},_createHelper:function(t){var i=this.options,s=e.isFunction(i.helper)?e(i.helper.apply(this.element[0],[t,this.currentItem])):"clone"===i.helper?this.currentItem.clone():this.currentItem;return s.parents("body").length||e("parent"!==i.appendTo?i.appendTo:this.currentItem[0].parentNode)[0].appendChild(s[0]),s[0]===this.currentItem[0]&&(this._storedCSS={width:this.currentItem[0].style.width,height:this.currentItem[0].style.height,position:this.currentItem.css("position"),top:this.currentItem.css("top"),left:this.currentItem.css("left")}),(!s[0].style.width||i.forceHelperSize)&&s.width(this.currentItem.width()),(!s[0].style.height||i.forceHelperSize)&&s.height(this.currentItem.height()),s},_adjustOffsetFromHelper:function(t){"string"==typeof t&&(t=t.split(" ")),e.isArray(t)&&(t={left:+t[0],top:+t[1]||0}),"left"in t&&(this.offset.click.left=t.left+this.margins.left),"right"in t&&(this.offset.click.left=this.helperProportions.width-t.right+this.margins.left),"top"in t&&(this.offset.click.top=t.top+this.margins.top),"bottom"in t&&(this.offset.click.top=this.helperProportions.height-t.bottom+this.margins.top)},_getParentOffset:function(){this.offsetParent=this.helper.offsetParent();var t=this.offsetParent.offset();return"absolute"===this.cssPosition&&this.scrollParent[0]!==this.document[0]&&e.contains(this.scrollParent[0],this.offsetParent[0])&&(t.left+=this.scrollParent.scrollLeft(),t.top+=this.scrollParent.scrollTop()),(this.offsetParent[0]===this.document[0].body||this.offsetParent[0].tagName&&"html"===this.offsetParent[0].tagName.toLowerCase()&&e.ui.ie)&&(t={top:0,left:0}),{top:t.top+(parseInt(this.offsetParent.css("borderTopWidth"),10)||0),left:t.left+(parseInt(this.offsetParent.css("borderLeftWidth"),10)||0)}},_getRelativeOffset:function(){if("relative"===this.cssPosition){var e=this.currentItem.position();return{top:e.top-(parseInt(this.helper.css("top"),10)||0)+this.scrollParent.scrollTop(),left:e.left-(parseInt(this.helper.css("left"),10)||0)+this.scrollParent.scrollLeft()}}return{top:0,left:0}},_cacheMargins:function(){this.margins={left:parseInt(this.currentItem.css("marginLeft"),10)||0,top:parseInt(this.currentItem.css("marginTop"),10)||0}},_cacheHelperProportions:function(){this.helperProportions={width:this.helper.outerWidth(),height:this.helper.outerHeight()}},_setContainment:function(){var t,i,s,n=this.options;"parent"===n.containment&&(n.containment=this.helper[0].parentNode),("document"===n.containment||"window"===n.containment)&&(this.containment=[0-this.offset.relative.left-this.offset.parent.left,0-this.offset.relative.top-this.offset.parent.top,"document"===n.containment?this.document.width():this.window.width()-this.helperProportions.width-this.margins.left,("document"===n.containment?this.document.width():this.window.height()||this.document[0].body.parentNode.scrollHeight)-this.helperProportions.height-this.margins.top]),/^(document|window|parent)$/.test(n.containment)||(t=e(n.containment)[0],i=e(n.containment).offset(),s="hidden"!==e(t).css("overflow"),this.containment=[i.left+(parseInt(e(t).css("borderLeftWidth"),10)||0)+(parseInt(e(t).css("paddingLeft"),10)||0)-this.margins.left,i.top+(parseInt(e(t).css("borderTopWidth"),10)||0)+(parseInt(e(t).css("paddingTop"),10)||0)-this.margins.top,i.left+(s?Math.max(t.scrollWidth,t.offsetWidth):t.offsetWidth)-(parseInt(e(t).css("borderLeftWidth"),10)||0)-(parseInt(e(t).css("paddingRight"),10)||0)-this.helperProportions.width-this.margins.left,i.top+(s?Math.max(t.scrollHeight,t.offsetHeight):t.offsetHeight)-(parseInt(e(t).css("borderTopWidth"),10)||0)-(parseInt(e(t).css("paddingBottom"),10)||0)-this.helperProportions.height-this.margins.top]) -},_convertPositionTo:function(t,i){i||(i=this.position);var s="absolute"===t?1:-1,n="absolute"!==this.cssPosition||this.scrollParent[0]!==this.document[0]&&e.contains(this.scrollParent[0],this.offsetParent[0])?this.scrollParent:this.offsetParent,a=/(html|body)/i.test(n[0].tagName);return{top:i.top+this.offset.relative.top*s+this.offset.parent.top*s-("fixed"===this.cssPosition?-this.scrollParent.scrollTop():a?0:n.scrollTop())*s,left:i.left+this.offset.relative.left*s+this.offset.parent.left*s-("fixed"===this.cssPosition?-this.scrollParent.scrollLeft():a?0:n.scrollLeft())*s}},_generatePosition:function(t){var i,s,n=this.options,a=t.pageX,o=t.pageY,r="absolute"!==this.cssPosition||this.scrollParent[0]!==this.document[0]&&e.contains(this.scrollParent[0],this.offsetParent[0])?this.scrollParent:this.offsetParent,h=/(html|body)/i.test(r[0].tagName);return"relative"!==this.cssPosition||this.scrollParent[0]!==this.document[0]&&this.scrollParent[0]!==this.offsetParent[0]||(this.offset.relative=this._getRelativeOffset()),this.originalPosition&&(this.containment&&(t.pageX-this.offset.click.leftthis.containment[2]&&(a=this.containment[2]+this.offset.click.left),t.pageY-this.offset.click.top>this.containment[3]&&(o=this.containment[3]+this.offset.click.top)),n.grid&&(i=this.originalPageY+Math.round((o-this.originalPageY)/n.grid[1])*n.grid[1],o=this.containment?i-this.offset.click.top>=this.containment[1]&&i-this.offset.click.top<=this.containment[3]?i:i-this.offset.click.top>=this.containment[1]?i-n.grid[1]:i+n.grid[1]:i,s=this.originalPageX+Math.round((a-this.originalPageX)/n.grid[0])*n.grid[0],a=this.containment?s-this.offset.click.left>=this.containment[0]&&s-this.offset.click.left<=this.containment[2]?s:s-this.offset.click.left>=this.containment[0]?s-n.grid[0]:s+n.grid[0]:s)),{top:o-this.offset.click.top-this.offset.relative.top-this.offset.parent.top+("fixed"===this.cssPosition?-this.scrollParent.scrollTop():h?0:r.scrollTop()),left:a-this.offset.click.left-this.offset.relative.left-this.offset.parent.left+("fixed"===this.cssPosition?-this.scrollParent.scrollLeft():h?0:r.scrollLeft())}},_rearrange:function(e,t,i,s){i?i[0].appendChild(this.placeholder[0]):t.item[0].parentNode.insertBefore(this.placeholder[0],"down"===this.direction?t.item[0]:t.item[0].nextSibling),this.counter=this.counter?++this.counter:1;var n=this.counter;this._delay(function(){n===this.counter&&this.refreshPositions(!s)})},_clear:function(e,t){function i(e,t,i){return function(s){i._trigger(e,s,t._uiHash(t))}}this.reverting=!1;var s,n=[];if(!this._noFinalSort&&this.currentItem.parent().length&&this.placeholder.before(this.currentItem),this._noFinalSort=null,this.helper[0]===this.currentItem[0]){for(s in this._storedCSS)("auto"===this._storedCSS[s]||"static"===this._storedCSS[s])&&(this._storedCSS[s]="");this.currentItem.css(this._storedCSS).removeClass("ui-sortable-helper")}else this.currentItem.show();for(this.fromOutside&&!t&&n.push(function(e){this._trigger("receive",e,this._uiHash(this.fromOutside))}),!this.fromOutside&&this.domPosition.prev===this.currentItem.prev().not(".ui-sortable-helper")[0]&&this.domPosition.parent===this.currentItem.parent()[0]||t||n.push(function(e){this._trigger("update",e,this._uiHash())}),this!==this.currentContainer&&(t||(n.push(function(e){this._trigger("remove",e,this._uiHash())}),n.push(function(e){return function(t){e._trigger("receive",t,this._uiHash(this))}}.call(this,this.currentContainer)),n.push(function(e){return function(t){e._trigger("update",t,this._uiHash(this))}}.call(this,this.currentContainer)))),s=this.containers.length-1;s>=0;s--)t||n.push(i("deactivate",this,this.containers[s])),this.containers[s].containerCache.over&&(n.push(i("out",this,this.containers[s])),this.containers[s].containerCache.over=0);if(this.storedCursor&&(this.document.find("body").css("cursor",this.storedCursor),this.storedStylesheet.remove()),this._storedOpacity&&this.helper.css("opacity",this._storedOpacity),this._storedZIndex&&this.helper.css("zIndex","auto"===this._storedZIndex?"":this._storedZIndex),this.dragging=!1,t||this._trigger("beforeStop",e,this._uiHash()),this.placeholder[0].parentNode.removeChild(this.placeholder[0]),this.cancelHelperRemoval||(this.helper[0]!==this.currentItem[0]&&this.helper.remove(),this.helper=null),!t){for(s=0;n.length>s;s++)n[s].call(this,e);this._trigger("stop",e,this._uiHash())}return this.fromOutside=!1,!this.cancelHelperRemoval},_trigger:function(){e.Widget.prototype._trigger.apply(this,arguments)===!1&&this.cancel()},_uiHash:function(t){var i=t||this;return{helper:i.helper,placeholder:i.placeholder||e([]),position:i.position,originalPosition:i.originalPosition,offset:i.positionAbs,item:i.currentItem,sender:t?t.element:null}}})}); \ No newline at end of file +(function (e) { + "function" == typeof define && define.amd + ? define(["jquery"], e) + : e(jQuery); +})(function (e) { + function t(t, s) { + var n, + a, + o, + r = t.nodeName.toLowerCase(); + return "area" === r + ? ((n = t.parentNode), + (a = n.name), + t.href && a && "map" === n.nodeName.toLowerCase() + ? ((o = e("img[usemap='#" + a + "']")[0]), !!o && i(o)) + : !1) + : (/^(input|select|textarea|button|object)$/.test(r) + ? !t.disabled + : "a" === r + ? t.href || s + : s) && i(t); + } + function i(t) { + return ( + e.expr.filters.visible(t) && + !e(t) + .parents() + .addBack() + .filter(function () { + return "hidden" === e.css(this, "visibility"); + }).length + ); + } + (e.ui = e.ui || {}), + e.extend(e.ui, { + version: "1.11.4", + keyCode: { + BACKSPACE: 8, + COMMA: 188, + DELETE: 46, + DOWN: 40, + END: 35, + ENTER: 13, + ESCAPE: 27, + HOME: 36, + LEFT: 37, + PAGE_DOWN: 34, + PAGE_UP: 33, + PERIOD: 190, + RIGHT: 39, + SPACE: 32, + TAB: 9, + UP: 38, + }, + }), + e.fn.extend({ + scrollParent: function (t) { + var i = this.css("position"), + s = "absolute" === i, + n = t ? /(auto|scroll|hidden)/ : /(auto|scroll)/, + a = this.parents() + .filter(function () { + var t = e(this); + return s && "static" === t.css("position") + ? !1 + : n.test( + t.css("overflow") + + t.css("overflow-y") + + t.css("overflow-x") + ); + }) + .eq(0); + return "fixed" !== i && a.length + ? a + : e(this[0].ownerDocument || document); + }, + uniqueId: (function () { + var e = 0; + return function () { + return this.each(function () { + this.id || (this.id = "ui-id-" + ++e); + }); + }; + })(), + removeUniqueId: function () { + return this.each(function () { + /^ui-id-\d+$/.test(this.id) && e(this).removeAttr("id"); + }); + }, + }), + e.extend(e.expr[":"], { + data: e.expr.createPseudo + ? e.expr.createPseudo(function (t) { + return function (i) { + return !!e.data(i, t); + }; + }) + : function (t, i, s) { + return !!e.data(t, s[3]); + }, + focusable: function (i) { + return t(i, !isNaN(e.attr(i, "tabindex"))); + }, + tabbable: function (i) { + var s = e.attr(i, "tabindex"), + n = isNaN(s); + return (n || s >= 0) && t(i, !n); + }, + }), + e("").outerWidth(1).jquery || + e.each(["Width", "Height"], function (t, i) { + function s(t, i, s, a) { + return ( + e.each(n, function () { + (i -= parseFloat(e.css(t, "padding" + this)) || 0), + s && + (i -= + parseFloat( + e.css(t, "border" + this + "Width") + ) || 0), + a && + (i -= + parseFloat(e.css(t, "margin" + this)) || + 0); + }), + i + ); + } + var n = "Width" === i ? ["Left", "Right"] : ["Top", "Bottom"], + a = i.toLowerCase(), + o = { + innerWidth: e.fn.innerWidth, + innerHeight: e.fn.innerHeight, + outerWidth: e.fn.outerWidth, + outerHeight: e.fn.outerHeight, + }; + (e.fn["inner" + i] = function (t) { + return void 0 === t + ? o["inner" + i].call(this) + : this.each(function () { + e(this).css(a, s(this, t) + "px"); + }); + }), + (e.fn["outer" + i] = function (t, n) { + return "number" != typeof t + ? o["outer" + i].call(this, t) + : this.each(function () { + e(this).css(a, s(this, t, !0, n) + "px"); + }); + }); + }), + e.fn.addBack || + (e.fn.addBack = function (e) { + return this.add( + null == e ? this.prevObject : this.prevObject.filter(e) + ); + }), + e("").data("a-b", "a").removeData("a-b").data("a-b") && + (e.fn.removeData = (function (t) { + return function (i) { + return arguments.length + ? t.call(this, e.camelCase(i)) + : t.call(this); + }; + })(e.fn.removeData)), + (e.ui.ie = !!/msie [\w.]+/.exec(navigator.userAgent.toLowerCase())), + e.fn.extend({ + focus: (function (t) { + return function (i, s) { + return "number" == typeof i + ? this.each(function () { + var t = this; + setTimeout(function () { + e(t).focus(), s && s.call(t); + }, i); + }) + : t.apply(this, arguments); + }; + })(e.fn.focus), + disableSelection: (function () { + var e = + "onselectstart" in document.createElement("div") + ? "selectstart" + : "mousedown"; + return function () { + return this.bind(e + ".ui-disableSelection", function (e) { + e.preventDefault(); + }); + }; + })(), + enableSelection: function () { + return this.unbind(".ui-disableSelection"); + }, + zIndex: function (t) { + if (void 0 !== t) return this.css("zIndex", t); + if (this.length) + for ( + var i, s, n = e(this[0]); + n.length && n[0] !== document; + + ) { + if ( + ((i = n.css("position")), + ("absolute" === i || + "relative" === i || + "fixed" === i) && + ((s = parseInt(n.css("zIndex"), 10)), + !isNaN(s) && 0 !== s)) + ) + return s; + n = n.parent(); + } + return 0; + }, + }), + (e.ui.plugin = { + add: function (t, i, s) { + var n, + a = e.ui[t].prototype; + for (n in s) + (a.plugins[n] = a.plugins[n] || []), + a.plugins[n].push([i, s[n]]); + }, + call: function (e, t, i, s) { + var n, + a = e.plugins[t]; + if ( + a && + (s || + (e.element[0].parentNode && + 11 !== e.element[0].parentNode.nodeType)) + ) + for (n = 0; a.length > n; n++) + e.options[a[n][0]] && a[n][1].apply(e.element, i); + }, + }); + var s = 0, + n = Array.prototype.slice; + (e.cleanData = (function (t) { + return function (i) { + var s, n, a; + for (a = 0; null != (n = i[a]); a++) + try { + (s = e._data(n, "events")), + s && s.remove && e(n).triggerHandler("remove"); + } catch (o) {} + t(i); + }; + })(e.cleanData)), + (e.widget = function (t, i, s) { + var n, + a, + o, + r, + h = {}, + l = t.split(".")[0]; + return ( + (t = t.split(".")[1]), + (n = l + "-" + t), + s || ((s = i), (i = e.Widget)), + (e.expr[":"][n.toLowerCase()] = function (t) { + return !!e.data(t, n); + }), + (e[l] = e[l] || {}), + (a = e[l][t]), + (o = e[l][t] = + function (e, t) { + return this._createWidget + ? (arguments.length && this._createWidget(e, t), + void 0) + : new o(e, t); + }), + e.extend(o, a, { + version: s.version, + _proto: e.extend({}, s), + _childConstructors: [], + }), + (r = new i()), + (r.options = e.widget.extend({}, r.options)), + e.each(s, function (t, s) { + return e.isFunction(s) + ? ((h[t] = (function () { + var e = function () { + return i.prototype[t].apply( + this, + arguments + ); + }, + n = function (e) { + return i.prototype[t].apply(this, e); + }; + return function () { + var t, + i = this._super, + a = this._superApply; + return ( + (this._super = e), + (this._superApply = n), + (t = s.apply(this, arguments)), + (this._super = i), + (this._superApply = a), + t + ); + }; + })()), + void 0) + : ((h[t] = s), void 0); + }), + (o.prototype = e.widget.extend( + r, + { widgetEventPrefix: a ? r.widgetEventPrefix || t : t }, + h, + { + constructor: o, + namespace: l, + widgetName: t, + widgetFullName: n, + } + )), + a + ? (e.each(a._childConstructors, function (t, i) { + var s = i.prototype; + e.widget( + s.namespace + "." + s.widgetName, + o, + i._proto + ); + }), + delete a._childConstructors) + : i._childConstructors.push(o), + e.widget.bridge(t, o), + o + ); + }), + (e.widget.extend = function (t) { + for ( + var i, s, a = n.call(arguments, 1), o = 0, r = a.length; + r > o; + o++ + ) + for (i in a[o]) + (s = a[o][i]), + a[o].hasOwnProperty(i) && + void 0 !== s && + (t[i] = e.isPlainObject(s) + ? e.isPlainObject(t[i]) + ? e.widget.extend({}, t[i], s) + : e.widget.extend({}, s) + : s); + return t; + }), + (e.widget.bridge = function (t, i) { + var s = i.prototype.widgetFullName || t; + e.fn[t] = function (a) { + var o = "string" == typeof a, + r = n.call(arguments, 1), + h = this; + return ( + o + ? this.each(function () { + var i, + n = e.data(this, s); + return "instance" === a + ? ((h = n), !1) + : n + ? e.isFunction(n[a]) && "_" !== a.charAt(0) + ? ((i = n[a].apply(n, r)), + i !== n && void 0 !== i + ? ((h = + i && i.jquery + ? h.pushStack( + i.get() + ) + : i), + !1) + : void 0) + : e.error( + "no such method '" + + a + + "' for " + + t + + " widget instance" + ) + : e.error( + "cannot call methods on " + + t + + " prior to initialization; " + + "attempted to call method '" + + a + + "'" + ); + }) + : (r.length && + (a = e.widget.extend.apply( + null, + [a].concat(r) + )), + this.each(function () { + var t = e.data(this, s); + t + ? (t.option(a || {}), t._init && t._init()) + : e.data(this, s, new i(a, this)); + })), + h + ); + }; + }), + (e.Widget = function () {}), + (e.Widget._childConstructors = []), + (e.Widget.prototype = { + widgetName: "widget", + widgetEventPrefix: "", + defaultElement: "
", + options: { disabled: !1, create: null }, + _createWidget: function (t, i) { + (i = e(i || this.defaultElement || this)[0]), + (this.element = e(i)), + (this.uuid = s++), + (this.eventNamespace = "." + this.widgetName + this.uuid), + (this.bindings = e()), + (this.hoverable = e()), + (this.focusable = e()), + i !== this && + (e.data(i, this.widgetFullName, this), + this._on(!0, this.element, { + remove: function (e) { + e.target === i && this.destroy(); + }, + }), + (this.document = e( + i.style ? i.ownerDocument : i.document || i + )), + (this.window = e( + this.document[0].defaultView || + this.document[0].parentWindow + ))), + (this.options = e.widget.extend( + {}, + this.options, + this._getCreateOptions(), + t + )), + this._create(), + this._trigger("create", null, this._getCreateEventData()), + this._init(); + }, + _getCreateOptions: e.noop, + _getCreateEventData: e.noop, + _create: e.noop, + _init: e.noop, + destroy: function () { + this._destroy(), + this.element + .unbind(this.eventNamespace) + .removeData(this.widgetFullName) + .removeData(e.camelCase(this.widgetFullName)), + this.widget() + .unbind(this.eventNamespace) + .removeAttr("aria-disabled") + .removeClass( + this.widgetFullName + + "-disabled " + + "ui-state-disabled" + ), + this.bindings.unbind(this.eventNamespace), + this.hoverable.removeClass("ui-state-hover"), + this.focusable.removeClass("ui-state-focus"); + }, + _destroy: e.noop, + widget: function () { + return this.element; + }, + option: function (t, i) { + var s, + n, + a, + o = t; + if (0 === arguments.length) + return e.widget.extend({}, this.options); + if ("string" == typeof t) + if ( + ((o = {}), + (s = t.split(".")), + (t = s.shift()), + s.length) + ) { + for ( + n = o[t] = e.widget.extend({}, this.options[t]), + a = 0; + s.length - 1 > a; + a++ + ) + (n[s[a]] = n[s[a]] || {}), (n = n[s[a]]); + if (((t = s.pop()), 1 === arguments.length)) + return void 0 === n[t] ? null : n[t]; + n[t] = i; + } else { + if (1 === arguments.length) + return void 0 === this.options[t] + ? null + : this.options[t]; + o[t] = i; + } + return this._setOptions(o), this; + }, + _setOptions: function (e) { + var t; + for (t in e) this._setOption(t, e[t]); + return this; + }, + _setOption: function (e, t) { + return ( + (this.options[e] = t), + "disabled" === e && + (this.widget().toggleClass( + this.widgetFullName + "-disabled", + !!t + ), + t && + (this.hoverable.removeClass("ui-state-hover"), + this.focusable.removeClass("ui-state-focus"))), + this + ); + }, + enable: function () { + return this._setOptions({ disabled: !1 }); + }, + disable: function () { + return this._setOptions({ disabled: !0 }); + }, + _on: function (t, i, s) { + var n, + a = this; + "boolean" != typeof t && ((s = i), (i = t), (t = !1)), + s + ? ((i = n = e(i)), + (this.bindings = this.bindings.add(i))) + : ((s = i), (i = this.element), (n = this.widget())), + e.each(s, function (s, o) { + function r() { + return t || + (a.options.disabled !== !0 && + !e(this).hasClass("ui-state-disabled")) + ? ("string" == typeof o ? a[o] : o).apply( + a, + arguments + ) + : void 0; + } + "string" != typeof o && + (r.guid = o.guid = o.guid || r.guid || e.guid++); + var h = s.match(/^([\w:-]*)\s*(.*)$/), + l = h[1] + a.eventNamespace, + u = h[2]; + u ? n.delegate(u, l, r) : i.bind(l, r); + }); + }, + _off: function (t, i) { + (i = + (i || "").split(" ").join(this.eventNamespace + " ") + + this.eventNamespace), + t.unbind(i).undelegate(i), + (this.bindings = e(this.bindings.not(t).get())), + (this.focusable = e(this.focusable.not(t).get())), + (this.hoverable = e(this.hoverable.not(t).get())); + }, + _delay: function (e, t) { + function i() { + return ("string" == typeof e ? s[e] : e).apply( + s, + arguments + ); + } + var s = this; + return setTimeout(i, t || 0); + }, + _hoverable: function (t) { + (this.hoverable = this.hoverable.add(t)), + this._on(t, { + mouseenter: function (t) { + e(t.currentTarget).addClass("ui-state-hover"); + }, + mouseleave: function (t) { + e(t.currentTarget).removeClass("ui-state-hover"); + }, + }); + }, + _focusable: function (t) { + (this.focusable = this.focusable.add(t)), + this._on(t, { + focusin: function (t) { + e(t.currentTarget).addClass("ui-state-focus"); + }, + focusout: function (t) { + e(t.currentTarget).removeClass("ui-state-focus"); + }, + }); + }, + _trigger: function (t, i, s) { + var n, + a, + o = this.options[t]; + if ( + ((s = s || {}), + (i = e.Event(i)), + (i.type = ( + t === this.widgetEventPrefix + ? t + : this.widgetEventPrefix + t + ).toLowerCase()), + (i.target = this.element[0]), + (a = i.originalEvent)) + ) + for (n in a) n in i || (i[n] = a[n]); + return ( + this.element.trigger(i, s), + !( + (e.isFunction(o) && + o.apply(this.element[0], [i].concat(s)) === !1) || + i.isDefaultPrevented() + ) + ); + }, + }), + e.each({ show: "fadeIn", hide: "fadeOut" }, function (t, i) { + e.Widget.prototype["_" + t] = function (s, n, a) { + "string" == typeof n && (n = { effect: n }); + var o, + r = n + ? n === !0 || "number" == typeof n + ? i + : n.effect || i + : t; + (n = n || {}), + "number" == typeof n && (n = { duration: n }), + (o = !e.isEmptyObject(n)), + (n.complete = a), + n.delay && s.delay(n.delay), + o && e.effects && e.effects.effect[r] + ? s[t](n) + : r !== t && s[r] + ? s[r](n.duration, n.easing, a) + : s.queue(function (i) { + e(this)[t](), a && a.call(s[0]), i(); + }); + }; + }), + e.widget; + var a = !1; + e(document).mouseup(function () { + a = !1; + }), + e.widget("ui.mouse", { + version: "1.11.4", + options: { + cancel: "input,textarea,button,select,option", + distance: 1, + delay: 0, + }, + _mouseInit: function () { + var t = this; + this.element + .bind("mousedown." + this.widgetName, function (e) { + return t._mouseDown(e); + }) + .bind("click." + this.widgetName, function (i) { + return !0 === + e.data( + i.target, + t.widgetName + ".preventClickEvent" + ) + ? (e.removeData( + i.target, + t.widgetName + ".preventClickEvent" + ), + i.stopImmediatePropagation(), + !1) + : void 0; + }), + (this.started = !1); + }, + _mouseDestroy: function () { + this.element.unbind("." + this.widgetName), + this._mouseMoveDelegate && + this.document + .unbind( + "mousemove." + this.widgetName, + this._mouseMoveDelegate + ) + .unbind( + "mouseup." + this.widgetName, + this._mouseUpDelegate + ); + }, + _mouseDown: function (t) { + if (!a) { + (this._mouseMoved = !1), + this._mouseStarted && this._mouseUp(t), + (this._mouseDownEvent = t); + var i = this, + s = 1 === t.which, + n = + "string" == typeof this.options.cancel && + t.target.nodeName + ? e(t.target).closest(this.options.cancel) + .length + : !1; + return s && !n && this._mouseCapture(t) + ? ((this.mouseDelayMet = !this.options.delay), + this.mouseDelayMet || + (this._mouseDelayTimer = setTimeout( + function () { + i.mouseDelayMet = !0; + }, + this.options.delay + )), + this._mouseDistanceMet(t) && + this._mouseDelayMet(t) && + ((this._mouseStarted = this._mouseStart(t) !== !1), + !this._mouseStarted) + ? (t.preventDefault(), !0) + : (!0 === + e.data( + t.target, + this.widgetName + + ".preventClickEvent" + ) && + e.removeData( + t.target, + this.widgetName + + ".preventClickEvent" + ), + (this._mouseMoveDelegate = function (e) { + return i._mouseMove(e); + }), + (this._mouseUpDelegate = function (e) { + return i._mouseUp(e); + }), + this.document + .bind( + "mousemove." + this.widgetName, + this._mouseMoveDelegate + ) + .bind( + "mouseup." + this.widgetName, + this._mouseUpDelegate + ), + t.preventDefault(), + (a = !0), + !0)) + : !0; + } + }, + _mouseMove: function (t) { + if (this._mouseMoved) { + if ( + e.ui.ie && + (!document.documentMode || 9 > document.documentMode) && + !t.button + ) + return this._mouseUp(t); + if (!t.which) return this._mouseUp(t); + } + return ( + (t.which || t.button) && (this._mouseMoved = !0), + this._mouseStarted + ? (this._mouseDrag(t), t.preventDefault()) + : (this._mouseDistanceMet(t) && + this._mouseDelayMet(t) && + ((this._mouseStarted = + this._mouseStart( + this._mouseDownEvent, + t + ) !== !1), + this._mouseStarted + ? this._mouseDrag(t) + : this._mouseUp(t)), + !this._mouseStarted) + ); + }, + _mouseUp: function (t) { + return ( + this.document + .unbind( + "mousemove." + this.widgetName, + this._mouseMoveDelegate + ) + .unbind( + "mouseup." + this.widgetName, + this._mouseUpDelegate + ), + this._mouseStarted && + ((this._mouseStarted = !1), + t.target === this._mouseDownEvent.target && + e.data( + t.target, + this.widgetName + ".preventClickEvent", + !0 + ), + this._mouseStop(t)), + (a = !1), + !1 + ); + }, + _mouseDistanceMet: function (e) { + return ( + Math.max( + Math.abs(this._mouseDownEvent.pageX - e.pageX), + Math.abs(this._mouseDownEvent.pageY - e.pageY) + ) >= this.options.distance + ); + }, + _mouseDelayMet: function () { + return this.mouseDelayMet; + }, + _mouseStart: function () {}, + _mouseDrag: function () {}, + _mouseStop: function () {}, + _mouseCapture: function () { + return !0; + }, + }), + e.widget("ui.sortable", e.ui.mouse, { + version: "1.11.4", + widgetEventPrefix: "sort", + ready: !1, + options: { + appendTo: "parent", + axis: !1, + connectWith: !1, + containment: !1, + cursor: "auto", + cursorAt: !1, + dropOnEmpty: !0, + forcePlaceholderSize: !1, + forceHelperSize: !1, + grid: !1, + handle: !1, + helper: "original", + items: "> *", + opacity: !1, + placeholder: !1, + revert: !1, + scroll: !0, + scrollSensitivity: 20, + scrollSpeed: 20, + scope: "default", + tolerance: "intersect", + zIndex: 1e3, + activate: null, + beforeStop: null, + change: null, + deactivate: null, + out: null, + over: null, + receive: null, + remove: null, + sort: null, + start: null, + stop: null, + update: null, + }, + _isOverAxis: function (e, t, i) { + return e >= t && t + i > e; + }, + _isFloating: function (e) { + return ( + /left|right/.test(e.css("float")) || + /inline|table-cell/.test(e.css("display")) + ); + }, + _create: function () { + (this.containerCache = {}), + this.element.addClass("ui-sortable"), + this.refresh(), + (this.offset = this.element.offset()), + this._mouseInit(), + this._setHandleClassName(), + (this.ready = !0); + }, + _setOption: function (e, t) { + this._super(e, t), "handle" === e && this._setHandleClassName(); + }, + _setHandleClassName: function () { + this.element + .find(".ui-sortable-handle") + .removeClass("ui-sortable-handle"), + e.each(this.items, function () { + (this.instance.options.handle + ? this.item.find(this.instance.options.handle) + : this.item + ).addClass("ui-sortable-handle"); + }); + }, + _destroy: function () { + this.element + .removeClass("ui-sortable ui-sortable-disabled") + .find(".ui-sortable-handle") + .removeClass("ui-sortable-handle"), + this._mouseDestroy(); + for (var e = this.items.length - 1; e >= 0; e--) + this.items[e].item.removeData(this.widgetName + "-item"); + return this; + }, + _mouseCapture: function (t, i) { + var s = null, + n = !1, + a = this; + return this.reverting + ? !1 + : this.options.disabled || "static" === this.options.type + ? !1 + : (this._refreshItems(t), + e(t.target) + .parents() + .each(function () { + return e.data(this, a.widgetName + "-item") === + a + ? ((s = e(this)), !1) + : void 0; + }), + e.data(t.target, a.widgetName + "-item") === a && + (s = e(t.target)), + s + ? !this.options.handle || + i || + (e(this.options.handle, s) + .find("*") + .addBack() + .each(function () { + this === t.target && (n = !0); + }), + n) + ? ((this.currentItem = s), + this._removeCurrentsFromItems(), + !0) + : !1 + : !1); + }, + _mouseStart: function (t, i, s) { + var n, + a, + o = this.options; + if ( + ((this.currentContainer = this), + this.refreshPositions(), + (this.helper = this._createHelper(t)), + this._cacheHelperProportions(), + this._cacheMargins(), + (this.scrollParent = this.helper.scrollParent()), + (this.offset = this.currentItem.offset()), + (this.offset = { + top: this.offset.top - this.margins.top, + left: this.offset.left - this.margins.left, + }), + e.extend(this.offset, { + click: { + left: t.pageX - this.offset.left, + top: t.pageY - this.offset.top, + }, + parent: this._getParentOffset(), + relative: this._getRelativeOffset(), + }), + this.helper.css("position", "absolute"), + (this.cssPosition = this.helper.css("position")), + (this.originalPosition = this._generatePosition(t)), + (this.originalPageX = t.pageX), + (this.originalPageY = t.pageY), + o.cursorAt && this._adjustOffsetFromHelper(o.cursorAt), + (this.domPosition = { + prev: this.currentItem.prev()[0], + parent: this.currentItem.parent()[0], + }), + this.helper[0] !== this.currentItem[0] && + this.currentItem.hide(), + this._createPlaceholder(), + o.containment && this._setContainment(), + o.cursor && + "auto" !== o.cursor && + ((a = this.document.find("body")), + (this.storedCursor = a.css("cursor")), + a.css("cursor", o.cursor), + (this.storedStylesheet = e( + "" + ).appendTo(a))), + o.opacity && + (this.helper.css("opacity") && + (this._storedOpacity = this.helper.css("opacity")), + this.helper.css("opacity", o.opacity)), + o.zIndex && + (this.helper.css("zIndex") && + (this._storedZIndex = this.helper.css("zIndex")), + this.helper.css("zIndex", o.zIndex)), + this.scrollParent[0] !== this.document[0] && + "HTML" !== this.scrollParent[0].tagName && + (this.overflowOffset = this.scrollParent.offset()), + this._trigger("start", t, this._uiHash()), + this._preserveHelperProportions || + this._cacheHelperProportions(), + !s) + ) + for (n = this.containers.length - 1; n >= 0; n--) + this.containers[n]._trigger( + "activate", + t, + this._uiHash(this) + ); + return ( + e.ui.ddmanager && (e.ui.ddmanager.current = this), + e.ui.ddmanager && + !o.dropBehaviour && + e.ui.ddmanager.prepareOffsets(this, t), + (this.dragging = !0), + this.helper.addClass("ui-sortable-helper"), + this._mouseDrag(t), + !0 + ); + }, + _mouseDrag: function (t) { + var i, + s, + n, + a, + o = this.options, + r = !1; + for ( + this.position = this._generatePosition(t), + this.positionAbs = this._convertPositionTo("absolute"), + this.lastPositionAbs || + (this.lastPositionAbs = this.positionAbs), + this.options.scroll && + (this.scrollParent[0] !== this.document[0] && + "HTML" !== this.scrollParent[0].tagName + ? (this.overflowOffset.top + + this.scrollParent[0].offsetHeight - + t.pageY < + o.scrollSensitivity + ? (this.scrollParent[0].scrollTop = r = + this.scrollParent[0].scrollTop + + o.scrollSpeed) + : t.pageY - this.overflowOffset.top < + o.scrollSensitivity && + (this.scrollParent[0].scrollTop = r = + this.scrollParent[0].scrollTop - + o.scrollSpeed), + this.overflowOffset.left + + this.scrollParent[0].offsetWidth - + t.pageX < + o.scrollSensitivity + ? (this.scrollParent[0].scrollLeft = r = + this.scrollParent[0] + .scrollLeft + o.scrollSpeed) + : t.pageX - this.overflowOffset.left < + o.scrollSensitivity && + (this.scrollParent[0].scrollLeft = r = + this.scrollParent[0] + .scrollLeft - + o.scrollSpeed)) + : (t.pageY - this.document.scrollTop() < + o.scrollSensitivity + ? (r = this.document.scrollTop( + this.document.scrollTop() - + o.scrollSpeed + )) + : this.window.height() - + (t.pageY - + this.document.scrollTop()) < + o.scrollSensitivity && + (r = this.document.scrollTop( + this.document.scrollTop() + + o.scrollSpeed + )), + t.pageX - this.document.scrollLeft() < + o.scrollSensitivity + ? (r = this.document.scrollLeft( + this.document.scrollLeft() - + o.scrollSpeed + )) + : this.window.width() - + (t.pageX - + this.document.scrollLeft()) < + o.scrollSensitivity && + (r = this.document.scrollLeft( + this.document.scrollLeft() + + o.scrollSpeed + ))), + r !== !1 && + e.ui.ddmanager && + !o.dropBehaviour && + e.ui.ddmanager.prepareOffsets(this, t)), + this.positionAbs = this._convertPositionTo("absolute"), + (this.options.axis && "y" === this.options.axis) || + (this.helper[0].style.left = + this.position.left + "px"), + (this.options.axis && "x" === this.options.axis) || + (this.helper[0].style.top = + this.position.top + "px"), + i = this.items.length - 1; + i >= 0; + i-- + ) + if ( + ((s = this.items[i]), + (n = s.item[0]), + (a = this._intersectsWithPointer(s)), + a && + s.instance === this.currentContainer && + n !== this.currentItem[0] && + this.placeholder[1 === a ? "next" : "prev"]()[0] !== + n && + !e.contains(this.placeholder[0], n) && + ("semi-dynamic" === this.options.type + ? !e.contains(this.element[0], n) + : !0)) + ) { + if ( + ((this.direction = 1 === a ? "down" : "up"), + "pointer" !== this.options.tolerance && + !this._intersectsWithSides(s)) + ) + break; + this._rearrange(t, s), + this._trigger("change", t, this._uiHash()); + break; + } + return ( + this._contactContainers(t), + e.ui.ddmanager && e.ui.ddmanager.drag(this, t), + this._trigger("sort", t, this._uiHash()), + (this.lastPositionAbs = this.positionAbs), + !1 + ); + }, + _mouseStop: function (t, i) { + if (t) { + if ( + (e.ui.ddmanager && + !this.options.dropBehaviour && + e.ui.ddmanager.drop(this, t), + this.options.revert) + ) { + var s = this, + n = this.placeholder.offset(), + a = this.options.axis, + o = {}; + (a && "x" !== a) || + (o.left = + n.left - + this.offset.parent.left - + this.margins.left + + (this.offsetParent[0] === this.document[0].body + ? 0 + : this.offsetParent[0].scrollLeft)), + (a && "y" !== a) || + (o.top = + n.top - + this.offset.parent.top - + this.margins.top + + (this.offsetParent[0] === + this.document[0].body + ? 0 + : this.offsetParent[0].scrollTop)), + (this.reverting = !0), + e(this.helper).animate( + o, + parseInt(this.options.revert, 10) || 500, + function () { + s._clear(t); + } + ); + } else this._clear(t, i); + return !1; + } + }, + cancel: function () { + if (this.dragging) { + this._mouseUp({ target: null }), + "original" === this.options.helper + ? this.currentItem + .css(this._storedCSS) + .removeClass("ui-sortable-helper") + : this.currentItem.show(); + for (var t = this.containers.length - 1; t >= 0; t--) + this.containers[t]._trigger( + "deactivate", + null, + this._uiHash(this) + ), + this.containers[t].containerCache.over && + (this.containers[t]._trigger( + "out", + null, + this._uiHash(this) + ), + (this.containers[t].containerCache.over = 0)); + } + return ( + this.placeholder && + (this.placeholder[0].parentNode && + this.placeholder[0].parentNode.removeChild( + this.placeholder[0] + ), + "original" !== this.options.helper && + this.helper && + this.helper[0].parentNode && + this.helper.remove(), + e.extend(this, { + helper: null, + dragging: !1, + reverting: !1, + _noFinalSort: null, + }), + this.domPosition.prev + ? e(this.domPosition.prev).after(this.currentItem) + : e(this.domPosition.parent).prepend( + this.currentItem + )), + this + ); + }, + serialize: function (t) { + var i = this._getItemsAsjQuery(t && t.connected), + s = []; + return ( + (t = t || {}), + e(i).each(function () { + var i = ( + e(t.item || this).attr(t.attribute || "id") || "" + ).match(t.expression || /(.+)[\-=_](.+)/); + i && + s.push( + (t.key || i[1] + "[]") + + "=" + + (t.key && t.expression ? i[1] : i[2]) + ); + }), + !s.length && t.key && s.push(t.key + "="), + s.join("&") + ); + }, + toArray: function (t) { + var i = this._getItemsAsjQuery(t && t.connected), + s = []; + return ( + (t = t || {}), + i.each(function () { + s.push( + e(t.item || this).attr(t.attribute || "id") || "" + ); + }), + s + ); + }, + _intersectsWith: function (e) { + var t = this.positionAbs.left, + i = t + this.helperProportions.width, + s = this.positionAbs.top, + n = s + this.helperProportions.height, + a = e.left, + o = a + e.width, + r = e.top, + h = r + e.height, + l = this.offset.click.top, + u = this.offset.click.left, + c = "x" === this.options.axis || (s + l > r && h > s + l), + d = "y" === this.options.axis || (t + u > a && o > t + u), + p = c && d; + return "pointer" === this.options.tolerance || + this.options.forcePointerForContainers || + ("pointer" !== this.options.tolerance && + this.helperProportions[ + this.floating ? "width" : "height" + ] > e[this.floating ? "width" : "height"]) + ? p + : t + this.helperProportions.width / 2 > a && + o > i - this.helperProportions.width / 2 && + s + this.helperProportions.height / 2 > r && + h > n - this.helperProportions.height / 2; + }, + _intersectsWithPointer: function (e) { + var t = + "x" === this.options.axis || + this._isOverAxis( + this.positionAbs.top + this.offset.click.top, + e.top, + e.height + ), + i = + "y" === this.options.axis || + this._isOverAxis( + this.positionAbs.left + this.offset.click.left, + e.left, + e.width + ), + s = t && i, + n = this._getDragVerticalDirection(), + a = this._getDragHorizontalDirection(); + return s + ? this.floating + ? (a && "right" === a) || "down" === n + ? 2 + : 1 + : n && ("down" === n ? 2 : 1) + : !1; + }, + _intersectsWithSides: function (e) { + var t = this._isOverAxis( + this.positionAbs.top + this.offset.click.top, + e.top + e.height / 2, + e.height + ), + i = this._isOverAxis( + this.positionAbs.left + this.offset.click.left, + e.left + e.width / 2, + e.width + ), + s = this._getDragVerticalDirection(), + n = this._getDragHorizontalDirection(); + return this.floating && n + ? ("right" === n && i) || ("left" === n && !i) + : s && (("down" === s && t) || ("up" === s && !t)); + }, + _getDragVerticalDirection: function () { + var e = this.positionAbs.top - this.lastPositionAbs.top; + return 0 !== e && (e > 0 ? "down" : "up"); + }, + _getDragHorizontalDirection: function () { + var e = this.positionAbs.left - this.lastPositionAbs.left; + return 0 !== e && (e > 0 ? "right" : "left"); + }, + refresh: function (e) { + return ( + this._refreshItems(e), + this._setHandleClassName(), + this.refreshPositions(), + this + ); + }, + _connectWith: function () { + var e = this.options; + return e.connectWith.constructor === String + ? [e.connectWith] + : e.connectWith; + }, + _getItemsAsjQuery: function (t) { + function i() { + r.push(this); + } + var s, + n, + a, + o, + r = [], + h = [], + l = this._connectWith(); + if (l && t) + for (s = l.length - 1; s >= 0; s--) + for ( + a = e(l[s], this.document[0]), n = a.length - 1; + n >= 0; + n-- + ) + (o = e.data(a[n], this.widgetFullName)), + o && + o !== this && + !o.options.disabled && + h.push([ + e.isFunction(o.options.items) + ? o.options.items.call(o.element) + : e(o.options.items, o.element) + .not(".ui-sortable-helper") + .not( + ".ui-sortable-placeholder" + ), + o, + ]); + for ( + h.push([ + e.isFunction(this.options.items) + ? this.options.items.call(this.element, null, { + options: this.options, + item: this.currentItem, + }) + : e(this.options.items, this.element) + .not(".ui-sortable-helper") + .not(".ui-sortable-placeholder"), + this, + ]), + s = h.length - 1; + s >= 0; + s-- + ) + h[s][0].each(i); + return e(r); + }, + _removeCurrentsFromItems: function () { + var t = this.currentItem.find( + ":data(" + this.widgetName + "-item)" + ); + this.items = e.grep(this.items, function (e) { + for (var i = 0; t.length > i; i++) + if (t[i] === e.item[0]) return !1; + return !0; + }); + }, + _refreshItems: function (t) { + (this.items = []), (this.containers = [this]); + var i, + s, + n, + a, + o, + r, + h, + l, + u = this.items, + c = [ + [ + e.isFunction(this.options.items) + ? this.options.items.call(this.element[0], t, { + item: this.currentItem, + }) + : e(this.options.items, this.element), + this, + ], + ], + d = this._connectWith(); + if (d && this.ready) + for (i = d.length - 1; i >= 0; i--) + for ( + n = e(d[i], this.document[0]), s = n.length - 1; + s >= 0; + s-- + ) + (a = e.data(n[s], this.widgetFullName)), + a && + a !== this && + !a.options.disabled && + (c.push([ + e.isFunction(a.options.items) + ? a.options.items.call( + a.element[0], + t, + { item: this.currentItem } + ) + : e(a.options.items, a.element), + a, + ]), + this.containers.push(a)); + for (i = c.length - 1; i >= 0; i--) + for ( + o = c[i][1], r = c[i][0], s = 0, l = r.length; + l > s; + s++ + ) + (h = e(r[s])), + h.data(this.widgetName + "-item", o), + u.push({ + item: h, + instance: o, + width: 0, + height: 0, + left: 0, + top: 0, + }); + }, + refreshPositions: function (t) { + (this.floating = this.items.length + ? "x" === this.options.axis || + this._isFloating(this.items[0].item) + : !1), + this.offsetParent && + this.helper && + (this.offset.parent = this._getParentOffset()); + var i, s, n, a; + for (i = this.items.length - 1; i >= 0; i--) + (s = this.items[i]), + (s.instance !== this.currentContainer && + this.currentContainer && + s.item[0] !== this.currentItem[0]) || + ((n = this.options.toleranceElement + ? e(this.options.toleranceElement, s.item) + : s.item), + t || + ((s.width = n.outerWidth()), + (s.height = n.outerHeight())), + (a = n.offset()), + (s.left = a.left), + (s.top = a.top)); + if ( + this.options.custom && + this.options.custom.refreshContainers + ) + this.options.custom.refreshContainers.call(this); + else + for (i = this.containers.length - 1; i >= 0; i--) + (a = this.containers[i].element.offset()), + (this.containers[i].containerCache.left = a.left), + (this.containers[i].containerCache.top = a.top), + (this.containers[i].containerCache.width = + this.containers[i].element.outerWidth()), + (this.containers[i].containerCache.height = + this.containers[i].element.outerHeight()); + return this; + }, + _createPlaceholder: function (t) { + t = t || this; + var i, + s = t.options; + (s.placeholder && s.placeholder.constructor !== String) || + ((i = s.placeholder), + (s.placeholder = { + element: function () { + var s = t.currentItem[0].nodeName.toLowerCase(), + n = e("<" + s + ">", t.document[0]) + .addClass( + i || + t.currentItem[0].className + + " ui-sortable-placeholder" + ) + .removeClass("ui-sortable-helper"); + return ( + "tbody" === s + ? t._createTrPlaceholder( + t.currentItem.find("tr").eq(0), + e("", t.document[0]).appendTo(n) + ) + : "tr" === s + ? t._createTrPlaceholder(t.currentItem, n) + : "img" === s && + n.attr("src", t.currentItem.attr("src")), + i || n.css("visibility", "hidden"), + n + ); + }, + update: function (e, n) { + (!i || s.forcePlaceholderSize) && + (n.height() || + n.height( + t.currentItem.innerHeight() - + parseInt( + t.currentItem.css( + "paddingTop" + ) || 0, + 10 + ) - + parseInt( + t.currentItem.css( + "paddingBottom" + ) || 0, + 10 + ) + ), + n.width() || + n.width( + t.currentItem.innerWidth() - + parseInt( + t.currentItem.css( + "paddingLeft" + ) || 0, + 10 + ) - + parseInt( + t.currentItem.css( + "paddingRight" + ) || 0, + 10 + ) + )); + }, + })), + (t.placeholder = e( + s.placeholder.element.call(t.element, t.currentItem) + )), + t.currentItem.after(t.placeholder), + s.placeholder.update(t, t.placeholder); + }, + _createTrPlaceholder: function (t, i) { + var s = this; + t.children().each(function () { + e(" ", s.document[0]) + .attr("colspan", e(this).attr("colspan") || 1) + .appendTo(i); + }); + }, + _contactContainers: function (t) { + var i, + s, + n, + a, + o, + r, + h, + l, + u, + c, + d = null, + p = null; + for (i = this.containers.length - 1; i >= 0; i--) + if ( + !e.contains( + this.currentItem[0], + this.containers[i].element[0] + ) + ) + if ( + this._intersectsWith( + this.containers[i].containerCache + ) + ) { + if ( + d && + e.contains( + this.containers[i].element[0], + d.element[0] + ) + ) + continue; + (d = this.containers[i]), (p = i); + } else + this.containers[i].containerCache.over && + (this.containers[i]._trigger( + "out", + t, + this._uiHash(this) + ), + (this.containers[i].containerCache.over = 0)); + if (d) + if (1 === this.containers.length) + this.containers[p].containerCache.over || + (this.containers[p]._trigger( + "over", + t, + this._uiHash(this) + ), + (this.containers[p].containerCache.over = 1)); + else { + for ( + n = 1e4, + a = null, + u = + d.floating || + this._isFloating(this.currentItem), + o = u ? "left" : "top", + r = u ? "width" : "height", + c = u ? "clientX" : "clientY", + s = this.items.length - 1; + s >= 0; + s-- + ) + e.contains( + this.containers[p].element[0], + this.items[s].item[0] + ) && + this.items[s].item[0] !== this.currentItem[0] && + ((h = this.items[s].item.offset()[o]), + (l = !1), + t[c] - h > this.items[s][r] / 2 && (l = !0), + n > Math.abs(t[c] - h) && + ((n = Math.abs(t[c] - h)), + (a = this.items[s]), + (this.direction = l ? "up" : "down"))); + if (!a && !this.options.dropOnEmpty) return; + if (this.currentContainer === this.containers[p]) + return ( + this.currentContainer.containerCache.over || + (this.containers[p]._trigger( + "over", + t, + this._uiHash() + ), + (this.currentContainer.containerCache.over = 1)), + void 0 + ); + a + ? this._rearrange(t, a, null, !0) + : this._rearrange( + t, + null, + this.containers[p].element, + !0 + ), + this._trigger("change", t, this._uiHash()), + this.containers[p]._trigger( + "change", + t, + this._uiHash(this) + ), + (this.currentContainer = this.containers[p]), + this.options.placeholder.update( + this.currentContainer, + this.placeholder + ), + this.containers[p]._trigger( + "over", + t, + this._uiHash(this) + ), + (this.containers[p].containerCache.over = 1); + } + }, + _createHelper: function (t) { + var i = this.options, + s = e.isFunction(i.helper) + ? e( + i.helper.apply(this.element[0], [ + t, + this.currentItem, + ]) + ) + : "clone" === i.helper + ? this.currentItem.clone() + : this.currentItem; + return ( + s.parents("body").length || + e( + "parent" !== i.appendTo + ? i.appendTo + : this.currentItem[0].parentNode + )[0].appendChild(s[0]), + s[0] === this.currentItem[0] && + (this._storedCSS = { + width: this.currentItem[0].style.width, + height: this.currentItem[0].style.height, + position: this.currentItem.css("position"), + top: this.currentItem.css("top"), + left: this.currentItem.css("left"), + }), + (!s[0].style.width || i.forceHelperSize) && + s.width(this.currentItem.width()), + (!s[0].style.height || i.forceHelperSize) && + s.height(this.currentItem.height()), + s + ); + }, + _adjustOffsetFromHelper: function (t) { + "string" == typeof t && (t = t.split(" ")), + e.isArray(t) && (t = { left: +t[0], top: +t[1] || 0 }), + "left" in t && + (this.offset.click.left = t.left + this.margins.left), + "right" in t && + (this.offset.click.left = + this.helperProportions.width - + t.right + + this.margins.left), + "top" in t && + (this.offset.click.top = t.top + this.margins.top), + "bottom" in t && + (this.offset.click.top = + this.helperProportions.height - + t.bottom + + this.margins.top); + }, + _getParentOffset: function () { + this.offsetParent = this.helper.offsetParent(); + var t = this.offsetParent.offset(); + return ( + "absolute" === this.cssPosition && + this.scrollParent[0] !== this.document[0] && + e.contains( + this.scrollParent[0], + this.offsetParent[0] + ) && + ((t.left += this.scrollParent.scrollLeft()), + (t.top += this.scrollParent.scrollTop())), + (this.offsetParent[0] === this.document[0].body || + (this.offsetParent[0].tagName && + "html" === + this.offsetParent[0].tagName.toLowerCase() && + e.ui.ie)) && + (t = { top: 0, left: 0 }), + { + top: + t.top + + (parseInt( + this.offsetParent.css("borderTopWidth"), + 10 + ) || 0), + left: + t.left + + (parseInt( + this.offsetParent.css("borderLeftWidth"), + 10 + ) || 0), + } + ); + }, + _getRelativeOffset: function () { + if ("relative" === this.cssPosition) { + var e = this.currentItem.position(); + return { + top: + e.top - + (parseInt(this.helper.css("top"), 10) || 0) + + this.scrollParent.scrollTop(), + left: + e.left - + (parseInt(this.helper.css("left"), 10) || 0) + + this.scrollParent.scrollLeft(), + }; + } + return { top: 0, left: 0 }; + }, + _cacheMargins: function () { + this.margins = { + left: parseInt(this.currentItem.css("marginLeft"), 10) || 0, + top: parseInt(this.currentItem.css("marginTop"), 10) || 0, + }; + }, + _cacheHelperProportions: function () { + this.helperProportions = { + width: this.helper.outerWidth(), + height: this.helper.outerHeight(), + }; + }, + _setContainment: function () { + var t, + i, + s, + n = this.options; + "parent" === n.containment && + (n.containment = this.helper[0].parentNode), + ("document" === n.containment || + "window" === n.containment) && + (this.containment = [ + 0 - + this.offset.relative.left - + this.offset.parent.left, + 0 - + this.offset.relative.top - + this.offset.parent.top, + "document" === n.containment + ? this.document.width() + : this.window.width() - + this.helperProportions.width - + this.margins.left, + ("document" === n.containment + ? this.document.width() + : this.window.height() || + this.document[0].body.parentNode + .scrollHeight) - + this.helperProportions.height - + this.margins.top, + ]), + /^(document|window|parent)$/.test(n.containment) || + ((t = e(n.containment)[0]), + (i = e(n.containment).offset()), + (s = "hidden" !== e(t).css("overflow")), + (this.containment = [ + i.left + + (parseInt(e(t).css("borderLeftWidth"), 10) || + 0) + + (parseInt(e(t).css("paddingLeft"), 10) || 0) - + this.margins.left, + i.top + + (parseInt(e(t).css("borderTopWidth"), 10) || + 0) + + (parseInt(e(t).css("paddingTop"), 10) || 0) - + this.margins.top, + i.left + + (s + ? Math.max(t.scrollWidth, t.offsetWidth) + : t.offsetWidth) - + (parseInt(e(t).css("borderLeftWidth"), 10) || + 0) - + (parseInt(e(t).css("paddingRight"), 10) || 0) - + this.helperProportions.width - + this.margins.left, + i.top + + (s + ? Math.max(t.scrollHeight, t.offsetHeight) + : t.offsetHeight) - + (parseInt(e(t).css("borderTopWidth"), 10) || + 0) - + (parseInt(e(t).css("paddingBottom"), 10) || 0) - + this.helperProportions.height - + this.margins.top, + ])); + }, + _convertPositionTo: function (t, i) { + i || (i = this.position); + var s = "absolute" === t ? 1 : -1, + n = + "absolute" !== this.cssPosition || + (this.scrollParent[0] !== this.document[0] && + e.contains( + this.scrollParent[0], + this.offsetParent[0] + )) + ? this.scrollParent + : this.offsetParent, + a = /(html|body)/i.test(n[0].tagName); + return { + top: + i.top + + this.offset.relative.top * s + + this.offset.parent.top * s - + ("fixed" === this.cssPosition + ? -this.scrollParent.scrollTop() + : a + ? 0 + : n.scrollTop()) * + s, + left: + i.left + + this.offset.relative.left * s + + this.offset.parent.left * s - + ("fixed" === this.cssPosition + ? -this.scrollParent.scrollLeft() + : a + ? 0 + : n.scrollLeft()) * + s, + }; + }, + _generatePosition: function (t) { + var i, + s, + n = this.options, + a = t.pageX, + o = t.pageY, + r = + "absolute" !== this.cssPosition || + (this.scrollParent[0] !== this.document[0] && + e.contains( + this.scrollParent[0], + this.offsetParent[0] + )) + ? this.scrollParent + : this.offsetParent, + h = /(html|body)/i.test(r[0].tagName); + return ( + "relative" !== this.cssPosition || + (this.scrollParent[0] !== this.document[0] && + this.scrollParent[0] !== this.offsetParent[0]) || + (this.offset.relative = this._getRelativeOffset()), + this.originalPosition && + (this.containment && + (t.pageX - this.offset.click.left < + this.containment[0] && + (a = + this.containment[0] + + this.offset.click.left), + t.pageY - this.offset.click.top < + this.containment[1] && + (o = + this.containment[1] + + this.offset.click.top), + t.pageX - this.offset.click.left > + this.containment[2] && + (a = + this.containment[2] + + this.offset.click.left), + t.pageY - this.offset.click.top > + this.containment[3] && + (o = + this.containment[3] + + this.offset.click.top)), + n.grid && + ((i = + this.originalPageY + + Math.round( + (o - this.originalPageY) / n.grid[1] + ) * + n.grid[1]), + (o = this.containment + ? i - this.offset.click.top >= + this.containment[1] && + i - this.offset.click.top <= + this.containment[3] + ? i + : i - this.offset.click.top >= + this.containment[1] + ? i - n.grid[1] + : i + n.grid[1] + : i), + (s = + this.originalPageX + + Math.round( + (a - this.originalPageX) / n.grid[0] + ) * + n.grid[0]), + (a = this.containment + ? s - this.offset.click.left >= + this.containment[0] && + s - this.offset.click.left <= + this.containment[2] + ? s + : s - this.offset.click.left >= + this.containment[0] + ? s - n.grid[0] + : s + n.grid[0] + : s))), + { + top: + o - + this.offset.click.top - + this.offset.relative.top - + this.offset.parent.top + + ("fixed" === this.cssPosition + ? -this.scrollParent.scrollTop() + : h + ? 0 + : r.scrollTop()), + left: + a - + this.offset.click.left - + this.offset.relative.left - + this.offset.parent.left + + ("fixed" === this.cssPosition + ? -this.scrollParent.scrollLeft() + : h + ? 0 + : r.scrollLeft()), + } + ); + }, + _rearrange: function (e, t, i, s) { + i + ? i[0].appendChild(this.placeholder[0]) + : t.item[0].parentNode.insertBefore( + this.placeholder[0], + "down" === this.direction + ? t.item[0] + : t.item[0].nextSibling + ), + (this.counter = this.counter ? ++this.counter : 1); + var n = this.counter; + this._delay(function () { + n === this.counter && this.refreshPositions(!s); + }); + }, + _clear: function (e, t) { + function i(e, t, i) { + return function (s) { + i._trigger(e, s, t._uiHash(t)); + }; + } + this.reverting = !1; + var s, + n = []; + if ( + (!this._noFinalSort && + this.currentItem.parent().length && + this.placeholder.before(this.currentItem), + (this._noFinalSort = null), + this.helper[0] === this.currentItem[0]) + ) { + for (s in this._storedCSS) + ("auto" === this._storedCSS[s] || + "static" === this._storedCSS[s]) && + (this._storedCSS[s] = ""); + this.currentItem + .css(this._storedCSS) + .removeClass("ui-sortable-helper"); + } else this.currentItem.show(); + for ( + this.fromOutside && + !t && + n.push(function (e) { + this._trigger( + "receive", + e, + this._uiHash(this.fromOutside) + ); + }), + (!this.fromOutside && + this.domPosition.prev === + this.currentItem + .prev() + .not(".ui-sortable-helper")[0] && + this.domPosition.parent === + this.currentItem.parent()[0]) || + t || + n.push(function (e) { + this._trigger("update", e, this._uiHash()); + }), + this !== this.currentContainer && + (t || + (n.push(function (e) { + this._trigger("remove", e, this._uiHash()); + }), + n.push( + function (e) { + return function (t) { + e._trigger( + "receive", + t, + this._uiHash(this) + ); + }; + }.call(this, this.currentContainer) + ), + n.push( + function (e) { + return function (t) { + e._trigger( + "update", + t, + this._uiHash(this) + ); + }; + }.call(this, this.currentContainer) + ))), + s = this.containers.length - 1; + s >= 0; + s-- + ) + t || n.push(i("deactivate", this, this.containers[s])), + this.containers[s].containerCache.over && + (n.push(i("out", this, this.containers[s])), + (this.containers[s].containerCache.over = 0)); + if ( + (this.storedCursor && + (this.document + .find("body") + .css("cursor", this.storedCursor), + this.storedStylesheet.remove()), + this._storedOpacity && + this.helper.css("opacity", this._storedOpacity), + this._storedZIndex && + this.helper.css( + "zIndex", + "auto" === this._storedZIndex + ? "" + : this._storedZIndex + ), + (this.dragging = !1), + t || this._trigger("beforeStop", e, this._uiHash()), + this.placeholder[0].parentNode.removeChild( + this.placeholder[0] + ), + this.cancelHelperRemoval || + (this.helper[0] !== this.currentItem[0] && + this.helper.remove(), + (this.helper = null)), + !t) + ) { + for (s = 0; n.length > s; s++) n[s].call(this, e); + this._trigger("stop", e, this._uiHash()); + } + return (this.fromOutside = !1), !this.cancelHelperRemoval; + }, + _trigger: function () { + e.Widget.prototype._trigger.apply(this, arguments) === !1 && + this.cancel(); + }, + _uiHash: function (t) { + var i = t || this; + return { + helper: i.helper, + placeholder: i.placeholder || e([]), + position: i.position, + originalPosition: i.originalPosition, + offset: i.positionAbs, + item: i.currentItem, + sender: t ? t.element : null, + }; + }, + }); +}); diff --git a/html/admin/admin_panels.css b/html/admin/admin_panels.css index 5c8329865840..5fa5b42277d6 100644 --- a/html/admin/admin_panels.css +++ b/html/admin/admin_panels.css @@ -1,10 +1,10 @@ .column { - float: left; - flex-wrap: wrap; + float: left; + flex-wrap: wrap; } .left { - width: 280px; + width: 280px; } .spacer { @@ -12,31 +12,31 @@ } .row { - content: ''; - display: table; - clear: both; + content: ""; + display: table; + clear: both; } .inputbox { - position: absolute; - top: 0px; - left: 4px; - width: 14px; - height: 14px; - background: #e6e6e6; + position: absolute; + top: 0px; + left: 4px; + width: 14px; + height: 14px; + background: #e6e6e6; } .select { - position: relative; - display: inline-block; + position: relative; + display: inline-block; } .hidden { - display: none; + display: none; } .textbox { - resize: none; - min-height: 40px; - width: 340px; + resize: none; + min-height: 40px; + width: 340px; } diff --git a/html/admin/admin_panels_css3.css b/html/admin/admin_panels_css3.css index 71861c88bb04..bcf3624f2248 100644 --- a/html/admin/admin_panels_css3.css +++ b/html/admin/admin_panels_css3.css @@ -1,78 +1,78 @@ .inputlabel { - position: relative; - display: inline; - cursor: pointer; - padding-left: 20px; + position: relative; + display: inline; + cursor: pointer; + padding-left: 20px; } .inputlabel input { - position: absolute; - z-index: -1; - opacity: 0; + position: absolute; + z-index: -1; + opacity: 0; } .radio .inputbox { - border-radius: 50%; + border-radius: 50%; } .inputlabel:hover input ~ .inputbox { - background: #b4b4b4; + background: #b4b4b4; } .inputlabel input:checked ~ .inputbox { - background: #2196F3; + background: #2196f3; } -.inputlabel:hover input:not([disabled]):checked ~ .inputbox{ - background: #0a6ebd; +.inputlabel:hover input:not([disabled]):checked ~ .inputbox { + background: #0a6ebd; } .inputlabel input:disabled ~ .inputbox { - pointer-events: none; - background: #838383; + pointer-events: none; + background: #838383; } .banned { - background: #ff4e4e; + background: #ff4e4e; } .inputlabel:hover input ~ .banned { - background: #ff0000; + background: #ff0000; } .inputlabel input:checked ~ .banned { - background: #a80000; + background: #a80000; } -.inputlabel:hover input:not([disabled]):checked ~ .banned{ - background: #810000; +.inputlabel:hover input:not([disabled]):checked ~ .banned { + background: #810000; } .inputbox:after { - position: absolute; - display: none; - content: ''; + position: absolute; + display: none; + content: ""; } .inputlabel input:checked ~ .inputbox:after { - display: block; + display: block; } .checkbox .inputbox:after { - top: 1px; - left: 5px; - width: 3px; - height: 9px; - transform: rotate(45deg); - border: solid #fff; - border-width: 0 2px 2px 0; + top: 1px; + left: 5px; + width: 3px; + height: 9px; + transform: rotate(45deg); + border: solid #fff; + border-width: 0 2px 2px 0; } .radio .inputbox:after { - top: 4px; - left: 4px; - width: 6px; - height: 6px; - border-radius: 50%; - background: #fff; + top: 4px; + left: 4px; + width: 6px; + height: 6px; + border-radius: 50%; + background: #fff; } diff --git a/html/admin/banpanel.css b/html/admin/banpanel.css index 5ce3c49887c6..f6d9b1d81e90 100644 --- a/html/admin/banpanel.css +++ b/html/admin/banpanel.css @@ -1,74 +1,74 @@ .middle { - width: 80px; + width: 80px; } .right { - width: 150px; + width: 150px; } .reason { - resize: none; - min-height: 40px; - width: 340px; + resize: none; + min-height: 40px; + width: 340px; } .rolegroup { - padding: 3px; - width: 430px; - border: none; - text-align: center; - outline: none; - display: inline-block; + padding: 3px; + width: 430px; + border: none; + text-align: center; + outline: none; + display: inline-block; } .long { - width: 860px; + width: 860px; } .content { - text-align: center; + text-align: center; } .command { - background-color: #948f02; + background-color: #948f02; } .security { - background-color: #a30000; + background-color: #a30000; } .engineering { - background-color: #fb5613; + background-color: #fb5613; } .medical { - background-color: #337296; + background-color: #337296; } .science { - background-color: #993399; + background-color: #993399; } .supply { - background-color: #a8732b; + background-color: #a8732b; } .silicon { - background-color: #ff00ff; + background-color: #ff00ff; } .abstract { - background-color: #708090; + background-color: #708090; } .service { - background-color: #6eaa2c; + background-color: #6eaa2c; } .ghostandotherroles { - background-color: #5c00e6; + background-color: #5c00e6; } .antagonistpositions { - background-color: #6d3f40; + background-color: #6d3f40; } diff --git a/html/admin/banpanel.js b/html/admin/banpanel.js index cc9af0985493..3429ebead207 100644 --- a/html/admin/banpanel.js +++ b/html/admin/banpanel.js @@ -1,16 +1,19 @@ function toggle_head(source, ext) { - document.getElementById(source.id.slice(0, -4) + ext).checked = source.checked; + document.getElementById(source.id.slice(0, -4) + ext).checked = + source.checked; } function toggle_checkboxes(source, ext) { - var checkboxes = document.getElementsByClassName(source.name); - for (var i = 0, n = checkboxes.length; i < n; i++) { - checkboxes[i].checked = source.checked; - if (checkboxes[i].id) { - var idfound = document.getElementById(checkboxes[i].id.slice(0, -4) + ext); - if (idfound) { - idfound.checked = source.checked; - } - } - } + var checkboxes = document.getElementsByClassName(source.name); + for (var i = 0, n = checkboxes.length; i < n; i++) { + checkboxes[i].checked = source.checked; + if (checkboxes[i].id) { + var idfound = document.getElementById( + checkboxes[i].id.slice(0, -4) + ext + ); + if (idfound) { + idfound.checked = source.checked; + } + } + } } diff --git a/html/admin/search.js b/html/admin/search.js index ded0b9284467..8c3bccba2c38 100644 --- a/html/admin/search.js +++ b/html/admin/search.js @@ -1,33 +1,33 @@ -function selectTextField(){ - var filter_text = document.getElementById('filter'); +function selectTextField() { + var filter_text = document.getElementById("filter"); filter_text.focus(); filter_text.select(); } -function updateSearch(){ - var input_form = document.getElementById('filter'); +function updateSearch() { + var input_form = document.getElementById("filter"); var filter = input_form.value.toLowerCase(); input_form.value = filter; - var table = document.getElementById('searchable'); - var alt_style = 'norm'; - for(var i = 0; i < table.rows.length; i++){ - try{ + var table = document.getElementById("searchable"); + var alt_style = "norm"; + for (var i = 0; i < table.rows.length; i++) { + try { var row = table.rows[i]; - if(row.className == 'title') continue; - var found=0; - for(var j = 0; j < row.cells.length; j++){ + if (row.className == "title") continue; + var found = 0; + for (var j = 0; j < row.cells.length; j++) { var cell = row.cells[j]; - if(cell.innerText.toLowerCase().indexOf(filter) != -1){ - found=1; + if (cell.innerText.toLowerCase().indexOf(filter) != -1) { + found = 1; break; } } - if(found == 0) row.style.display='none'; - else{ - row.style.display='block'; + if (found == 0) row.style.display = "none"; + else { + row.style.display = "block"; row.className = alt_style; - if(alt_style == 'alt') alt_style = 'norm'; - else alt_style = 'alt'; + if (alt_style == "alt") alt_style = "norm"; + else alt_style = "alt"; } - }catch(err) { } + } catch (err) {} } -} \ No newline at end of file +} diff --git a/html/admin/unbanpanel.css b/html/admin/unbanpanel.css index cf4aae20c99f..f9f1a5313cbb 100644 --- a/html/admin/unbanpanel.css +++ b/html/admin/unbanpanel.css @@ -1,61 +1,61 @@ body { - margin: 0; + margin: 0; } .searchbar { - overflow: hidden; - background-color: #272727; - position: fixed; - top: 0; - width: 100%; - font-weight: bold; - text-align: center; - line-height: 30px; - z-index: 1; + overflow: hidden; + background-color: #272727; + position: fixed; + top: 0; + width: 100%; + font-weight: bold; + text-align: center; + line-height: 30px; + z-index: 1; } .main { - padding: 16px; - margin-top: 20px; - text-align: center; + padding: 16px; + margin-top: 20px; + text-align: center; } .banbox { - position: relative; - width: 90%; - display: table; - flex-direction: column; - border: 1px solid #161616; - margin-right: auto; - margin-left: auto; - margin-bottom: 10px; - border-radius: 3px; + position: relative; + width: 90%; + display: table; + flex-direction: column; + border: 1px solid #161616; + margin-right: auto; + margin-left: auto; + margin-bottom: 10px; + border-radius: 3px; } .header { - width: 100%; - background-color:rgba(0,0,0,0.3); + width: 100%; + background-color: rgba(0, 0, 0, 0.3); } .container { - display: table; - width: 100%; + display: table; + width: 100%; } .reason { - display: table-cell; - width: 90%; + display: table-cell; + width: 90%; } .edit { - display: table-cell; - width: 10%; + display: table-cell; + width: 10%; } .banned { - background-color:#ff5555; + background-color: #ff5555; } .unbanned { - background-color:#00b75c; + background-color: #00b75c; } diff --git a/html/admin/view_variables.css b/html/admin/view_variables.css index b646e4ced161..45374d34ffa7 100644 --- a/html/admin/view_variables.css +++ b/html/admin/view_variables.css @@ -9,15 +9,17 @@ body { } table.matrix { - border-collapse: collapse; border-spacing: 0; + border-collapse: collapse; + border-spacing: 0; font-size: 7pt; } -.matrix td{ +.matrix td { text-align: center; padding: 0 1ex 0ex 1ex; } table.matrixbrak { - border-collapse: collapse; border-spacing: 0; + border-collapse: collapse; + border-spacing: 0; } table.matrixbrak td.lbrak { width: 0.8ex; @@ -28,10 +30,10 @@ table.matrixbrak td.lbrak { border-right: none; } table.matrixbrak td.rbrak { - width: 0.8ex; - font-size: 50%; - border-top: solid 0.25ex black; - border-bottom: solid 0.25ex black; - border-right: solid 0.5ex black; - border-left: none; + width: 0.8ex; + font-size: 50%; + border-top: solid 0.25ex black; + border-bottom: solid 0.25ex black; + border-right: solid 0.5ex black; + border-left: none; } diff --git a/html/archivedchangelog.html b/html/archivedchangelog.html index 284ea5038b90..f364e8d9e5c8 100644 --- a/html/archivedchangelog.html +++ b/html/archivedchangelog.html @@ -1160,7 +1160,7 @@

Paprika updated:

Tkdrg updated:

    -
  • Cutting-edge research in a secret Nanotransen lab has shed light into a revolutionary form of communication technology known as 'chat'. The Personal Data Assistants of Space Station 13 have been deployed with an experimental module implementing this system, dubbed 'Nanotransen Relay Chat'.
  • +
  • Cutting-edge research in a secret Nanotrasen lab has shed light into a revolutionary form of communication technology known as 'chat'. The Personal Data Assistants of Space Station 13 have been deployed with an experimental module implementing this system, dubbed 'Nanotrasen Relay Chat'.

30 October 2014

@@ -6658,7 +6658,7 @@

Erro updated:

  • Agouri updated:
      -
    • I was always bothered by how unprofessional it was of Nanotransen (in before >Nanotransen >professionalism) to just lay expensive spacesuits in racks and just let them be. Well, no more. Introducing...
    • +
    • I was always bothered by how unprofessional it was of Nanotrasen (in before >Nanotrasen >professionalism) to just lay expensive spacesuits in racks and just let them be. Well, no more. Introducing...
    • Suit Storage Units. Rumored to actually be repurposed space radiators, these wondrous machines will store any kind of spacesuit in a clean and sterile environment.
    • The user can interact with the unit in various ways. You can start a UV cauterisation cycle to disinfect its contents, effectively sterilising and cleaning eveyrthing from the suits/helmets stored inside.
    • A sneaky yordle can also hide in it, if he so desires, or hack it, or lock it or do a plethora of shady stuff with it. Beware, though, there's plenty of dangerous things you can do with it, both to you and your target.
    • @@ -7011,8 +7011,8 @@

      Erro updated:

    • Any firearms now send you to critical in 1-2 shots. Doctors need to get the wounded man to surgery to provide good treatment. Guide for bullet removal is up on the wiki.
    • Brute packs and kelotane removed altogether to encourage use of surgery for heavy injury.
    • Just kidding
    • -
    • Fireaxe cabinets and Extinguisher wall-mounted closets now added around the station, thank Nanotransen for that.
    • -
    • Because of Nanotransen being Nanotransen, the fire cabinets are electrically operated. AIs can lock them and you can hack them if you want the precious axe inside and it's locked. The axe itself uses an experimental two-handed system, so while it's FUCKING ROBUST you need to wield it to fully unlock its capabilities. Pick up axe and click it in your hand to wield it, click it again or drop to unwield and carry it.You can also use it as a crowbar for cranking doors and firedoors open when wielded, utilising the lever on the back of the blade. And I didn't lie to you. It's fucking robust.
    • +
    • Fireaxe cabinets and Extinguisher wall-mounted closets now added around the station, thank Nanotrasen for that.
    • +
    • Because of Nanotrasen being Nanotrasen, the fire cabinets are electrically operated. AIs can lock them and you can hack them if you want the precious axe inside and it's locked. The axe itself uses an experimental two-handed system, so while it's FUCKING ROBUST you need to wield it to fully unlock its capabilities. Pick up axe and click it in your hand to wield it, click it again or drop to unwield and carry it.You can also use it as a crowbar for cranking doors and firedoors open when wielded, utilising the lever on the back of the blade. And I didn't lie to you. It's fucking robust.
    • Fireaxe, when wielded, fully takes up your other hand as well. You can't switch hands and the fireaxe itself is unwieldy and won't fit anywhere.
    • A fireaxe cabinet can also be smashed if you've got a strong enough object in your hand.
    • EXTINGUISHER CLOSETS, made by dear Erro, can be found in abundance around the station. Click once to open them, again to retrieve the extinguisher, attack with extinguisher to place it back. Limited uses, but we've got plans for our little friend. diff --git a/html/browser/common.css b/html/browser/common.css index 3da2a26fc6f2..79cc551a219b 100644 --- a/html/browser/common.css +++ b/html/browser/common.css @@ -1,5 +1,4 @@ -body -{ +body { padding: 0; margin: 0; background-color: #272727; @@ -8,192 +7,187 @@ body line-height: 170%; } -hr -{ +hr { background-color: #40628a; height: 1px; } -a, a:link, a:visited, a:active, .linkOn, .linkOff -{ +a, +a:link, +a:visited, +a:active, +.linkOn, +.linkOff { color: #ffffff; text-decoration: none; background: #40628a; border: 1px solid #161616; padding: 1px 4px 1px 4px; margin: 0 2px 0 0; - cursor:default; + cursor: default; } -a:hover -{ +a:hover { color: #40628a; background: #ffffff; } -a.white, a.white:link, a.white:visited, a.white:active -{ +a.white, +a.white:link, +a.white:visited, +a.white:active { color: #40628a; text-decoration: none; background: #ffffff; border: 1px solid #161616; padding: 1px 4px 1px 4px; margin: 0 2px 0 0; - cursor:default; + cursor: default; } -a.white:hover -{ +a.white:hover { color: #ffffff; background: #40628a; } -.linkOn, a.linkOn:link, a.linkOn:visited, a.linkOn:active, a.linkOn:hover -{ +.linkOn, +a.linkOn:link, +a.linkOn:visited, +a.linkOn:active, +a.linkOn:hover { color: #ffffff; background: #2f943c; border-color: #24722e; } -.linkOff, a.linkOff:link, a.linkOff:visited, a.linkOff:active, a.linkOff:hover -{ +.linkOff, +a.linkOff:link, +a.linkOff:visited, +a.linkOff:active, +a.linkOff:hover { color: #ffffff; background: #999999; border-color: #666666; } -a.icon, .linkOn.icon, .linkOff.icon -{ +a.icon, +.linkOn.icon, +.linkOff.icon { position: relative; padding: 1px 4px 2px 20px; } -a.icon img, .linkOn.icon img -{ +a.icon img, +.linkOn.icon img { position: absolute; top: 0; left: 0; width: 18px; height: 18px; } -ul -{ +ul { padding: 4px 0 0 10px; margin: 0; list-style-type: none; } -li -{ +li { padding: 0 0 2px 0; } -img, a img -{ - border-style:none; +img, +a img { + border-style: none; } -h1, h2, h3, h4, h5, h6 -{ +h1, +h2, +h3, +h4, +h5, +h6 { margin: 0; padding: 16px 0 8px 0; color: #517087; } -h1 -{ +h1 { font-size: 15px; } -h2 -{ +h2 { font-size: 14px; } -h3 -{ +h3 { font-size: 13px; } -h4 -{ +h4 { font-size: 12px; } -.uiWrapper -{ - +.uiWrapper { width: 100%; height: 100%; } -.uiTitle -{ +.uiTitle { clear: both; padding: 6px 8px 6px 8px; border-bottom: 2px solid #161616; background: #383838; - color: #98B0C3; + color: #98b0c3; font-size: 16px; } -.uiTitle.icon -{ +.uiTitle.icon { padding: 6px 8px 6px 42px; background-position: 2px 50%; background-repeat: no-repeat; } -.uiContent -{ +.uiContent { clear: both; padding: 8px; font-family: Verdana, Geneva, sans-serif; } -.good -{ +.good { color: #00ff00; } -.average -{ +.average { color: #d09000; } -.bad -{ +.bad { color: #ff0000; } -.highlight -{ - color: #8BA5C4; +.highlight { + color: #8ba5c4; } -.dark -{ +.dark { color: #272727; } -.notice -{ +.notice { position: relative; - background: #E9C183; - color: #15345A; + background: #e9c183; + color: #15345a; font-size: 10px; font-style: italic; padding: 2px 4px 0 4px; margin: 4px; } -.notice.icon -{ +.notice.icon { padding: 2px 4px 0 20px; } -.notice img -{ +.notice img { position: absolute; top: 0; left: 0; @@ -201,13 +195,11 @@ h4 height: 16px; } -div.notice -{ +div.notice { clear: both; } -.statusDisplay -{ +.statusDisplay { background: #000000; color: #ffffff; border: 1px solid #40628a; @@ -215,34 +207,29 @@ div.notice margin: 3px 0; } -.statusLabel -{ +.statusLabel { width: 138px; float: left; overflow: hidden; - color: #98B0C3; + color: #98b0c3; } -.statusValue -{ +.statusValue { float: left; } -.block -{ +.block { padding: 8px; margin: 10px 4px 4px 4px; border: 1px solid #40628a; background-color: #202020; } -.block h3 -{ +.block h3 { padding: 0; } -.progressBar -{ +.progressBar { width: 240px; height: 14px; border: 1px solid #666666; @@ -251,59 +238,49 @@ div.notice overflow: hidden; } -.progressFill -{ +.progressFill { width: 100%; height: 100%; background: #40628a; overflow: hidden; } -.progressFill.good -{ +.progressFill.good { color: #ffffff; background: #00ff00; } -.progressFill.average -{ +.progressFill.average { color: #ffffff; background: #d09000; } -.progressFill.bad -{ +.progressFill.bad { color: #ffffff; background: #ff0000; } -.progressFill.highlight -{ +.progressFill.highlight { color: #ffffff; - background: #8BA5C4; + background: #8ba5c4; } -.clearBoth -{ +.clearBoth { clear: both; } -.clearLeft -{ +.clearLeft { clear: left; } -.clearRight -{ +.clearRight { clear: right; } -.line -{ +.line { width: 100%; clear: both; } -.pda_icon -{ +.pda_icon { vertical-align: -3px; -} \ No newline at end of file +} diff --git a/html/browser/playeroptions.css b/html/browser/playeroptions.css index 8603930efbb2..8afb7661b461 100644 --- a/html/browser/playeroptions.css +++ b/html/browser/playeroptions.css @@ -1,17 +1,17 @@ .job { - display: block; - width: 173px; + display: block; + width: 173px; } .command { - font-weight: bold; + font-weight: bold; } .priority { - color: #00ff00; - font-weight: bold; + color: #00ff00; + font-weight: bold; } .nopositions { - font-style: italic; + font-style: italic; } diff --git a/html/browser/roundend.css b/html/browser/roundend.css index 2558d97ad62a..2009f09356f5 100644 --- a/html/browser/roundend.css +++ b/html/browser/roundend.css @@ -21,11 +21,13 @@ } .marooned { - color: rgb(109, 109, 255); font-weight: bold; + color: rgb(109, 109, 255); + font-weight: bold; } .header { - font-size: 24px; font-weight: bold; + font-size: 24px; + font-weight: bold; } .big { @@ -37,7 +39,7 @@ } .codephrase { - color : #ef2f3c; + color: #ef2f3c; } .redborder { @@ -49,7 +51,7 @@ } .clockborder { - border-bottom: 2px solid #B18B25; + border-bottom: 2px solid #b18b25; } .stationborder { @@ -84,12 +86,12 @@ body { z-index: 1; width: 220px; font-size: 14px; - border-width: 4px; + border-width: 4px; border-style: solid; border-color: #272727; - background: #363636; - color: white; - top: 100%; + background: #363636; + color: white; + top: 100%; left: 30px; } diff --git a/html/browser/scannernew.css b/html/browser/scannernew.css index ac1c6c242483..5f6ed87f8cdc 100644 --- a/html/browser/scannernew.css +++ b/html/browser/scannernew.css @@ -1,5 +1,4 @@ -.dnaBlockNumber -{ +.dnaBlockNumber { font-family: Fixed, monospace; float: left; color: #ffffff; @@ -9,38 +8,31 @@ margin: 2px 2px 0 10px; text-align: center; } -.dnaBlock -{ +.dnaBlock { font-family: Fixed, monospace; float: left; } -a.incompleteBlock -{ +a.incompleteBlock { background: #8a4040; } -a.incompleteBlock:hover -{ +a.incompleteBlock:hover { color: #40628a; background: #ffffff; } -img.selected -{ +img.selected { border: 1px solid blue; } -img.unselected -{ +img.unselected { border: 2px solid black; } -div>table { +div > table { float: left; } -td -{ +td { text-align: center; } -a.clean -{ +a.clean { background: none; border: none; marging: none; -} \ No newline at end of file +} diff --git a/html/browser/techwebs.css b/html/browser/techwebs.css index 889196cc28db..8b13991b7b97 100644 --- a/html/browser/techwebs.css +++ b/html/browser/techwebs.css @@ -1,20 +1,20 @@ [data-tooltip] { - position: relative; + position: relative; } [data-tooltip]:hover::before { - position: absolute; - z-index: 1; - top: 100%; - padding: 0 4px; - margin-top: 1px; - border: 1px solid #40628a; - background: black; - color: white; - content: attr(data-tooltip); - min-width: 160px; + position: absolute; + z-index: 1; + top: 100%; + padding: 0 4px; + margin-top: 1px; + border: 1px solid #40628a; + background: black; + color: white; + content: attr(data-tooltip); + min-width: 160px; } .technode { - width: 256px; + width: 256px; } diff --git a/html/changelog.css b/html/changelog.css index da32a5a55752..13f711870e50 100644 --- a/html/changelog.css +++ b/html/changelog.css @@ -1,41 +1,136 @@ -.top{font-family:Tahoma,sans-serif;font-size:12px;} -h2{font-family:Tahoma,sans-serif;} -a img {border:none;} +.top { + font-family: Tahoma, sans-serif; + font-size: 12px; +} +h2 { + font-family: Tahoma, sans-serif; +} +a img { + border: none; +} .bgimages16 li { - padding:2px 10px 2px 30px; - background-position:6px center; - background-repeat:no-repeat; - border:1px solid #ddd; - border-left:4px solid #999; - margin-bottom:2px; -} -.bugfix {background-image:url(bug-minus.png)} -.wip {background-image:url(hard-hat-exclamation.png)} -.tweak {background-image:url(wrench-screwdriver.png)} -.soundadd {background-image:url(music-plus.png)} -.sounddel {background-image:url(music-minus.png)} -.rscdel {background-image:url(cross-circle.png)} -.rscadd {background-image:url(tick-circle.png)} -.imageadd {background-image:url(image-plus.png)} -.imagedel {background-image:url(image-minus.png)} -.spellcheck {background-image:url(spell-check.png)} -.experiment {background-image:url(burn-exclamation.png)} -.refactor {background-image:url(burn-exclamation.png)} -.code_imp {background-image:url(coding.png)} -.config {background-image:url(chrome-wrench.png)} -.admin {background-image:url(ban.png)} -.server {background-image:url(hard-hat-exclamation.png)} -.balance {background-image:url(scales.png)} -.sansserif {font-family:Tahoma,sans-serif;font-size:12px;} -.commit {margin-bottom:20px;font-size:100%;font-weight:normal;} -.changes {list-style:none;margin:5px 0;padding:0 0 0 25px;font-size:0.8em;} -.date {margin:10px 0;color:blue;border-bottom:2px solid #00f;width:60%;padding:2px 0;font-size:1em;font-weight:bold;} -.author {padding-left:10px;margin:0;font-weight:bold;font-size:0.9em;} -.drop {cursor:pointer;border:1px solid #999;display:inline;font-size:0.9em;padding:1px 20px 1px 5px;line-height:16px;} -.hidden {display:none;} -.indrop {margin:2px 0 0 0;clear:both;background:#fff;border:1px solid #ddd;padding:5px 10px;} -.indrop p {margin:0;font-size:0.8em;line-height:16px;margin:1px 0;} -.indrop img {margin-right:5px;vertical-align:middle;} -.closed {background:url(chevron-expand.png) right center no-repeat;} -.open {background:url(chevron.png) right center no-repeat;} -.lic {font-size:9px;} + padding: 2px 10px 2px 30px; + background-position: 6px center; + background-repeat: no-repeat; + border: 1px solid #ddd; + border-left: 4px solid #999; + margin-bottom: 2px; +} +.bugfix { + background-image: url(bug-minus.png); +} +.wip { + background-image: url(hard-hat-exclamation.png); +} +.tweak { + background-image: url(wrench-screwdriver.png); +} +.soundadd { + background-image: url(music-plus.png); +} +.sounddel { + background-image: url(music-minus.png); +} +.rscdel { + background-image: url(cross-circle.png); +} +.rscadd { + background-image: url(tick-circle.png); +} +.imageadd { + background-image: url(image-plus.png); +} +.imagedel { + background-image: url(image-minus.png); +} +.spellcheck { + background-image: url(spell-check.png); +} +.experiment { + background-image: url(burn-exclamation.png); +} +.refactor { + background-image: url(burn-exclamation.png); +} +.code_imp { + background-image: url(coding.png); +} +.config { + background-image: url(chrome-wrench.png); +} +.admin { + background-image: url(ban.png); +} +.server { + background-image: url(hard-hat-exclamation.png); +} +.balance { + background-image: url(scales.png); +} +.sansserif { + font-family: Tahoma, sans-serif; + font-size: 12px; +} +.commit { + margin-bottom: 20px; + font-size: 100%; + font-weight: normal; +} +.changes { + list-style: none; + margin: 5px 0; + padding: 0 0 0 25px; + font-size: 0.8em; +} +.date { + margin: 10px 0; + color: blue; + border-bottom: 2px solid #00f; + width: 60%; + padding: 2px 0; + font-size: 1em; + font-weight: bold; +} +.author { + padding-left: 10px; + margin: 0; + font-weight: bold; + font-size: 0.9em; +} +.drop { + cursor: pointer; + border: 1px solid #999; + display: inline; + font-size: 0.9em; + padding: 1px 20px 1px 5px; + line-height: 16px; +} +.hidden { + display: none; +} +.indrop { + margin: 2px 0 0 0; + clear: both; + background: #fff; + border: 1px solid #ddd; + padding: 5px 10px; +} +.indrop p { + margin: 0; + font-size: 0.8em; + line-height: 16px; + margin: 1px 0; +} +.indrop img { + margin-right: 5px; + vertical-align: middle; +} +.closed { + background: url(chevron-expand.png) right center no-repeat; +} +.open { + background: url(chevron.png) right center no-repeat; +} +.lic { + font-size: 9px; +} diff --git a/html/changelogs/.all_changelog.yml b/html/changelogs/.all_changelog.yml index 4a0940eb4d83..b2b7b984ca75 100644 --- a/html/changelogs/.all_changelog.yml +++ b/html/changelogs/.all_changelog.yml @@ -2,39925 +2,48388 @@ DO NOT EDIT THIS FILE BY HAND! AUTOMATICALLY GENERATED BY ss13_genchangelog.py. --- 2009-01-05: /tg/station ss13 team: - - unknown: You can choose to be a nudist now. - - unknown: Facial hair! - - unknown: Added constructable flamethrowers. - - unknown: Redid internal naming scheme for human/uniform sprites. - - unknown: Helmet visors are now translucent. - - unknown: Held item graphics corrected for basically everything, internally only - uses one dmi file instead of two. - - unknown: Config settings reorganized for.. organization. - - unknown: Seperated male and female names. - - unknown: Females have pink underwear. - - unknown: Guests can no longer save/load profiles, as this just created useless - profiles that weren't used again. + - unknown: You can choose to be a nudist now. + - unknown: Facial hair! + - unknown: Added constructable flamethrowers. + - unknown: Redid internal naming scheme for human/uniform sprites. + - unknown: Helmet visors are now translucent. + - unknown: + Held item graphics corrected for basically everything, internally only + uses one dmi file instead of two. + - unknown: Config settings reorganized for.. organization. + - unknown: Seperated male and female names. + - unknown: Females have pink underwear. + - unknown: + Guests can no longer save/load profiles, as this just created useless + profiles that weren't used again. 2009-01-07: /tg/station ss13 team: - - unknown: Syndicate Uplink has been changed up, allowing traitor more freedom in - his ability to be... traitorus. - - unknown: Syndicate Uplink can now spawn a ammo-357, syndicate card, energy sword, - or timer bomb. - - unknown: Fixed an issue where Syndicate Uplink looked different than a normal - radio. + - unknown: + Syndicate Uplink has been changed up, allowing traitor more freedom in + his ability to be... traitorus. + - unknown: + Syndicate Uplink can now spawn a ammo-357, syndicate card, energy sword, + or timer bomb. + - unknown: + Fixed an issue where Syndicate Uplink looked different than a normal + radio. 2009-01-10: /tg/station ss13 team: - - unknown: Freedom implant has been changed so that it will have a random emote - associated with it to activate it rather than always chuckle. - - unknown: There is now a pinpointer tool for use in Nuclear Emergency. It works - similar to the existing locator, in that it will detect the presence of nuclear - disks and in what direction it is. - - unknown: The nuke being detonated in Nuclear Emergency should now properly end - the game. - - unknown: Spacesuits now cause you to move slower when not in space. - - unknown: Syndicate in Nuclear Emergency now have syndicate-themed spacesuits. - - unknown: Blob mode should properly end now. + - unknown: + Freedom implant has been changed so that it will have a random emote + associated with it to activate it rather than always chuckle. + - unknown: + There is now a pinpointer tool for use in Nuclear Emergency. It works + similar to the existing locator, in that it will detect the presence of nuclear + disks and in what direction it is. + - unknown: + The nuke being detonated in Nuclear Emergency should now properly end + the game. + - unknown: Spacesuits now cause you to move slower when not in space. + - unknown: Syndicate in Nuclear Emergency now have syndicate-themed spacesuits. + - unknown: Blob mode should properly end now. 2009-01-29: /tg/station ss13 team: - - unknown: Added traitor menu for admins - The ability to turn people into "traitors" - as well as keep track of their objectives. - - unknown: Implemented Keelins revive system - Primary Admins can now revive people. - - unknown: Moved and redid security to prevent clusterfucks and everyone just crowding - around security. - - unknown: Redid the brig to make it bigger and so that people can break others - more easily out since it isn't right in security. - - unknown: Moved and redid captains quarters/heads quarters. Captains made much - smaller and heads is now more of a meeting room. - - unknown: Added Stungloves and an axe - right now only admin spawnable. - - unknown: Implemented Persh's adminjump back in - admins can now jump to set locations. - - unknown: Added a feature that if someone logs off their character moves around - and says things - Change what they say from the config/names/loggedsay.txt file. - - unknown: Added in adminwho verb - tells the user if there are any admins on and - who they are. + - unknown: + Added traitor menu for admins - The ability to turn people into "traitors" + as well as keep track of their objectives. + - unknown: Implemented Keelins revive system - Primary Admins can now revive people. + - unknown: + Moved and redid security to prevent clusterfucks and everyone just crowding + around security. + - unknown: + Redid the brig to make it bigger and so that people can break others + more easily out since it isn't right in security. + - unknown: + Moved and redid captains quarters/heads quarters. Captains made much + smaller and heads is now more of a meeting room. + - unknown: Added Stungloves and an axe - right now only admin spawnable. + - unknown: Implemented Persh's adminjump back in - admins can now jump to set locations. + - unknown: + Added a feature that if someone logs off their character moves around + and says things - Change what they say from the config/names/loggedsay.txt file. + - unknown: + Added in adminwho verb - tells the user if there are any admins on and + who they are. 2009-01-31: /tg/station ss13 team: - - unknown: Added a bartender job + Bar - - unknown: Captains panic room - - unknown: Voice changer traitor item - - unknown: Bartender suit - - unknown: Made taking a table apart take longer - - unknown: Balanced beer a bit more. - - unknown: Assistants can no longer open external air locks and maint tunnels, sorry - guys. Get a job you bums. - - unknown: Engineers CAN access external air locks and maint tunnels. - - unknown: Fixed traitor AI bug + - unknown: Added a bartender job + Bar + - unknown: Captains panic room + - unknown: Voice changer traitor item + - unknown: Bartender suit + - unknown: Made taking a table apart take longer + - unknown: Balanced beer a bit more. + - unknown: + Assistants can no longer open external air locks and maint tunnels, sorry + guys. Get a job you bums. + - unknown: Engineers CAN access external air locks and maint tunnels. + - unknown: Fixed traitor AI bug 2009-02-02: /tg/station ss13 team: - - unknown: Moved bar due to popular demand - - unknown: Captains room is now a security checkpoint - - unknown: Assistants now have access to maint tunnels again - - unknown: Courtroom - - unknown: Engine has been redone slightly to make it easier to load - - unknown: Nerfed beer a lot more + - unknown: Moved bar due to popular demand + - unknown: Captains room is now a security checkpoint + - unknown: Assistants now have access to maint tunnels again + - unknown: Courtroom + - unknown: Engine has been redone slightly to make it easier to load + - unknown: Nerfed beer a lot more 2009-02-03: /tg/station ss13 team: - - unknown: Added 'Make AI' Option for Admins - - unknown: Added dissolving pills in beer (cyanide and sleeping pills) - - unknown: Modified engine AGAIN, but personally I love it now + - unknown: Added 'Make AI' Option for Admins + - unknown: Added dissolving pills in beer (cyanide and sleeping pills) + - unknown: Modified engine AGAIN, but personally I love it now 2009-02-05: /tg/station ss13 team: - - unknown: Fixed a couple of bugs - - unknown: Improved bar ;) - - unknown: Beer acts like pills and syringes + - unknown: Fixed a couple of bugs + - unknown: Improved bar ;) + - unknown: Beer acts like pills and syringes 2009-02-06: /tg/station ss13 team: - - unknown: Doors now close after 15 seconds - - unknown: Fixed some p cool bugs - - unknown: Cakehat - - unknown: Added another suit - - unknown: Walls now take 5 seconds to build - - unknown: Added sam0rz, thesoldierlljk and kelson's revolution gamemode. Thanks - guys! + - unknown: Doors now close after 15 seconds + - unknown: Fixed some p cool bugs + - unknown: Cakehat + - unknown: Added another suit + - unknown: Walls now take 5 seconds to build + - unknown: + Added sam0rz, thesoldierlljk and kelson's revolution gamemode. Thanks + guys! 2009-02-08: /tg/station ss13 team: - - unknown: Modified doors in engineering so that they do not autoclose - Autoclose - now handled by a variable - - unknown: Fixed toxin researcher spawn bug - - unknown: Changed the "You hear a faint voice" message. - - unknown: Gave the host new commands to disable admin jumping, admin reviving and - admin item spawning - - unknown: Fixed some airlock autoclose bugs - - unknown: Changed some doors to not autoclose. - - unknown: Nerfed the toolbox down. + - unknown: + Modified doors in engineering so that they do not autoclose - Autoclose + now handled by a variable + - unknown: Fixed toxin researcher spawn bug + - unknown: Changed the "You hear a faint voice" message. + - unknown: + Gave the host new commands to disable admin jumping, admin reviving and + admin item spawning + - unknown: Fixed some airlock autoclose bugs + - unknown: Changed some doors to not autoclose. + - unknown: Nerfed the toolbox down. 2009-02-10: /tg/station ss13 team: - - unknown: Fixed all the autoclose bugs - - unknown: Due to it being myself and Keelin's 100th revision we have added a super-secret - special item. Don't ask because we won't tell! Figure it out! + - unknown: Fixed all the autoclose bugs + - unknown: + Due to it being myself and Keelin's 100th revision we have added a super-secret + special item. Don't ask because we won't tell! Figure it out! 2009-02-13: /tg/station ss13 team: - - unknown: Fixed Cakehat - - unknown: Dead people can now see all turfs, mobs and objs not in their line of - sight. - - unknown: Modified the map slightly - - unknown: Stungloves can now be "made" - - unknown: Flashes can now have their bulbs burning out. - - unknown: Batons can now be turned on and off for different effects. They also - now have 10 uses before they need to be recharged. + - unknown: Fixed Cakehat + - unknown: + Dead people can now see all turfs, mobs and objs not in their line of + sight. + - unknown: Modified the map slightly + - unknown: Stungloves can now be "made" + - unknown: Flashes can now have their bulbs burning out. + - unknown: + Batons can now be turned on and off for different effects. They also + now have 10 uses before they need to be recharged. 2009-02-17: /tg/station ss13 team: - - unknown: Added a new game mode into rotation. - - unknown: Added an AI satellite - - unknown: Lockdowns can be disabled with the communications console - - unknown: Prison shuttle can be called on the comm console, but only if its enabled - by admins first - - unknown: When you slip into space you'll have a 50% chance of going to z=4 instead - of z=3 + - unknown: Added a new game mode into rotation. + - unknown: Added an AI satellite + - unknown: Lockdowns can be disabled with the communications console + - unknown: + Prison shuttle can be called on the comm console, but only if its enabled + by admins first + - unknown: + When you slip into space you'll have a 50% chance of going to z=4 instead + of z=3 2009-02-19: /tg/station ss13 team: - - unknown: New DNA system. 200th Revision special. - - unknown: Various bugfixes - - unknown: Maze + - unknown: New DNA system. 200th Revision special. + - unknown: Various bugfixes + - unknown: Maze 2009-02-22: /tg/station ss13 team: - - unknown: Implemented unstable's "observer" mode - - unknown: Halerina's wizard mode - - unknown: Non-interesting stuff - - unknown: Began addition to the new admin system - right now only available to - coders for testing - - unknown: Admins can now click on the multikeying offenders name to pm them, instead - of hunting for them in the pm list - - unknown: Halerina's chemistry system - - unknown: You can now deathgasp without being dead, hopefully so people can fake - their own deaths. - - unknown: Redid Medlab - - unknown: New chemist job + - unknown: Implemented unstable's "observer" mode + - unknown: Halerina's wizard mode + - unknown: Non-interesting stuff + - unknown: + Began addition to the new admin system - right now only available to + coders for testing + - unknown: + Admins can now click on the multikeying offenders name to pm them, instead + of hunting for them in the pm list + - unknown: Halerina's chemistry system + - unknown: + You can now deathgasp without being dead, hopefully so people can fake + their own deaths. + - unknown: Redid Medlab + - unknown: New chemist job 2009-02-24: /tg/station ss13 team: - - unknown: Ghosts no longer able to open secret doors - - unknown: Suicide vests now work as armor - - unknown: Blood no longer comes out of the guy if you pull him due to lag - - unknown: Admin panel has been touched up to include html tables - - unknown: Mines now added, only spawnable right now however - - unknown: Fixed the syndicate nuclear victory bug - - unknown: Wizard now spawns with wizard outfit which he must wear to cast spells - - unknown: Blood bug fixes - - unknown: Fixed a retarded bug that meant I didn't have the power to kick admins - - unknown: THUNDERDOME! - - unknown: Several new facial hair options and a bitchin' mohawk - - unknown: Blood by Culka - - unknown: Nuke disk now spawns in ALL game modes so that during secret rounds the - syndicate now have the element of surprise! + - unknown: Ghosts no longer able to open secret doors + - unknown: Suicide vests now work as armor + - unknown: Blood no longer comes out of the guy if you pull him due to lag + - unknown: Admin panel has been touched up to include html tables + - unknown: Mines now added, only spawnable right now however + - unknown: Fixed the syndicate nuclear victory bug + - unknown: Wizard now spawns with wizard outfit which he must wear to cast spells + - unknown: Blood bug fixes + - unknown: Fixed a retarded bug that meant I didn't have the power to kick admins + - unknown: THUNDERDOME! + - unknown: Several new facial hair options and a bitchin' mohawk + - unknown: Blood by Culka + - unknown: + Nuke disk now spawns in ALL game modes so that during secret rounds the + syndicate now have the element of surprise! 2009-03-07: /tg/station ss13 team: - - unknown: Wizard now needs his staff for spells - - unknown: Be careful with APCs now okay?! - - unknown: Fixed Memory and made it more efficient in the code - - unknown: Crowbars now open apcs, not screwdrivers. They do something else entirely - - unknown: Hackable APCs - - unknown: When APCs are emagged they now stay unlocked - - unknown: Re-did a shit tonne of admin stuff - - unknown: New admin system is pretty much finished - - unknown: FINALLY backpacks can now be looked in while on the ground. + - unknown: Wizard now needs his staff for spells + - unknown: Be careful with APCs now okay?! + - unknown: Fixed Memory and made it more efficient in the code + - unknown: Crowbars now open apcs, not screwdrivers. They do something else entirely + - unknown: Hackable APCs + - unknown: When APCs are emagged they now stay unlocked + - unknown: Re-did a shit tonne of admin stuff + - unknown: New admin system is pretty much finished + - unknown: FINALLY backpacks can now be looked in while on the ground. 2009-03-14: /tg/station ss13 team: - - unknown: Janitor job complete! Report any bugs to adminhelp + - unknown: Janitor job complete! Report any bugs to adminhelp 2009-03-17: /tg/station ss13 team: - - unknown: Medals! MEDALS! - - unknown: Trimmed the excessively long changelog. + - unknown: Medals! MEDALS! + - unknown: Trimmed the excessively long changelog. 2009-03-19: /tg/station ss13 team: - - unknown: Job banning. - - unknown: Genetic Researcher renamed to Geneticist. - - unknown: Toxins Researcher renamed to Scientist. - - unknown: Help reformatted. - - unknown: Fixed a bug where combining bruise packs or ointments resulted in an - incorrectly combined amount. - - unknown: Renamed memory and add memory commands to Notes and Add Note. + - unknown: Job banning. + - unknown: Genetic Researcher renamed to Geneticist. + - unknown: Toxins Researcher renamed to Scientist. + - unknown: Help reformatted. + - unknown: + Fixed a bug where combining bruise packs or ointments resulted in an + incorrectly combined amount. + - unknown: Renamed memory and add memory commands to Notes and Add Note. 2009-03-21: /tg/station ss13 team: - - unknown: Added a command to list your medals. - - unknown: ETA no longer shows when it doesn't matter. - - unknown: Nerfed the ability to spam shuttle restabalization. - - unknown: Fixed the 'Ow My Balls!' medal to only apply from brute damage rather - than both brute and burn damage. + - unknown: Added a command to list your medals. + - unknown: ETA no longer shows when it doesn't matter. + - unknown: Nerfed the ability to spam shuttle restabalization. + - unknown: + Fixed the 'Ow My Balls!' medal to only apply from brute damage rather + than both brute and burn damage. 2009-03-23: /tg/station ss13 team: - - unknown: Random station names. - - unknown: Changes to the message stylesheet. - - unknown: Admin messages in OOC will now be colored red. + - unknown: Random station names. + - unknown: Changes to the message stylesheet. + - unknown: Admin messages in OOC will now be colored red. 2009-03-24: /tg/station ss13 team: - - unknown: GALOSHES! - - unknown: A certain item will now protect you from stun batons, tasers and stungloves - when worn. + - unknown: GALOSHES! + - unknown: + A certain item will now protect you from stun batons, tasers and stungloves + when worn. 2009-03-26: /tg/station ss13 team: - - unknown: The brig is now pimped out with special new gadgets. - - unknown: Upgraded the admin traitor menu. + - unknown: The brig is now pimped out with special new gadgets. + - unknown: Upgraded the admin traitor menu. 2009-03-27: /tg/station ss13 team: - - unknown: Fixed a bug where monkeys couldn't be stunned. - - unknown: Change mode votes before game starts delays the game. + - unknown: Fixed a bug where monkeys couldn't be stunned. + - unknown: Change mode votes before game starts delays the game. 2009-04-01: /tg/station ss13 team: - - unknown: 'Constructable rocket launchers: 10 rods, 10 metal, 5 thermite and heated - plasma from the prototype.' - - unknown: Emergency closets have randomized contents now. - - unknown: Fixed a bug where someone who was jobbaned from being Captain could still - be picked randomly + - unknown: + "Constructable rocket launchers: 10 rods, 10 metal, 5 thermite and heated + plasma from the prototype." + - unknown: Emergency closets have randomized contents now. + - unknown: + Fixed a bug where someone who was jobbaned from being Captain could still + be picked randomly 2009-04-04: /tg/station ss13 team: - - unknown: Emergency closets now spawn an 'emergency gas mask' which are just recolored - gas masks, no other difference other than making it obvious where the gas mask - came from. + - unknown: + Emergency closets now spawn an 'emergency gas mask' which are just recolored + gas masks, no other difference other than making it obvious where the gas mask + came from. 2009-04-05: /tg/station ss13 team: - - unknown: A large icon for the headset, no reason it should be so small. + - unknown: A large icon for the headset, no reason it should be so small. 2009-04-07: /tg/station ss13 team: - - unknown: Sounds. Turn on your speakers & sound downloads. - - unknown: Scan something with blood on it detective. + - unknown: Sounds. Turn on your speakers & sound downloads. + - unknown: Scan something with blood on it detective. 2009-04-09: /tg/station ss13 team: - - unknown: "Medical redone, doctors do your jobs! (Tell me what you think of this\ - \ \n compared to the old one)" - - unknown: Clickable tracking for the AI - - unknown: Only the heads can launch the shuttle early now. Or an emag. + - unknown: + "Medical redone, doctors do your jobs! (Tell me what you think of this\ + \ \n compared to the old one)" + - unknown: Clickable tracking for the AI + - unknown: Only the heads can launch the shuttle early now. Or an emag. 2009-04-10: /tg/station ss13 team: - - unknown: Admins are now notified when the traitor is dead. - - unknown: Unprison verb (again, for admins). + - unknown: Admins are now notified when the traitor is dead. + - unknown: Unprison verb (again, for admins). 2009-04-18: /tg/station ss13 team: - - unknown: Weld an open closet (only the normal kind), gayes. - - unknown: Chaplin has a higher chance of hearing the dead. - - unknown: New traitor objective - - unknown: Power traitor objective removed - - unknown: New job system implemented for latecomers. - - unknown: Head of Research quits forever and ever, is replaced by Head of Security - (who gets his own office) + - unknown: Weld an open closet (only the normal kind), gayes. + - unknown: Chaplin has a higher chance of hearing the dead. + - unknown: New traitor objective + - unknown: Power traitor objective removed + - unknown: New job system implemented for latecomers. + - unknown: + Head of Research quits forever and ever, is replaced by Head of Security + (who gets his own office) 2009-05-04: /tg/station ss13 team: - - unknown: Does anyone update this anymore? - - unknown: New atmos computer promises to make atmos easier - - unknown: Autolathe - - unknown: Couple of map changes - - unknown: Some computer code reorganised. - - unknown: I'm pretty sure theres a couple things + - unknown: Does anyone update this anymore? + - unknown: New atmos computer promises to make atmos easier + - unknown: Autolathe + - unknown: Couple of map changes + - unknown: Some computer code reorganised. + - unknown: I'm pretty sure theres a couple things 2009-05-06: /tg/station ss13 team: - - unknown: Crematorium - - unknown: Goon? button makes all your dreams come true. - - unknown: Restructured medbay + - unknown: Crematorium + - unknown: Goon? button makes all your dreams come true. + - unknown: Restructured medbay 2009-06-01: /tg/station ss13 team: - - unknown: Ghosts can no longer wander from space into the dread blackness that - lies beyond. - - unknown: Those other losers probably did a bunch of other stuff since May 6th - but they don't comment their revisions so fuck 'em. + - unknown: + Ghosts can no longer wander from space into the dread blackness that + lies beyond. + - unknown: + Those other losers probably did a bunch of other stuff since May 6th + but they don't comment their revisions so fuck 'em. 2009-06-03: /tg/station ss13 team: - - unknown: Death commando deathmatch mode added. + - unknown: Death commando deathmatch mode added. 2009-06-12: /tg/station ss13 team: - - unknown: Looking back through the SVN commit log, I spy... - - unknown: Keelin doing some more performance enhancements - - unknown: Fixed one person being all 3 revs at once (hopefully) - - unknown: Some gay fixes - - unknown: New admin system installed - - unknown: Fixed a bug where mass drivers could be used to crash the server - - unknown: Various pipe changes and fixes + - unknown: Looking back through the SVN commit log, I spy... + - unknown: Keelin doing some more performance enhancements + - unknown: Fixed one person being all 3 revs at once (hopefully) + - unknown: Some gay fixes + - unknown: New admin system installed + - unknown: Fixed a bug where mass drivers could be used to crash the server + - unknown: Various pipe changes and fixes 2009-06-27: /tg/station ss13 team: - - unknown: The Michael Jackson Memorial Changelog Update - - unknown: Pipe filters adjusted for more ideal environmentals //Pantaloons - - unknown: Added in job tracking //Showtime - - unknown: Crew Manifest and Security Records now automagically update when someone - joins //Nannek - - unknown: Fixed a bug where sometimes you get a screwdriver stuck in your hand - //Pantaloons - - unknown: Flamethrowers can now be disassembled //Pantaloons - - unknown: OBJECTION! Added suits and briefcases //stuntwaffle - - unknown: Added automatic brig lockers //Nannek - - unknown: Added brig door control authorization and redid brig layout //Nannek - - unknown: Emergency toolboxes now have radios and flashlights, and mechanical toolboxes - now have crowbars //Pantaloons - - unknown: New whisper system //lallander - - unknown: Some more gay fixes //everybody - - unknown: Some really cool fixes //everybody - - unknown: Really boring code cleanup //Pantaloons - - unknown: ~~In Loving Memory of MJ~~ Sham on! + - unknown: The Michael Jackson Memorial Changelog Update + - unknown: Pipe filters adjusted for more ideal environmentals //Pantaloons + - unknown: Added in job tracking //Showtime + - unknown: + Crew Manifest and Security Records now automagically update when someone + joins //Nannek + - unknown: + Fixed a bug where sometimes you get a screwdriver stuck in your hand + //Pantaloons + - unknown: Flamethrowers can now be disassembled //Pantaloons + - unknown: OBJECTION! Added suits and briefcases //stuntwaffle + - unknown: Added automatic brig lockers //Nannek + - unknown: Added brig door control authorization and redid brig layout //Nannek + - unknown: + Emergency toolboxes now have radios and flashlights, and mechanical toolboxes + now have crowbars //Pantaloons + - unknown: New whisper system //lallander + - unknown: Some more gay fixes //everybody + - unknown: Some really cool fixes //everybody + - unknown: Really boring code cleanup //Pantaloons + - unknown: ~~In Loving Memory of MJ~~ Sham on! 2009-07-29: /tg/station ss13 team: - - unknown: Multitools can now be used to measure the power in cables. - - unknown: "Fixed a bug where the canister message would repeat and spam the user\ - \ when \n attackby analyzer. Fixed an admin formatting error." - - unknown: "Replaced all range checks with a in_range proc. pretty good chance I\ - \ broke \n something or everything." - - unknown: Mutations use bitfields - - unknown: Fixed a bug with my traitor panel. - - unknown: "Fixed the turrets, ruined Pantaloons map (test map). Did some things\ - \ with \n turrets and added a few areas." - - unknown: Some stuff in here you know the usual shit. Bugfixes, formatting etc. - - unknown: Stunbaton nerf. - - unknown: Tempban longer than 1 year -&gt; permaban. - - unknown: Turfs &gt; spawnable. - - unknown: Shaking someone now slowly removes paralysis, stuns and the &#39;weakened&#39; - stuff. - - unknown: "CTF flags now check if someone has them equipped every 20 seconds, if\ - \ they are \n not then they delete themselves and respawn. " - - unknown: Fixed the r-wall-welder-message-thing. - - unknown: "Change to the CTF code, flag captures can now only happen if your team\ - \ has their \n flag in the starting position." - - unknown: Pruning my test room. - - unknown: Instead of the red and green team its now the American and Irish teams! - - unknown: "BACKUP BACKUP TELL ME WHAT YOU GONNA DO NOW Changed the monkey name\ - \ code. Re-did \n my antimatter engine code so it actually puts out power\ - \ now" - - unknown: "dumb as fuck change, whoever did that, it already spawn ()&#39;s\ - \ inside the proc \n code, whoever did that, you are a faggot and should\ - \ read code before you modify \n it" - - unknown: Fixed a bug that gave everyone modify ticker variables you silly sausage. - - unknown: Sorted the AIs track list. - - unknown: Constructable filter inlets and filter controls. - - unknown: Added in admin messages for when someone is banned. - - unknown: Bannana and honk honk. + - unknown: Multitools can now be used to measure the power in cables. + - unknown: + "Fixed a bug where the canister message would repeat and spam the user\ + \ when \n attackby analyzer. Fixed an admin formatting error." + - unknown: + "Replaced all range checks with a in_range proc. pretty good chance I\ + \ broke \n something or everything." + - unknown: Mutations use bitfields + - unknown: Fixed a bug with my traitor panel. + - unknown: + "Fixed the turrets, ruined Pantaloons map (test map). Did some things\ + \ with \n turrets and added a few areas." + - unknown: Some stuff in here you know the usual shit. Bugfixes, formatting etc. + - unknown: Stunbaton nerf. + - unknown: Tempban longer than 1 year -&gt; permaban. + - unknown: Turfs &gt; spawnable. + - unknown: + Shaking someone now slowly removes paralysis, stuns and the &#39;weakened&#39; + stuff. + - unknown: + "CTF flags now check if someone has them equipped every 20 seconds, if\ + \ they are \n not then they delete themselves and respawn. " + - unknown: Fixed the r-wall-welder-message-thing. + - unknown: + "Change to the CTF code, flag captures can now only happen if your team\ + \ has their \n flag in the starting position." + - unknown: Pruning my test room. + - unknown: Instead of the red and green team its now the American and Irish teams! + - unknown: + "BACKUP BACKUP TELL ME WHAT YOU GONNA DO NOW Changed the monkey name\ + \ code. Re-did \n my antimatter engine code so it actually puts out power\ + \ now" + - unknown: + "dumb as fuck change, whoever did that, it already spawn ()&#39;s\ + \ inside the proc \n code, whoever did that, you are a faggot and should\ + \ read code before you modify \n it" + - unknown: Fixed a bug that gave everyone modify ticker variables you silly sausage. + - unknown: Sorted the AIs track list. + - unknown: Constructable filter inlets and filter controls. + - unknown: Added in admin messages for when someone is banned. + - unknown: Bannana and honk honk. 2009-07-31: /tg/station ss13 team: - - unknown: I&#39;m really sorry everyone I just HAD to add a gib all verb. - - unknown: Decided to add the creation of bombs to bombers list - - unknown: Made the new bombing list EVEN BETTER!!! - - unknown: Fixed a bug with admin jumping AND the traitor death message - - unknown: "Oops, fixed a bug that returned the right click pm thing thinking the\ - \ admin was \n muted." - - unknown: 'Made a new improved way of tracking who bombs shit. ' - - unknown: 'More formatting shit. ' - - unknown: "Fixed up some mute code and made it so that if a player is muted they\ - \ cannot PM \n us." - - unknown: Adminhelps now logged in the admin file not ooc - - unknown: "Changed the way admin reviving is dealt with. (It was coded kind of\ - \ weirdly \n before)" - - unknown: "Added a few areas to the observe teleport. Fixed some adminjump things.\ - \ Modified \n the paths of some areas." - - unknown: "You can now ban people who have logged out and admins can now jump to\ - \ people \n using the player panel." - - unknown: Added in jump to key coded in a much better way than showtime originally - did it. - - unknown: Fixed magical wind when laying pipes. They start out empty!! - - unknown: Made blink safer. Fixed the crew-quarters to ai sattelite teleport problem. - - unknown: Forgot the message again. Added an emp spell. thanks copy&amp;paste. - - unknown: OH MY GOD I HAVE RUINED ASAY - - unknown: 'Added electronic items to the pipe dispenser ' - - unknown: fixed a formatting error with the changelog (I didn&#39;t break it, - it was showtime) - - unknown: Fixed a formatting error - - unknown: Cleaned up sandbox object spawn code - - unknown: New and improved admin log so we can keep an eye on these fuckers - - unknown: Fixed adminjump because I realise most people use it for the right click - option - - unknown: Mushed together jump to mob and jump to key - - unknown: Fixed a compilation error and made my test room more secure! + - unknown: I&#39;m really sorry everyone I just HAD to add a gib all verb. + - unknown: Decided to add the creation of bombs to bombers list + - unknown: Made the new bombing list EVEN BETTER!!! + - unknown: Fixed a bug with admin jumping AND the traitor death message + - unknown: + "Oops, fixed a bug that returned the right click pm thing thinking the\ + \ admin was \n muted." + - unknown: "Made a new improved way of tracking who bombs shit. " + - unknown: "More formatting shit. " + - unknown: + "Fixed up some mute code and made it so that if a player is muted they\ + \ cannot PM \n us." + - unknown: Adminhelps now logged in the admin file not ooc + - unknown: + "Changed the way admin reviving is dealt with. (It was coded kind of\ + \ weirdly \n before)" + - unknown: + "Added a few areas to the observe teleport. Fixed some adminjump things.\ + \ Modified \n the paths of some areas." + - unknown: + "You can now ban people who have logged out and admins can now jump to\ + \ people \n using the player panel." + - unknown: + Added in jump to key coded in a much better way than showtime originally + did it. + - unknown: Fixed magical wind when laying pipes. They start out empty!! + - unknown: Made blink safer. Fixed the crew-quarters to ai sattelite teleport problem. + - unknown: Forgot the message again. Added an emp spell. thanks copy&amp;paste. + - unknown: OH MY GOD I HAVE RUINED ASAY + - unknown: "Added electronic items to the pipe dispenser " + - unknown: + fixed a formatting error with the changelog (I didn&#39;t break it, + it was showtime) + - unknown: Fixed a formatting error + - unknown: Cleaned up sandbox object spawn code + - unknown: New and improved admin log so we can keep an eye on these fuckers + - unknown: + Fixed adminjump because I realise most people use it for the right click + option + - unknown: Mushed together jump to mob and jump to key + - unknown: Fixed a compilation error and made my test room more secure! 2009-08-29: /tg/station ss13 team: - - unknown: "\n \tAI laws update: Nanotrasen has updated its AI\ - \ laws to better reflect how they wish AIs to \n operate their stations.\n\ - \ " - - unknown: "\n \tTraitor item change: E-mag renamed to Cryptographic\ - \ Sequencer.\n " + - unknown: + "\n \tAI laws update: Nanotrasen has updated its AI\ + \ laws to better reflect how they wish AIs to \n operate their stations.\n\ + \ " + - unknown: + "\n \tTraitor item change: E-mag renamed to Cryptographic\ + \ Sequencer.\n " 2009-09-28: /tg/station ss13 team: - - unknown: "\n\tNew position: Chef\n\t
        \n\t
      • \n Maintains\ - \ the Cafeteria, has access to Kitchen and Freezer, Food creation will be in\ - \ shortly.\n\t
      • \n\t
      \n " - - unknown: "\n\tFood update: Food items now heal Brute/Burn damage.\ - \ The amount recovered varies between items.\n " + - unknown: + "\n\tNew position: Chef\n\t
        \n\t
      • \n Maintains\ + \ the Cafeteria, has access to Kitchen and Freezer, Food creation will be in\ + \ shortly.\n\t
      • \n\t
      \n " + - unknown: + "\n\tFood update: Food items now heal Brute/Burn damage.\ + \ The amount recovered varies between items.\n " 2009-10-12: /tg/station ss13 team: - - unknown: "\n\tFeature: Emergency oxygen bottles can be clipped\ - \ to your belt now.\n " - - unknown: "\n\tClothing update: Bedsheets are now wearable.\n\ - \ " - - unknown: "\n\tUpdated HUD: A few minor tweaks to the inventory\ - \ panel. Things might not be exactly where you're used to them being.\n " + - unknown: + "\n\tFeature: Emergency oxygen bottles can be clipped\ + \ to your belt now.\n " + - unknown: + "\n\tClothing update: Bedsheets are now wearable.\n\ + \ " + - unknown: + "\n\tUpdated HUD: A few minor tweaks to the inventory\ + \ panel. Things might not be exactly where you're used to them being.\n " 2009-10-16: /tg/station ss13 team: - - unknown: "\n\tPoo v1.0~: This has caused many ragequits.\n " - - unknown: "\n\tFlushable toilets: You can now use toilets to place\ - \ your vile, disgusting and irreprehensible excretions (you disgusting children).\ - \ Just be careful what you flush!\n " + - unknown: "\n\tPoo v1.0~: This has caused many ragequits.\n " + - unknown: + "\n\tFlushable toilets: You can now use toilets to place\ + \ your vile, disgusting and irreprehensible excretions (you disgusting children).\ + \ Just be careful what you flush!\n " 2009-10-19: /tg/station ss13 team: - - unknown: "\n Gibbing update: Gibbing stuff has been rewritten,\ - \ robots now gib nicer.\n " - - unknown: "\n LIGHTING!!!: The station now has dynamic lighting\ - \ and associated items.\n " + - unknown: + "\n Gibbing update: Gibbing stuff has been rewritten,\ + \ robots now gib nicer.\n " + - unknown: + "\n LIGHTING!!!: The station now has dynamic lighting\ + \ and associated items.\n " 2009-10-24: /tg/station ss13 team: - - unknown: "\n Bug fix: PDAs had their code cleaned up. Notice\ - \ any problems? Report them.\n " - - unknown: "\n New syndicate item: Detomatix Cartridge, allows\ - \ remote detonation of PDAs (rather weak explosion)!\n " - - unknown: "\n Feature: Remotely detonating PDAs has a chance\ - \ of failure depending on the PDA target, a critical failure will result in\ - \ the detonation of your own PDA.\n " + - unknown: + "\n Bug fix: PDAs had their code cleaned up. Notice\ + \ any problems? Report them.\n " + - unknown: + "\n New syndicate item: Detomatix Cartridge, allows\ + \ remote detonation of PDAs (rather weak explosion)!\n " + - unknown: + "\n Feature: Remotely detonating PDAs has a chance\ + \ of failure depending on the PDA target, a critical failure will result in\ + \ the detonation of your own PDA.\n " 2009-10-25: /tg/station ss13 team: - - unknown: "\n Randomized naming: Names for Central Command\ - \ and Syndicate are now randomized.\n " + - unknown: + "\n Randomized naming: Names for Central Command\ + \ and Syndicate are now randomized.\n " 2009-11-03: /tg/station ss13 team: - - unknown: "\n Bug fix: Made most pop-up windows respect the\ - \ close button.\n " + - unknown: + "\n Bug fix: Made most pop-up windows respect the\ + \ close button.\n " 2009-11-27: /tg/station ss13 team: - - unknown: "\n\tMonkey AI 2.0: Monkeys will now get angry, going\ - \ after random human targets with the ability to wield weapons, throw random\ - \ objects, open doors, and break through glass/grilles. They're basically terminators.\n\ - \ " - - unknown: "\n\tNew gamemode: Monkey Survival\n\t
        \n\t
      • \n\ - \ Survive a horde of angry monkeys busting through the station's airvents\ - \ and rampaging through the station for 25 minutes.\n\t
      • \n\t
      \n " - - unknown: "\n\tNew robots: Cleanbot and Floorbot\n\t
        \n\t \ - \
      • \n Cleanbots automatically clean up messes and Floorbots repair\ - \ floors.\n\t
      • \n\t
      \n " - - unknown: "\n\tNew spell: Mindblast\n\t
        \n\t
      • \n \ - \ Causes brain damage, progressively causing other players to become even more\ - \ retarded.\n\t
      • \n\t
      \n " - - unknown: "\n\tAlien Races\n\t
        \n\t
      • \n Wizards\ - \ may randomly spawn as illithids, who gain Mind Blast for free, and nuke agents\ - \ may randomly spawn as lizardmen.\n\t
      • \n\t
      \n " - - unknown: "\n\tStation shields: The station now has a toggleable\ - \ forcefield that can only be destroyed by meteors or bombs. Takes a lot of\ - \ station power to use.\n " - - unknown: "\n\tTraitor scaling: Number of traitors/wizards/agents\ - \ now scales to number of players.\n " - - unknown: "\n\tNew food item: Donk pockets\n\t
        \n\t
      • \n\t\ - Delicious and microwavable, gives a bigger health boost for traitors.\n\t
      • \n\ - \t
      \n " - - unknown: "\n\tCigarettes: Now you can fulfill your horrible nicotine\ - \ cravings. The detective starts with a zippo lighter and pack of cigarettes.\ - \ Other packs can be be obtained via vending machines.\n " - - unknown: "\n\tWarning signs: The station is now filled with various\ - \ warning signs and such.\n " - - unknown: "\n\tUpdated graphics: Many, many objects have had their\ - \ graphics updated including pipes, windows, tables, and closets. HUD graphics\ - \ have been updated to be easier to understand.\n " - - unknown: "\n\tLighting fixes: New turf is now correctly lit instead\ - \ of being completely dark.\n " - - unknown: "\n\tMeteor fixes: The code and graphics for meteors\ - \ has been fixed so the meteor gametype is more playable, sort of.\n " - - unknown: "\n\tEscape shuttle fix: The shuttle can now be called\ - \ in Revolution and Malfunction, but the shuttle will be recalled before it\ - \ arrives. This way players can no longer call the shuttle to figure out the\ - \ game mode during secret.\n " - - unknown: "\n\tChangelog updated: New changelog entry for Thanksgiving\ - \ thanks to Haruhi who will probably update the changelog from now on after\ - \ almost a month of neglect.\n " + - unknown: + "\n\tMonkey AI 2.0: Monkeys will now get angry, going\ + \ after random human targets with the ability to wield weapons, throw random\ + \ objects, open doors, and break through glass/grilles. They're basically terminators.\n\ + \ " + - unknown: + "\n\tNew gamemode: Monkey Survival\n\t
        \n\t
      • \n\ + \ Survive a horde of angry monkeys busting through the station's airvents\ + \ and rampaging through the station for 25 minutes.\n\t
      • \n\t
      \n " + - unknown: + "\n\tNew robots: Cleanbot and Floorbot\n\t
        \n\t \ + \
      • \n Cleanbots automatically clean up messes and Floorbots repair\ + \ floors.\n\t
      • \n\t
      \n " + - unknown: + "\n\tNew spell: Mindblast\n\t
        \n\t
      • \n \ + \ Causes brain damage, progressively causing other players to become even more\ + \ retarded.\n\t
      • \n\t
      \n " + - unknown: + "\n\tAlien Races\n\t
        \n\t
      • \n Wizards\ + \ may randomly spawn as illithids, who gain Mind Blast for free, and nuke agents\ + \ may randomly spawn as lizardmen.\n\t
      • \n\t
      \n " + - unknown: + "\n\tStation shields: The station now has a toggleable\ + \ forcefield that can only be destroyed by meteors or bombs. Takes a lot of\ + \ station power to use.\n " + - unknown: + "\n\tTraitor scaling: Number of traitors/wizards/agents\ + \ now scales to number of players.\n " + - unknown: + "\n\tNew food item: Donk pockets\n\t
        \n\t
      • \n\t\ + Delicious and microwavable, gives a bigger health boost for traitors.\n\t
      • \n\ + \t
      \n " + - unknown: + "\n\tCigarettes: Now you can fulfill your horrible nicotine\ + \ cravings. The detective starts with a zippo lighter and pack of cigarettes.\ + \ Other packs can be be obtained via vending machines.\n " + - unknown: + "\n\tWarning signs: The station is now filled with various\ + \ warning signs and such.\n " + - unknown: + "\n\tUpdated graphics: Many, many objects have had their\ + \ graphics updated including pipes, windows, tables, and closets. HUD graphics\ + \ have been updated to be easier to understand.\n " + - unknown: + "\n\tLighting fixes: New turf is now correctly lit instead\ + \ of being completely dark.\n " + - unknown: + "\n\tMeteor fixes: The code and graphics for meteors\ + \ has been fixed so the meteor gametype is more playable, sort of.\n " + - unknown: + "\n\tEscape shuttle fix: The shuttle can now be called\ + \ in Revolution and Malfunction, but the shuttle will be recalled before it\ + \ arrives. This way players can no longer call the shuttle to figure out the\ + \ game mode during secret.\n " + - unknown: + "\n\tChangelog updated: New changelog entry for Thanksgiving\ + \ thanks to Haruhi who will probably update the changelog from now on after\ + \ almost a month of neglect.\n " 2009-11-30: /tg/station ss13 team: - - unknown: "\n\tSupply Shuttle 1.0: Now you can order new supplies\ - \ using Cargo Bay north of the autolathe.\n " - - unknown: "\n\tNew containers: The game now features a variety\ - \ of crates to hold all sorts of imaginary space supplies.\n " - - unknown: "\n\tNew position: Quartermaster\n\t
        \n\t
      • \n\ - \ A master of supplies. Manages the cargo bay by taking shipments and\ - \ distributing them to the crew.\n\t
      • \n\t
      \n " - - unknown: "\n\tNew position: Research Director\n\t
        \n\t
      • \n\ - \ The head of the SS13 research department. He directs research and makes\ - \ sure that the research crew are working.\n\t
      • \n\t
      \n " - - unknown: "\n\tNew position: Chief Engineer\n\t
        \n\t
      • \n\ - \ Boss of all the engineers. Makes sure the engine is loaded and that\ - \ the station has the necessary amount of power to run.\n\t
      • \n\t
      \n\ - \ " - - unknown: "\n\tNew robot: Securibot\n\t
        \n\t
      • \n \ - \ Automatically stuns and handcuffs criminals listed in the security records.\ - \ It's also really goddamn slow.\n\t
      • \n\t
      \n " - - unknown: "\n\tNew jumpsuits: Engineers and Atmos Techs have new\ - \ jumpsuits to distinguish between them easier.\n " + - unknown: + "\n\tSupply Shuttle 1.0: Now you can order new supplies\ + \ using Cargo Bay north of the autolathe.\n " + - unknown: + "\n\tNew containers: The game now features a variety\ + \ of crates to hold all sorts of imaginary space supplies.\n " + - unknown: + "\n\tNew position: Quartermaster\n\t
        \n\t
      • \n\ + \ A master of supplies. Manages the cargo bay by taking shipments and\ + \ distributing them to the crew.\n\t
      • \n\t
      \n " + - unknown: + "\n\tNew position: Research Director\n\t
        \n\t
      • \n\ + \ The head of the SS13 research department. He directs research and makes\ + \ sure that the research crew are working.\n\t
      • \n\t
      \n " + - unknown: + "\n\tNew position: Chief Engineer\n\t
        \n\t
      • \n\ + \ Boss of all the engineers. Makes sure the engine is loaded and that\ + \ the station has the necessary amount of power to run.\n\t
      • \n\t
      \n\ + \ " + - unknown: + "\n\tNew robot: Securibot\n\t
        \n\t
      • \n \ + \ Automatically stuns and handcuffs criminals listed in the security records.\ + \ It's also really goddamn slow.\n\t
      • \n\t
      \n " + - unknown: + "\n\tNew jumpsuits: Engineers and Atmos Techs have new\ + \ jumpsuits to distinguish between them easier.\n " 2009-12-04: /tg/station ss13 team: - - unknown: "\n\tSupply Dock 2.0: The Supply Dock has been redesigned\ - \ and now features conveyer belts! Amazing!\n " - - unknown: "\n\tNew uniforms: The Research Director, Chief Engineer,\ - \ and the research jobs have new uniforms. The Head of Security has a cool new\ - \ hat which happens to be his most prized possession.\n " - - unknown: "\n\tMerged research: The first act of the Research\ - \ Director is to merge Toxins and Chemistry into a single Chemical Lab. Hooray!\n\ - \ " - - unknown: "\n\tRobot tweak: You can now observe robots using the\ - \ observe command.\n " - - unknown: "\n\tStamps: The heads now have stamps to stamp papers\ - \ with, for whatever reason.\n " + - unknown: + "\n\tSupply Dock 2.0: The Supply Dock has been redesigned\ + \ and now features conveyer belts! Amazing!\n " + - unknown: + "\n\tNew uniforms: The Research Director, Chief Engineer,\ + \ and the research jobs have new uniforms. The Head of Security has a cool new\ + \ hat which happens to be his most prized possession.\n " + - unknown: + "\n\tMerged research: The first act of the Research\ + \ Director is to merge Toxins and Chemistry into a single Chemical Lab. Hooray!\n\ + \ " + - unknown: + "\n\tRobot tweak: You can now observe robots using the\ + \ observe command.\n " + - unknown: + "\n\tStamps: The heads now have stamps to stamp papers\ + \ with, for whatever reason.\n " 2009-12-05: /tg/station ss13 team: - - unknown: "\n Traitor tweak: Agent cards can now be forged\ - \ into a fake ID.\n " + - unknown: + "\n Traitor tweak: Agent cards can now be forged\ + \ into a fake ID.\n " 2010-02-02: /tg/station ss13 team: - - unknown: "\n New item: Drinking glasses that you can fill\ - \ with water.\n " - - unknown: "\n Feature: Sounds now pan in stereo depending on\ - \ your position from the source.\n " + - unknown: + "\n New item: Drinking glasses that you can fill\ + \ with water.\n " + - unknown: + "\n Feature: Sounds now pan in stereo depending on\ + \ your position from the source.\n " 2010-02-05: /tg/station ss13 team: - - unknown: "\n AI: Added 30 second cooldown to prevent spamming\ - \ lockdowns.\n " + - unknown: + "\n AI: Added 30 second cooldown to prevent spamming\ + \ lockdowns.\n " 2010-02-14: /tg/station ss13 team: - - unknown: "\n New feature: Station destruction cinematic if\ - \ the crew loses in AI Malfunction or Nuclear Emergency.\n " - - unknown: "\n New Position: Tourist\n\t
        \n\t
      • \n \ - \ Centcom has entered the lucrative business of space tourism! Enjoy an\ - \ event-filled vacation on the station, and try not to get killed.\n\t
      • \n\ - \t
      • \n\t\tGuest accounts are now restricted to selecting Tourist in Character\ - \ Setup.\n\t
      • \n\t
      \n " + - unknown: + "\n New feature: Station destruction cinematic if\ + \ the crew loses in AI Malfunction or Nuclear Emergency.\n " + - unknown: + "\n New Position: Tourist\n\t
        \n\t
      • \n \ + \ Centcom has entered the lucrative business of space tourism! Enjoy an\ + \ event-filled vacation on the station, and try not to get killed.\n\t
      • \n\ + \t
      • \n\t\tGuest accounts are now restricted to selecting Tourist in Character\ + \ Setup.\n\t
      • \n\t
      \n " 2010-02-18: /tg/station ss13 team: - - unknown: "\n New feature: Obesity from overeating in a short\ - \ period of time.\n " + - unknown: + "\n New feature: Obesity from overeating in a short\ + \ period of time.\n " 2010-02-21: /tg/station ss13 team: - - unknown: "\n Cloning Machine: The Geneticist spilled coffee\ - \ on the Genetics Machine's revival module and it was too costly to replace!\n\ - \t
        \n\t
      • \n Clones may or may not have horrible genetic defects.\n\ - \t
      • \n\t
      \n " + - unknown: + "\n Cloning Machine: The Geneticist spilled coffee\ + \ on the Genetics Machine's revival module and it was too costly to replace!\n\ + \t
        \n\t
      • \n Clones may or may not have horrible genetic defects.\n\ + \t
      • \n\t
      \n " 2010-02-23: /tg/station ss13 team: - - unknown: "\n OH NO STRANGLING GOT NERFED: Insta-strangling\ - \ (hopefully) removed. Victim no longer instantly loses consciousness.\n " + - unknown: + "\n OH NO STRANGLING GOT NERFED: Insta-strangling\ + \ (hopefully) removed. Victim no longer instantly loses consciousness.\n " 2010-03-10: /tg/station ss13 team: - - unknown: "\n Changes:\n
        \n
      • \n\t Atmos\ - \ system GREATLY OPTIMIZED!\n\t
      • \n\t
      • \n\t Brand\ - \ new station layout!\n\t
      • \n\t
      • \n\t Robust chemical\ - \ interaction system!\n\t
      • \n\t
      • \n\t HOLY FUCK PLAYING THIS GAME ISN'T LIKE TRODDING THROUGH MOLASSES\ - \ ANYMORE\n\t
      • \n\t
      • \n\t Feature:\ - \ If two players collide with \"Help\" intent, they swap positions.\n\t
      • \n\ - \t
      \n " + - unknown: + "\n Changes:\n
        \n
      • \n\t Atmos\ + \ system GREATLY OPTIMIZED!\n\t
      • \n\t
      • \n\t Brand\ + \ new station layout!\n\t
      • \n\t
      • \n\t Robust chemical\ + \ interaction system!\n\t
      • \n\t
      • \n\t HOLY FUCK PLAYING THIS GAME ISN'T LIKE TRODDING THROUGH MOLASSES\ + \ ANYMORE\n\t
      • \n\t
      • \n\t Feature:\ + \ If two players collide with \"Help\" intent, they swap positions.\n\t
      • \n\ + \t
      \n " 2010-04-19: /tg/station ss13 team: - - unknown: "\n\tNew features:\n\t
        \n\t
      • \n \t Disposal\ - \ System: The station now has a fully functional disposal system for\ - \ throwing away nuclear authentication disks and old, dirty clowns.\n \t
      • \n\ - \t
      • \n\t Breakable Windows: Windows are breakable by projectiles\ - \ and thrown items (including people), shards hurt your feet.\n \t
      • \n\ - \ \t
      • \n\t Status Display: Station escape shuttle timers\ - \ now function as status displays modifiable from the bridge.\n \t
      • \n\ - \ \t
      • \n\t Space Heater: Space heaters for heating up\ - \ cold spaces, in space.\n\t
      \n " - - unknown: "\n\tNew items:\n\t
        \n\t
      • \n\t Welding\ - \ Mask: Helps engineers shield their eyes when welding.\n \t
      • \n\ - \ \t
      • \n\t Utility Belt: Function as toolboxes equippable\ - \ in the belt slot.\n \t
      • \n
      • \n\t Mouse Trap:\ - \ Hurt your feet, especially if you aren't wearing shoes!\n \t
      • \n\t \ - \
      • \n\t Power Sink: Traitor item that rapidly drains power.\n\ - \t
      • \n\t
      \n " - - unknown: "\n\tNew graphics:\n\t
        \n\t
      • \n\t North\ - \ Facing Sprites: Player sprites will now face north when moving north.\n\ - \t
      • \n\t
      • \n\t Hidden Pipes: Pipes are now hidden\ - \ underneath floor tiles.\n\t
      • \n\t
      \n " - - unknown: "\n\tNew robot: Medibot\n\t
        \n\t
      • \n Automatically\ - \ attempts to keep crewmembers alive by injecting them with stuff.\n\t
      • \n\ - \t
      \n " - - unknown: "\n\tNew robot: Mulebot\n\t
        \n\t
      • \n Allows\ - \ quartermasters to automatically ship crates to different parts of the station.\n\ - \t
      • \n\t
      \n " + - unknown: + "\n\tNew features:\n\t
        \n\t
      • \n \t Disposal\ + \ System: The station now has a fully functional disposal system for\ + \ throwing away nuclear authentication disks and old, dirty clowns.\n \t
      • \n\ + \t
      • \n\t Breakable Windows: Windows are breakable by projectiles\ + \ and thrown items (including people), shards hurt your feet.\n \t
      • \n\ + \ \t
      • \n\t Status Display: Station escape shuttle timers\ + \ now function as status displays modifiable from the bridge.\n \t
      • \n\ + \ \t
      • \n\t Space Heater: Space heaters for heating up\ + \ cold spaces, in space.\n\t
      \n " + - unknown: + "\n\tNew items:\n\t
        \n\t
      • \n\t Welding\ + \ Mask: Helps engineers shield their eyes when welding.\n \t
      • \n\ + \ \t
      • \n\t Utility Belt: Function as toolboxes equippable\ + \ in the belt slot.\n \t
      • \n
      • \n\t Mouse Trap:\ + \ Hurt your feet, especially if you aren't wearing shoes!\n \t
      • \n\t \ + \
      • \n\t Power Sink: Traitor item that rapidly drains power.\n\ + \t
      • \n\t
      \n " + - unknown: + "\n\tNew graphics:\n\t
        \n\t
      • \n\t North\ + \ Facing Sprites: Player sprites will now face north when moving north.\n\ + \t
      • \n\t
      • \n\t Hidden Pipes: Pipes are now hidden\ + \ underneath floor tiles.\n\t
      • \n\t
      \n " + - unknown: + "\n\tNew robot: Medibot\n\t
        \n\t
      • \n Automatically\ + \ attempts to keep crewmembers alive by injecting them with stuff.\n\t
      • \n\ + \t
      \n " + - unknown: + "\n\tNew robot: Mulebot\n\t
        \n\t
      • \n Allows\ + \ quartermasters to automatically ship crates to different parts of the station.\n\ + \t
      • \n\t
      \n " 2010-04-25: /tg/station ss13 team: - - unknown: "\n\tNew graphics:\n
        \n\t
      • \n\t Side\ - \ Facing Sprites: Player sprites will now face in all directions when\ - \ moving. Holy shit!\n\t
      • \n\t
      \n " + - unknown: + "\n\tNew graphics:\n
        \n\t
      • \n\t Side\ + \ Facing Sprites: Player sprites will now face in all directions when\ + \ moving. Holy shit!\n\t
      • \n\t
      \n " 2010-07-06: /tg/station ss13 team: - - unknown: Prayer command added. - - unknown: State Laws command for AI added. - - unknown: Disabled Lockdown command for AI. Too server heavy. - - unknown: Crew manifest and various station databases should properly update when - late arrivals join the game, now. - - unknown: Quartermasters will receive 10 points every five minutes. This will probably - be nerfed heavily, but we'll give it a shot anyhow. - - unknown: Fixed a bug with doors/airlocks. (Thanks Mport2004) + - unknown: Prayer command added. + - unknown: State Laws command for AI added. + - unknown: Disabled Lockdown command for AI. Too server heavy. + - unknown: + Crew manifest and various station databases should properly update when + late arrivals join the game, now. + - unknown: + Quartermasters will receive 10 points every five minutes. This will probably + be nerfed heavily, but we'll give it a shot anyhow. + - unknown: Fixed a bug with doors/airlocks. (Thanks Mport2004) 2010-07-09: /tg/station ss13 team: - - unknown: Tweaked crate costs for Quartermaster. - - unknown: Increased metal available in Robotics. - - unknown: Added department-specific headsets. Engineering, Medical, Command, - and Security all receive special headsets capable of broadcasting on a standard - frequency PLUS a secure frequency only available to headsets of the same type. - Precede say messages with ":h" to use. + - unknown: Tweaked crate costs for Quartermaster. + - unknown: Increased metal available in Robotics. + - unknown: + Added department-specific headsets. Engineering, Medical, Command, + and Security all receive special headsets capable of broadcasting on a standard + frequency PLUS a secure frequency only available to headsets of the same type. + Precede say messages with ":h" to use. 2010-07-10: /tg/station ss13 team: - - unknown: Examining a player will now tell you if their client has disconnected. - - unknown: Examining a brain will now tell you if it's owner is still connected - to the game. - - unknown: Alien Queens can make facehuggers. Facehuggers can make larva. Larva - can grow into xenos! Xenos can become queens! The circle of life~ - - unknown: 'Some powernet bug fixes: Bad list and division by zero.' + - unknown: Examining a player will now tell you if their client has disconnected. + - unknown: + Examining a brain will now tell you if it's owner is still connected + to the game. + - unknown: + Alien Queens can make facehuggers. Facehuggers can make larva. Larva + can grow into xenos! Xenos can become queens! The circle of life~ + - unknown: "Some powernet bug fixes: Bad list and division by zero." 2010-07-13: /tg/station ss13 team: - - unknown: Singularity Engine Added Oh God we're all going to die - (All credit on this one goes to Mport2004) - - unknown: '''Purge'' AI module added - purges ALL laws (except for law 0). Will - probably change this to a Syndicate only item' - - unknown: Cyborgs now spawn with a power cell. Should prevent stupid cyborg deaths - (and also pave the way for starting as a cyborg once more bugs are fixed) + - unknown: + Singularity Engine Added Oh God we're all going to die + (All credit on this one goes to Mport2004) + - unknown: + "'Purge' AI module added - purges ALL laws (except for law 0). Will + probably change this to a Syndicate only item" + - unknown: + Cyborgs now spawn with a power cell. Should prevent stupid cyborg deaths + (and also pave the way for starting as a cyborg once more bugs are fixed) 2010-08-06: /tg/station ss13 team: - - unknown: Hydroponics/Botany Added Credit goes to Skie and the - folks over at the independent opensource SS13 branch, this is their code. It's - lacking a lot, but it's a great start! - - unknown: Way more tweaks than I can remember. Shouldn't wait so long between changelog - updates. + - unknown: + Hydroponics/Botany Added Credit goes to Skie and the + folks over at the independent opensource SS13 branch, this is their code. It's + lacking a lot, but it's a great start! + - unknown: + Way more tweaks than I can remember. Shouldn't wait so long between changelog + updates. 2010-08-26: /tg/station ss13 team: - - unknown: Open Source Release Thanks to Mport for releasable - singularity code. - - unknown: Cyborgs redone Thanks again to Mport for this, cyborgs - are totally different now. - - unknown: Engine Monitor PDA app is now Power Monitor PDA app, and actually works. - - unknown: AI State Laws verb now allows the AI to choose which laws to state, in - case of traitor AIs or laws ordering it not to state them. Hopefully this will - cut down on 'OMG THE AI IS COPYING AND PASTING' metagaming. - - unknown: Power Monitor circuitboard isn't mislabeled as Mass Driver Control any - more. - - unknown: Traitor and Rev-head clowns lose the clumsiness gene - - this should make trying to flash people in Rev mode less of an exercise in - frustration. - - unknown: A sink has been added to the Fitness room - this lets you wash dirty - and bloodstained clothing and equipment. - - unknown: Blast doors and firedoors no longer open by just bumping into them. - - unknown: The bar and kitchen now open onto the same seating area. The old cafeteria - area is now used as a lockerroom to replace the old one which was displaced - by Hydroponics. - - unknown: The bar now has a space piano with which you can entertain and annoy - the crew. - - unknown: LIBRARY A library has been added to the station in - the escape arm in order to educate the crew. The new Librarian job is available - to manage it. Crewmembers can request and read books, or write and bind their - own books for upload to a persistent database. - - unknown: The supply of flashbangs available from Security has been reduced to - cut down on people constantly flashbanging the escape shuttle. - - unknown: InteliCards are available in various locations to allow the retrieval - of valuable AI personality data in the event of catastrophic station damage. + - unknown: + Open Source Release Thanks to Mport for releasable + singularity code. + - unknown: + Cyborgs redone Thanks again to Mport for this, cyborgs + are totally different now. + - unknown: Engine Monitor PDA app is now Power Monitor PDA app, and actually works. + - unknown: + AI State Laws verb now allows the AI to choose which laws to state, in + case of traitor AIs or laws ordering it not to state them. Hopefully this will + cut down on 'OMG THE AI IS COPYING AND PASTING' metagaming. + - unknown: + Power Monitor circuitboard isn't mislabeled as Mass Driver Control any + more. + - unknown: + Traitor and Rev-head clowns lose the clumsiness gene + - this should make trying to flash people in Rev mode less of an exercise in + frustration. + - unknown: + A sink has been added to the Fitness room - this lets you wash dirty + and bloodstained clothing and equipment. + - unknown: Blast doors and firedoors no longer open by just bumping into them. + - unknown: + The bar and kitchen now open onto the same seating area. The old cafeteria + area is now used as a lockerroom to replace the old one which was displaced + by Hydroponics. + - unknown: + The bar now has a space piano with which you can entertain and annoy + the crew. + - unknown: + LIBRARY A library has been added to the station in + the escape arm in order to educate the crew. The new Librarian job is available + to manage it. Crewmembers can request and read books, or write and bind their + own books for upload to a persistent database. + - unknown: + The supply of flashbangs available from Security has been reduced to + cut down on people constantly flashbanging the escape shuttle. + - unknown: + InteliCards are available in various locations to allow the retrieval + of valuable AI personality data in the event of catastrophic station damage. 2010-08-29: /tg/station ss13 team: - - unknown: The Robotics Crate no longer exists. Quartermasters can now order a - MULEbot crate for 20 points, or a Robotics Assembly crate for 10 points. The - latter provides 4 flashes, 3 proximity sensors, two 10k charge power cells and - an electrical toolbox, and requires a roboticist or a head of staff to open. - - unknown: Traitor AIs no longer lose their Law 0 in the event of power loss. - - unknown: Administrators can now toggle the availiabilty of their right-click verbs - to prevent accidental usage while playing. - - unknown: Tool Storage vending machine is now a proper object. (code cleanup) - - unknown: Buckets are now available from autolathes. - - unknown: Four generic remote signaller PDA cartridges are now stocked in the Tool - Storage vending machine. - - unknown: AI status display density adjusted. + - unknown: + The Robotics Crate no longer exists. Quartermasters can now order a + MULEbot crate for 20 points, or a Robotics Assembly crate for 10 points. The + latter provides 4 flashes, 3 proximity sensors, two 10k charge power cells and + an electrical toolbox, and requires a roboticist or a head of staff to open. + - unknown: Traitor AIs no longer lose their Law 0 in the event of power loss. + - unknown: + Administrators can now toggle the availiabilty of their right-click verbs + to prevent accidental usage while playing. + - unknown: Tool Storage vending machine is now a proper object. (code cleanup) + - unknown: Buckets are now available from autolathes. + - unknown: + Four generic remote signaller PDA cartridges are now stocked in the Tool + Storage vending machine. + - unknown: AI status display density adjusted. 2010-08-30: /tg/station ss13 team: - - unknown: PDA user interface has been given a graphical overhaul. Please - report any problems with it on the issue tracker. - - unknown: Personal lockers are once again available in the lockerroom - - unknown: 'BUGFIX: Xenoburger iconstate was accidentally removed in an earlier - revision. This has been fixed.' - - unknown: Some of the default messages have been changed. - - unknown: Additional sprites added for plants and weeds in preparation for an expansion - of Hydroponics. - - unknown: A schema script is now available for setting up the SQL database. + - unknown: + PDA user interface has been given a graphical overhaul. Please + report any problems with it on the issue tracker. + - unknown: Personal lockers are once again available in the lockerroom + - unknown: + "BUGFIX: Xenoburger iconstate was accidentally removed in an earlier + revision. This has been fixed." + - unknown: Some of the default messages have been changed. + - unknown: + Additional sprites added for plants and weeds in preparation for an expansion + of Hydroponics. + - unknown: A schema script is now available for setting up the SQL database. 2010-09-02: /tg/station ss13 team: - - unknown: Ghosts can no longer release the singularity. - - unknown: Sprites added in preparation for a Hydroponics update - - unknown: A decoy AI now spawns in the AI core during Malfunction rounds to reduce - metagaming. - - unknown: libmysql.dll added to distribution. - - unknown: Aircode options restored to default configuration. - - unknown: AIs properly enter powerloss mode if the APC in their area loses equipment - power. - - unknown: Hydroponics crates added to Hydroponics, containing Weed-B-Gone - - unknown: Airlock electrification now actually works properly. - - unknown: Karma database error message updated. - - unknown: Cyborgs choosing the standard module no longer become invisible except - for a pair of glowing red eyes. - - unknown: Aliens now have a hivemind channel, accessed like departmental radio - channels or robot talk with ':a'. - - unknown: Full donut boxes no longer eat whatever item is used on them and disappear. + - unknown: Ghosts can no longer release the singularity. + - unknown: Sprites added in preparation for a Hydroponics update + - unknown: + A decoy AI now spawns in the AI core during Malfunction rounds to reduce + metagaming. + - unknown: libmysql.dll added to distribution. + - unknown: Aircode options restored to default configuration. + - unknown: + AIs properly enter powerloss mode if the APC in their area loses equipment + power. + - unknown: Hydroponics crates added to Hydroponics, containing Weed-B-Gone + - unknown: Airlock electrification now actually works properly. + - unknown: Karma database error message updated. + - unknown: + Cyborgs choosing the standard module no longer become invisible except + for a pair of glowing red eyes. + - unknown: + Aliens now have a hivemind channel, accessed like departmental radio + channels or robot talk with ':a'. + - unknown: Full donut boxes no longer eat whatever item is used on them and disappear. 2010-09-12: /tg/station ss13 team: - - unknown: "New kitchen stuff: New recipes (Meatbread, Cheese, Omelette Du Fromage,\ - \ Muffins), new chef's knife and trays (Spawn in the meat locker) and milk (spawns\ - \ in the fridge). Recipes are as follows:\n\t\t-Cheese: milk on food processor\n\ - \t\t-Cheese wedge: Slice the cheese wheel with the chef's knife\n\t\t-Omelette\ - \ Du Fromage: 2 eggs 2 cheese wedges\n\t\t-Muffin: 2 eggs 1 flour 1 carton of\ - \ milk\n\t\t-Meatbread: 3 meats (whatever meats) 3 flour 3 cheese. Can be sliced.\n\ - \tCheese_amount is actually displayed on the microwave." - - unknown: ' Profession-special radio channels now have color.' - - unknown: ' AI card not retardedly lethal anymore, for anyone that didn''t notice' - - unknown: ' HYDROPONICS OVERHAUL, credit goes to Skie and Numbers. Wood doesn''t - have the entity so the tower caps cannot be harvested. For now.' - - unknown: ' Bar is now barman-only, access-wise. No more shall the entire station - trump inside the bar and choke the monkey.' - - unknown: ' Prepping ground for Barman update (SPRITE ME SOME GODDAMN BOTTLES)' + - unknown: + "New kitchen stuff: New recipes (Meatbread, Cheese, Omelette Du Fromage,\ + \ Muffins), new chef's knife and trays (Spawn in the meat locker) and milk (spawns\ + \ in the fridge). Recipes are as follows:\n\t\t-Cheese: milk on food processor\n\ + \t\t-Cheese wedge: Slice the cheese wheel with the chef's knife\n\t\t-Omelette\ + \ Du Fromage: 2 eggs 2 cheese wedges\n\t\t-Muffin: 2 eggs 1 flour 1 carton of\ + \ milk\n\t\t-Meatbread: 3 meats (whatever meats) 3 flour 3 cheese. Can be sliced.\n\ + \tCheese_amount is actually displayed on the microwave." + - unknown: " Profession-special radio channels now have color." + - unknown: " AI card not retardedly lethal anymore, for anyone that didn't notice" + - unknown: + " HYDROPONICS OVERHAUL, credit goes to Skie and Numbers. Wood doesn't + have the entity so the tower caps cannot be harvested. For now." + - unknown: + " Bar is now barman-only, access-wise. No more shall the entire station + trump inside the bar and choke the monkey." + - unknown: " Prepping ground for Barman update (SPRITE ME SOME GODDAMN BOTTLES)" 2010-09-13: /tg/station ss13 team: - - unknown: ' Bunch of new announcer sounds added' - - unknown: ' Minor lag fix implementation in the pipe system' - - unknown: ' You can now hear ghosts... sometimes' - - unknown: ' Seed bags and nutrients can now be pocketed' + - unknown: " Bunch of new announcer sounds added" + - unknown: " Minor lag fix implementation in the pipe system" + - unknown: " You can now hear ghosts... sometimes" + - unknown: " Seed bags and nutrients can now be pocketed" 2010-09-16: /tg/station ss13 team: - - unknown: Added the Lawyer job. - - unknown: Doors can now be constructed and deconstructed. This is being playtested, - expect the specifics to change. - - unknown: Fixed certain jobs which were supposed to have stuff spawning in their - backpack that just wasn't getting spawned. + - unknown: Added the Lawyer job. + - unknown: + Doors can now be constructed and deconstructed. This is being playtested, + expect the specifics to change. + - unknown: + Fixed certain jobs which were supposed to have stuff spawning in their + backpack that just wasn't getting spawned. 2010-09-17: /tg/station ss13 team: - - unknown: The Lawyer now starts in his snazzy new office. - - unknown: Law Office accesslevel added. Currently, the Lawyer and the HoP begin - with this. - - unknown: Robotics access can now be added or removed from the HoP's computer. - - unknown: Robotics, the captain's quarters, the cargo lobby and the staff heads - office now have APCs and can lose power like the rest of the station. - - unknown: Toxins mixing room is now a separate area for power and fire alarm purposes, - as it already had its own APC. + - unknown: The Lawyer now starts in his snazzy new office. + - unknown: + Law Office accesslevel added. Currently, the Lawyer and the HoP begin + with this. + - unknown: Robotics access can now be added or removed from the HoP's computer. + - unknown: + Robotics, the captain's quarters, the cargo lobby and the staff heads + office now have APCs and can lose power like the rest of the station. + - unknown: + Toxins mixing room is now a separate area for power and fire alarm purposes, + as it already had its own APC. 2010-09-21: /tg/station ss13 team: - - unknown: New experimental UI for humans by Skie. Voice out if it has problems - or you don't like it. - - unknown: 'Hydroponics: Now you can inject chemicals into plants with a syringe. - Every reagent works differently.' - - unknown: 'Hydroponics: Added a small hoe for uprooting weeds safely. Botanists - now have sissy aprons.' - - unknown: New random station/command names and verbs. - - unknown: Dead AIs can no longer be intellicarded and the steal AI objective is - now working. - - unknown: Aliens now bleed when you hit them, as well as monkeys. - - unknown: Hurt people and bodies leave blood behind if dragged around when they - are lying. Sprites to be updated soon... - - unknown: Fixed several run-time errors in the code. Also food doesn't deal damage - anylonger in some cases. - - unknown: Blobs and alien weeds slowed down some. Plant-b-gone buffed some. - - unknown: Fixed monkeys and aliens not being able to deal damage to humans with - items. - - unknown: Monkeys now slip on wet floor. + - unknown: + New experimental UI for humans by Skie. Voice out if it has problems + or you don't like it. + - unknown: + "Hydroponics: Now you can inject chemicals into plants with a syringe. + Every reagent works differently." + - unknown: + "Hydroponics: Added a small hoe for uprooting weeds safely. Botanists + now have sissy aprons." + - unknown: New random station/command names and verbs. + - unknown: + Dead AIs can no longer be intellicarded and the steal AI objective is + now working. + - unknown: Aliens now bleed when you hit them, as well as monkeys. + - unknown: + Hurt people and bodies leave blood behind if dragged around when they + are lying. Sprites to be updated soon... + - unknown: + Fixed several run-time errors in the code. Also food doesn't deal damage + anylonger in some cases. + - unknown: Blobs and alien weeds slowed down some. Plant-b-gone buffed some. + - unknown: + Fixed monkeys and aliens not being able to deal damage to humans with + items. + - unknown: Monkeys now slip on wet floor. 2010-09-26: /tg/station ss13 team: - - unknown: Riot shields! One in every security closet, and a few in armory. Also - orderable from QM. + - unknown: + Riot shields! One in every security closet, and a few in armory. Also + orderable from QM. 2010-09-29: /tg/station ss13 team: - - unknown: Bartender update! Bartender now has a Booze-O-Mat vending machine - dispensing spirits and glasses, which he can use to mix cocktails. Recipes - for cocktails are available on the wiki. - - unknown: The barman also now has a shotgun hidden under a table in the bar. He - spawns with beanbag shells and blanks. Lethal ammo is obtainable from hacked - autolathes. - - unknown: Dead AIs can once more be intelicarded, however in order to be restored - to functionality they must be repaired using a machine in the RD office. - - unknown: Silicon-based lifeforms have metal gibs and motor oil instead of blood. - - unknown: Aliens now have a death message. - - unknown: Intelicarded AIs can now have their ability to interact with things within - their view range reactivated by the person carrying the card. - - unknown: New AI cores can be constructed from victimsvolunteers. - - unknown: Verbs tweaked. - - unknown: Intelicarded AIs can be deleted. - - unknown: RD office redesigned, and the RD now spawns there. - - unknown: The AI can now choose to destroy the station on winning a Malf round. - - unknown: General bugfixes to AIs, constructed AIs and decoy AIs. - - unknown: Hats no longer prevent choking. - - unknown: Some extra gimmick costumes are now adminspawnable. - - unknown: AI health is now displayed on their status tab. - - unknown: AI upload module now requires you to select which AI to upload laws to - in case of multiple AIs. - - unknown: Cyborgs now choose an AI to sync laws with upon creation. - - unknown: Law office redesigned. - - unknown: Roboticists no longer have Engineering access. - - unknown: More fixes to areas which had infinite power due to having no assosciated - APC. - - unknown: Meatbread slices are no longer infinite. - - unknown: Malf rounds no longer end if a non-malfunctioning AI is killed. - - unknown: Cigarettes now have directional sprites. - - unknown: AI Core circuitboard spawns in the RD office. - - unknown: AI Satellite now has cameras and properly-wired SMES batteries. - - unknown: Decoy AIs can no longer be moved. - - unknown: Several runtime errors have been fixed. - - unknown: Nuke rounds will now end properly on a station or neutral victory. - - unknown: Riot shields have been nerfed and are now only available in the armory - and in riot crates. - - unknown: Foam dart crossbows, cap guns and caps can now be won as arcade prizes. - - unknown: AI Malfunction has been redesigned - the AI must now hack APCs in order - to win. More APCs hacked makes the timer tick faster. - - unknown: Hydroponics now has a MULEbot station. - - unknown: Changeling mode has been added to the game and is now in testing. - - unknown: Electrified airlocks should now only zap you once if you bump into - them while running. - - unknown: Chemistry and Toxins access has been removed from Botanists. - - unknown: General bugfixes and map tweaks. + - unknown: + Bartender update! Bartender now has a Booze-O-Mat vending machine + dispensing spirits and glasses, which he can use to mix cocktails. Recipes + for cocktails are available on the wiki. + - unknown: + The barman also now has a shotgun hidden under a table in the bar. He + spawns with beanbag shells and blanks. Lethal ammo is obtainable from hacked + autolathes. + - unknown: + Dead AIs can once more be intelicarded, however in order to be restored + to functionality they must be repaired using a machine in the RD office. + - unknown: Silicon-based lifeforms have metal gibs and motor oil instead of blood. + - unknown: Aliens now have a death message. + - unknown: + Intelicarded AIs can now have their ability to interact with things within + their view range reactivated by the person carrying the card. + - unknown: New AI cores can be constructed from victimsvolunteers. + - unknown: Verbs tweaked. + - unknown: Intelicarded AIs can be deleted. + - unknown: RD office redesigned, and the RD now spawns there. + - unknown: The AI can now choose to destroy the station on winning a Malf round. + - unknown: General bugfixes to AIs, constructed AIs and decoy AIs. + - unknown: Hats no longer prevent choking. + - unknown: Some extra gimmick costumes are now adminspawnable. + - unknown: AI health is now displayed on their status tab. + - unknown: + AI upload module now requires you to select which AI to upload laws to + in case of multiple AIs. + - unknown: Cyborgs now choose an AI to sync laws with upon creation. + - unknown: Law office redesigned. + - unknown: Roboticists no longer have Engineering access. + - unknown: + More fixes to areas which had infinite power due to having no assosciated + APC. + - unknown: Meatbread slices are no longer infinite. + - unknown: Malf rounds no longer end if a non-malfunctioning AI is killed. + - unknown: Cigarettes now have directional sprites. + - unknown: AI Core circuitboard spawns in the RD office. + - unknown: AI Satellite now has cameras and properly-wired SMES batteries. + - unknown: Decoy AIs can no longer be moved. + - unknown: Several runtime errors have been fixed. + - unknown: Nuke rounds will now end properly on a station or neutral victory. + - unknown: + Riot shields have been nerfed and are now only available in the armory + and in riot crates. + - unknown: Foam dart crossbows, cap guns and caps can now be won as arcade prizes. + - unknown: + AI Malfunction has been redesigned - the AI must now hack APCs in order + to win. More APCs hacked makes the timer tick faster. + - unknown: Hydroponics now has a MULEbot station. + - unknown: Changeling mode has been added to the game and is now in testing. + - unknown: + Electrified airlocks should now only zap you once if you bump into + them while running. + - unknown: Chemistry and Toxins access has been removed from Botanists. + - unknown: General bugfixes and map tweaks. 2010-10-05: /tg/station ss13 team: - - unknown: Fixes to various nonworking cocktails. - - unknown: More map and runtime error fixes. - - unknown: Nuke operative headsets should be on an unreachable frequency like department - headsets. - - unknown: 'Another AI Malfunction change: Now once the AI thinks enough APCs have - been hacked, it must press a button to start the timer, which alerts the station - to its treachery.' - - unknown: Blob reskinned to magma and increased in power. - - unknown: The HoS now has an armored greatcoat instead of a regular armor vest. - - unknown: Admin logs now show who killswitched a cyborg. - - unknown: The roboticist terminal now lets you see which AI a cyborg is linked - to. - - unknown: Malf AIs are no longer treated as inactive for the purpose of law updates - and cyborg sync while hacking APCs. - - unknown: Traitor AIs are now affected by Reset/Purge/Asimov modules, except law - 0. - - unknown: AI core construction sprites updated. - - unknown: Securitrons removed from the Thunderdome. - - unknown: An APC now supplies power to the bomb testing area, and has external - cabling to supply it in turn. - - unknown: A new variant freeform module has been added to the AI Upload room. - - unknown: The changeling's neurotoxic dart has been made more powerful - this will - likely be an optional upgrade from a set of choices, akin to wizard spells. - - unknown: Some gimmick clothes moved to a different object path. - - unknown: The chameleon jumpsuit should now be more useful - it includes job-specific - jumpsuits as well as flat colours. + - unknown: Fixes to various nonworking cocktails. + - unknown: More map and runtime error fixes. + - unknown: + Nuke operative headsets should be on an unreachable frequency like department + headsets. + - unknown: + "Another AI Malfunction change: Now once the AI thinks enough APCs have + been hacked, it must press a button to start the timer, which alerts the station + to its treachery." + - unknown: Blob reskinned to magma and increased in power. + - unknown: The HoS now has an armored greatcoat instead of a regular armor vest. + - unknown: Admin logs now show who killswitched a cyborg. + - unknown: + The roboticist terminal now lets you see which AI a cyborg is linked + to. + - unknown: + Malf AIs are no longer treated as inactive for the purpose of law updates + and cyborg sync while hacking APCs. + - unknown: + Traitor AIs are now affected by Reset/Purge/Asimov modules, except law + 0. + - unknown: AI core construction sprites updated. + - unknown: Securitrons removed from the Thunderdome. + - unknown: + An APC now supplies power to the bomb testing area, and has external + cabling to supply it in turn. + - unknown: A new variant freeform module has been added to the AI Upload room. + - unknown: + The changeling's neurotoxic dart has been made more powerful - this will + likely be an optional upgrade from a set of choices, akin to wizard spells. + - unknown: Some gimmick clothes moved to a different object path. + - unknown: + The chameleon jumpsuit should now be more useful - it includes job-specific + jumpsuits as well as flat colours. 2010-10-06: /tg/station ss13 team: - - unknown: Fixed the Librarian's suit - its worn iconstate wasn't set. - - unknown: Fixed some typos. - - unknown: Monkey crates are now available from the quartermasters for 20 points. - - unknown: Corpse props removed from zlevel 8 as they were causing issues with admin - tools and the communications intercept. - - unknown: Cleaned up the default config.txt - - unknown: Added a readme.txt with installation instructions. - - unknown: Changed the ban appeals link to point to our forums for now - this'll - be a config file setting soon. + - unknown: Fixed the Librarian's suit - its worn iconstate wasn't set. + - unknown: Fixed some typos. + - unknown: Monkey crates are now available from the quartermasters for 20 points. + - unknown: + Corpse props removed from zlevel 8 as they were causing issues with admin + tools and the communications intercept. + - unknown: Cleaned up the default config.txt + - unknown: Added a readme.txt with installation instructions. + - unknown: + Changed the ban appeals link to point to our forums for now - this'll + be a config file setting soon. 2010-10-10: /tg/station ss13 team: - - unknown: Scrubbers in the area can be controlled by air alarms. Air alarm interface - must be unlocked with an ID card (minimum access level - atmospheric technician), - usable only by humans and AI. Panic syphon drains the air from affected room - (simple syphoning does too, but much slower). - - unknown: Sleeper consoles inject soporific and track the amounts of rejuvination - chemicals and sleep toxins in occupants bloodstream. - - unknown: Flashlights can be used to check if mob is dead, blind or has certain - superpower. Aim for the eyes. - - unknown: Radiation collectors and collector controls can be moved. Secured\unsecured - with a wrench. - - unknown: Air sensors report nitrogen and carbon dioxide in air composition(if - set to). - - unknown: Air Control console in Toxins. - - unknown: Additional DNA console in genetics - - unknown: Enough equipment to build another singularity engine can be found in - engineering secure storage - - unknown: Air scrubber, vent and air alarm added to library - - unknown: Air alarm added to brig - - unknown: Air scrubbers in Toxins turned on, set to filter toxins - - unknown: Empty tanks, portable air pumps and similar can be filled with air in - Aft Primary Hallway, just connect them to the port. Target pressure is set by - Mixed Air Supply console in Atmospherics (defaults to 4000kPa). + - unknown: + Scrubbers in the area can be controlled by air alarms. Air alarm interface + must be unlocked with an ID card (minimum access level - atmospheric technician), + usable only by humans and AI. Panic syphon drains the air from affected room + (simple syphoning does too, but much slower). + - unknown: + Sleeper consoles inject soporific and track the amounts of rejuvination + chemicals and sleep toxins in occupants bloodstream. + - unknown: + Flashlights can be used to check if mob is dead, blind or has certain + superpower. Aim for the eyes. + - unknown: + Radiation collectors and collector controls can be moved. Secured\unsecured + with a wrench. + - unknown: + Air sensors report nitrogen and carbon dioxide in air composition(if + set to). + - unknown: Air Control console in Toxins. + - unknown: Additional DNA console in genetics + - unknown: + Enough equipment to build another singularity engine can be found in + engineering secure storage + - unknown: Air scrubber, vent and air alarm added to library + - unknown: Air alarm added to brig + - unknown: Air scrubbers in Toxins turned on, set to filter toxins + - unknown: + Empty tanks, portable air pumps and similar can be filled with air in + Aft Primary Hallway, just connect them to the port. Target pressure is set by + Mixed Air Supply console in Atmospherics (defaults to 4000kPa). 2010-10-13: /tg/station ss13 team: - - unknown: Crawling through vents (alien) now takes time. The farther destination - vent is, the more time it takes. - - unknown: Cryo cell healing ability depends on wound severity. Grave wounds will - heal slower. Use proper chemicals to speed up the process. - - unknown: 'Added sink to the medbay. ' - - unknown: "Bugfixes:\n \t
        \n \t
      • - Some reagents were\ - \ not metabolized, remaining in mob indefinitely (this includes Space Cola,\ - \ Cryoxadone and cocktails Kahlua, Irish Cream and The Manly Dorf).
      • \n \ - \
      • - Fixed placement bug with container contents window. Also,\ - \ utility belt window now doesn't obscure view.
      • \n\t\t
      \n " + - unknown: + Crawling through vents (alien) now takes time. The farther destination + vent is, the more time it takes. + - unknown: + Cryo cell healing ability depends on wound severity. Grave wounds will + heal slower. Use proper chemicals to speed up the process. + - unknown: "Added sink to the medbay. " + - unknown: + "Bugfixes:\n \t
        \n \t
      • - Some reagents were\ + \ not metabolized, remaining in mob indefinitely (this includes Space Cola,\ + \ Cryoxadone and cocktails Kahlua, Irish Cream and The Manly Dorf).
      • \n \ + \
      • - Fixed placement bug with container contents window. Also,\ + \ utility belt window now doesn't obscure view.
      • \n\t\t
      \n " 2010-10-18: /tg/station ss13 team: - - unknown: Added virology profession with a cosy lab in northwestern part of medbay. - - unknown: Virology related things, like taking blood samples, making vaccines, - splashing contagious blood all over the station and so on. - - unknown: Added one pathetic disease. - - unknown: Virus crates are now available from the quartermasters for 20 points. - - unknown: 'The DNA console bug (issue #40) was fixed, but I still made the DNA - pod to lock itself while mutating someone.' - - unknown: Added icons for unpowered CheMaster and Pandemic computers - - unknown: Added some sign decals. The icons were already there, but unused for - reasons unknown. - - unknown: Some map-related changes. + - unknown: Added virology profession with a cosy lab in northwestern part of medbay. + - unknown: + Virology related things, like taking blood samples, making vaccines, + splashing contagious blood all over the station and so on. + - unknown: Added one pathetic disease. + - unknown: Virus crates are now available from the quartermasters for 20 points. + - unknown: + "The DNA console bug (issue #40) was fixed, but I still made the DNA + pod to lock itself while mutating someone." + - unknown: Added icons for unpowered CheMaster and Pandemic computers + - unknown: + Added some sign decals. The icons were already there, but unused for + reasons unknown. + - unknown: Some map-related changes. 2010-10-28: /tg/station ss13 team: - - unknown: Sleepers and disposals now require two seconds to climb inside - - unknown: Hydroponics crate ordered in QMs doesnt spawn too many items - - unknown: Replacement lights crate can be ordered in QM. - - unknown: Added space cleaner and hand labeler to Virology. - - unknown: Welder fuel tanks now explode when you try to refuel a lit welder. - - unknown: Made clown's mask work as a gas mask. - - unknown: '9 new cocktails: Irish Coffee, B-52, Margarita, Long Island Iced Tea, - Whiskey Soda, Black Russian, Manhattan, Vodka and Tonic, Gin Fizz. Refer to - the wiki for the recipes.' - - unknown: "Kitchen update:\n \t
        \n
      • -New Microwave\ - \ Recipies: Carrot Cake (3 Flour, 3 egg, 1 milk, 1 Carrot), Soylen Viridians\ - \ (3 flour, 1 soybeans), Eggplant Parmigania (2 cheese, 1 eggplant), and Jelly\ - \ Donuts (1 flour, 1 egg, 1 Berry Jam), Regular Cake (3 flour, 3 egg, 1 milk),\ - \ Cheese Cake (3 flour, 3 egg, 1 milk), Meat Pies (1 meat of any kind, 2 flour),\ - \ Wing Fang Chu (1 soysauce, 1 xeno meat), and Human and Monkey Kabob (2 human\ - \ or monkey meat, metal rods).
      • \n
      • - Ingredients from Processor:\ - \ Soysauce, Coldsauce, Soylent Green, Berry Jam.
      • \n
      • - Sink\ - \ added to kitchen to clean all the inevitable blood stains and as preperation\ - \ for future cooking changes.
      • \n
      • - The food processor can't\ - \ be abused to make tons of food now.
      • \n \n\t\t
      \n " - - unknown: "Multiple tweaks to virology and diseases:\n \t
        \n\ - \t
      • - Added wizarditis disease.
      • \n
      • - Spaceacillin no\ - \ longer heals all viruses.
      • \n
      • - Some diseases must be cured\ - \ with two or more chemicals simultaneously.
      • \n\t
      • - New Virology\ - \ design including an airlock and quarantine chambers.
      • \n\t
      • - Made\ - \ vaccine bottles contain 3 portions of vaccine.
      • \n
      • - Lots\ - \ of minor bug fixes.
      • \n \n\t\t
      \n \n" + - unknown: Sleepers and disposals now require two seconds to climb inside + - unknown: Hydroponics crate ordered in QMs doesnt spawn too many items + - unknown: Replacement lights crate can be ordered in QM. + - unknown: Added space cleaner and hand labeler to Virology. + - unknown: Welder fuel tanks now explode when you try to refuel a lit welder. + - unknown: Made clown's mask work as a gas mask. + - unknown: + "9 new cocktails: Irish Coffee, B-52, Margarita, Long Island Iced Tea, + Whiskey Soda, Black Russian, Manhattan, Vodka and Tonic, Gin Fizz. Refer to + the wiki for the recipes." + - unknown: + "Kitchen update:\n \t
        \n
      • -New Microwave\ + \ Recipies: Carrot Cake (3 Flour, 3 egg, 1 milk, 1 Carrot), Soylen Viridians\ + \ (3 flour, 1 soybeans), Eggplant Parmigania (2 cheese, 1 eggplant), and Jelly\ + \ Donuts (1 flour, 1 egg, 1 Berry Jam), Regular Cake (3 flour, 3 egg, 1 milk),\ + \ Cheese Cake (3 flour, 3 egg, 1 milk), Meat Pies (1 meat of any kind, 2 flour),\ + \ Wing Fang Chu (1 soysauce, 1 xeno meat), and Human and Monkey Kabob (2 human\ + \ or monkey meat, metal rods).
      • \n
      • - Ingredients from Processor:\ + \ Soysauce, Coldsauce, Soylent Green, Berry Jam.
      • \n
      • - Sink\ + \ added to kitchen to clean all the inevitable blood stains and as preperation\ + \ for future cooking changes.
      • \n
      • - The food processor can't\ + \ be abused to make tons of food now.
      • \n \n\t\t
      \n " + - unknown: + "Multiple tweaks to virology and diseases:\n \t
        \n\ + \t
      • - Added wizarditis disease.
      • \n
      • - Spaceacillin no\ + \ longer heals all viruses.
      • \n
      • - Some diseases must be cured\ + \ with two or more chemicals simultaneously.
      • \n\t
      • - New Virology\ + \ design including an airlock and quarantine chambers.
      • \n\t
      • - Made\ + \ vaccine bottles contain 3 portions of vaccine.
      • \n
      • - Lots\ + \ of minor bug fixes.
      • \n \n\t\t
      \n \n" 2010-11-02: /tg/station ss13 team: - - unknown: Finished work on the "cult" gamemode. I'll still add features to it later, - but it is safe to be put on secret rotation now. - - unknown: Added an energy cutlass and made a pirate version of the space suit in - preparation for a later nuke update. - - unknown: Changeling now ends 15 minutes after changeling death, unless he's ressurected. - - unknown: Further fixing of wizarditis teleporting into space. - - unknown: Fixed the wise beard sprite. - - unknown: Fixed missing sprite for monkeyburgers. - - unknown: Fixed Beepsky automatically adding 2 treason points to EVERYONE. + - unknown: + Finished work on the "cult" gamemode. I'll still add features to it later, + but it is safe to be put on secret rotation now. + - unknown: + Added an energy cutlass and made a pirate version of the space suit in + preparation for a later nuke update. + - unknown: Changeling now ends 15 minutes after changeling death, unless he's ressurected. + - unknown: Further fixing of wizarditis teleporting into space. + - unknown: Fixed the wise beard sprite. + - unknown: Fixed missing sprite for monkeyburgers. + - unknown: Fixed Beepsky automatically adding 2 treason points to EVERYONE. 2010-11-05: /tg/station ss13 team: - - unknown: The ban appeals URL can now be set in config.txt - - unknown: Secret mode default probabilities in config.txt made sane - - unknown: Admin send-to-thunderdome command fixed to no longer send people to the - other team's spawn. - - unknown: Having another disease no longer makes you immune to facehuggers. - - unknown: Magboots are now available from EVA. - - unknown: Changeling death timer shortened. Destroying the changeling's body no - longer stops the death timer. - - unknown: Cult mode fixes. - - unknown: Fixed cyborgs pressing Cancel when choosing AIs. - - unknown: The play MIDIs setting now carries over when ghosting. - - unknown: Admins can now see if a cyborg is emagged via the player panel. - - unknown: "PAPERWORK UPDATE v1: Supply crates contain manifest slips, in\ - \ a later update these will be returnable for supply points.\n\t" - - unknown: The Supply Ordering Console (Request computer in the QM lobby) can now - print requisition forms for ordering crates. In conjunction with the rubber - stamps, these can be used to demonstrate proper authorisation for supply orders. - - unknown: Rubber stamps now spawn for each head of staff. - - unknown: The use of DNA Injectors and fueltank detonations are now admin-logged. - - unknown: Removed old debug code from gib() + - unknown: The ban appeals URL can now be set in config.txt + - unknown: Secret mode default probabilities in config.txt made sane + - unknown: + Admin send-to-thunderdome command fixed to no longer send people to the + other team's spawn. + - unknown: Having another disease no longer makes you immune to facehuggers. + - unknown: Magboots are now available from EVA. + - unknown: + Changeling death timer shortened. Destroying the changeling's body no + longer stops the death timer. + - unknown: Cult mode fixes. + - unknown: Fixed cyborgs pressing Cancel when choosing AIs. + - unknown: The play MIDIs setting now carries over when ghosting. + - unknown: Admins can now see if a cyborg is emagged via the player panel. + - unknown: + "PAPERWORK UPDATE v1: Supply crates contain manifest slips, in\ + \ a later update these will be returnable for supply points.\n\t" + - unknown: + The Supply Ordering Console (Request computer in the QM lobby) can now + print requisition forms for ordering crates. In conjunction with the rubber + stamps, these can be used to demonstrate proper authorisation for supply orders. + - unknown: Rubber stamps now spawn for each head of staff. + - unknown: The use of DNA Injectors and fueltank detonations are now admin-logged. + - unknown: Removed old debug code from gib() 2010-11-14: /tg/station ss13 team: - - unknown: Major food/drink code overhaul. Food items heal for more but not instantly. - Poison, Drug, and "Heat" effects from food items are also non-instant. - - unknown: Preperation for one-way containers and condiments. - - unknown: 'New Reagents: Nutriment, Ketchup, Soysauce, Salt, Pepper, Capsaicin - Oil, Frost Oil, Amatoxin, Psilocybin, Sprinkles' - - unknown: 'New Food Item: Chaos Donut: 1 Hot Sauce + 1 Cold Sauce + 1 Flour + 1 - Egg. Has a variable effect. NOT DEADLY (usually).' - - unknown: 'New Drug: Ethylredoxrazine: Carbon + Oxygen + Anti-Toxin. Binds strongly - with Ethanol.' - - unknown: Tape Recorders added! Now you can actually PROVE someone said something! - - unknown: 'Amospherics Overhaul Started: It actually works now. You can also build - pipes and create function air and disposal systems!' - - unknown: Walls are now smooth. - - unknown: Alcohol no longer gets you as wasted or for as long. - - unknown: QM job split into QM and Cargo Technicians. QM has his own office. - - unknown: Doors can no longer be disassembled unless powered down and unbolted. - - unknown: 'New Job: Chief Medical Officer. Counts as a head of staff and is in - charge of medbay. Has his/her own office and coat.' - - unknown: Wizarditis Bottle no longer in virus crate. + - unknown: + Major food/drink code overhaul. Food items heal for more but not instantly. + Poison, Drug, and "Heat" effects from food items are also non-instant. + - unknown: Preperation for one-way containers and condiments. + - unknown: + "New Reagents: Nutriment, Ketchup, Soysauce, Salt, Pepper, Capsaicin + Oil, Frost Oil, Amatoxin, Psilocybin, Sprinkles" + - unknown: + "New Food Item: Chaos Donut: 1 Hot Sauce + 1 Cold Sauce + 1 Flour + 1 + Egg. Has a variable effect. NOT DEADLY (usually)." + - unknown: + "New Drug: Ethylredoxrazine: Carbon + Oxygen + Anti-Toxin. Binds strongly + with Ethanol." + - unknown: Tape Recorders added! Now you can actually PROVE someone said something! + - unknown: + "Amospherics Overhaul Started: It actually works now. You can also build + pipes and create function air and disposal systems!" + - unknown: Walls are now smooth. + - unknown: Alcohol no longer gets you as wasted or for as long. + - unknown: QM job split into QM and Cargo Technicians. QM has his own office. + - unknown: Doors can no longer be disassembled unless powered down and unbolted. + - unknown: + "New Job: Chief Medical Officer. Counts as a head of staff and is in + charge of medbay. Has his/her own office and coat." + - unknown: Wizarditis Bottle no longer in virus crate. 2010-11-16: /tg/station ss13 team: - - unknown: Cruazy Guest's map is now live. - - unknown: Entire station has been rearranged. - - unknown: Prison Station added, with Prison Shuttle to transport to and from. - - unknown: 'New Job: Warden. Distributes security items.' - - unknown: The new map is still in testing, so please report any bugs or suggestions - you have to the forums. - - unknown: AI Liquid Dispensers, Codename SLIPPER, have been added to the AI core. - They dispense cleaning foam twenty times each with a cooldown of ten seconds - between uses. Mounted flashes have also been included. - - unknown: Clown stamp added to clown's backpack. + - unknown: Cruazy Guest's map is now live. + - unknown: Entire station has been rearranged. + - unknown: Prison Station added, with Prison Shuttle to transport to and from. + - unknown: "New Job: Warden. Distributes security items." + - unknown: + The new map is still in testing, so please report any bugs or suggestions + you have to the forums. + - unknown: + AI Liquid Dispensers, Codename SLIPPER, have been added to the AI core. + They dispense cleaning foam twenty times each with a cooldown of ten seconds + between uses. Mounted flashes have also been included. + - unknown: Clown stamp added to clown's backpack. 2010-11-21: /tg/station ss13 team: - - unknown: Bug fixes, not going into detail. Lots and lots of bug fixes, mostly - regarding the new map - - unknown: CMO has a more obvious lab coat, that looks nicer than the original - - unknown: CMO also has a stamp now - - unknown: QM has a denied stamp - - unknown: Cyborgs got tweaked. Laws only update when checked. Also have wires that - can be toyed - - unknown: Second construction site similar to the original - - unknown: Prison station has been tweaked, now includes a lounge, and toilets - - unknown: Detective's revolver starts with a reasonable number of bullets - - unknown: Prison teleporter to the courtroom now exists - - unknown: 'AI related stuff: More cameras, oh, and bug fixes!' - - unknown: Emergency storage moved - - unknown: Random AI law changes. New law templates, and variables. Old variables - were tweaked and some of the crappy templates were removed - - unknown: Ghosts can teleport to the derelict now - - unknown: Respriting of a bunch of stuff as well as graphical fixes - - unknown: Kitchen is attached to the bar again - - unknown: General map tweaks and fixes - - unknown: Wardens fixed for rev rounds - - unknown: 5-unit pills now work - - unknown: APCs added and moved - - unknown: Cola machine added. Contains various flavours of soda. Also added new - snacks to the now named snack machine. Water cooler added, just apply an empty - glass to it - - unknown: Salt & Pepper have been added, as part of the food overhaul - - unknown: More bug fixes. There was a lot + - unknown: + Bug fixes, not going into detail. Lots and lots of bug fixes, mostly + regarding the new map + - unknown: CMO has a more obvious lab coat, that looks nicer than the original + - unknown: CMO also has a stamp now + - unknown: QM has a denied stamp + - unknown: + Cyborgs got tweaked. Laws only update when checked. Also have wires that + can be toyed + - unknown: Second construction site similar to the original + - unknown: Prison station has been tweaked, now includes a lounge, and toilets + - unknown: Detective's revolver starts with a reasonable number of bullets + - unknown: Prison teleporter to the courtroom now exists + - unknown: "AI related stuff: More cameras, oh, and bug fixes!" + - unknown: Emergency storage moved + - unknown: + Random AI law changes. New law templates, and variables. Old variables + were tweaked and some of the crappy templates were removed + - unknown: Ghosts can teleport to the derelict now + - unknown: Respriting of a bunch of stuff as well as graphical fixes + - unknown: Kitchen is attached to the bar again + - unknown: General map tweaks and fixes + - unknown: Wardens fixed for rev rounds + - unknown: 5-unit pills now work + - unknown: APCs added and moved + - unknown: + Cola machine added. Contains various flavours of soda. Also added new + snacks to the now named snack machine. Water cooler added, just apply an empty + glass to it + - unknown: Salt & Pepper have been added, as part of the food overhaul + - unknown: More bug fixes. There was a lot 2010-12-17: /tg/station ss13 team: - - unknown: You need an agressive grip to table now, as well as being within one - tile of the table (to nerf teletabling). - - unknown: Teleport only runs once at the beginning of the round, hopefully reducing - the lag in wizard rounds. - - unknown: Wizards can't telepot back to their shuttle to afk now. - - unknown: Someone added it a while ago and forgot to update the changelog - syndies - in nuke need to move their shuttle to the station's zlevel first. - - unknown: Bunch of other stuff. + - unknown: + You need an agressive grip to table now, as well as being within one + tile of the table (to nerf teletabling). + - unknown: + Teleport only runs once at the beginning of the round, hopefully reducing + the lag in wizard rounds. + - unknown: Wizards can't telepot back to their shuttle to afk now. + - unknown: + Someone added it a while ago and forgot to update the changelog - syndies + in nuke need to move their shuttle to the station's zlevel first. + - unknown: Bunch of other stuff. 2011-01-08: /tg/station ss13 team: - - unknown: "Holograms (AI controled psudo-mobs) added. Currently only admin spawn.\n\ - \t" - - unknown: "Pre-spawned pills no longer have randomized image.\n\t" - - unknown: "Bridge reorganized.\n\t" - - unknown: "Automated turrets now less dumb. Additionally, turrets won't target\ - \ people laying down.\n\t" - - unknown: "Cultists now automatically start known words for add cultist ritual.\ - \ Also, converted cultists start knowning a word.\n\t" - - unknown: "Supply ship no longer can transport monkeys. Also, monkeys are no longer\ - \ orderable from QM.\n\t" - - unknown: "Meat Crate added to QM.\n\t" - - unknown: "Corn can now be blended in a blender to produce corn oil which is used\ - \ to create glycern.\n\t" - - unknown: "Request Consoles added across the station. Can be used to request things\ - \ from departments (and slightly easier to notice then the radio).\n\t" - - unknown: "Centcom reoragnized a fair bit. Not that players care but admins might\ - \ enjoy it.\n\t" - - unknown: "There is now a toggable verb that changes whether you'll turn into an\ - \ alium or not.\n\t" - - unknown: "Hair sprited modified.\n\t" - - unknown: "Napalm and Incendiary Grenades both work now. Have fun setting things\ - \ on fire.\n\t" - - unknown: "Binary Translater traitor item added. It allows traitors to hear the\ - \ AI (it functions like a headset).\n\t" - - unknown: "New Disease: Pierrot's Throat. Enjoy, HONK!\n\t" - - unknown: "Robotic Transformation (from Robrugers) and Xenomorph Transformation\ - \ (from xenoburgers) now curable.\n\t" - - unknown: "Mining added. Only accessible by admins (and those sent by admins).\ - \ Very much WIP.\n\t" - - unknown: "Alium Overhaul. Divided into multiple castes with distinct abilities.\n\ - \t" - - unknown: "New AI Modules: The goody two-shoes P.A.L.A.D.I.N. module and it's evil\ - \ twin T.Y.R.A.N.T. Only the former actually spawns on the station.\n\t" - - unknown: "Lizards added. They run away and shit.\n\t" - - unknown: "PDA overhaul. Doesn't change anything for humans, just makes coders\ - \ happy.\n\t" - - unknown: "Firesuits redone to look less like pajamas and instead like firesuits.\ - \ Fire lockers also added.\n\t" - - unknown: "New Mecha: H.O.N.K.\n\t" - - unknown: "Deployable barriers added. Can be locked and unlocked.\n\t" - - unknown: "Mecha bay (with recharging stations) added.\n\t" - - unknown: "Bunny Ears, Security Backpacks, Medical Backpacks, Clown Backpacks,\ - \ and skirt added.\n\t" - - unknown: "Various wizard changes. New Wizard Spell: Mind Swap. Swap your mind\ - \ with the targets. Be careful, however: You may lose one of your spells. Wizards\ - \ are no longer part of the crew and get a random name like the AI does. Wizards\ - \ can change their known spells with their spellbook but only while on the wizard\ - \ shuttle.\n\t" - - unknown: "Circuit Imprinter: Using disks from the various deparments, new circuit\ - \ boards and AI modules can be produced.\n\t" - - unknown: "Heat Exchanging pipes added and various pipe/atmos changes.\n\t" - - unknown: 'Ghost/Observer teleport now works 100% of the time. + - unknown: + "Holograms (AI controled psudo-mobs) added. Currently only admin spawn.\n\ + \t" + - unknown: "Pre-spawned pills no longer have randomized image.\n\t" + - unknown: "Bridge reorganized.\n\t" + - unknown: + "Automated turrets now less dumb. Additionally, turrets won't target\ + \ people laying down.\n\t" + - unknown: + "Cultists now automatically start known words for add cultist ritual.\ + \ Also, converted cultists start knowning a word.\n\t" + - unknown: + "Supply ship no longer can transport monkeys. Also, monkeys are no longer\ + \ orderable from QM.\n\t" + - unknown: "Meat Crate added to QM.\n\t" + - unknown: + "Corn can now be blended in a blender to produce corn oil which is used\ + \ to create glycern.\n\t" + - unknown: + "Request Consoles added across the station. Can be used to request things\ + \ from departments (and slightly easier to notice then the radio).\n\t" + - unknown: + "Centcom reoragnized a fair bit. Not that players care but admins might\ + \ enjoy it.\n\t" + - unknown: + "There is now a toggable verb that changes whether you'll turn into an\ + \ alium or not.\n\t" + - unknown: "Hair sprited modified.\n\t" + - unknown: + "Napalm and Incendiary Grenades both work now. Have fun setting things\ + \ on fire.\n\t" + - unknown: + "Binary Translater traitor item added. It allows traitors to hear the\ + \ AI (it functions like a headset).\n\t" + - unknown: "New Disease: Pierrot's Throat. Enjoy, HONK!\n\t" + - unknown: + "Robotic Transformation (from Robrugers) and Xenomorph Transformation\ + \ (from xenoburgers) now curable.\n\t" + - unknown: + "Mining added. Only accessible by admins (and those sent by admins).\ + \ Very much WIP.\n\t" + - unknown: + "Alium Overhaul. Divided into multiple castes with distinct abilities.\n\ + \t" + - unknown: + "New AI Modules: The goody two-shoes P.A.L.A.D.I.N. module and it's evil\ + \ twin T.Y.R.A.N.T. Only the former actually spawns on the station.\n\t" + - unknown: "Lizards added. They run away and shit.\n\t" + - unknown: + "PDA overhaul. Doesn't change anything for humans, just makes coders\ + \ happy.\n\t" + - unknown: + "Firesuits redone to look less like pajamas and instead like firesuits.\ + \ Fire lockers also added.\n\t" + - unknown: "New Mecha: H.O.N.K.\n\t" + - unknown: "Deployable barriers added. Can be locked and unlocked.\n\t" + - unknown: "Mecha bay (with recharging stations) added.\n\t" + - unknown: + "Bunny Ears, Security Backpacks, Medical Backpacks, Clown Backpacks,\ + \ and skirt added.\n\t" + - unknown: + "Various wizard changes. New Wizard Spell: Mind Swap. Swap your mind\ + \ with the targets. Be careful, however: You may lose one of your spells. Wizards\ + \ are no longer part of the crew and get a random name like the AI does. Wizards\ + \ can change their known spells with their spellbook but only while on the wizard\ + \ shuttle.\n\t" + - unknown: + "Circuit Imprinter: Using disks from the various deparments, new circuit\ + \ boards and AI modules can be produced.\n\t" + - unknown: "Heat Exchanging pipes added and various pipe/atmos changes.\n\t" + - unknown: "Ghost/Observer teleport now works 100% of the time. - ' + " 2011-01-14: /tg/station ss13 team: - - unknown: "Changlings Overhauled. Now function kinda like alium (using an internal\ - \ chemical reserve instead of plasma) with each ability requiring a certain\ - \ amount of chemicals to activate. Both venoms removed. Several \"Dart\" abiliites\ - \ added. They allow the changling to deafen, blind, mute, paralyze, or even\ - \ transform (dead) targets.\n\t" - - unknown: "Carp meat now contaminated with Carpotoxin. Anti-toxin negates the poison,\ - \ however.\n\t" - - unknown: "New Reagent: Zombie Powder: Puts subjects into a deathlike state (they\ - \ remain aware, though). Each unit of Zombie Powder requires 5 units of Carpotoxin,\ - \ Sleeping Toxin, and Copper.\n\t" - - unknown: "Various alium fixes.\n\t" - - unknown: "Matches now available from smokes machine.\n\t" - - unknown: "Megabomb bug fixed. Bombs with timers/signalers won't detonate after\ - \ the timer/ signaler is removed.\n\t" - - unknown: "New Disease: Rhumba Beat. Functions like GBS with a few exceptions.\ - \ Not only available by admindickery.\n\t" - - unknown: "More mining fixes/changes.\n\t" - - unknown: "Ghost can now teleport to AI sat, Thunderdome, and Derelict.\n\t" - - unknown: "New gimmick clothes\n\t" - - unknown: "Constructing Glass Airlocks now use one sheet of R.Glass.\n\t" - - unknown: "Windows mow always appear above grills and pipes always above lattices.\n\ - \t" - - unknown: "Added FireFighter mecha and various mecha fixes.\n\t" - - unknown: "Deconstructed walls now leave proper floor tiles (that can be pried\ - \ up like normal) and remember what kind of floor they were before the wall\ - \ was made.\n\t" - - unknown: "Carded AIs no longer take damage while in unpowered areas.\n\t" - - unknown: "Chaplains can now name their religion at round start.\n\t" - - unknown: "New Recipies: Clown Burger (1 Clown wig, 5 flour), Mime Burger (1 beret,\ - \ 5 flour), Cuban Carp (1 carp fillet, 1 chili, 5 flour).\n\t" - - unknown: "Napalm nerfed a bit. Produces ~25% less plasma but it's all concentrated\ - \ in a single tile (will still spread, though).\n\t" - - unknown: "Reagent bottles can, once again, be put into grenades.\n\t" - - unknown: 'Various minor map changes. + - unknown: + "Changlings Overhauled. Now function kinda like alium (using an internal\ + \ chemical reserve instead of plasma) with each ability requiring a certain\ + \ amount of chemicals to activate. Both venoms removed. Several \"Dart\" abiliites\ + \ added. They allow the changling to deafen, blind, mute, paralyze, or even\ + \ transform (dead) targets.\n\t" + - unknown: + "Carp meat now contaminated with Carpotoxin. Anti-toxin negates the poison,\ + \ however.\n\t" + - unknown: + "New Reagent: Zombie Powder: Puts subjects into a deathlike state (they\ + \ remain aware, though). Each unit of Zombie Powder requires 5 units of Carpotoxin,\ + \ Sleeping Toxin, and Copper.\n\t" + - unknown: "Various alium fixes.\n\t" + - unknown: "Matches now available from smokes machine.\n\t" + - unknown: + "Megabomb bug fixed. Bombs with timers/signalers won't detonate after\ + \ the timer/ signaler is removed.\n\t" + - unknown: + "New Disease: Rhumba Beat. Functions like GBS with a few exceptions.\ + \ Not only available by admindickery.\n\t" + - unknown: "More mining fixes/changes.\n\t" + - unknown: "Ghost can now teleport to AI sat, Thunderdome, and Derelict.\n\t" + - unknown: "New gimmick clothes\n\t" + - unknown: "Constructing Glass Airlocks now use one sheet of R.Glass.\n\t" + - unknown: + "Windows mow always appear above grills and pipes always above lattices.\n\ + \t" + - unknown: "Added FireFighter mecha and various mecha fixes.\n\t" + - unknown: + "Deconstructed walls now leave proper floor tiles (that can be pried\ + \ up like normal) and remember what kind of floor they were before the wall\ + \ was made.\n\t" + - unknown: "Carded AIs no longer take damage while in unpowered areas.\n\t" + - unknown: "Chaplains can now name their religion at round start.\n\t" + - unknown: + "New Recipies: Clown Burger (1 Clown wig, 5 flour), Mime Burger (1 beret,\ + \ 5 flour), Cuban Carp (1 carp fillet, 1 chili, 5 flour).\n\t" + - unknown: + "Napalm nerfed a bit. Produces ~25% less plasma but it's all concentrated\ + \ in a single tile (will still spread, though).\n\t" + - unknown: "Reagent bottles can, once again, be put into grenades.\n\t" + - unknown: "Various minor map changes. - ' + " 2011-01-20: /tg/station ss13 team: - - unknown: "Pipes can now be removed and re-attached by wrenching them.\n\t" - - unknown: "Mining system continues to develop. Still unaccessible to players.\n\ - \t" - - unknown: "Various map changes. Some minor lag causing things were fixed.\n\t" - - unknown: "Admins have a new tool: They can now give any spell to anyone. Hurray!\n\ - \t" - - unknown: "Imadolazine now works. Maybe?\n\t" - - unknown: "Singularity now releases itself if fed too much and will potentially\ - \ explode.\n\t" - - unknown: "Magboots now successfully prevent you from getting pulled into the singularity.\n\ - \t" - - unknown: "Strike teams immune to facehuggers. Why? I dunno.\n\t" - - unknown: "Many reagent containers are adjustable so you can pour the exact amount\ - \ you need.\n\t" - - unknown: "No more emitters working in space, Collectors and collector controllers\ - \ now ID lockable.\n\t" - - unknown: "Christmas Contest plaque finally added. It's near the armor/warden's\ - \ office.\n\t" - - unknown: "Rocks fall, everyone dies.\n\t" - - unknown: "All cyborgs and robots can now be named. Just use a pen on the cyborg's\ - \ frame before the brain is inserted.\n\t" - - unknown: "Knock spell now unbolts doors as well as opens them.\n\t" - - unknown: "New cultist runs and other changes.\n\t" - - unknown: "Added surgery tools for eventual surgery system.\n\t" - - unknown: "Autolathe and Circuit Printer animations redone. Yay pretty icons.\n\ - \t" - - unknown: "AI law changes/uploads are now tracked (admin viewable).\n\t" - - unknown: "Revheads now get a PDA uplink instead of a headset one.\n\t" - - unknown: "Added a penlight.\n\t" - - unknown: 'Science Research and Development tech tree uploaded. Not really accessible - by anyone yet, though. + - unknown: "Pipes can now be removed and re-attached by wrenching them.\n\t" + - unknown: + "Mining system continues to develop. Still unaccessible to players.\n\ + \t" + - unknown: "Various map changes. Some minor lag causing things were fixed.\n\t" + - unknown: + "Admins have a new tool: They can now give any spell to anyone. Hurray!\n\ + \t" + - unknown: "Imadolazine now works. Maybe?\n\t" + - unknown: + "Singularity now releases itself if fed too much and will potentially\ + \ explode.\n\t" + - unknown: + "Magboots now successfully prevent you from getting pulled into the singularity.\n\ + \t" + - unknown: "Strike teams immune to facehuggers. Why? I dunno.\n\t" + - unknown: + "Many reagent containers are adjustable so you can pour the exact amount\ + \ you need.\n\t" + - unknown: + "No more emitters working in space, Collectors and collector controllers\ + \ now ID lockable.\n\t" + - unknown: + "Christmas Contest plaque finally added. It's near the armor/warden's\ + \ office.\n\t" + - unknown: "Rocks fall, everyone dies.\n\t" + - unknown: + "All cyborgs and robots can now be named. Just use a pen on the cyborg's\ + \ frame before the brain is inserted.\n\t" + - unknown: "Knock spell now unbolts doors as well as opens them.\n\t" + - unknown: "New cultist runs and other changes.\n\t" + - unknown: "Added surgery tools for eventual surgery system.\n\t" + - unknown: + "Autolathe and Circuit Printer animations redone. Yay pretty icons.\n\ + \t" + - unknown: "AI law changes/uploads are now tracked (admin viewable).\n\t" + - unknown: "Revheads now get a PDA uplink instead of a headset one.\n\t" + - unknown: "Added a penlight.\n\t" + - unknown: + "Science Research and Development tech tree uploaded. Not really accessible + by anyone yet, though. - ' + " 2011-02-05: /tg/station ss13 team: - - unknown: "This really needs to be updated more often.\n\t" - - unknown: "Various map updates have been applied with many more to come. Expect\ - \ overhauls! \n\t" - - unknown: "Mining system nearing completion.\n\t" - - unknown: "Massive overhaul to the electricity systems, the way singularity makes\ - \ power, and various related functions.\n\t" - - unknown: "Mime spawns with White Gloves instead of Latex Gloves (apparently there's\ - \ a difference!)\n\t" - - unknown: "A new event has been- CLANG! What the fuck was that?\n\t" - - unknown: "Ion storm laws should be much more interesting.\n\t" - - unknown: "Security reports should no longer list traitor heads/AIs as possible\ - \ revs/cultists, nor should nuke operatives ever get named for anything.\n\t" - - unknown: "Pens are much more versatile and user friendly.\n\t" - - unknown: "Mech building is rapidly on its way! Ripleys can be built, consult your\ - \ quartermasters.\n\t" - - unknown: "Traitors now have several new things they can steal.\n\t" - - unknown: "Some surgeries coded to accompany the new operating room and surgery\ - \ tools.\n\t" - - unknown: "Research and Design is continuing development and should be rolled out\ - \ shortly.\n\t" - - unknown: 'Various sprites added, tweaked, scrapped and fixed. + - unknown: "This really needs to be updated more often.\n\t" + - unknown: + "Various map updates have been applied with many more to come. Expect\ + \ overhauls! \n\t" + - unknown: "Mining system nearing completion.\n\t" + - unknown: + "Massive overhaul to the electricity systems, the way singularity makes\ + \ power, and various related functions.\n\t" + - unknown: + "Mime spawns with White Gloves instead of Latex Gloves (apparently there's\ + \ a difference!)\n\t" + - unknown: "A new event has been- CLANG! What the fuck was that?\n\t" + - unknown: "Ion storm laws should be much more interesting.\n\t" + - unknown: + "Security reports should no longer list traitor heads/AIs as possible\ + \ revs/cultists, nor should nuke operatives ever get named for anything.\n\t" + - unknown: "Pens are much more versatile and user friendly.\n\t" + - unknown: + "Mech building is rapidly on its way! Ripleys can be built, consult your\ + \ quartermasters.\n\t" + - unknown: "Traitors now have several new things they can steal.\n\t" + - unknown: + "Some surgeries coded to accompany the new operating room and surgery\ + \ tools.\n\t" + - unknown: + "Research and Design is continuing development and should be rolled out\ + \ shortly.\n\t" + - unknown: "Various sprites added, tweaked, scrapped and fixed. - ' + " 2011-02-06: /tg/station ss13 team: - - unknown: "Jesus christ it's a new map what the fuck\n\t" - - unknown: "Just kidding, it's only minor changes to medbay/mechbay/cybernetics/R&D/toxins/robotics/chapel/theatre\n\ - \t" - - unknown: "Okay so there's too many changes to list completely, but basically:\ - \ toxins/R&D/virology/xenobiology are south through medbay; robotics/cybernetics/mechbay\ - \ are where toxins used to be, the theatre and chapel are above medbay.\n\t" - - unknown: "Theatre is a new place for the Clown and Mime to play, there are some\ - \ costumes available, a stage and backstage, and seating for the audience.\n\ - \t" - - unknown: "R&D and Toxins have been combined together. R&D is still work\ - \ in progress. You need to head south through medbay to get there.\n\t" - - unknown: "Medbay has been re-arranged slightly. Honestly, it's nothing, I bet\ - \ you won't even notice anything different. There's also a new surgery suite,\ - \ complete with pre-op and post-op rooms. \n\t" - - unknown: "Virology's been rearranged, but it is mostly in the same place still.\n\ - \t" - - unknown: "Xenobiology is work in progress. [There's some fun stuff still being\ - \ coded]\n\t" - - unknown: "The Chapel is now to the north. You'll probably be thinking something\ - \ like \"Goddamn, this place is fucking huge\", but it's actually smaller than\ - \ the previous chapel.\n\t" - - unknown: "Robotics and related stuff is also work in progress - however, everything\ - \ needed for making borgs is there. Note: de-braining will now be done by surgeons\ - \ in medbay, rather than roboticists in robotics, in case you're wondering where\ - \ your optable went.\n\t" - - unknown: "I added color-coded pipes in the areas I was working on. Red pipes run\ - \ from air siphons and feed into the waste loop; blue pipes run from air vents\ - \ and pump whatever atmos is set to pump. Yeah, there's TWO pipe networks on\ - \ the station, who knew? Well, some of you probably did, but I didn't!\n\t" - - unknown: "Please bring all complaints/ideas/suggestions/bugfixes to:
      This\ - \ awesome thread on our forums\n\t" - - unknown: 'This update brought to you by: veyveyr and Rookie, with help from friends! - [Now you know who to strangle, please be gentle q_q] + - unknown: "Jesus christ it's a new map what the fuck\n\t" + - unknown: + "Just kidding, it's only minor changes to medbay/mechbay/cybernetics/R&D/toxins/robotics/chapel/theatre\n\ + \t" + - unknown: + "Okay so there's too many changes to list completely, but basically:\ + \ toxins/R&D/virology/xenobiology are south through medbay; robotics/cybernetics/mechbay\ + \ are where toxins used to be, the theatre and chapel are above medbay.\n\t" + - unknown: + "Theatre is a new place for the Clown and Mime to play, there are some\ + \ costumes available, a stage and backstage, and seating for the audience.\n\ + \t" + - unknown: + "R&D and Toxins have been combined together. R&D is still work\ + \ in progress. You need to head south through medbay to get there.\n\t" + - unknown: + "Medbay has been re-arranged slightly. Honestly, it's nothing, I bet\ + \ you won't even notice anything different. There's also a new surgery suite,\ + \ complete with pre-op and post-op rooms. \n\t" + - unknown: + "Virology's been rearranged, but it is mostly in the same place still.\n\ + \t" + - unknown: + "Xenobiology is work in progress. [There's some fun stuff still being\ + \ coded]\n\t" + - unknown: + "The Chapel is now to the north. You'll probably be thinking something\ + \ like \"Goddamn, this place is fucking huge\", but it's actually smaller than\ + \ the previous chapel.\n\t" + - unknown: + "Robotics and related stuff is also work in progress - however, everything\ + \ needed for making borgs is there. Note: de-braining will now be done by surgeons\ + \ in medbay, rather than roboticists in robotics, in case you're wondering where\ + \ your optable went.\n\t" + - unknown: + "I added color-coded pipes in the areas I was working on. Red pipes run\ + \ from air siphons and feed into the waste loop; blue pipes run from air vents\ + \ and pump whatever atmos is set to pump. Yeah, there's TWO pipe networks on\ + \ the station, who knew? Well, some of you probably did, but I didn't!\n\t" + - unknown: + "Please bring all complaints/ideas/suggestions/bugfixes to: This\ + \ awesome thread on our forums\n\t" + - unknown: + "This update brought to you by: veyveyr and Rookie, with help from friends! + [Now you know who to strangle, please be gentle q_q] - ' + " 2011-02-08: /tg/station ss13 team: - - unknown: "The amount of power the station uses should be lower.\n\t" - - unknown: "The singularity now changes size based upon how much energy it has\n\ - \t" - - unknown: "New Machine: Particle Accelerator.\n\t" - - unknown: "It might need a better name/sprite but when put together properly and\ - \ turned on it will shoot Accelerated Particles.\n\t" - - unknown: "The particles irradiate mobs who get in the way and move through solid\ - \ objects for a short time.\n\t" - - unknown: "The Particle Accelerator parts are set up by using a Wrench followed\ - \ by a Cable Coil, then finished with a screwdriver.\n\t" - - unknown: "When you shoot the Singularity Generator with Accelerated Particles\ - \ it will spawn a Singularity.\n\t" - - unknown: 'New layout for Engineering, might be changed up slightly in the next - few days. + - unknown: "The amount of power the station uses should be lower.\n\t" + - unknown: + "The singularity now changes size based upon how much energy it has\n\ + \t" + - unknown: "New Machine: Particle Accelerator.\n\t" + - unknown: + "It might need a better name/sprite but when put together properly and\ + \ turned on it will shoot Accelerated Particles.\n\t" + - unknown: + "The particles irradiate mobs who get in the way and move through solid\ + \ objects for a short time.\n\t" + - unknown: + "The Particle Accelerator parts are set up by using a Wrench followed\ + \ by a Cable Coil, then finished with a screwdriver.\n\t" + - unknown: + "When you shoot the Singularity Generator with Accelerated Particles\ + \ it will spawn a Singularity.\n\t" + - unknown: + "New layout for Engineering, might be changed up slightly in the next + few days. - ' + " 2011-02-11: /tg/station ss13 team: - - unknown: "Headsets upgraded. Shortcuts for channels are: :command :security scie:nce\ - \ :engineering :medical. Also there is :binary :whisper :traitor and old good\ - \ :h for your department.\n\t" - - unknown: "\"One Click Queue\" added: When you quickly click on two things in a\ - \ row, it will automatically queue the second click and execute it after the\ - \ default 'action delay' of 1 second after the first click. Previously you had\ - \ to spam-click until 1 second had passed. THIS AFFECTS EVERYTHING. NEEDS\ - \ TESTING. - Skie\n\t" - - unknown: "EMP effects added for further revisions. - Darem\n\t" - - unknown: "Goon stuff removed, AI/Bots leave behind hidden fingerprints, firedoors\ - \ fixed, powersinks eat more, small map changes. - Mport\n\t" - - unknown: "Big map changes in engineering/robotics/science wing. - errorage\n\t" - - unknown: "Welder Fixed. Now burns your eyes again. - errorage\n\t" - - unknown: "9x9 singularity sprite added. - Skie/Mport\n\t" - - unknown: "Ghetto surgery added. - Neophyte\n\t" - - unknown: "Nasty vent pump lag fixed. - Neophyte\n\t" - - unknown: 'Mech gameplay and building updates. - ConstantA + - unknown: + "Headsets upgraded. Shortcuts for channels are: :command :security scie:nce\ + \ :engineering :medical. Also there is :binary :whisper :traitor and old good\ + \ :h for your department.\n\t" + - unknown: + "\"One Click Queue\" added: When you quickly click on two things in a\ + \ row, it will automatically queue the second click and execute it after the\ + \ default 'action delay' of 1 second after the first click. Previously you had\ + \ to spam-click until 1 second had passed. THIS AFFECTS EVERYTHING. NEEDS\ + \ TESTING. - Skie\n\t" + - unknown: "EMP effects added for further revisions. - Darem\n\t" + - unknown: + "Goon stuff removed, AI/Bots leave behind hidden fingerprints, firedoors\ + \ fixed, powersinks eat more, small map changes. - Mport\n\t" + - unknown: "Big map changes in engineering/robotics/science wing. - errorage\n\t" + - unknown: "Welder Fixed. Now burns your eyes again. - errorage\n\t" + - unknown: "9x9 singularity sprite added. - Skie/Mport\n\t" + - unknown: "Ghetto surgery added. - Neophyte\n\t" + - unknown: "Nasty vent pump lag fixed. - Neophyte\n\t" + - unknown: "Mech gameplay and building updates. - ConstantA - ' + " 2011-02-12: /tg/station ss13 team: - - unknown: Added Durand combat exosuit. - - unknown: Players can modify operation permissions of newly constructed civilian - mechs. Click on mech with ID card or PDA with ID inside. - - unknown: Added robotics access to default mecha maintenance permissions (all mechs) - and operation permissions (civilian models only). - - unknown: Fixed double adminlog message of explosion proc. - - unknown: Fixed accidental mecha wreckage deletion. - - unknown: Tweaked mecha internal fire processing. - - unknown: Added some mecha-related sounds. - - unknown: Moved GaussRand to helpers.dm and added GaussRandRound helper proc. - - unknown: Other small changes. + - unknown: Added Durand combat exosuit. + - unknown: + Players can modify operation permissions of newly constructed civilian + mechs. Click on mech with ID card or PDA with ID inside. + - unknown: + Added robotics access to default mecha maintenance permissions (all mechs) + and operation permissions (civilian models only). + - unknown: Fixed double adminlog message of explosion proc. + - unknown: Fixed accidental mecha wreckage deletion. + - unknown: Tweaked mecha internal fire processing. + - unknown: Added some mecha-related sounds. + - unknown: Moved GaussRand to helpers.dm and added GaussRandRound helper proc. + - unknown: Other small changes. 2011-02-14: /tg/station team: - - unknown: ' Valentine''s day' + - unknown: " Valentine's day" ConstantA: - - unknown: Slight speed up for combat mechs.. - - unknown: Added H.O.N.K construction - - unknown: Fixed bug with switching intent while in mecha. + - unknown: Slight speed up for combat mechs.. + - unknown: Added H.O.N.K construction + - unknown: Fixed bug with switching intent while in mecha. Errorage: - - unknown: New Job! - Shaft Miners have finally been - added and are available to play. - - unknown: Mining outpost - A new mining outpost has - been built, the mining dock on SS13 has been updated. + - unknown: + New Job! - Shaft Miners have finally been + added and are available to play. + - unknown: + Mining outpost - A new mining outpost has + been built, the mining dock on SS13 has been updated. 2011-02-15: /tg/station team: - - unknown: ' Tuesday' + - unknown: " Tuesday" Errorage: - - unknown: Mining station will now charge properly. - - unknown: Duffle bags (Money bags) can now be emptied. + - unknown: Mining station will now charge properly. + - unknown: Duffle bags (Money bags) can now be emptied. Rastaf0: - - unknown: Added radio channels and headsets for miners (:h or :d - ("diggers" lol)) and for cargo techs (:h or :q ) - - unknown: Added a personal headsets to HoP and QM. - - unknown: Aliens now attack bots instead of opening control window. - - unknown: All bots can be damaged and repaired. - - unknown: All bots are effected to EMP now. - - unknown: Atmos now starts with nitrous oxide in storage tank. + - unknown: + Added radio channels and headsets for miners (:h or :d + ("diggers" lol)) and for cargo techs (:h or :q ) + - unknown: Added a personal headsets to HoP and QM. + - unknown: Aliens now attack bots instead of opening control window. + - unknown: All bots can be damaged and repaired. + - unknown: All bots are effected to EMP now. + - unknown: Atmos now starts with nitrous oxide in storage tank. Veyveyr: - - unknown: New look for the pipe dispenser. + - unknown: New look for the pipe dispenser. 2011-02-18: /tg/station team: - - unknown: ' Friday' + - unknown: " Friday" AtomicTroop: - - unknown: Mail Sorter job added. - - unknown: Disposal system redone to allow for package transfers. - Packages are routed to mail sorter room and then routed to the rest of the station - - unknown: Disposal area moved. Old disposal area now just an incinerator and - a small disposal into space. - - unknown: New wrapping paper for sending packages. - 'Darem updates:': - - unknown: Research and Development system is LIVE. - Scientists can now research new advancements in technology. Not much can be - made, right now, but the system is there. Technologies are researched by shoving - items into the destructive analyzer. Circuit Imprinter, Destructive Analyzer, - and Protolathe are controlled from the R&D console. - - unknown: Autolathe, Protolathe, Destructive Analyzer, and Circuit Imprinter - can now be built, taken apart, and upgraded. The basic frame for all of the - above requires 5 metal. + - unknown: Mail Sorter job added. + - unknown: + Disposal system redone to allow for package transfers. + Packages are routed to mail sorter room and then routed to the rest of the station + - unknown: + Disposal area moved. Old disposal area now just an incinerator and + a small disposal into space. + - unknown: New wrapping paper for sending packages. + "Darem updates:": + - unknown: + Research and Development system is LIVE. + Scientists can now research new advancements in technology. Not much can be + made, right now, but the system is there. Technologies are researched by shoving + items into the destructive analyzer. Circuit Imprinter, Destructive Analyzer, + and Protolathe are controlled from the R&D console. + - unknown: + Autolathe, Protolathe, Destructive Analyzer, and Circuit Imprinter + can now be built, taken apart, and upgraded. The basic frame for all of the + above requires 5 metal. Errorage: - - unknown: New look for the bio suits. (Biosuit and hood sprites by Cheridan) - - unknown: New radiation suits added along with radiation hoods and masks. Must - wear complete set to get full protection. + - unknown: New look for the bio suits. (Biosuit and hood sprites by Cheridan) + - unknown: + New radiation suits added along with radiation hoods and masks. Must + wear complete set to get full protection. Rastaf0: - - unknown: Binary translator cost reduced to 1 telecrystal. - 'Veyveyr updates:': - - unknown: New machine frame sprite. - - unknown: Braincase sprites for mechs added. Not actually used, yet. + - unknown: Binary translator cost reduced to 1 telecrystal. + "Veyveyr updates:": + - unknown: New machine frame sprite. + - unknown: Braincase sprites for mechs added. Not actually used, yet. 2011-02-20: /tg/station team: - - unknown: ' Sunday' + - unknown: " Sunday" Darem: - - unknown: Mass Spectrometer added to R&D. Load it with a syringe of blood - and it will tell you the chemicals in it. Low reliability devices may yield - false information. - - unknown: Not all devices have a 100% reliability now. - - unknown: Miners now have access to mint foyer and loading area. Only captain - has access to the vault. - - unknown: More stuff can be analyzed in the destructive analyzer, protolathe - can produce intelicards. + - unknown: + Mass Spectrometer added to R&D. Load it with a syringe of blood + and it will tell you the chemicals in it. Low reliability devices may yield + false information. + - unknown: Not all devices have a 100% reliability now. + - unknown: + Miners now have access to mint foyer and loading area. Only captain + has access to the vault. + - unknown: + More stuff can be analyzed in the destructive analyzer, protolathe + can produce intelicards. Errorage: - - unknown: Slight updates to processing unit and stacking machine at the mining - outpost. - - unknown: Digging now yields sand, which can be smelted into glass. - - unknown: Stacking machine can now stack reinforced metal, regular and reinforced - glass too. - - unknown: Engineers now have two copies of the singularity safety manual. + - unknown: + Slight updates to processing unit and stacking machine at the mining + outpost. + - unknown: Digging now yields sand, which can be smelted into glass. + - unknown: + Stacking machine can now stack reinforced metal, regular and reinforced + glass too. + - unknown: Engineers now have two copies of the singularity safety manual. Neo: - - unknown: Magboots now have a verb toggle like jumpsuit sensors. - - unknown: Jumpsuit sensors are now in all jumpsuits, except tactical turtlenecks. - - unknown: Tweaks to the AI report at round start. - - unknown: Syndi-cakes now heal traitors/rev heads/etc much more than anyone - else. - - unknown: Containment fields zap once again. - - unknown: Fire damage meter no longer lies about fire damage. + - unknown: Magboots now have a verb toggle like jumpsuit sensors. + - unknown: Jumpsuit sensors are now in all jumpsuits, except tactical turtlenecks. + - unknown: Tweaks to the AI report at round start. + - unknown: + Syndi-cakes now heal traitors/rev heads/etc much more than anyone + else. + - unknown: Containment fields zap once again. + - unknown: Fire damage meter no longer lies about fire damage. Rastaf0: - - unknown: Added blast door button to atmospherics. - - unknown: Toxins timer-igniter assemblies fixed. - - unknown: Engineering secure storage expanded. - - unknown: Added singularity telescreen. + - unknown: Added blast door button to atmospherics. + - unknown: Toxins timer-igniter assemblies fixed. + - unknown: Engineering secure storage expanded. + - unknown: Added singularity telescreen. 2011-02-23: /tg/station team: - - unknown: ' Red Army Day' + - unknown: " Red Army Day" Errorage: - - unknown: Added cloning manual. (Written by Perapsam) + - unknown: Added cloning manual. (Written by Perapsam) K0000: - - unknown: Cult mode updates. - - unknown: You can now read the arcane tome. It contains a simple guide for making - runes. - - unknown: Converting people doesnt give them word knowledge. - - unknown: Sacrifice monkeys or humans to gain new words. - - unknown: Total number of rune words set to 10 - - unknown: Some minor bugfixes. + - unknown: Cult mode updates. + - unknown: + You can now read the arcane tome. It contains a simple guide for making + runes. + - unknown: Converting people doesnt give them word knowledge. + - unknown: Sacrifice monkeys or humans to gain new words. + - unknown: Total number of rune words set to 10 + - unknown: Some minor bugfixes. Neo: - - unknown: Fixed the 'be syndicate' choice to actually work on nuke rounds. - - unknown: Syndicates no longer win if they detonate the nuke - on their ship. + - unknown: Fixed the 'be syndicate' choice to actually work on nuke rounds. + - unknown: + Syndicates no longer win if they detonate the nuke + on their ship. Rastaf0: - - unknown: Secbot interface updated. - - unknown: Syringe auto-toggels mode when full. - - unknown: Captain's flask volume increased. + - unknown: Secbot interface updated. + - unknown: Syringe auto-toggels mode when full. + - unknown: Captain's flask volume increased. Uhangi: - - unknown: Antitox and Inaprovaline now mixable via chemistry. - - unknown: Explosive Ordinance Disosal (EOD) suits added to armory and security. - - unknown: Large beaker now holds 100 units of chemicals. (code by Slith) + - unknown: Antitox and Inaprovaline now mixable via chemistry. + - unknown: Explosive Ordinance Disosal (EOD) suits added to armory and security. + - unknown: Large beaker now holds 100 units of chemicals. (code by Slith) 2011-02-24: /tg/station team: - - unknown: ' Thursday' + - unknown: " Thursday" Darem: - - unknown: Lighting code fixed for mining and thermite. - - unknown: R&D instruction manual added to the R&D lab. - - unknown: Fixed R&D disk commands not working. - - unknown: Added portable power generators which run on solid plasma. - - unknown: You can now set the numer of coins to produce in the mint. - - unknown: Added two more portable power generators to R&D. + - unknown: Lighting code fixed for mining and thermite. + - unknown: R&D instruction manual added to the R&D lab. + - unknown: Fixed R&D disk commands not working. + - unknown: Added portable power generators which run on solid plasma. + - unknown: You can now set the numer of coins to produce in the mint. + - unknown: Added two more portable power generators to R&D. Deeyach: - - unknown: New uniform for roboticists + - unknown: New uniform for roboticists Errorage: - - unknown: Slight mapping change to arrival hallway. + - unknown: Slight mapping change to arrival hallway. Neo: - - unknown: Game speed increased - - unknown: Mining stacking machine no longer devours stacks larger than 1 sheet - (it was only increasing its stock by 1 when given a stacked stack) - - unknown: Stackable uranium ore added (a better sprite is needed, contributions - are welcome) - - unknown: Made Meteor gamemode actually do stuff - - unknown: Made a bigger class of meteor - - unknown: 'New R&D item: Advanced Energy Gun' - - unknown: Law priority clarified with regards to ion laws and law 0. + - unknown: Game speed increased + - unknown: + Mining stacking machine no longer devours stacks larger than 1 sheet + (it was only increasing its stock by 1 when given a stacked stack) + - unknown: + Stackable uranium ore added (a better sprite is needed, contributions + are welcome) + - unknown: Made Meteor gamemode actually do stuff + - unknown: Made a bigger class of meteor + - unknown: "New R&D item: Advanced Energy Gun" + - unknown: Law priority clarified with regards to ion laws and law 0. Uhangi: - - unknown: New red bomb suit for security. + - unknown: New red bomb suit for security. Veyveyr: - - unknown: Minor mapping fixes + - unknown: Minor mapping fixes 2011-03-02: /tg/station team: - - unknown: ' Wednesday' + - unknown: " Wednesday" ConstantA: - - unknown: Added mecha control console and mecha tracking beacons. - - unknown: Some changes to gygax construction. + - unknown: Added mecha control console and mecha tracking beacons. + - unknown: Some changes to gygax construction. Darem: - - unknown: R&D minor bugfixes. - - unknown: AI computer can now be deconstructed (right click and select 'accessinternals'). - - unknown: Server room updated, added server equipment to use with R&D. - - unknown: Wizard and ghost teleport lists are now in alphabetical order, ghosts - can now teleport to the mining station. - - unknown: Rightclicking and examining a constructable frame now tells you what - parts still need to be finished. - - unknown: Large grenades added to R&D. + - unknown: R&D minor bugfixes. + - unknown: AI computer can now be deconstructed (right click and select 'accessinternals'). + - unknown: Server room updated, added server equipment to use with R&D. + - unknown: + Wizard and ghost teleport lists are now in alphabetical order, ghosts + can now teleport to the mining station. + - unknown: + Rightclicking and examining a constructable frame now tells you what + parts still need to be finished. + - unknown: Large grenades added to R&D. Deeyach: - - unknown: Mining given to the CE. (Reverted by Errorage) - - unknown: Clowns can now pick a new name upon entering the game (like wizards - previously). + - unknown: Mining given to the CE. (Reverted by Errorage) + - unknown: + Clowns can now pick a new name upon entering the game (like wizards + previously). Errorage: - - unknown: Mapping updates including Atmospherics department map fixes, CE's - office and some lights being added here and there. - - unknown: Mining once again given to the quartermaster and - HoP. The CE has no business with mining. - - unknown: Removed the overstuffed Atmos/Engineering supply room. - - unknown: Replaced all 'engineering' doors in mining with maintenance doors - as they were causing confusion as to which department mining belongs to. - - unknown: The incinerator is now maintenance access only. + - unknown: + Mapping updates including Atmospherics department map fixes, CE's + office and some lights being added here and there. + - unknown: + Mining once again given to the quartermaster and + HoP. The CE has no business with mining. + - unknown: Removed the overstuffed Atmos/Engineering supply room. + - unknown: + Replaced all 'engineering' doors in mining with maintenance doors + as they were causing confusion as to which department mining belongs to. + - unknown: The incinerator is now maintenance access only. Neo: - - unknown: New look for the advanced energy gun. (Sprite by Cheridan) - - unknown: Mech fabricator accepts non-standard materials. - - unknown: Mules accesses fixed, so they can be unlocked once again. - - unknown: Atmospherics department mapping overhaul. (Map by - Hawk_v3) - - unknown: Added more name options to arcade machines. + - unknown: New look for the advanced energy gun. (Sprite by Cheridan) + - unknown: Mech fabricator accepts non-standard materials. + - unknown: Mules accesses fixed, so they can be unlocked once again. + - unknown: + Atmospherics department mapping overhaul. (Map by + Hawk_v3) + - unknown: Added more name options to arcade machines. 2011-03-06: Deeyach: - - unknown: Roboticists now spawn with a lab coat and an engineering pda + - unknown: Roboticists now spawn with a lab coat and an engineering pda Errorage: - - unknown: No. I did not code on my birthday! - - unknown: Windows can now be rotated clockwise and counter clockwise. - - unknown: Window creating process slightly changed to make it easier. - - unknown: Fixed the newly made reinforced windows bug where they weren't properly - unfastened and unscrewed. - - unknown: Examination room has a few windows now. - - unknown: Can you tell I reinstalled Windows? - - unknown: Robotics has health analyzers. - - unknown: Bugfixing. + - unknown: No. I did not code on my birthday! + - unknown: Windows can now be rotated clockwise and counter clockwise. + - unknown: Window creating process slightly changed to make it easier. + - unknown: + Fixed the newly made reinforced windows bug where they weren't properly + unfastened and unscrewed. + - unknown: Examination room has a few windows now. + - unknown: Can you tell I reinstalled Windows? + - unknown: Robotics has health analyzers. + - unknown: Bugfixing. Neo: - - unknown: Neo deserves a medal for all the bugfixing he's - done! --errorage + - unknown: + Neo deserves a medal for all the bugfixing he's + done! --errorage 2011-03-15: /tg/station team: - - unknown: ' International Day Against Police Brutality' + - unknown: " International Day Against Police Brutality" Constanta: - - unknown: Added queueing to fabricator. + - unknown: Added queueing to fabricator. Errorage: - - unknown: Autolathe deconstruction fixed. - - unknown: Atmos Entrance fixed. - - unknown: AI no longer gibs themselves if they click on the singularity. - - unknown: Fixed all the issues I knew of about storage items. - - unknown: Redesigned Assembly line and surrounding maintenance shafts. - - unknown: Redesigned Tech storage. (Map by Veyveyr) + - unknown: Autolathe deconstruction fixed. + - unknown: Atmos Entrance fixed. + - unknown: AI no longer gibs themselves if they click on the singularity. + - unknown: Fixed all the issues I knew of about storage items. + - unknown: Redesigned Assembly line and surrounding maintenance shafts. + - unknown: Redesigned Tech storage. (Map by Veyveyr) Neo: - - unknown: 'New R&D Item: The ''Bag of holding''. (Sprite by Cheridan)' - - unknown: Getting someone out of the cloner now leaves damage, which can only - be fixed in the cryo tube. - - unknown: 'New reagent: Clonexadone, for use with the cryo tube.' - - unknown: Fixed using syringes on plants. + - unknown: "New R&D Item: The 'Bag of holding'. (Sprite by Cheridan)" + - unknown: + Getting someone out of the cloner now leaves damage, which can only + be fixed in the cryo tube. + - unknown: "New reagent: Clonexadone, for use with the cryo tube." + - unknown: Fixed using syringes on plants. Rastaf0: - - unknown: Air alarms upgraded. - - unknown: Fixed problem with AI clicking on mulebot. - - unknown: Airlock controller (as in EVA) now react to commands faster. - - unknown: Fixed toxins mixing airlocks. + - unknown: Air alarms upgraded. + - unknown: Fixed problem with AI clicking on mulebot. + - unknown: Airlock controller (as in EVA) now react to commands faster. + - unknown: Fixed toxins mixing airlocks. TLE: - - unknown: Forum account activation added. Use the 'Activate - Forum Account' verb. + - unknown: + Forum account activation added. Use the 'Activate + Forum Account' verb. 2011-03-18: Deeaych: - - unknown: The exam room has some extra prominence and features. - - unknown: A new costume for the clown or mime to enjoy. - - unknown: Service Cyborgs can be picked! Shaker, dropper, tray, pen, paper, - and DOSH to show their class off. When emagged, the friendly butler-borg is - able to serve up a deadly last meal. - - unknown: It should now be possible to spawn as a cyborg at round start. Spawned - cyborgs have a lower battery life than created cyborgs and begin the round in - the AI Foyer. + - unknown: The exam room has some extra prominence and features. + - unknown: A new costume for the clown or mime to enjoy. + - unknown: + Service Cyborgs can be picked! Shaker, dropper, tray, pen, paper, + and DOSH to show their class off. When emagged, the friendly butler-borg is + able to serve up a deadly last meal. + - unknown: + It should now be possible to spawn as a cyborg at round start. Spawned + cyborgs have a lower battery life than created cyborgs and begin the round in + the AI Foyer. Errorage: - - unknown: You can now use the me command for emotes! It works the same - as say "*custom" set to visible. - - unknown: There is now a wave emote. - - unknown: Enjoy your tea! + - unknown: + You can now use the me command for emotes! It works the same + as say "*custom" set to visible. + - unknown: There is now a wave emote. + - unknown: Enjoy your tea! Rastaf0: - - unknown: Fixed an issue with examining several objects in your hands (such - as beakers). - - unknown: Fixed bug with random last name being empty in rare cases. + - unknown: + Fixed an issue with examining several objects in your hands (such + as beakers). + - unknown: Fixed bug with random last name being empty in rare cases. hunterluthi: - - unknown: It is now possible to make 3x3 sets of tables. - - unknown: Fixed some missplaced grilles/lattices on the port solar. - - unknown: There is now a breakroom for the station and atmos engineers. It has - everything an intelligent young engineer needs. Namely, Cheesy Honkers and arcade - games. + - unknown: It is now possible to make 3x3 sets of tables. + - unknown: Fixed some missplaced grilles/lattices on the port solar. + - unknown: + There is now a breakroom for the station and atmos engineers. It has + everything an intelligent young engineer needs. Namely, Cheesy Honkers and arcade + games. 2011-03-23: /tg/station team: - - unknown: ' World Meteorological Day' + - unknown: " World Meteorological Day" Agouri: - - unknown: New look for the Request consoles. + - unknown: New look for the Request consoles. Errorage: - - unknown: You can now manually add coins into money bags, also fixed money bag - interaction window formatting. - - unknown: QM no longer has access to the entire mining station to stop him from - stealing supplies. - - unknown: New machine loading sprite for mining machinery. (sprites by Cheridan) - - unknown: Added a messanging server to the server room. It'll be used for messanging, - but ignore it for now. - - unknown: The delivery office now requires delivery office access. It's also no - longer called "Construction Zone" - - unknown: Almost all the mecha parts now have sprites. (Sprites by Cheridan) - - unknown: Tinted and frosted glass now look darker. - - unknown: There are now more money sprites. - - unknown: Department closets now contain the correct headsets. + - unknown: + You can now manually add coins into money bags, also fixed money bag + interaction window formatting. + - unknown: + QM no longer has access to the entire mining station to stop him from + stealing supplies. + - unknown: New machine loading sprite for mining machinery. (sprites by Cheridan) + - unknown: + Added a messanging server to the server room. It'll be used for messanging, + but ignore it for now. + - unknown: + The delivery office now requires delivery office access. It's also no + longer called "Construction Zone" + - unknown: Almost all the mecha parts now have sprites. (Sprites by Cheridan) + - unknown: Tinted and frosted glass now look darker. + - unknown: There are now more money sprites. + - unknown: Department closets now contain the correct headsets. Microwave: - - unknown: Bicaridine now heals a lot better than before. - - unknown: Added Diethylamine, Dry Ramen, Hot Ramen, Hell Ramen, Ice, Iced Coffee, - Iced Tea, Hot Chocolate. Each with it's own effects. - - unknown: Re-added pest spray to hydroponics. - - unknown: Carrots now contain a little imidazoline. - - unknown: HoS, Warden and Security Officer starting equipment changed. - - unknown: New crate, which contains armored vests and helmets. Requires security - access, costs 20. - - unknown: Miner lockers now contain meson scanners and mining jumpsuits. - - unknown: 'Food crate now contains milk, instead of faggots. Lightbulb crates cost - reduced to 5. Riot crates cost reduced to 20. Emergency crate contains 2 med - bots instead of floor bots. Hydroponics crate no longer contains weed spray, - pest spray. It''s latex gloves were replaced with leather ones and an apron. ' - - unknown: 'Added chef''s apron (can hold a kitchen knife) and a new service borg - sprite. ' - - unknown: 'Autolathe can now construct kitchen knives. ' - - unknown: 'Biosuit and syndicate space suits can now fit into backpacks. ' - - unknown: 'Mime''s mask can now be used as a gas mask. ' - - unknown: 'Added welding helmet ''off'' sprites. ' + - unknown: Bicaridine now heals a lot better than before. + - unknown: + Added Diethylamine, Dry Ramen, Hot Ramen, Hell Ramen, Ice, Iced Coffee, + Iced Tea, Hot Chocolate. Each with it's own effects. + - unknown: Re-added pest spray to hydroponics. + - unknown: Carrots now contain a little imidazoline. + - unknown: HoS, Warden and Security Officer starting equipment changed. + - unknown: + New crate, which contains armored vests and helmets. Requires security + access, costs 20. + - unknown: Miner lockers now contain meson scanners and mining jumpsuits. + - unknown: + "Food crate now contains milk, instead of faggots. Lightbulb crates cost + reduced to 5. Riot crates cost reduced to 20. Emergency crate contains 2 med + bots instead of floor bots. Hydroponics crate no longer contains weed spray, + pest spray. It's latex gloves were replaced with leather ones and an apron. " + - unknown: + "Added chef's apron (can hold a kitchen knife) and a new service borg + sprite. " + - unknown: "Autolathe can now construct kitchen knives. " + - unknown: "Biosuit and syndicate space suits can now fit into backpacks. " + - unknown: "Mime's mask can now be used as a gas mask. " + - unknown: "Added welding helmet 'off' sprites. " Neo: - - unknown: Fixed PacMan (and affiliates) generator construction. - - unknown: It is now possible to actually eat omelettes with the fork now, instead - of just stabbing yourself (or others) in the eye with it. - - unknown: Welding masks can now be flipped up or down. Note that when they're up - they don't hide your identity or protect you from welding. - - unknown: Reagent based healing should now work properly. - - unknown: Revolver has been balanced and made cheaper. - - unknown: Tasers now effect borgs. - - unknown: Plastic explosives are now bought in single bricks. - - unknown: Nuke team slightly buffed and their uplink updated with recently added - items. - - unknown: Player verbs have been reorganized into tabs. - - unknown: Energy swords now come in blue, green, purple and red. - - unknown: Cameras are now constructable and dismantlable. (Code donated by Powerful - Station 13) - - unknown: Updated the change network verb for AIs. (Code donated by Powerful Station - 13) - - unknown: Added gold, silver and diamond pickaxes to R&D which mine faster. + - unknown: Fixed PacMan (and affiliates) generator construction. + - unknown: + It is now possible to actually eat omelettes with the fork now, instead + of just stabbing yourself (or others) in the eye with it. + - unknown: + Welding masks can now be flipped up or down. Note that when they're up + they don't hide your identity or protect you from welding. + - unknown: Reagent based healing should now work properly. + - unknown: Revolver has been balanced and made cheaper. + - unknown: Tasers now effect borgs. + - unknown: Plastic explosives are now bought in single bricks. + - unknown: + Nuke team slightly buffed and their uplink updated with recently added + items. + - unknown: Player verbs have been reorganized into tabs. + - unknown: Energy swords now come in blue, green, purple and red. + - unknown: + Cameras are now constructable and dismantlable. (Code donated by Powerful + Station 13) + - unknown: + Updated the change network verb for AIs. (Code donated by Powerful Station + 13) + - unknown: Added gold, silver and diamond pickaxes to R&D which mine faster. Rastaf0: - - unknown: Brig cell timers should now tick closer-to-real seconds. - - unknown: New look for food, including meat pie, carrot cake, loaded baked potato, - omelette, pie, xenopie and others. (some sprites by Farart) - - unknown: Hearing in lockers now works as intended. - - unknown: Fixed electronic blink sprite. - - unknown: Added the 'ghost ears' verb, which allows ghosts to not hear anything - but deadcast. + - unknown: Brig cell timers should now tick closer-to-real seconds. + - unknown: + New look for food, including meat pie, carrot cake, loaded baked potato, + omelette, pie, xenopie and others. (some sprites by Farart) + - unknown: Hearing in lockers now works as intended. + - unknown: Fixed electronic blink sprite. + - unknown: + Added the 'ghost ears' verb, which allows ghosts to not hear anything + but deadcast. Veyveyr: - - unknown: Replaced nuke storage with a vault. - - unknown: Redesigned the mint, moved the public autolathe and n2o storage. - - unknown: New look for the coin press. (Sprite by Cheridan) + - unknown: Replaced nuke storage with a vault. + - unknown: Redesigned the mint, moved the public autolathe and n2o storage. + - unknown: New look for the coin press. (Sprite by Cheridan) XSI: - - unknown: New AI core design. - - unknown: HoP now has a coffee machine! + - unknown: New AI core design. + - unknown: HoP now has a coffee machine! 2011-03-26: ConstantA: - - unknown: Removed redundand steps from Gygax and HONK construction. - - unknown: Added some mecha equipment designs to R&D. + - unknown: Removed redundand steps from Gygax and HONK construction. + - unknown: Added some mecha equipment designs to R&D. Microwave: - - unknown: Armor Can hold revolvers, and so can the detective's coat. - - unknown: 'Chef''s apron is going live, it can carry a knife, and has a slight - heat + - unknown: Armor Can hold revolvers, and so can the detective's coat. + - unknown: + "Chef's apron is going live, it can carry a knife, and has a slight + heat - resistance (only slight don''t run into a fire).' - - unknown: Kitty Ears! - - unknown: Various food nutriment changes. - - unknown: Added RIGs to the Mine EVA. - - unknown: Night vision goggles. They have a range of five tiles. - - unknown: 'Added Foods: Very Berry Pie, Tofu Pie, Tofu Kebab.' - - unknown: 'Modified foods: Custard Pie is now banana cream pie.' + resistance (only slight don't run into a fire)." + - unknown: Kitty Ears! + - unknown: Various food nutriment changes. + - unknown: Added RIGs to the Mine EVA. + - unknown: Night vision goggles. They have a range of five tiles. + - unknown: "Added Foods: Very Berry Pie, Tofu Pie, Tofu Kebab." + - unknown: "Modified foods: Custard Pie is now banana cream pie." Rastaf0: - - unknown: Food sprites from Farart - - unknown: 'New food: popcorn (corn in microwave), tofuburger (tofu+flour in microwave), - carpburger (carp meat+floor in microwave)' - - unknown: Medical belts are finally in medbay (credits belong to errorage, I only - added it) - - unknown: Pill bottles now can fit in containers (boxes, medbelts, etc) and in - pockets. - - unknown: Cutting camera now leaves fingerprints. + - unknown: Food sprites from Farart + - unknown: + "New food: popcorn (corn in microwave), tofuburger (tofu+flour in microwave), + carpburger (carp meat+floor in microwave)" + - unknown: + Medical belts are finally in medbay (credits belong to errorage, I only + added it) + - unknown: + Pill bottles now can fit in containers (boxes, medbelts, etc) and in + pockets. + - unknown: Cutting camera now leaves fingerprints. 2011-04-02: /tg/station team: - - unknown: ' International Children''s Book Day' + - unknown: " International Children's Book Day" ConstantA: - - unknown: You can now put Mind-machine-interface (MMI)'d brains into mecha. + - unknown: You can now put Mind-machine-interface (MMI)'d brains into mecha. Errorage: - - unknown: Added smooth lattice. + - unknown: Added smooth lattice. Microwave: - - unknown: New look for the mining cyborg, jackhammer, kitchen sink. - - unknown: Singularity is now enclosed again (still airless tho). - - unknown: Wizard has a new starting area. - - unknown: Chemists and CMOs now have their own jumpsuits. + - unknown: New look for the mining cyborg, jackhammer, kitchen sink. + - unknown: Singularity is now enclosed again (still airless tho). + - unknown: Wizard has a new starting area. + - unknown: Chemists and CMOs now have their own jumpsuits. 2011-04-17: /tg/station team: - - unknown: ' World Hemophilia Day' + - unknown: " World Hemophilia Day" Agouri: - - unknown: 2001 space suits added to AI Satellite! - - unknown: New look for the 2001 space suit. - - unknown: 2001 space suit jetpack added. - - unknown: Improved TRAYS! + - unknown: 2001 space suits added to AI Satellite! + - unknown: New look for the 2001 space suit. + - unknown: 2001 space suit jetpack added. + - unknown: Improved TRAYS! ConstantA: - - unknown: Added mecha DNA-locking. Only the person with matching UE can operate - such mechs. - - unknown: Added two mecha armor booster modules and a repair droid module. - - unknown: Mech fabricator is now buildable. - - unknown: Gygax construction is now reversible. + - unknown: + Added mecha DNA-locking. Only the person with matching UE can operate + such mechs. + - unknown: Added two mecha armor booster modules and a repair droid module. + - unknown: Mech fabricator is now buildable. + - unknown: Gygax construction is now reversible. Deeaych: - - unknown: Updated satchel, bananimum, shovel, jackhammer and pick-in-hand sprites. - - unknown: Many unneeded r-walls removed, detective's office reinforced. - - unknown: Captain armor now acts as a space suit, added a unique captain's space - helmet to captain's quarters. - - unknown: Golems cannot speak, but should be perfectly spawnable. Also added golem - fat sprite. - - unknown: Security borgs have side sprites. + - unknown: Updated satchel, bananimum, shovel, jackhammer and pick-in-hand sprites. + - unknown: Many unneeded r-walls removed, detective's office reinforced. + - unknown: + Captain armor now acts as a space suit, added a unique captain's space + helmet to captain's quarters. + - unknown: + Golems cannot speak, but should be perfectly spawnable. Also added golem + fat sprite. + - unknown: Security borgs have side sprites. Errorage: - - unknown: Shuttle diagonal sprites now work for any kind of floor. - - unknown: You can now make plaques from gold. Place them on a wall and engrave - an epitaph. - - unknown: Placed a single wall tile in the AI satellite so you don't have a clear - LOS of the AI from the door. - - unknown: Added arrivals lobby. (Map by Superxpdude, updated by Microwave) - - unknown: Lattice now connects to the solar shields. - - unknown: Law office maintenance is now connected with Tech storage maintenance. - (Some rewiring dont in the area) - - unknown: Xenobiology now has it's own access level. (Also fixed xeno pen access - and blast doors) - - unknown: You might soon start to see different airlocks and airlock assemblies - around the station. (Sprites donated by Baystation 12) - - unknown: Chemical storage added, discussion on which chemicals it should store - is on the forums. You're welcome to contribute. - - unknown: Hot fires will now melt floors. - - unknown: Added a pair of market stalls south of the teleporter. LET THERE BE CLOWNMART! - - unknown: Screwdrivers and wirecutters can now spawn in different colors. - - unknown: Electrical toolboxes have a 5% chance of spawning a pair of insulated - gloves. A set spawns in tech storage. - - unknown: Oxygen canisters now spawn in emergency storage, near disposal, in the - incinerator and the CE's office. - - unknown: A plasma canister now spawns in toxins, near the maintenance door. - - unknown: Wooden tables now look nicer. + - unknown: Shuttle diagonal sprites now work for any kind of floor. + - unknown: + You can now make plaques from gold. Place them on a wall and engrave + an epitaph. + - unknown: + Placed a single wall tile in the AI satellite so you don't have a clear + LOS of the AI from the door. + - unknown: Added arrivals lobby. (Map by Superxpdude, updated by Microwave) + - unknown: Lattice now connects to the solar shields. + - unknown: + Law office maintenance is now connected with Tech storage maintenance. + (Some rewiring dont in the area) + - unknown: + Xenobiology now has it's own access level. (Also fixed xeno pen access + and blast doors) + - unknown: + You might soon start to see different airlocks and airlock assemblies + around the station. (Sprites donated by Baystation 12) + - unknown: + Chemical storage added, discussion on which chemicals it should store + is on the forums. You're welcome to contribute. + - unknown: Hot fires will now melt floors. + - unknown: Added a pair of market stalls south of the teleporter. LET THERE BE CLOWNMART! + - unknown: Screwdrivers and wirecutters can now spawn in different colors. + - unknown: + Electrical toolboxes have a 5% chance of spawning a pair of insulated + gloves. A set spawns in tech storage. + - unknown: + Oxygen canisters now spawn in emergency storage, near disposal, in the + incinerator and the CE's office. + - unknown: A plasma canister now spawns in toxins, near the maintenance door. + - unknown: Wooden tables now look nicer. HAL: - - unknown: Added air alarm to security checkpoint, added cameras to aux. arrival - docks so the AI can see everything. - - unknown: Added fire alarm, fire locks and air alarm to delivery office. + - unknown: + Added air alarm to security checkpoint, added cameras to aux. arrival + docks so the AI can see everything. + - unknown: Added fire alarm, fire locks and air alarm to delivery office. Matty406: - - unknown: AIs can now feel a little more dorfy. - - unknown: Many ores, both raw and smelted, look much better. + - unknown: AIs can now feel a little more dorfy. + - unknown: Many ores, both raw and smelted, look much better. Microwave: - - unknown: Rabbit ears have a small tail, night vision goggle sprites updated. - - unknown: Space tea has a nice, calming effect. - - unknown: Space drugs? Liberty cap... something like that. Microwave, make your - changelog entries more understandable! - - unknown: Brobot merged with Service Borg with a Rapid Service Fabricator. - - unknown: Arcade machine prizes look and sound realistic once again. - - unknown: 'New arcade toy: Syndicate space suit costume, can hold arcade toys in - suit storage.' - - unknown: Empty cap gun loaders can be recycled in an autolathe. - - unknown: Seizure man has laying down sprites now. Update to wizard den. - - unknown: Mech bay has two more borg chargers. - - unknown: Beepsky is back! - - unknown: Detective's office grille has been electrified. - - unknown: You can now see if someone is wearing an emergency oxygen tank on their - belt on the mob itself. - - unknown: Lexorin - Now deals 3 oxygen damage per tick. Countered with Dexalin - or Dexalin Pkus, which remove 2 units of it from your body per tick. - - unknown: Bilk - Shares the effects of beer and milk. Disgusting! - - unknown: Sugar - Gives nutrition! - - unknown: Arithrazine - Now extremely good against radiation damage. - - unknown: Hyronalin - Stronger radiation removal - - unknown: Space cleaner spray bottles now contain enough cleaner for 50 uses. Making - space cleaner now yields more cleaner. + - unknown: Rabbit ears have a small tail, night vision goggle sprites updated. + - unknown: Space tea has a nice, calming effect. + - unknown: + Space drugs? Liberty cap... something like that. Microwave, make your + changelog entries more understandable! + - unknown: Brobot merged with Service Borg with a Rapid Service Fabricator. + - unknown: Arcade machine prizes look and sound realistic once again. + - unknown: + "New arcade toy: Syndicate space suit costume, can hold arcade toys in + suit storage." + - unknown: Empty cap gun loaders can be recycled in an autolathe. + - unknown: Seizure man has laying down sprites now. Update to wizard den. + - unknown: Mech bay has two more borg chargers. + - unknown: Beepsky is back! + - unknown: Detective's office grille has been electrified. + - unknown: + You can now see if someone is wearing an emergency oxygen tank on their + belt on the mob itself. + - unknown: + Lexorin - Now deals 3 oxygen damage per tick. Countered with Dexalin + or Dexalin Pkus, which remove 2 units of it from your body per tick. + - unknown: Bilk - Shares the effects of beer and milk. Disgusting! + - unknown: Sugar - Gives nutrition! + - unknown: Arithrazine - Now extremely good against radiation damage. + - unknown: Hyronalin - Stronger radiation removal + - unknown: + Space cleaner spray bottles now contain enough cleaner for 50 uses. Making + space cleaner now yields more cleaner. Muskets: - - unknown: Kabobs now return the bar used to make them. + - unknown: Kabobs now return the bar used to make them. Neo: - - unknown: You can now aim guns at body parts, armor and helmets properly protect - you from projectiles. - - unknown: Cat ears now match the hair color of the wearer. - - unknown: Robots can no longer stick their items onto/into things. - - unknown: Meson, thermal and x-ray vision are now modules for borgs. - - unknown: Welding now uses less fuel when on and idle but more when welding. - - unknown: Hopefully fixed the bug when running into airlocks didn't open them and - running into objects didn't push them. + - unknown: + You can now aim guns at body parts, armor and helmets properly protect + you from projectiles. + - unknown: Cat ears now match the hair color of the wearer. + - unknown: Robots can no longer stick their items onto/into things. + - unknown: Meson, thermal and x-ray vision are now modules for borgs. + - unknown: Welding now uses less fuel when on and idle but more when welding. + - unknown: + Hopefully fixed the bug when running into airlocks didn't open them and + running into objects didn't push them. Noise: - - unknown: Thermals and mesons no longer give slightly better night vision. - - unknown: NINJAS! (Too many things to list) - - unknown: Wizards are no longer trackable by the AI when in their den. - - unknown: Removed all old notes, except for the last one. - - unknown: Nuke team now cannot return with their shuttle until the bomb is armed - and counting down. - - unknown: Energy blades can no longer cut through r-walls, walls take 7 seconds - to cut through. - - unknown: Turrets are now destructible. Bash them with stuff when they pop out - or (more likely) die trying. - - unknown: Updated Ripley Mech sprite. + - unknown: Thermals and mesons no longer give slightly better night vision. + - unknown: NINJAS! (Too many things to list) + - unknown: Wizards are no longer trackable by the AI when in their den. + - unknown: Removed all old notes, except for the last one. + - unknown: + Nuke team now cannot return with their shuttle until the bomb is armed + and counting down. + - unknown: + Energy blades can no longer cut through r-walls, walls take 7 seconds + to cut through. + - unknown: + Turrets are now destructible. Bash them with stuff when they pop out + or (more likely) die trying. + - unknown: Updated Ripley Mech sprite. Rastaf0 and Farart: - - unknown: Ghosts should now always properly hear people. - - unknown: Monkeyized people (genetics or jungle fever disease) no longer lose their - genetic mutations and diseases. - - unknown: People who get bitten by monkeys get jungle fever. - - unknown: Most chemicals should now heal and harm humans properly. - - unknown: Many new (and updated) recipes for the microwave including Pizza, Meatball - Soup, Hot Chili and many more. - - unknown: Items should no longer spawn under vendomats and microwaves. - - unknown: Runes are now drawn under doors and tables. - - unknown: Penlights fit in medical belts. - - unknown: People will scream if they get cremated while still alive. - - unknown: Diseases should now properly make you loose health. - - unknown: Monkeys wearing masks now get acid protection too. - - unknown: You should probably turn off your stun baton before washing it. - - unknown: latex loves + short piece of wire + some air from tank = balloon! - - unknown: Kitchen was expanded, also a new look for the kitchen sink. - - unknown: New dishware vending machine - dispenses knives, forks, trays and drinking - glasses. - - unknown: Water cooler was added to kitchen. - - unknown: New uniform - Waiter Outfit. Chef can give it to his assistant. + - unknown: Ghosts should now always properly hear people. + - unknown: + Monkeyized people (genetics or jungle fever disease) no longer lose their + genetic mutations and diseases. + - unknown: People who get bitten by monkeys get jungle fever. + - unknown: Most chemicals should now heal and harm humans properly. + - unknown: + Many new (and updated) recipes for the microwave including Pizza, Meatball + Soup, Hot Chili and many more. + - unknown: Items should no longer spawn under vendomats and microwaves. + - unknown: Runes are now drawn under doors and tables. + - unknown: Penlights fit in medical belts. + - unknown: People will scream if they get cremated while still alive. + - unknown: Diseases should now properly make you loose health. + - unknown: Monkeys wearing masks now get acid protection too. + - unknown: You should probably turn off your stun baton before washing it. + - unknown: latex loves + short piece of wire + some air from tank = balloon! + - unknown: Kitchen was expanded, also a new look for the kitchen sink. + - unknown: + New dishware vending machine - dispenses knives, forks, trays and drinking + glasses. + - unknown: Water cooler was added to kitchen. + - unknown: New uniform - Waiter Outfit. Chef can give it to his assistant. Urist_McDorf: - - unknown: You can now light other people's cigarettes by targeting their mouth - with a lighter. + - unknown: + You can now light other people's cigarettes by targeting their mouth + with a lighter. Veyveyr: - - unknown: New tool sprites. - - unknown: New sprites for smooth-lattice. + - unknown: New tool sprites. + - unknown: New sprites for smooth-lattice. 2011-05-06: /tg/station team: - - unknown: ' AMURRICA FUCK YEAH day - Dangercon update' + - unknown: " AMURRICA FUCK YEAH day - Dangercon update" Agouri and Erro updated(I'm in the DangerCon team now, nyoro~n :3): - - unknown: Backpacks removed from all players. It was unrealistic. You can now had - to the living quarters to get one from the personal closets there. - - unknown: Any firearms now send you to critical in 1-2 shots. Doctors need to get - the wounded man to surgery to provide good treatment. Guide for bullet removal - is up on the wiki. - - unknown: Brute packs and kelotane removed altogether to encourage use of surgery - for heavy injury. - - unknown: Just kidding - - unknown: Fireaxe cabinets and Extinguisher wall-mounted closets now added around - the station, thank Nanotransen for that. - - unknown: Because of Nanotransen being Nanotransen, the fire cabinets are electrically - operated. AIs can lock them and you can hack them if you want the precious axe - inside and it's locked. The axe itself uses an experimental two-handed system, - so while it's FUCKING ROBUST you need to wield - it to fully unlock its capabilities. Pick up axe and click it in your hand to - wield it, click it again or drop to unwield and carry it.You can also use it - as a crowbar for cranking doors and firedoors open when wielded, utilising the - lever on the back of the blade. And I didn't lie to you. It's fucking robust. - - unknown: "Fireaxe, when wielded, fully takes up your other hand as well. You can't\ - \ switch hands and the fireaxe itself is unwieldy and won't fit anywhere. \n\ - \t\t" - - unknown: A fireaxe cabinet can also be smashed if you've got a strong enough object - in your hand. - - unknown: "\n\t\t" - - unknown: "EXTINGUISHER CLOSETS, made by dear Erro, can be found in abundance\ - \ around the station. Click once to open them, again to retrieve the extinguisher,\ - \ attack with extinguisher to place it back. Limited uses, but we've got plans\ - \ for our little friend.\n\t\t" - - unknown: 'Sprite kudos go to: Cheridan for most of them, Khodoque for the fantastic - fireaxe head. I merged those two. Also thanks to matty and Arcalane for giving - it a shot.' - - unknown: Has the piano got TOO annoying? Try the fire axe... - - unknown: 'Oh, and tou can now construct Light floors! To do it: Use wires on glass, - then metal on the produced assembly, then place it on an uncovered floor like - you would when replacing broken floor tiles. To deconstruct: Crowbar on light - floor, use crowbar on produced assembly to remove metal, wirecutters to seperate - the wires from the glass. Sprites by delicious Hempuli.' - - unknown: "Got something to bitch about? Got a bug to report? Want to create drama?\ - \ Did the clown destroy your piano while you were playing an amazing space remix\ - \ of the moonlight sonata? Give it here\n\n\t" + - unknown: + Backpacks removed from all players. It was unrealistic. You can now had + to the living quarters to get one from the personal closets there. + - unknown: + Any firearms now send you to critical in 1-2 shots. Doctors need to get + the wounded man to surgery to provide good treatment. Guide for bullet removal + is up on the wiki. + - unknown: + Brute packs and kelotane removed altogether to encourage use of surgery + for heavy injury. + - unknown: Just kidding + - unknown: + Fireaxe cabinets and Extinguisher wall-mounted closets now added around + the station, thank Nanotrasen for that. + - unknown: + Because of Nanotrasen being Nanotrasen, the fire cabinets are electrically + operated. AIs can lock them and you can hack them if you want the precious axe + inside and it's locked. The axe itself uses an experimental two-handed system, + so while it's FUCKING ROBUST you need to wield + it to fully unlock its capabilities. Pick up axe and click it in your hand to + wield it, click it again or drop to unwield and carry it.You can also use it + as a crowbar for cranking doors and firedoors open when wielded, utilising the + lever on the back of the blade. And I didn't lie to you. It's fucking robust. + - unknown: + "Fireaxe, when wielded, fully takes up your other hand as well. You can't\ + \ switch hands and the fireaxe itself is unwieldy and won't fit anywhere. \n\ + \t\t" + - unknown: + A fireaxe cabinet can also be smashed if you've got a strong enough object + in your hand. + - unknown: "\n\t\t" + - unknown: + "EXTINGUISHER CLOSETS, made by dear Erro, can be found in abundance\ + \ around the station. Click once to open them, again to retrieve the extinguisher,\ + \ attack with extinguisher to place it back. Limited uses, but we've got plans\ + \ for our little friend.\n\t\t" + - unknown: + "Sprite kudos go to: Cheridan for most of them, Khodoque for the fantastic + fireaxe head. I merged those two. Also thanks to matty and Arcalane for giving + it a shot." + - unknown: Has the piano got TOO annoying? Try the fire axe... + - unknown: + "Oh, and tou can now construct Light floors! To do it: Use wires on glass, + then metal on the produced assembly, then place it on an uncovered floor like + you would when replacing broken floor tiles. To deconstruct: Crowbar on light + floor, use crowbar on produced assembly to remove metal, wirecutters to seperate + the wires from the glass. Sprites by delicious Hempuli." + - unknown: + "Got something to bitch about? Got a bug to report? Want to create drama?\ + \ Did the clown destroy your piano while you were playing an amazing space remix\ + \ of the moonlight sonata? Give it here\n\n\t" ConstantA: - - unknown: Mech pilots are now immune to zapping, thank you very much. + - unknown: Mech pilots are now immune to zapping, thank you very much. Rastaf.Zero: - - unknown: New uniforms added for captain and chaplain, in their respective lockers. - Credits to Farart. + - unknown: + New uniforms added for captain and chaplain, in their respective lockers. + Credits to Farart. Urist McDorf: - - unknown: Mime and Clown now spawn with Crayons. You can eat those crayons. And - use them for other nefarious purposes. - - unknown: Health Scanners (A new type of Goggles) now spawn in medbay. Use them, - doctors! - - unknown: New Arcade toy. - - unknown: Glowshrooms! What other lifeform will threaten the welfare of the station - now?! - - unknown: Bananas growable in hydroponics. Also soap is now on-board. - - unknown: Added new "Lights out!" random event. + - unknown: + Mime and Clown now spawn with Crayons. You can eat those crayons. And + use them for other nefarious purposes. + - unknown: + Health Scanners (A new type of Goggles) now spawn in medbay. Use them, + doctors! + - unknown: New Arcade toy. + - unknown: + Glowshrooms! What other lifeform will threaten the welfare of the station + now?! + - unknown: Bananas growable in hydroponics. Also soap is now on-board. + - unknown: Added new "Lights out!" random event. 2011-05-07: /tg/station team: - - unknown: ' Mother''s day?' + - unknown: " Mother's day?" Agouri: - - unknown: Fireaxes now work. Derp. + - unknown: Fireaxes now work. Derp. Erro: - - unknown: New sprites for thermited walls and girders. Rework of thermited walls. - Thermited walls leave a remnant damaged wall, crowbar it to scrap it. - - unknown: More colors for the lightfloors CANCELLED/POSTPONED + - unknown: + New sprites for thermited walls and girders. Rework of thermited walls. + Thermited walls leave a remnant damaged wall, crowbar it to scrap it. + - unknown: More colors for the lightfloors CANCELLED/POSTPONED Noise: - - unknown: Codephrases for traitors. More details here - - unknown: New mech sprite + - unknown: Codephrases for traitors. More details here + - unknown: New mech sprite 2011-05-14: /tg/station team: - - unknown: ' late friday 13 update.' + - unknown: " late friday 13 update." Darem: - - unknown: Chemistry update - - unknown: In containers where there isn't a perfect ratio of reagents, reactions - won't consume ALL of the related reagents (so if you mix 10 anti-toxin with - 20 inaprovaline, you get 10 tricordrazine and 10 inaprovaline rather then just - 10 tricodrazine) - - unknown: 'Catalysts: some reactions might need presence - of an element, while not directly consuming it.' - - unknown: "Reactions changed to use catalysts: all recipes that require Universal\ - \ Enzyme now require 5 units of the enzyme but the enzyme isn't consumed (So\ - \ Tofu, Cheese, Moonshine, Wine, Vodka, and Kahlua recipes). \n\t" + - unknown: Chemistry update + - unknown: + In containers where there isn't a perfect ratio of reagents, reactions + won't consume ALL of the related reagents (so if you mix 10 anti-toxin with + 20 inaprovaline, you get 10 tricordrazine and 10 inaprovaline rather then just + 10 tricodrazine) + - unknown: + 'Catalysts: some reactions might need presence + of an element, while not directly consuming it.' + - unknown: + "Reactions changed to use catalysts: all recipes that require Universal\ + \ Enzyme now require 5 units of the enzyme but the enzyme isn't consumed (So\ + \ Tofu, Cheese, Moonshine, Wine, Vodka, and Kahlua recipes). \n\t" Errorage: - - unknown: 'Smooth tables: Tables now automatically determine - which direction and sprite they''ll use. They will connect to any adjacent table - unless there is a window between them (regular, reinforced, tinted, whichever)' + - unknown: + 'Smooth tables: Tables now automatically determine + which direction and sprite they''ll use. They will connect to any adjacent table + unless there is a window between them (regular, reinforced, tinted, whichever)' K0000: - - unknown: Cult updates: - - unknown: New rune! Stun rune. When used as rune, briefly stuns everyone - around (including cultists). When imbued into a talisman, hit someone to stun - and briefly mute them. Spawnable with the starter talisman. - - unknown: Imbue rune doesnt disappear after succesful invocation, only the source - rune. - - unknown: Chaplain's bible now has 20% chance to convert a cultist (was 10%), and - gives a message on success. - - unknown: Also, wrapping paper is back! Find it in the mailroom. + - unknown: Cult updates: + - unknown: + New rune! Stun rune. When used as rune, briefly stuns everyone + around (including cultists). When imbued into a talisman, hit someone to stun + and briefly mute them. Spawnable with the starter talisman. + - unknown: + Imbue rune doesnt disappear after succesful invocation, only the source + rune. + - unknown: + Chaplain's bible now has 20% chance to convert a cultist (was 10%), and + gives a message on success. + - unknown: Also, wrapping paper is back! Find it in the mailroom. NEO: - - unknown: Beginning of armor overhaul. Armor now has slightly better defence against - melee, and weaker against shots. More coming soon...someday - - unknown: Cyborgs finally drop their MMI when gibbed like they were supposed to - back when I added MMIs. Round- start cyborgs use whatever name you have selected - for your character for the brain that gets spawned for them. + - unknown: + Beginning of armor overhaul. Armor now has slightly better defence against + melee, and weaker against shots. More coming soon...someday + - unknown: + Cyborgs finally drop their MMI when gibbed like they were supposed to + back when I added MMIs. Round- start cyborgs use whatever name you have selected + for your character for the brain that gets spawned for them. 2011-05-19: Errorage: - - unknown: Asteroid floors can be built on by adding tiles - - unknown: Mining satchels now fit in rig suit storage, on belts and in pockets. - - unknown: 'Cables now come in four colors: Red, yellow, green and blue.' + - unknown: Asteroid floors can be built on by adding tiles + - unknown: Mining satchels now fit in rig suit storage, on belts and in pockets. + - unknown: "Cables now come in four colors: Red, yellow, green and blue." NEO: - - unknown: Armour overhaul, phase 3. See rev - notes for details. - - unknown: AI cores should now block movement. - - unknown: MMIs are now properly buildable with the mecha fabricator. + - unknown: + Armour overhaul, phase 3. See rev + notes for details. + - unknown: AI cores should now block movement. + - unknown: MMIs are now properly buildable with the mecha fabricator. Urist: - - unknown: Added sandstone and mineral doors. Mineral boors cannot be opened by - the AI or NPCs. - - unknown: Removed Imperium robes from map. - - unknown: Added the ability to draw letters and graffiti with crayons. - - unknown: Removed fire axes except for bridge and atmospherics. + - unknown: + Added sandstone and mineral doors. Mineral boors cannot be opened by + the AI or NPCs. + - unknown: Removed Imperium robes from map. + - unknown: Added the ability to draw letters and graffiti with crayons. + - unknown: Removed fire axes except for bridge and atmospherics. Veyveyr: - - unknown: New serviceborg sprite option. - - unknown: Map changes to robotics; removed borg fabricators and added second exosuit - fabricator. - - unknown: Cyborg parts are now built from exosuit fabricators - and benefit from research. - - unknown: New exosuit fabricator and borg frame sprites. + - unknown: New serviceborg sprite option. + - unknown: + Map changes to robotics; removed borg fabricators and added second exosuit + fabricator. + - unknown: + Cyborg parts are now built from exosuit fabricators + and benefit from research. + - unknown: New exosuit fabricator and borg frame sprites. 2011-06-01: /tg/station team: - - unknown: ' Canadian Day Against Homophobia' + - unknown: " Canadian Day Against Homophobia" Cheridan: - - unknown: Updated mine floor and wall edge sprites. + - unknown: Updated mine floor and wall edge sprites. ConstantA: - - unknown: 'Added exosuit energy relay equipment. Uses area power (any power channel + - unknown: + "Added exosuit energy relay equipment. Uses area power (any power channel - available) instead of powercell for movement and actions, recharges powercell.' - - unknown: Exosuits can be renamed. Command is in Permissions & Logging menu. - - unknown: Lowered construction time for Ripley parts. - - unknown: Exosuit wreckage can be salvaged for exosuit parts (torso, limbs etc). - - unknown: Speed-up for mecha. - - unknown: New malf-AI sprite. (Sprite donated by the D2K5 server) + available) instead of powercell for movement and actions, recharges powercell." + - unknown: Exosuits can be renamed. Command is in Permissions & Logging menu. + - unknown: Lowered construction time for Ripley parts. + - unknown: Exosuit wreckage can be salvaged for exosuit parts (torso, limbs etc). + - unknown: Speed-up for mecha. + - unknown: New malf-AI sprite. (Sprite donated by the D2K5 server) Deuryn: - - unknown: Meteors now do a bit more damage and they're not stopped by grills. + - unknown: Meteors now do a bit more damage and they're not stopped by grills. Errorage: - - unknown: Fixed twohanded weapon throwing, which left the 'off-hand' object in - your other hand. - - unknown: Doors now hide items under them when closed, mobs are still always above. - - unknown: Singularity engine emitter is now much quieter. - - unknown: Mining station redesigned. - - unknown: Atmospherics' misc gasses tank now starts with N2O. - - unknown: Hitting the resist button while handcuffed and buckled to something will - make you attempt to free yourself. The process is the same as trying to remove - handcuffs. When the 2 minutes pass you will be unbuckled but still handcuffed. + - unknown: + Fixed twohanded weapon throwing, which left the 'off-hand' object in + your other hand. + - unknown: Doors now hide items under them when closed, mobs are still always above. + - unknown: Singularity engine emitter is now much quieter. + - unknown: Mining station redesigned. + - unknown: Atmospherics' misc gasses tank now starts with N2O. + - unknown: + Hitting the resist button while handcuffed and buckled to something will + make you attempt to free yourself. The process is the same as trying to remove + handcuffs. When the 2 minutes pass you will be unbuckled but still handcuffed. Microwave: - - unknown: Barman renamed to Bartender. - - unknown: The amount of drink you get when mixing things in the bar has been rebalanced. - - unknown: Fixed arrivals maintenance shaft not having air at round start. + - unknown: Barman renamed to Bartender. + - unknown: The amount of drink you get when mixing things in the bar has been rebalanced. + - unknown: Fixed arrivals maintenance shaft not having air at round start. Neo: - - unknown: Department radio chat now shows with the department name instead of the - frequency. + - unknown: + Department radio chat now shows with the department name instead of the + frequency. Noise: - - unknown: Changed holopad speaking to :h on request. - - unknown: Ninja fixes, changes, etc. Refer to the code changelog for more info. + - unknown: Changed holopad speaking to :h on request. + - unknown: + Ninja fixes, changes, etc. Refer to the code changelog for more info. TLE: - - unknown: Added personal AIs (pAI). + - unknown: Added personal AIs (pAI). Urist McDorf: - - unknown: AIs no longer bleed when they reach 0HP (Critical health). - - unknown: Added 2 more security HUDs to security. - - unknown: Security HUDs now show if a person has a tracking implant. + - unknown: AIs no longer bleed when they reach 0HP (Critical health). + - unknown: Added 2 more security HUDs to security. + - unknown: Security HUDs now show if a person has a tracking implant. Veyveyr: - - unknown: Spent casing sprites + SMG sprite. - - unknown: Sprites for 1x4 and 1x2 pod doors. + - unknown: Spent casing sprites + SMG sprite. + - unknown: Sprites for 1x4 and 1x2 pod doors. 2011-06-07: Darem: - - unknown: Gun Code Overhaul Phase 1. - - unknown: Taser guns shoot ONE WHOLE SHOT more then they do now. - - unknown: Energy Crossbow has a slightly higher shot capacity (still automatically - recharges). - - unknown: Revolvers can either be loaded one shell at a time or all at once with - an ammo box. - - unknown: 'Shotguns no longer need to be pumped before firing (will change back - in phase 2). ' + - unknown: Gun Code Overhaul Phase 1. + - unknown: Taser guns shoot ONE WHOLE SHOT more then they do now. + - unknown: + Energy Crossbow has a slightly higher shot capacity (still automatically + recharges). + - unknown: + Revolvers can either be loaded one shell at a time or all at once with + an ammo box. + - unknown: + "Shotguns no longer need to be pumped before firing (will change back + in phase 2). " K0000: - - unknown: Arcane tome now has a "notes" option. Set English translations for runewords - which come up when scribing runes. Attack an arcane tome with another arcane - tome to copy your notes to the target tome. - - unknown: Stun rune buffed considerably. Its a 1-use item so it deserved longer - stun time. - - unknown: 'Tome text: Added missing word description for stun rune.' + - unknown: + Arcane tome now has a "notes" option. Set English translations for runewords + which come up when scribing runes. Attack an arcane tome with another arcane + tome to copy your notes to the target tome. + - unknown: + Stun rune buffed considerably. Its a 1-use item so it deserved longer + stun time. + - unknown: "Tome text: Added missing word description for stun rune." Neo: - - unknown: Nar-sie is now a more vengeful eldritch being. When summoned into our - world, he first rewards his loyal cultists by chasing down and eating them first, - then turns his attention to any remaining humans. + - unknown: + Nar-sie is now a more vengeful eldritch being. When summoned into our + world, he first rewards his loyal cultists by chasing down and eating them first, + then turns his attention to any remaining humans. TLE: - - unknown: 'Wiped/suicided pAIs should be eligible for being candidates again (5 - minute cooldown between prompts.) ' - - unknown: 'pAIs are now affected by EMP bursts. pAIs hit with a burst will be silenced - (no speech or PDA messaging) for two minutes and may have their directives or - master modified. A sufficiently powerful EMP burst will have a 20% chance of - killing a pAI. ' + - unknown: + "Wiped/suicided pAIs should be eligible for being candidates again (5 + minute cooldown between prompts.) " + - unknown: + "pAIs are now affected by EMP bursts. pAIs hit with a burst will be silenced + (no speech or PDA messaging) for two minutes and may have their directives or + master modified. A sufficiently powerful EMP burst will have a 20% chance of + killing a pAI. " 2011-06-18: Agouri: - - unknown: 'Bugfixes: The reagent grinding now works, allowing the miners to FINALLY - bring plasma to the chemistry.' - - unknown: 'Bugfixes: Pill bottles and clipboards can now be removed from the pockets - once placed there.' + - unknown: + "Bugfixes: The reagent grinding now works, allowing the miners to FINALLY + bring plasma to the chemistry." + - unknown: + "Bugfixes: Pill bottles and clipboards can now be removed from the pockets + once placed there." 2011-07-04: Agouri: - - unknown: Sleepers are now able to heal every kind of damage. Drag your ass to - medbay and ask a doctor to get you in one. - - unknown: A lil' bit faster cloning (about 30% faster) due to popular demand. - - unknown: Sleepers are now all located in the inner part of medbay, except for - the examination room one. - - unknown: Added Dermaline, burn-healing drug that outpowers kelotane (and kelotane - is getting a major nerf, so be sure to know how to get this). Recipe is on the - wiki if you need to make it. - - unknown: Drugs no longer heal or metabolise when injected in dead bodies, fuck. - Thank god you guys missed this major bug or we'd have cloning-by-injecting-healing-drugs. - - unknown: "Reminder to coders: Goddamn, update the changelog.\n\t" + - unknown: + Sleepers are now able to heal every kind of damage. Drag your ass to + medbay and ask a doctor to get you in one. + - unknown: A lil' bit faster cloning (about 30% faster) due to popular demand. + - unknown: + Sleepers are now all located in the inner part of medbay, except for + the examination room one. + - unknown: + Added Dermaline, burn-healing drug that outpowers kelotane (and kelotane + is getting a major nerf, so be sure to know how to get this). Recipe is on the + wiki if you need to make it. + - unknown: + Drugs no longer heal or metabolise when injected in dead bodies, fuck. + Thank god you guys missed this major bug or we'd have cloning-by-injecting-healing-drugs. + - unknown: "Reminder to coders: Goddamn, update the changelog.\n\t" Doohl: - - unknown: 'A new alien race: Metroids! They are a mostly - non-sentient race of jellyfish-like organisms that float in the air and feed - on the life energy of other organisms. While most Metroids have never shown - signs of self-awareness, they do exhibit signs of basic logic and reasoning - skills as well as very sophisticated perception. Nanotrasen has shipped two - baby Metroids for the xenobiology department. They should be handled with the - utmost care - they are some of the deadliest beings in the known universe!' - - unknown: 'R&D gets a new toy: the freeze gun. Despite popular belief, this - will not literally freeze things!' - - unknown: Every single chemical reagent has been assigned a color. - - unknown: You can now see beakers fill up with chemicals. You can also observe - how the colors mix inside the beakers. Spray bottles also will also show the - color of whatever you're spraying. - - unknown: Added a timestamp to combat logs. - - unknown: Non-insulated gloves now need to be wrapped in wire in order to be electrified. - - unknown: You can now shoot at people on the ground by simply clicking on the tile - they're on. - - unknown: 'Changeling husks are now uncloneable. To clarify: when a changeling - sucks out a victim''s DNA, the victim is said to become a "husk".' + - unknown: + 'A new alien race: Metroids! They are a mostly + non-sentient race of jellyfish-like organisms that float in the air and feed + on the life energy of other organisms. While most Metroids have never shown + signs of self-awareness, they do exhibit signs of basic logic and reasoning + skills as well as very sophisticated perception. Nanotrasen has shipped two + baby Metroids for the xenobiology department. They should be handled with the + utmost care - they are some of the deadliest beings in the known universe!' + - unknown: + "R&D gets a new toy: the freeze gun. Despite popular belief, this + will not literally freeze things!" + - unknown: Every single chemical reagent has been assigned a color. + - unknown: + You can now see beakers fill up with chemicals. You can also observe + how the colors mix inside the beakers. Spray bottles also will also show the + color of whatever you're spraying. + - unknown: Added a timestamp to combat logs. + - unknown: Non-insulated gloves now need to be wrapped in wire in order to be electrified. + - unknown: + You can now shoot at people on the ground by simply clicking on the tile + they're on. + - unknown: + 'Changeling husks are now uncloneable. To clarify: when a changeling + sucks out a victim''s DNA, the victim is said to become a "husk".' Errorage: - - unknown: Increased environmental damage by a factor of 1.5. - - unknown: Made firesuits a lot more resistant to heat. Previously, they stopped - protecting at around 4,500 degrees. They now go up to around 10,000 (which is - also the temperature which the floor starts melting) - - unknown: Edited the quartermaster's office a bit. - - unknown: Cargo technicians now have access to a cargo ordering console. - - unknown: Added different-colored hardhats. The CE gets a white hardhat. + - unknown: Increased environmental damage by a factor of 1.5. + - unknown: + Made firesuits a lot more resistant to heat. Previously, they stopped + protecting at around 4,500 degrees. They now go up to around 10,000 (which is + also the temperature which the floor starts melting) + - unknown: Edited the quartermaster's office a bit. + - unknown: Cargo technicians now have access to a cargo ordering console. + - unknown: Added different-colored hardhats. The CE gets a white hardhat. Firecage: - - unknown: A whole bunch of new drinks and food. Seriously, there's alot! - - unknown: New weapons such as the shock revolver and large energy crossbow. - - unknown: Hydroponics can now grow a bunch more stuff. A lot of these new crops - have some very interesting mutations. - - unknown: Added a command for AIs to change their icon. - - unknown: New costumes to the costume room. + - unknown: A whole bunch of new drinks and food. Seriously, there's alot! + - unknown: New weapons such as the shock revolver and large energy crossbow. + - unknown: + Hydroponics can now grow a bunch more stuff. A lot of these new crops + have some very interesting mutations. + - unknown: Added a command for AIs to change their icon. + - unknown: New costumes to the costume room. Matty: - - unknown: New engineering backpacks. Enjoy! + - unknown: New engineering backpacks. Enjoy! Microwave: - - unknown: 'Monkey boxes:' - - unknown: Contains a score of monkey cubes, which you apply water to create monkies. - Nanotrasen provides only the finest technology! - - unknown: You can order monkey crates from the cargo bay. They contain monkey boxes. - - unknown: Changed the amount of labels labelers have to 30. 10 was too low and - 30 should not be too griefy. - - unknown: Maximum label text length increased from 10 to 64. - - unknown: You can no longer label people because they can just peel the labels - off. Sorry, clowns! - - unknown: Jelly dooonnuuuutsss! Happy birthday, officers! - - unknown: Made xenomeat not give any nutrition. - - unknown: Added some new reagents. - - unknown: Made it possible to feed monkies and xenos things, as well as making - it possible for them to eat themselves (please don't read that too literally). - - unknown: Added in synthiflesh. - - unknown: Plasma is now not used in reactions, instead, is treated as a catalyst - that is not used up. This only applies to certain reactions. - - unknown: Made it possible to grind more things in the chemistry grinder. + - unknown: "Monkey boxes:" + - unknown: + Contains a score of monkey cubes, which you apply water to create monkies. + Nanotrasen provides only the finest technology! + - unknown: You can order monkey crates from the cargo bay. They contain monkey boxes. + - unknown: + Changed the amount of labels labelers have to 30. 10 was too low and + 30 should not be too griefy. + - unknown: Maximum label text length increased from 10 to 64. + - unknown: + You can no longer label people because they can just peel the labels + off. Sorry, clowns! + - unknown: Jelly dooonnuuuutsss! Happy birthday, officers! + - unknown: Made xenomeat not give any nutrition. + - unknown: Added some new reagents. + - unknown: + Made it possible to feed monkies and xenos things, as well as making + it possible for them to eat themselves (please don't read that too literally). + - unknown: Added in synthiflesh. + - unknown: + Plasma is now not used in reactions, instead, is treated as a catalyst + that is not used up. This only applies to certain reactions. + - unknown: Made it possible to grind more things in the chemistry grinder. Muskets: - - unknown: The prepackaged songs (Space Asshole, Cuban Pete, Darkest Honk, etc) - have been removed. This doesn't mean admins can't play midis, this just gets - rid of a lot of unnecessary download time. + - unknown: + The prepackaged songs (Space Asshole, Cuban Pete, Darkest Honk, etc) + have been removed. This doesn't mean admins can't play midis, this just gets + rid of a lot of unnecessary download time. Rastaf.Zero: - - unknown: 'Botanists get a new toy: Biogenerator. Insert biological items, recieve - biological items.' - - unknown: Added roller beds, otherwise known as stretchers, to medbay. You can - buckle people onto them and pull them. - - unknown: Added egg-smashing and tomato-smashing decals. + - unknown: + "Botanists get a new toy: Biogenerator. Insert biological items, recieve + biological items." + - unknown: + Added roller beds, otherwise known as stretchers, to medbay. You can + buckle people onto them and pull them. + - unknown: Added egg-smashing and tomato-smashing decals. Superxpdude updated: - - unknown: Added in the Submachine Gun to R&D. - - unknown: Syndicate agents now have Mini-Uzis. - - unknown: Added an exosuit recharged to the mining station. - - unknown: New labcoats for scientists, virologists, chemists, and genetecists. - - unknown: Moved the vault and added a bridge meeting room next to the HoP's office. - - unknown: Deathsquad armor now functions like a space suit. - - unknown: Added in security jackboots. + - unknown: Added in the Submachine Gun to R&D. + - unknown: Syndicate agents now have Mini-Uzis. + - unknown: Added an exosuit recharged to the mining station. + - unknown: New labcoats for scientists, virologists, chemists, and genetecists. + - unknown: Moved the vault and added a bridge meeting room next to the HoP's office. + - unknown: Deathsquad armor now functions like a space suit. + - unknown: Added in security jackboots. Trubble Bass updated: - - unknown: Hat crates. Hat Station 13. + - unknown: Hat crates. Hat Station 13. Uhangi: - - unknown: Traitors can now purchase syndicate balloons, which serve no purpose - other than to blow your cover. For a limited time only, you can get them at - a bargain price - just 10 telecrystals! - - unknown: Removed security shotguns from the armory. No fun allowed. - - unknown: Changed some bullet damage stuff. + - unknown: + Traitors can now purchase syndicate balloons, which serve no purpose + other than to blow your cover. For a limited time only, you can get them at + a bargain price - just 10 telecrystals! + - unknown: Removed security shotguns from the armory. No fun allowed. + - unknown: Changed some bullet damage stuff. Urist McDorf: - - unknown: Adding shading to pills. - - unknown: Detective's office noir look has been removed. The icon operations required - to render everything in monochrome was too heavy on the players. - - unknown: Added in an uplink implant. + - unknown: Adding shading to pills. + - unknown: + Detective's office noir look has been removed. The icon operations required + to render everything in monochrome was too heavy on the players. + - unknown: Added in an uplink implant. 2011-07-29: /tg/station team: - - unknown: ' Day of Forum revival!' + - unknown: " Day of Forum revival!" Agouri updated: - - unknown: I was always bothered by how unprofessional it was of Nanotransen (in - before >Nanotransen >professionalism) to just lay expensive spacesuits - in racks and just let them be. Well, no more. Introducing... - - unknown: Suit Storage Units. Rumored to actually be repurposed space radiators, - these wondrous machines will store any kind of spacesuit in a clean and sterile - environment. - - unknown: The user can interact with the unit in various ways. You can start a - UV cauterisation cycle to disinfect its contents, effectively sterilising and - cleaning eveyrthing from the suits/helmets stored inside. - - unknown: A sneaky yordle can also hide in it, if he so desires, or hack it, or - lock it or do a plethora of shady stuff with it. Beware, though, there's plenty - of dangerous things you can do with it, both to you and your target. - - unknown: The Unit's control panel can be accessed by screwdriving it. That's all - I'm willing to say, I'd like to let the players find out what each hack option - does and doesn't. Will add more stuff later. - - unknown: Added Command Space suit, Chief Engineer space suit and Chief Medical - Officer spacesuit (In a new space that you'll probably notice by yourself) to - make it easier for you to look like a special snowflake. - - unknown: EVA and CMO office modified to accomodate the new suits and SSUs. Look, - I'm not a competent mapper, okay? Fuck you too. A mapper is strongly recommended - to rearrange my half assed shit. - - unknown: Soda cans, cigarette packets, cigarettes and cigars as well as bullet - casings are now considered trash and can be picked up by the trashbag. Now you - can annoy the janitor even more! - - unknown: 'Sprite credit goes to Alex Jones, his portfolio can be found here: http://bspbox.com. Thanks a lot, bro.' - - unknown: With the recent forum fuss and all that, I've got a thread to specifically - contain rants and bug reports about this update. Click - me + - unknown: + I was always bothered by how unprofessional it was of Nanotrasen (in + before >Nanotrasen >professionalism) to just lay expensive spacesuits + in racks and just let them be. Well, no more. Introducing... + - unknown: + Suit Storage Units. Rumored to actually be repurposed space radiators, + these wondrous machines will store any kind of spacesuit in a clean and sterile + environment. + - unknown: + The user can interact with the unit in various ways. You can start a + UV cauterisation cycle to disinfect its contents, effectively sterilising and + cleaning eveyrthing from the suits/helmets stored inside. + - unknown: + A sneaky yordle can also hide in it, if he so desires, or hack it, or + lock it or do a plethora of shady stuff with it. Beware, though, there's plenty + of dangerous things you can do with it, both to you and your target. + - unknown: + The Unit's control panel can be accessed by screwdriving it. That's all + I'm willing to say, I'd like to let the players find out what each hack option + does and doesn't. Will add more stuff later. + - unknown: + Added Command Space suit, Chief Engineer space suit and Chief Medical + Officer spacesuit (In a new space that you'll probably notice by yourself) to + make it easier for you to look like a special snowflake. + - unknown: + EVA and CMO office modified to accomodate the new suits and SSUs. Look, + I'm not a competent mapper, okay? Fuck you too. A mapper is strongly recommended + to rearrange my half assed shit. + - unknown: + Soda cans, cigarette packets, cigarettes and cigars as well as bullet + casings are now considered trash and can be picked up by the trashbag. Now you + can annoy the janitor even more! + - unknown: + 'Sprite credit goes to Alex Jones, his portfolio can be found here: http://bspbox.com. Thanks a lot, bro.' + - unknown: + With the recent forum fuss and all that, I've got a thread to specifically + contain rants and bug reports about this update. Click + me Doohl updated: - - unknown: 'Bugfix: Metroids should never "shut down" and just die in a corner when - they begin starving. And so, hungry Metroids are a force to be feared.' - - unknown: The Cargo computers now have the ability to cancel pending orders to - refund credits. This was put in place so that idiots couldn't waste all the - cargo points and run off. However, if the shuttle is en route to the station - you won't be able to cancel orders. - - unknown: 'Bugfix: the manifest has been fixed! Additionally, the manfiest is now - updated realtime; job changes and new arrivals will be automatically updated - into the manifest. Joy!' - - unknown: Metroids, when wrestled off of someone's head or beaten off, now get - stunned for a few seconds. + - unknown: + 'Bugfix: Metroids should never "shut down" and just die in a corner when + they begin starving. And so, hungry Metroids are a force to be feared.' + - unknown: + The Cargo computers now have the ability to cancel pending orders to + refund credits. This was put in place so that idiots couldn't waste all the + cargo points and run off. However, if the shuttle is en route to the station + you won't be able to cancel orders. + - unknown: + "Bugfix: the manifest has been fixed! Additionally, the manfiest is now + updated realtime; job changes and new arrivals will be automatically updated + into the manifest. Joy!" + - unknown: + Metroids, when wrestled off of someone's head or beaten off, now get + stunned for a few seconds. Errorage updated: - - unknown: Hopefully fixed the derelict 'hotspots'. Derelict medbay has also been - fixed. + - unknown: + Hopefully fixed the derelict 'hotspots'. Derelict medbay has also been + fixed. Uhangi updated: - - unknown: EVA redesigned - - unknown: An electropack is now available once again on the prison station + - unknown: EVA redesigned + - unknown: An electropack is now available once again on the prison station 2011-07-30: Doohl updated: - - unknown: 'New virus: Retrovirus. It basically screws over your DNA.' - - unknown: "You can now do CTRL+MOVEMENT to face any direction you want. See those\ - \ chairs in Medbay and the Escape Wing? You can do CTRL+EAST to actually RP\ - \ that you're sitting on them. Is this cool or what?!\n\t" + - unknown: "New virus: Retrovirus. It basically screws over your DNA." + - unknown: + "You can now do CTRL+MOVEMENT to face any direction you want. See those\ + \ chairs in Medbay and the Escape Wing? You can do CTRL+EAST to actually RP\ + \ that you're sitting on them. Is this cool or what?!\n\t" Rockdtben updated: - - unknown: 'Bugfix: Fixed a bug where you could dupe diamonds' + - unknown: "Bugfix: Fixed a bug where you could dupe diamonds" Superxpdude Updated: - - unknown: Engineer and CE space helmets now have built-in lights. + - unknown: Engineer and CE space helmets now have built-in lights. 2011-08-02: /tg/station team: - - unknown: ' The day the earth stood still.' + - unknown: " The day the earth stood still." Agouri updated: - - unknown: SSUs now correctly cycle and dump the unlucky occupant when designated - to supercycle, when the criteria to do so are met. - - unknown: Fixed bugshit - - unknown: You can now make normal martinis again, removed a silly recipe conflict - (Thanks, muskets.). Good barmen are urged to blend the good ol' recipes since - the new ones have sprites that SUCK ASS JESUS CHRIST + - unknown: + SSUs now correctly cycle and dump the unlucky occupant when designated + to supercycle, when the criteria to do so are met. + - unknown: Fixed bugshit + - unknown: + You can now make normal martinis again, removed a silly recipe conflict + (Thanks, muskets.). Good barmen are urged to blend the good ol' recipes since + the new ones have sprites that SUCK ASS JESUS CHRIST 2011-08-03: Superxpdude updated: - - unknown: Virology Airlock changed to no longer cycle air. Should work faster and - prevent virologists from suffocating. - - unknown: Server Room APC is now connected to the power grid. - - unknown: Stun Batons now start OFF. Make sure to turn them on before hitting people - with them. + - unknown: + Virology Airlock changed to no longer cycle air. Should work faster and + prevent virologists from suffocating. + - unknown: Server Room APC is now connected to the power grid. + - unknown: + Stun Batons now start OFF. Make sure to turn them on before hitting people + with them. 2011-08-05: Mport updated: - - unknown: The various assemblies should be working now. - - unknown: Old style bombs and suicide vests temporarily removed. + - unknown: The various assemblies should be working now. + - unknown: Old style bombs and suicide vests temporarily removed. 2011-08-09: Mport updated: - - unknown: Cyborgs once again have open cover/cell icons. - - unknown: To override a cyborg's laws you must emag it when the cover is open. - - unknown: Emags can unlock a cyborgs cover. - - unknown: Xbow radiation damage has been lowered from 100 to 20 a hit + - unknown: Cyborgs once again have open cover/cell icons. + - unknown: To override a cyborg's laws you must emag it when the cover is open. + - unknown: Emags can unlock a cyborgs cover. + - unknown: Xbow radiation damage has been lowered from 100 to 20 a hit 2011-08-15: Superxpdude updated: - - unknown: 'NEW MINING STATION, POST YOUR OPINIONS AND BUGS HERE ' - - unknown: Added some new awesome mining-related sprites by Petethegoat. All credit - for the sprites goes to him. + - unknown: 'NEW MINING STATION, POST YOUR OPINIONS AND BUGS HERE ' + - unknown: + Added some new awesome mining-related sprites by Petethegoat. All credit + for the sprites goes to him. 2011-08-16: Superxpdude updated: - - unknown: 'Traitor item bundles: Contains a random selection of traitor gear' + - unknown: "Traitor item bundles: Contains a random selection of traitor gear" 2011-08-20: Doohl: - - unknown: The smoke chemistry recipe has been upgraded! You can lace smoke with - chemicals that can bathe people or enter their lungs through inhalation. Yes, - this means you can make chloral hydrate smoke bombs. No, this doesn't mean you - can make napalm smoke or foam smoke. + - unknown: + The smoke chemistry recipe has been upgraded! You can lace smoke with + chemicals that can bathe people or enter their lungs through inhalation. Yes, + this means you can make chloral hydrate smoke bombs. No, this doesn't mean you + can make napalm smoke or foam smoke. 2011-08-26: Mport: - - unknown: 'Rev:' - - unknown: 'Cult:' + - unknown: "Rev:" + - unknown: "Cult:" 2011-08-28: Doohl: - - unknown: Chaplains can now select different bible icons when they start. The selection - is applied globally and the library's bible printer will print the same bibles. - - unknown: Joy to the world! The Library's bible-printing function now has a one-minute - cooldown. One minute may seem a little extreme, but it is necessary to prevent - people from spamming the fuck out of everything with 100,000,000,000,000 carbon-copy - bibles. - - unknown: Tweaked Metroids a bit; they are slightly more aggressive and become - hungrier faster. To compensate, they now move slightly slower. + - unknown: + Chaplains can now select different bible icons when they start. The selection + is applied globally and the library's bible printer will print the same bibles. + - unknown: + Joy to the world! The Library's bible-printing function now has a one-minute + cooldown. One minute may seem a little extreme, but it is necessary to prevent + people from spamming the fuck out of everything with 100,000,000,000,000 carbon-copy + bibles. + - unknown: + Tweaked Metroids a bit; they are slightly more aggressive and become + hungrier faster. To compensate, they now move slightly slower. 2011-08-31: Lasty: - - unknown: The costumes that spawn in the theatre are now randomized. - - unknown: The kitchen now has a Smartfridge which can be directly loaded from the - Botanist? plantbags. No more crates! (credit to Rolan7). - - unknown: Snappops can now be acquired from the arcade machines. Amaze your friends! - (credit to Petethegoat) - - unknown: Bangindonk.ogg added to random end sounds list. + - unknown: The costumes that spawn in the theatre are now randomized. + - unknown: + The kitchen now has a Smartfridge which can be directly loaded from the + Botanist? plantbags. No more crates! (credit to Rolan7). + - unknown: + Snappops can now be acquired from the arcade machines. Amaze your friends! + (credit to Petethegoat) + - unknown: Bangindonk.ogg added to random end sounds list. Superpxdude: - - unknown: The mail system actually works properly now! Probably! - - unknown: Most hats had their ?eadspace?tag removed, meaning they will no longer - substitute for a space helmet in protecting you from the dangers of space. + - unknown: The mail system actually works properly now! Probably! + - unknown: + Most hats had their ?eadspace?tag removed, meaning they will no longer + substitute for a space helmet in protecting you from the dangers of space. Urist McDorf: - - unknown: Players can no longer be randomly assigned to Librarian, Atmospherics - Technician, Chaplain, and Lawyer unless all other non-assisstant job slots are - full or they have those jobs in their preferences. - - unknown: Changeling mode now has multiple changelings. + - unknown: + Players can no longer be randomly assigned to Librarian, Atmospherics + Technician, Chaplain, and Lawyer unless all other non-assisstant job slots are + full or they have those jobs in their preferences. + - unknown: Changeling mode now has multiple changelings. 2011-09-04: Doohl: - - unknown: New escape shuttle! - - unknown: Metroids get hungry slower, but gain more nutrients from eating. + - unknown: New escape shuttle! + - unknown: Metroids get hungry slower, but gain more nutrients from eating. Erro: - - unknown: R'n'D and Gas Storage locations have been swapped in order for R&D - to be given a hallway-facing table, just like Chemistry. - - unknown: Buckling someone to a chair now causes them to face in the same direction - as the chair. - - unknown: Conveyor will now move only 10 items per game cycle. This is to prevent - miners from overloading the belts with 2000 pieces of ore and slowing down time - by turning it on. Does not apply to mobs on belt. + - unknown: + R'n'D and Gas Storage locations have been swapped in order for R&D + to be given a hallway-facing table, just like Chemistry. + - unknown: + Buckling someone to a chair now causes them to face in the same direction + as the chair. + - unknown: + Conveyor will now move only 10 items per game cycle. This is to prevent + miners from overloading the belts with 2000 pieces of ore and slowing down time + by turning it on. Does not apply to mobs on belt. Kor: - - unknown: Added Necronomicon bible (credit Joseph Curwen) - - unknown: Removed Doc Scratch clothing from chaplain? locker and added as a random - spawn in the theatre. - - unknown: Shaft Miners now start with regular oxygen tanks. - - unknown: Mutate now gives the wizard hulk and OPTIC BLAST instead of hulk and - TK. - - unknown: Spiderman suit is no longer armoured or space worthy. - - unknown: Crayons + - unknown: Added Necronomicon bible (credit Joseph Curwen) + - unknown: + Removed Doc Scratch clothing from chaplain? locker and added as a random + spawn in the theatre. + - unknown: Shaft Miners now start with regular oxygen tanks. + - unknown: + Mutate now gives the wizard hulk and OPTIC BLAST instead of hulk and + TK. + - unknown: Spiderman suit is no longer armoured or space worthy. + - unknown: Crayons Lasty: - - unknown: Switched xenomorph weeds to run in the background, hopefully causing - them to destroy the server slightly less. + - unknown: + Switched xenomorph weeds to run in the background, hopefully causing + them to destroy the server slightly less. Microwave: - - unknown: Added sink to hydroponics - - unknown: Cleaned up autolathe menu - - unknown: Glasses and cups can now be filled with water from sinks. + - unknown: Added sink to hydroponics + - unknown: Cleaned up autolathe menu + - unknown: Glasses and cups can now be filled with water from sinks. Superxpdude: - - unknown: New, more appropriate arrivals message. - - unknown: Shuttle escape doors fixed. - - unknown: New RIG sprite. + - unknown: New, more appropriate arrivals message. + - unknown: Shuttle escape doors fixed. + - unknown: New RIG sprite. Urist McDorf: - - unknown: People who have been infected by facehuggers can no longer suicide. - - unknown: Stammering has been reworked. - - unknown: The chaplain can now no longer discern what ghosts are saying, instead - receiving flavour text indicating that ghosts are speaking to him. - - unknown: Walking Mushroom yield decreased from 4 to 1. - - unknown: Glowshrooms now only spread on asteroid tiles. - - unknown: Fixed rev round end message reporting everyone as dead. - - unknown: Gave the changeling an unfat sting. + - unknown: People who have been infected by facehuggers can no longer suicide. + - unknown: Stammering has been reworked. + - unknown: + The chaplain can now no longer discern what ghosts are saying, instead + receiving flavour text indicating that ghosts are speaking to him. + - unknown: Walking Mushroom yield decreased from 4 to 1. + - unknown: Glowshrooms now only spread on asteroid tiles. + - unknown: Fixed rev round end message reporting everyone as dead. + - unknown: Gave the changeling an unfat sting. 2011-09-05: Rageroro: - - unknown: Updates made to the HoP's ID computer. New interface and removing a card - will now put it directly in your hand, if it's empty. Using your card on the - computer will place it in the appropriate spot. If it has access to edit cards - it will put it as the authentication card, otherwise as the card to be modified. - If you have two cards with ID computer access first insert the authentication - card, then the one you wish to midify, or do it manually like before. - - unknown: Placed - extra fire suits in maintenance (Near eva and mining) and an extra fire closet - to atmos. + - unknown: + Updates made to the HoP's ID computer. New interface and removing a card + will now put it directly in your hand, if it's empty. Using your card on the + computer will place it in the appropriate spot. If it has access to edit cards + it will put it as the authentication card, otherwise as the card to be modified. + If you have two cards with ID computer access first insert the authentication + card, then the one you wish to midify, or do it manually like before. + - unknown: + Placed + extra fire suits in maintenance (Near eva and mining) and an extra fire closet + to atmos. 2011-09-06: Cheridan: - - unknown: New sprites for beds and air, plasma and nitrogen tanks (The ones found - in maintenance shafts). + - unknown: + New sprites for beds and air, plasma and nitrogen tanks (The ones found + in maintenance shafts). Greek Rioter: - - unknown: 'Removed dumb/badly sprited drinks for barman. This is for you, people - that love to play barman. Your job is now non-retarded again. EDIT: - FIXED DRINK MIXING' - - unknown: 'More info here: rev2136' + - unknown: + 'Removed dumb/badly sprited drinks for barman. This is for you, people + that love to play barman. Your job is now non-retarded again. EDIT: + FIXED DRINK MIXING' + - unknown: + 'More info here: rev2136' Lasty: - - unknown: Fixed the karma exploit! Uhangi can rest in peace knowing his -87 karma - ways were not his own. - - unknown: Added new ambient sound for space and the mines. - - unknown: Examining an oxygen tank will now tell you if it is about to run out - of air. If it is, you will recieve a beep and a message, and if not, then you'll - just get the default "this is an oxygentank!" message. + - unknown: + Fixed the karma exploit! Uhangi can rest in peace knowing his -87 karma + ways were not his own. + - unknown: Added new ambient sound for space and the mines. + - unknown: + Examining an oxygen tank will now tell you if it is about to run out + of air. If it is, you will recieve a beep and a message, and if not, then you'll + just get the default "this is an oxygentank!" message. Microwave: - - unknown: 'Nuka Cola re-added. ' + - unknown: "Nuka Cola re-added. " Rageroro: - - unknown: Sleeper update! Sleepers can now only inject soporific, dermaline, bicaridine, - and dexaline into people with 1% or more health. They can also inject inaprovaline - into people with -100% or more health. Nothing can be injected into people who - are dead. + - unknown: + Sleeper update! Sleepers can now only inject soporific, dermaline, bicaridine, + and dexaline into people with 1% or more health. They can also inject inaprovaline + into people with -100% or more health. Nothing can be injected into people who + are dead. Superxpdude: - - unknown: Virology is now part of medbay, and as such the RD no longer has Virology - access and the CMO and Virologist no longer have Research access. + - unknown: + Virology is now part of medbay, and as such the RD no longer has Virology + access and the CMO and Virologist no longer have Research access. Uhangi: - - unknown: 'Electropacks, screwdrivers, headsets, radio signalers, and station bounced - radios can now be constructed from the autolathe. ' - - unknown: Added a courtroom to Centcom. - - unknown: Fixed electropack bug regarding using screwdrivers on electropacks. + - unknown: + "Electropacks, screwdrivers, headsets, radio signalers, and station bounced + radios can now be constructed from the autolathe. " + - unknown: Added a courtroom to Centcom. + - unknown: Fixed electropack bug regarding using screwdrivers on electropacks. Urist McDorf: - - unknown: 'Added XCom aliens, by Xerif (Donated by the Foundation project ) ' + - unknown: + 'Added XCom aliens, by Xerif (Donated by the Foundation project ) ' 2011-09-08: Lasty: - - unknown: Suicide has been changed to biting your tongue off instead of holding - your breath, and examining someone who has comitted suicide will give you a - message stating that their tongue is missing. - - unknown: Chemsprayers are now large items instead of small, meaning they can no - longer fit in your pocket. + - unknown: + Suicide has been changed to biting your tongue off instead of holding + your breath, and examining someone who has comitted suicide will give you a + message stating that their tongue is missing. + - unknown: + Chemsprayers are now large items instead of small, meaning they can no + longer fit in your pocket. 2011-09-10: Errorage: - - unknown: A new pet on the bridge. - - unknown: The pet can now be buckled and will no longer escape from closed containers, - such as closets or the cloning pods. - - unknown: Vending machines and request consoles are the first to use the new in-built - browser in the upper-right of the user interface. If feedback is positive on - these, more machines will be added to this. Hoping that this will eventually - reduce the number of popup micromanagement. + - unknown: A new pet on the bridge. + - unknown: + The pet can now be buckled and will no longer escape from closed containers, + such as closets or the cloning pods. + - unknown: + Vending machines and request consoles are the first to use the new in-built + browser in the upper-right of the user interface. If feedback is positive on + these, more machines will be added to this. Hoping that this will eventually + reduce the number of popup micromanagement. Lasty: - - unknown: The collectible hats have been removed from the theatre, doomed to rot - forever in the hat crates they spawned from. No longer shall you see racks full - of "collectible hard hat"! + - unknown: + The collectible hats have been removed from the theatre, doomed to rot + forever in the hat crates they spawned from. No longer shall you see racks full + of "collectible hard hat"! Mport: - - unknown: Synaptizine now once again helps you recover from being stunned, however - it is now also slightly toxic and may cause a small amount of toxins damage - for every tick that it is in your system. - - unknown: Assembly updating! - - unknown: Original blob is back, though it still has lava sprites. - - unknown: The bug where you would spawn on the wizard shuttle for a second at the - start of the round should no longer occur. + - unknown: + Synaptizine now once again helps you recover from being stunned, however + it is now also slightly toxic and may cause a small amount of toxins damage + for every tick that it is in your system. + - unknown: Assembly updating! + - unknown: Original blob is back, though it still has lava sprites. + - unknown: + The bug where you would spawn on the wizard shuttle for a second at the + start of the round should no longer occur. TLE: - - unknown: You can now toggle the message for becoming a pAI on and off in your - prefs. + - unknown: + You can now toggle the message for becoming a pAI on and off in your + prefs. 2011-09-11: toolboxed: - - unknown: Ian can now be toolboxed. - - unknown: Ian can now be healed with bruisepacks, unless he's already dead. - - unknown: You can now walk over Ian when he's killed. - - unknown: Ian will chase food, if you leave it on the floor. If he notices it and - you pick it up, he'll chase you around, if you stay close enough. + - unknown: + Ian can now be toolboxed. + - unknown: Ian can now be healed with bruisepacks, unless he's already dead. + - unknown: You can now walk over Ian when he's killed. + - unknown: + Ian will chase food, if you leave it on the floor. If he notices it and + you pick it up, he'll chase you around, if you stay close enough. 2011-09-13: Errorage: - - unknown: Healing, attacking or 'gently tapping' Ian will now properly display - the name of the attacker to all people. + - unknown: + Healing, attacking or 'gently tapping' Ian will now properly display + the name of the attacker to all people. Miss Phaeron: - - unknown: E-Swords now have a chance to deflect projectiles when active - - unknown: Taser/Laser shots now drain 40 battery per use from a borg, as opposed - to 20 - - unknown: EMPs do 60 damage to borgs now, up from 25. They also stun them momentarily - and drain 1k charge - - unknown: As part of a joint effort between Mport, Falazameer, and myself an Ion - Rifle has been added to the armoury - - unknown: The Mutate spell now gives Laser Vision and Hulk + - unknown: E-Swords now have a chance to deflect projectiles when active + - unknown: + Taser/Laser shots now drain 40 battery per use from a borg, as opposed + to 20 + - unknown: + EMPs do 60 damage to borgs now, up from 25. They also stun them momentarily + and drain 1k charge + - unknown: + As part of a joint effort between Mport, Falazameer, and myself an Ion + Rifle has been added to the armoury + - unknown: The Mutate spell now gives Laser Vision and Hulk Vinyl Scratch: - - unknown: Runtime! - - unknown: Mine ambience now fades out at the end so that not only is it less jarring - when it ends, but it also loops properly. - - unknown: 'Malfunctioning AI''s runtime message now has a voice clip to go with - it (courtesy of Rosen Ritter) ' - - unknown: Every headset will now display the commands for their respective channels - upon examine. + - unknown: Runtime! + - unknown: + Mine ambience now fades out at the end so that not only is it less jarring + when it ends, but it also loops properly. + - unknown: + "Malfunctioning AI's runtime message now has a voice clip to go with + it (courtesy of Rosen Ritter) " + - unknown: + Every headset will now display the commands for their respective channels + upon examine. 2011-09-14: Lasty: - - unknown: Runtime now actually spawns in medbay because nobody cared whether it - is a tiny smugfaced espeon that explodes violently on death or a spacecat that - presumably doesn't. - - unknown: You can no longer put someone into a sleeper and erase them from existence - by climbing into the same sleeper. - - unknown: Players who haven't entered the game will no longer be able to hear administrators - in deadchat. + - unknown: + Runtime now actually spawns in medbay because nobody cared whether it + is a tiny smugfaced espeon that explodes violently on death or a spacecat that + presumably doesn't. + - unknown: + You can no longer put someone into a sleeper and erase them from existence + by climbing into the same sleeper. + - unknown: + Players who haven't entered the game will no longer be able to hear administrators + in deadchat. Mport, SECOND REMOVER OF SUNS: - - unknown: Singularity absorbtion explosion range lowered and is now dependent on - singularity size. - - unknown: Bag of Holding no longer instakills singularity, and the chance for bombs - to destroy a singularity has been changed from 10% to 25%. - - unknown: Removed THE SUN. - - unknown: Damage and stun duration from shocked doors has been lowered to account - for a larger amount of energy in the powernet. + - unknown: + Singularity absorbtion explosion range lowered and is now dependent on + singularity size. + - unknown: + Bag of Holding no longer instakills singularity, and the chance for bombs + to destroy a singularity has been changed from 10% to 25%. + - unknown: Removed THE SUN. + - unknown: + Damage and stun duration from shocked doors has been lowered to account + for a larger amount of energy in the powernet. Pete: - - unknown: Added new sprites for the light tube and glasses boxes. - - unknown: Fixed the bug where syndicate bundles would have an emergency O2 tank - and breath mask. + - unknown: Added new sprites for the light tube and glasses boxes. + - unknown: + Fixed the bug where syndicate bundles would have an emergency O2 tank + and breath mask. 2011-09-17: /tg/station team: - - unknown: ' Operation Market Garden remembrance day:' + - unknown: " Operation Market Garden remembrance day:" Errorage: - - unknown: You can now insert a coin into vending machines. Some machines (currently - only the cigarette vending machine) have special items that you can only get - to with a coin. No, hacking will not let you get the items, coin only. + - unknown: + You can now insert a coin into vending machines. Some machines (currently + only the cigarette vending machine) have special items that you can only get + to with a coin. No, hacking will not let you get the items, coin only. 2011-09-18: /tg/station team: - - unknown: ' World Water Monitoring Day:' + - unknown: " World Water Monitoring Day:" Errorage: - - unknown: Added the most fun activity in your every-day life. Laundry. Check the - dormitory. (Sprites by Hempuli) - - unknown: You can now change the color of jumpsuits, shoes, gloves and bedsheets - using the washing machine. - - unknown: Some religions (currently Islam, Scientology and Atheism) set your chapel's - symbols to the symbols of that religion. - - unknown: A new old-style cabinet's been added to the detective's office. (Sprite - by Hempuli) - - unknown: Runtime the cat ran away!! And it gets even worse! Mr. Deempisi met a premature end during an excursion to - the kitchen's freezer! -- I was ORDERED to do - this... don't kill me! :( - - unknown: Kudzu can now be spawned (Currently admin-only. Will test a bit, balance - it properly and add it as a random event) (Original code and sprites donated - by I Said No) + - unknown: + Added the most fun activity in your every-day life. Laundry. Check the + dormitory. (Sprites by Hempuli) + - unknown: + You can now change the color of jumpsuits, shoes, gloves and bedsheets + using the washing machine. + - unknown: + Some religions (currently Islam, Scientology and Atheism) set your chapel's + symbols to the symbols of that religion. + - unknown: + A new old-style cabinet's been added to the detective's office. (Sprite + by Hempuli) + - unknown: + Runtime the cat ran away!! And it gets even worse! Mr. Deempisi met a premature end during an excursion to + the kitchen's freezer! -- I was ORDERED to do + this... don't kill me! :( + - unknown: + Kudzu can now be spawned (Currently admin-only. Will test a bit, balance + it properly and add it as a random event) (Original code and sprites donated + by I Said No) Kor: - - unknown: Added purple goggles to chemistry (you're welcome Lasty) - - unknown: Added a third MMI to robotics and monkey cubes to xenobio (dont fucking - spam them in the halls) + - unknown: Added purple goggles to chemistry (you're welcome Lasty) + - unknown: + Added a third MMI to robotics and monkey cubes to xenobio (dont fucking + spam them in the halls) Mport: - - unknown: Turns out tasers and a few other weapons were slightly bugged when it - came to checking the internal powercell. Tasers and such gained an extra shot. - - unknown: Ion Rifle shots lowered to 5 per charge. + - unknown: + Turns out tasers and a few other weapons were slightly bugged when it + came to checking the internal powercell. Tasers and such gained an extra shot. + - unknown: Ion Rifle shots lowered to 5 per charge. 2011-09-20: /tg/station team: - - unknown: ' 10 year anniversary of the declaration of the "war on terror":' + - unknown: ' 10 year anniversary of the declaration of the "war on terror":' Errorage: - - unknown: You can no longer clone people who suicided. I REPEAT! - You can no longer clone people who have suicided! So use suiciding more - carefully and only if you ACTUALLY want to get out of a round. You can normally - clone people who succumbed tho, so don't worry about that. - - unknown: Washing your hands in the sink will now only wash your hands and gloves. - You can wash items if you have them in your hands. Both of these actions are - no longer instant tho. + - unknown: + You can no longer clone people who suicided. I REPEAT! + You can no longer clone people who have suicided! So use suiciding more + carefully and only if you ACTUALLY want to get out of a round. You can normally + clone people who succumbed tho, so don't worry about that. + - unknown: + Washing your hands in the sink will now only wash your hands and gloves. + You can wash items if you have them in your hands. Both of these actions are + no longer instant tho. 2011-09-22: /tg/station team: - - unknown: ' OneWebDay:' + - unknown: " OneWebDay:" Errorage: - - unknown: Added an additional 9 colors, into which you can color bedsheets, jumpsuits, - gloves and shoes at the washing machine. - - unknown: A new click proc will need to be live-tested. - The testing will be announced via OOC and you will get a message when it happens. - When testing is going on, the new click proc will be used. If testing is going - on and you notice a bug, please report it via adminhelp. If you find yourself - unable to perform an action, you can double click (By that I mean spam the shit - out of clicking) to use the old proc, which is unchanged and will behave like - you're used to. Standard roleplay rules apply during tests, - they're not an excuse to murder eachother. + - unknown: + Added an additional 9 colors, into which you can color bedsheets, jumpsuits, + gloves and shoes at the washing machine. + - unknown: + A new click proc will need to be live-tested. + The testing will be announced via OOC and you will get a message when it happens. + When testing is going on, the new click proc will be used. If testing is going + on and you notice a bug, please report it via adminhelp. If you find yourself + unable to perform an action, you can double click (By that I mean spam the shit + out of clicking) to use the old proc, which is unchanged and will behave like + you're used to. Standard roleplay rules apply during tests, + they're not an excuse to murder eachother. 2011-09-28: Doohl: - - unknown: Putting someone inside a cloning machine's DNA scanner will notify the - person that they are about to be cloned. This completely removes the necessity - to announce over OOC for someone to get back in their body. + - unknown: + Putting someone inside a cloning machine's DNA scanner will notify the + person that they are about to be cloned. This completely removes the necessity + to announce over OOC for someone to get back in their body. Rolan7: - - unknown: New method for job assignment. Remember to review your preferences. Send - all your hate and bug reports to me. + - unknown: + New method for job assignment. Remember to review your preferences. Send + all your hate and bug reports to me. 2011-10-01: Knognob Lungsparkle: - - unknown: Xenomorphic aliens can now shape resin membranes (organic windows basically). - - unknown: The AI can no longer see runes. Instead, they will see blood splatters. + - unknown: Xenomorphic aliens can now shape resin membranes (organic windows basically). + - unknown: The AI can no longer see runes. Instead, they will see blood splatters. 2011-10-02: Errorage: - - unknown: Opening a storage item on your belt will now display the proper number - of slots even if the number is different from 7. - - unknown: Less ponies, gryphons, and Tohou. + - unknown: + Opening a storage item on your belt will now display the proper number + of slots even if the number is different from 7. + - unknown: Less ponies, gryphons, and Tohou. Petethegoat: - - unknown: Pandemic recharge speed is affected by the number of different types - of antibodies in the blood sample. For maximum efficiency, use blood samples - with only a single type of antibody. (Blood samples with two types of antibodies - will still let the Pandemic recharge slightly faster than it used to.) + - unknown: + Pandemic recharge speed is affected by the number of different types + of antibodies in the blood sample. For maximum efficiency, use blood samples + with only a single type of antibody. (Blood samples with two types of antibodies + will still let the Pandemic recharge slightly faster than it used to.) 2011-10-08: Doohl: - - unknown: You can put things on trays and mass-transport them now. To put stuff - on trays, simply pick up a tray with items underneath/on top of it and they'll - be automatically carried on top of the tray. Be careful not to make a mess~! + - unknown: + You can put things on trays and mass-transport them now. To put stuff + on trays, simply pick up a tray with items underneath/on top of it and they'll + be automatically carried on top of the tray. Be careful not to make a mess~! Mport: - - unknown: Telekenesis now only allows you to pick up objects. - - unknown: Stun gloves ignore intent. - - unknown: Moved the loyalty implants to the HoS' locker. - - unknown: Job system redone, remember to setup your prefs. + - unknown: Telekenesis now only allows you to pick up objects. + - unknown: Stun gloves ignore intent. + - unknown: Moved the loyalty implants to the HoS' locker. + - unknown: Job system redone, remember to setup your prefs. 2011-10-11: ConstantA: - - unknown: Added radios to exosuits. Setting can be found in 'Electronics' menu. - - unknown: Exosuit maintenance can be initiated even if it's occupied. The pilot - must permit maintenance through 'Permissions &amp; Logging' - 'Permit maintenance - protocols'. For combat exosuits it's disabled by default. While in maintenance - mode, exosuit can't move or use equipment. + - unknown: Added radios to exosuits. Setting can be found in 'Electronics' menu. + - unknown: + Exosuit maintenance can be initiated even if it's occupied. The pilot + must permit maintenance through 'Permissions &amp; Logging' - 'Permit maintenance + protocols'. For combat exosuits it's disabled by default. While in maintenance + mode, exosuit can't move or use equipment. 2011-10-15: /tg/station team: - - unknown: ' White Cane Safety Day:' + - unknown: " White Cane Safety Day:" Agouri: - - unknown: There has been a tidal wave of bugfixes over the last 5 or so days. If - you had previously tried something on the station, saw that it was bugged and - never tried it again, chances are it got fixed. I don't want you to neglect - using stuff because you think it was bugged, which it was at one point, but - no longer is. Thanks, happy new semester to everyone~ + - unknown: + There has been a tidal wave of bugfixes over the last 5 or so days. If + you had previously tried something on the station, saw that it was bugged and + never tried it again, chances are it got fixed. I don't want you to neglect + using stuff because you think it was bugged, which it was at one point, but + no longer is. Thanks, happy new semester to everyone~ Doohl: - - unknown: New hairstyles! YOU never asked for this! + - unknown: New hairstyles! YOU never asked for this! Errorage: - - unknown: When you're unconscious, paralyzed, sleeping, etc. you will still see - the same blackness as always, but it will rarely flicker a bit to allow you - to see a little of your surroundings. + - unknown: + When you're unconscious, paralyzed, sleeping, etc. you will still see + the same blackness as always, but it will rarely flicker a bit to allow you + to see a little of your surroundings. 2011-10-18: Errorage: - - unknown: "You can now move diagonally! To do so, use\ - \ the numpad. The keybaord has been remapped to make this possible:\n\t\t
        \n\ - \t\t\t
      • CTRL + A = throw
      • \n\t\t\t
      • CTRL + S = swap hands
      • \n\t\t\t\ -
      • CTRL + D = drop
      • \n\t\t\t
      • CTRL + W = use item in hand on itself
      • \n\ - \t\t\t
      • Numpad divide (/) = throw
      • \n\t\t\t
      • Numpad multiply (*) = swap\ - \ hands
      • \n\t\t\t
      • Numpad subtract (-) = drop
      • \n\t\t\t
      • Numpad add\ - \ (+) = use item in hand on itself
      • \n\t\t
      \n\t" + - unknown: + "You can now move diagonally! To do so, use\ + \ the numpad. The keybaord has been remapped to make this possible:\n\t\t
        \n\ + \t\t\t
      • CTRL + A = throw
      • \n\t\t\t
      • CTRL + S = swap hands
      • \n\t\t\t\ +
      • CTRL + D = drop
      • \n\t\t\t
      • CTRL + W = use item in hand on itself
      • \n\ + \t\t\t
      • Numpad divide (/) = throw
      • \n\t\t\t
      • Numpad multiply (*) = swap\ + \ hands
      • \n\t\t\t
      • Numpad subtract (-) = drop
      • \n\t\t\t
      • Numpad add\ + \ (+) = use item in hand on itself
      • \n\t\t
      \n\t" 2011-10-21: /tg/station team: - - unknown: ' Tuesday:' + - unknown: " Tuesday:" Errorage: - - unknown: "Old keyboard hotkey layout option available again!\ - \ home, end, page down and page up now once again do what they did before by\ - \ default. To use diagonal movement you will need to use your numpad with NUM\ - \ LOCK enabled.
      \n\t\tThe new list of hotkeys is as follows: (Valid as of\ - \ 21.10.2011)\n\t\t
        \n\t\t\t
      • Numpad with Num Lock enabled = movement in\ - \ wanted direction.
      • \n\t\t\t
      • Numpad with Num Lock disabled = as it was\ - \ before. movement north-south-east-west and throw, drop, swap hands, use item\ - \ on itself.
      • \n\t\t\t
      • Page up (also numpad 9 with num lock disabled)\ - \ = swap hands
      • \n\t\t\t
      • Page down (also numpad 3 with num lock disabled)\ - \ = use item in hand on itself
      • \n\t\t\t
      • home (also numpad 7 with num\ - \ lock disabled) = drop
      • \n\t\t\t
      • end (also numpad 1 with num lock disabled)\ - \ = throw
      • \n\t\t\t
      • CTRL + A = throw
      • \n\t\t\t
      • CTRL + S = swap hands
      • \n\ - \t\t\t
      • CTRL + D = drop
      • \n\t\t\t
      • CTRL + W = use item in hand on itself
      • \n\ - \t\t\t
      • Numpad divide (/) = throw
      • \n\t\t\t
      • Numpad multiply (*) = swap\ - \ hands
      • \n\t\t\t
      • Numpad subtract (-) = drop
      • \n\t\t\t
      • Numpad add\ - \ (+) = use item in hand on itself
      • \n\t\t
      \n\t\tIn short, use Num Lock to swap between the two layouts.\n\t" + - unknown: + "Old keyboard hotkey layout option available again!\ + \ home, end, page down and page up now once again do what they did before by\ + \ default. To use diagonal movement you will need to use your numpad with NUM\ + \ LOCK enabled.
      \n\t\tThe new list of hotkeys is as follows: (Valid as of\ + \ 21.10.2011)\n\t\t
        \n\t\t\t
      • Numpad with Num Lock enabled = movement in\ + \ wanted direction.
      • \n\t\t\t
      • Numpad with Num Lock disabled = as it was\ + \ before. movement north-south-east-west and throw, drop, swap hands, use item\ + \ on itself.
      • \n\t\t\t
      • Page up (also numpad 9 with num lock disabled)\ + \ = swap hands
      • \n\t\t\t
      • Page down (also numpad 3 with num lock disabled)\ + \ = use item in hand on itself
      • \n\t\t\t
      • home (also numpad 7 with num\ + \ lock disabled) = drop
      • \n\t\t\t
      • end (also numpad 1 with num lock disabled)\ + \ = throw
      • \n\t\t\t
      • CTRL + A = throw
      • \n\t\t\t
      • CTRL + S = swap hands
      • \n\ + \t\t\t
      • CTRL + D = drop
      • \n\t\t\t
      • CTRL + W = use item in hand on itself
      • \n\ + \t\t\t
      • Numpad divide (/) = throw
      • \n\t\t\t
      • Numpad multiply (*) = swap\ + \ hands
      • \n\t\t\t
      • Numpad subtract (-) = drop
      • \n\t\t\t
      • Numpad add\ + \ (+) = use item in hand on itself
      • \n\t\t
      \n\t\tIn short, use Num Lock to swap between the two layouts.\n\t" 2011-10-27: Mport: - - unknown: New WIP TK system added. To activate your TK click the throw button - with an empty hand. This will bring up a tkgrab item. Click on a non-anchored - (currently) non mob Object to select it as your "focus". Once a focus is selected - so long as you are in range of the focus you can now click somewhere to throw - the focus at the target. To quit using TK just drop the tkgrab item. + - unknown: + New WIP TK system added. To activate your TK click the throw button + with an empty hand. This will bring up a tkgrab item. Click on a non-anchored + (currently) non mob Object to select it as your "focus". Once a focus is selected + so long as you are in range of the focus you can now click somewhere to throw + the focus at the target. To quit using TK just drop the tkgrab item. 2011-10-29: ConstantA: - - unknown: Added step and turn sounds for mechs - - unknown: Added another mecha equipment - plasma converter. Works similar to portable - generator. Uses solid plasma as fuel. Can be refueled either by clicking on - it with plasma in hand, or directly from mecha - selecting it and clicking on - plasma. - - unknown: Added mecha laser cannon. - - unknown: Added damage absorption for mechs. Different mechs have different absorption - for different types of damage. - - unknown: Metal foam now blocks air movement. + - unknown: Added step and turn sounds for mechs + - unknown: + Added another mecha equipment - plasma converter. Works similar to portable + generator. Uses solid plasma as fuel. Can be refueled either by clicking on + it with plasma in hand, or directly from mecha - selecting it and clicking on + plasma. + - unknown: Added mecha laser cannon. + - unknown: + Added damage absorption for mechs. Different mechs have different absorption + for different types of damage. + - unknown: Metal foam now blocks air movement. Doohl: - - unknown: More hairs added and a very long beard. - - unknown: Finally fixed the request console announcements going AMP - AMP AMP all the time when you use punctuation. + - unknown: More hairs added and a very long beard. + - unknown: + Finally fixed the request console announcements going AMP + AMP AMP all the time when you use punctuation. Petethegoat: - - unknown: 'Stunglove overhaul: part one. Stun gloves are now made by wiring a pair - of gloves, and then attaching a battery- this shows up on the object sprite, - but not on your character. Stungloves use 2500 charge per stun! This means that - some low capacity batteries will make useless stungloves. To get your - old inconspicous gloves back, simply cut away the wire and battery. Note - that insulated gloves lose their insulation when you wire them up! Yet - to come: stungloves taking extra damage from shocked doors.' - - unknown: "Removed sleepypens! Paralysis pens have been\ - \ changed to look like normal pens instead of penlights, and have been slightly\ - \ nerfed. They will paralyse for about fifteen seconds, and cause minor brain\ - \ damage and dizziness.\n\t" - - unknown: "Uplink Implants now have five telecrystals instead of four.\n " + - unknown: + 'Stunglove overhaul: part one. Stun gloves are now made by wiring a pair + of gloves, and then attaching a battery- this shows up on the object sprite, + but not on your character. Stungloves use 2500 charge per stun! This means that + some low capacity batteries will make useless stungloves. To get your + old inconspicous gloves back, simply cut away the wire and battery. Note + that insulated gloves lose their insulation when you wire them up! Yet + to come: stungloves taking extra damage from shocked doors.' + - unknown: + "Removed sleepypens! Paralysis pens have been\ + \ changed to look like normal pens instead of penlights, and have been slightly\ + \ nerfed. They will paralyse for about fifteen seconds, and cause minor brain\ + \ damage and dizziness.\n\t" + - unknown: "Uplink Implants now have five telecrystals instead of four.\n " 2011-11-07: Kor: - - unknown: Repair bots (mechs) are now adminspawn only - - unknown: Extra loyalty implants are now orderable via cargo bay (60 points for - 4 implants) - - unknown: Changeling regen stasis now takes two full minutes to use, but can be - used while dead. Burning and gibbing are the only way to keep them dead now. + - unknown: Repair bots (mechs) are now adminspawn only + - unknown: + Extra loyalty implants are now orderable via cargo bay (60 points for + 4 implants) + - unknown: + Changeling regen stasis now takes two full minutes to use, but can be + used while dead. Burning and gibbing are the only way to keep them dead now. 2011-11-16: Petethegoat: - - unknown: Security, Engineer, Medical, and Janitor borgs no longer get a choice - of skin. This is for purposes of quick recognition, and is the first part of - a series of upcoming cyborg updates. + - unknown: + Security, Engineer, Medical, and Janitor borgs no longer get a choice + of skin. This is for purposes of quick recognition, and is the first part of + a series of upcoming cyborg updates. Tobba: - - unknown: Report any issues with the updated vending machines! + - unknown: Report any issues with the updated vending machines! 2011-11-19: Doohl: - - unknown: Toggling admin midis will now DISABLE THE CURRENT - MIDI OH MY GOSH! + - unknown: + Toggling admin midis will now DISABLE THE CURRENT + MIDI OH MY GOSH! Kor: - - unknown: The PALADIN lawset in the AI upload has been replaced with the corporate - lawset + - unknown: + The PALADIN lawset in the AI upload has been replaced with the corporate + lawset Petethegoat: - - unknown: Diagonal movement is gone on account of them proving to be a bad idea - in practice. A grand experiment nonetheless. + - unknown: + Diagonal movement is gone on account of them proving to be a bad idea + in practice. A grand experiment nonetheless. Tobba: - - unknown: We're looking for feedback on the updated chem dispenser! It no longer - dispenses beakers of the reagent, and instead places a variable amount of the - reagent into the beaker of your choosing. + - unknown: + We're looking for feedback on the updated chem dispenser! It no longer + dispenses beakers of the reagent, and instead places a variable amount of the + reagent into the beaker of your choosing. 2011-11-22: Doohl: - - unknown: The firing range now has a purpose. Go check it out; there's a few surprises! + - unknown: The firing range now has a purpose. Go check it out; there's a few surprises! 2011-11-27: Kor: - - unknown: Changeling husks are now borgable again (though not clonable) and genome - requirements were lowered - - unknown: De-revved revolutionaries had their message clarified a bit. You remember - the person who flashed you, and so can out ONE revhead - - unknown: Light tubes/bulbs can now be created in the autolathe. Recycle those - broken lights! + - unknown: + Changeling husks are now borgable again (though not clonable) and genome + requirements were lowered + - unknown: + De-revved revolutionaries had their message clarified a bit. You remember + the person who flashed you, and so can out ONE revhead + - unknown: + Light tubes/bulbs can now be created in the autolathe. Recycle those + broken lights! 2011-11-30: Vinyl Scratch: - - unknown: New ambient sounds for the station and AI Sat. - - unknown: He's baaaaaack... + - unknown: New ambient sounds for the station and AI Sat. + - unknown: He's baaaaaack... 2011-12-03: Errorage: - - unknown: Grass plants in hydro now make grass floor tiles instead of the awkward - patches. + - unknown: + Grass plants in hydro now make grass floor tiles instead of the awkward + patches. Numbers: - - unknown: Potency variations tipped in favour of bigger changes over smaller periods - of time. - 'Pete & Erro Christmas update:': - - unknown: Reinforced metal renamed to steel and steel floor tile renamed to metal - floor tile to avoid confusion before it even happens. - - unknown: It is no longer possible to make steel from metal or vice versa or from - the autolathe. You can however make metal from the autolathe and still insert - steel to increase the metal resource. - - unknown: To make steel you can now use the mining smelting unit and smelt iron - and plasma ore. - - unknown: The RCD can no longer take down reinforced walls. + - unknown: + Potency variations tipped in favour of bigger changes over smaller periods + of time. + "Pete & Erro Christmas update:": + - unknown: + Reinforced metal renamed to steel and steel floor tile renamed to metal + floor tile to avoid confusion before it even happens. + - unknown: + It is no longer possible to make steel from metal or vice versa or from + the autolathe. You can however make metal from the autolathe and still insert + steel to increase the metal resource. + - unknown: + To make steel you can now use the mining smelting unit and smelt iron + and plasma ore. + - unknown: The RCD can no longer take down reinforced walls. Petethegoat: - - unknown: Fixed all known vending machine issues. - - unknown: Fixed a minor visual bug with emagged lockers. - - unknown: Clarified some of the APC construction/deconstruction messages. + - unknown: Fixed all known vending machine issues. + - unknown: Fixed a minor visual bug with emagged lockers. + - unknown: Clarified some of the APC construction/deconstruction messages. PolymorphBlue: - - unknown: Traitors in the escape shuttle's prison cell will now fail their objective. - - unknown: Lockers are no longer soundproof! (or flashproof, for that matter) - - unknown: "Headrevs can no longer be borged, revs are dereved when borged.\n " + - unknown: Traitors in the escape shuttle's prison cell will now fail their objective. + - unknown: Lockers are no longer soundproof! (or flashproof, for that matter) + - unknown: "Headrevs can no longer be borged, revs are dereved when borged.\n " 2011-12-08: Errorage: - - unknown: Fixed the comms console locking up when you tried to change the alert - level. - - unknown: Added a keycard authentication device, which is used for high-security - events. The idea behind it is the same as the two-key thing from submarine movies. - You select the event you wish to trigger on one of the devices and then swipe - your ID, if someone swipes their ID on one of the other devices within 2 seconds, - the event is enacted. These devices are in each of the head's offices and all - heads have the access level to confirm an event, it can also be added to cards - at the HoP's ID computer. The only event that can currently be enacted is Red - alert. + - unknown: + Fixed the comms console locking up when you tried to change the alert + level. + - unknown: + Added a keycard authentication device, which is used for high-security + events. The idea behind it is the same as the two-key thing from submarine movies. + You select the event you wish to trigger on one of the devices and then swipe + your ID, if someone swipes their ID on one of the other devices within 2 seconds, + the event is enacted. These devices are in each of the head's offices and all + heads have the access level to confirm an event, it can also be added to cards + at the HoP's ID computer. The only event that can currently be enacted is Red + alert. Kor: - - unknown: The chef now has a fancy dinner mint in his kitchen. It is only wafer - thin! + - unknown: + The chef now has a fancy dinner mint in his kitchen. It is only wafer + thin! 2011-12-10: Doohl: - - unknown: Title music now plays in the pregame lobby. You can toggle this with - a verb in "Special Verbs" if you really want to. - - unknown: User Interface preferences now properly get transferred when you get - cloned. + - unknown: + Title music now plays in the pregame lobby. You can toggle this with + a verb in "Special Verbs" if you really want to. + - unknown: + User Interface preferences now properly get transferred when you get + cloned. Erro: - - unknown: Escape pods have been added to test the concept. - - unknown: Escaping alone in a pod does not count towards the escape alone objective, - it counts towards the escape alive objective tho. Escape alone only requires - you to escape alone on the emergency shuttle, it doesn't require you to ensure - all pods are empty. Cult members that escape on the pods do not ocunt towards - the cult escaping acolyte number objective. Escaping on a pod is a valid way - to survive meteor. + - unknown: Escape pods have been added to test the concept. + - unknown: + Escaping alone in a pod does not count towards the escape alone objective, + it counts towards the escape alive objective tho. Escape alone only requires + you to escape alone on the emergency shuttle, it doesn't require you to ensure + all pods are empty. Cult members that escape on the pods do not ocunt towards + the cult escaping acolyte number objective. Escaping on a pod is a valid way + to survive meteor. Polymorph: - - unknown: ' Fire is now actually dangerous. Do not touch fire. ' + - unknown: " Fire is now actually dangerous. Do not touch fire. " 2011-12-11: NEO: - - unknown: AIs actually consume power from APCs now - - unknown: Bigass malf overhaul. tl;dr no more AI sat, instead you have to play - whackamole with APCs. + - unknown: AIs actually consume power from APCs now + - unknown: + Bigass malf overhaul. tl;dr no more AI sat, instead you have to play + whackamole with APCs. 2011-12-14: Erro: - - unknown: Meteor mode is hopefully deadly again! + - unknown: Meteor mode is hopefully deadly again! Kor: - - unknown: 'Research director has a new toy: Reactive Teleport Armour. Click it - in your hand to activate it and try it out!' + - unknown: + "Research director has a new toy: Reactive Teleport Armour. Click it + in your hand to activate it and try it out!" 2011-12-17: Erro: - - unknown: Your direct supervisors are now displayed when you are assigned a job - at round start or late join. + - unknown: + Your direct supervisors are now displayed when you are assigned a job + at round start or late join. 2011-12-18: Carnwennan: - - unknown: Thanks to the wonders of modern technology and the Nanotrasen steel press - Ian's head has been shaped to fit even more silly hats. The taxpayers will be - pleased. + - unknown: + Thanks to the wonders of modern technology and the Nanotrasen steel press + Ian's head has been shaped to fit even more silly hats. The taxpayers will be + pleased. Doohl: - - unknown: Vending machines got yet another overhaul! Good lord, when will - they stop assfucking those damned vendors?? + - unknown: + Vending machines got yet another overhaul! Good lord, when will + they stop assfucking those damned vendors?? 2011-12-19: Kor: - - unknown: "General/Misc Changes\n\t
        \n\t
      • Escape pods no longer go to the\ - \ horrific gibbing chambers. Rather, they will be picked up by a salvage ship\ - \ in deep space. (This basically changes nothing mechanics wise, just fluff)
      • \n\ - \t
      • An ion rifle now spawns on the nuclear operative shuttle. Maybe this will\ - \ help with them getting destroyed by sec borgs every round?
      • \n\t
      \n\ - \t" - - unknown: "Wizard Changes\n\t
        \n\t
      • The wizard can now purchase magic artefacts\ - \ in addition to spells in a subsection of the spellbook.
      • \n\t
      • The first\ - \ (and currently only) new artefact is the Staff of Change, which functions\ - \ as a self recharging energy weapon with some special effects.
      • \n\t
      • The\ - \ wizard has a new alternative set of robes on his shuttle.
      • \n\t\n\t
      \n\ - \t" - - unknown: "Cult Changes
        \n\t
      • Cultists now each start with three words (join,\ - \ blood, self). No more will you suffer at the hands of cultists who refuse\ - \ to share words.
      • \n\t
      • The starting supply talisman can now be used five\ - \ times and can now be used to spawn armor and a blade.
      • \n\t
      • Replaced\ - \ the sprites on the cultist robes/hood.
      • \n\t
      " + - unknown: + "General/Misc Changes\n\t
        \n\t
      • Escape pods no longer go to the\ + \ horrific gibbing chambers. Rather, they will be picked up by a salvage ship\ + \ in deep space. (This basically changes nothing mechanics wise, just fluff)
      • \n\ + \t
      • An ion rifle now spawns on the nuclear operative shuttle. Maybe this will\ + \ help with them getting destroyed by sec borgs every round?
      • \n\t
      \n\ + \t" + - unknown: + "Wizard Changes\n\t
        \n\t
      • The wizard can now purchase magic artefacts\ + \ in addition to spells in a subsection of the spellbook.
      • \n\t
      • The first\ + \ (and currently only) new artefact is the Staff of Change, which functions\ + \ as a self recharging energy weapon with some special effects.
      • \n\t
      • The\ + \ wizard has a new alternative set of robes on his shuttle.
      • \n\t\n\t
      \n\ + \t" + - unknown: + "Cult Changes
        \n\t
      • Cultists now each start with three words (join,\ + \ blood, self). No more will you suffer at the hands of cultists who refuse\ + \ to share words.
      • \n\t
      • The starting supply talisman can now be used five\ + \ times and can now be used to spawn armor and a blade.
      • \n\t
      • Replaced\ + \ the sprites on the cultist robes/hood.
      • \n\t
      " 2011-12-21: RavingManiac: - - unknown: Kitchen cold room is now cooled by a freezing unit. Temperature is about - 240K by default, but can be raised to room temperature or lowered to lethal - coldness. + - unknown: + Kitchen cold room is now cooled by a freezing unit. Temperature is about + 240K by default, but can be raised to room temperature or lowered to lethal + coldness. 2011-12-23: ConstantA: - - unknown: Mech Fabricators now require robotics ID to operate. Emag removes this - restriction. - - unknown: Added Odysseus Medical Exosuit. Has integrated Medical Hud and ability - to mount medical modules. - - unknown: Added Sleeper Medical module for exosuits. Similar to common sleepers, - but no ability to inject reagents. - - unknown: Added Cable Layer module for exosuits. Load with cable (attack cable - with it), activate, walk over dismantled floor. - - unknown: Added another exosuit internal damage type - short circuit. Short-circuited - exosuits will drain powercell charge and power relay won't work. - - unknown: You should be able to send messages to exosuit operators using Exosuit - Control Console - - unknown: Gygax armour and module capacity nerfed. - - unknown: Exosuit weapon recharge time raised. - - unknown: 'Bugfix: EMP actually drains exosuit cell and damages it' + - unknown: + Mech Fabricators now require robotics ID to operate. Emag removes this + restriction. + - unknown: + Added Odysseus Medical Exosuit. Has integrated Medical Hud and ability + to mount medical modules. + - unknown: + Added Sleeper Medical module for exosuits. Similar to common sleepers, + but no ability to inject reagents. + - unknown: + Added Cable Layer module for exosuits. Load with cable (attack cable + with it), activate, walk over dismantled floor. + - unknown: + Added another exosuit internal damage type - short circuit. Short-circuited + exosuits will drain powercell charge and power relay won't work. + - unknown: + You should be able to send messages to exosuit operators using Exosuit + Control Console + - unknown: Gygax armour and module capacity nerfed. + - unknown: Exosuit weapon recharge time raised. + - unknown: "Bugfix: EMP actually drains exosuit cell and damages it" RavingManiac: - - unknown: Meat will now spoil within three minutes at temperatures between 0C and - 100C. - - unknown: 'Rotten meat has the same nutritional value as normal meat, and can be - used in + - unknown: + Meat will now spoil within three minutes at temperatures between 0C and + 100C. + - unknown: + "Rotten meat has the same nutritional value as normal meat, and can be + used in - the same recipes. However, it is toxic, and ingesting a badly-prepared big bite + the same recipes. However, it is toxic, and ingesting a badly-prepared big bite - burger can kill you.' - - unknown: 'Because refrigeration serves a purpose now, the kitchen cold room freezing - unit + burger can kill you." + - unknown: + "Because refrigeration serves a purpose now, the kitchen cold room freezing + unit - is turned off by default. Chefs should remember to turn the freezer on at the + is turned off by default. Chefs should remember to turn the freezer on at the - start of their shift.' + start of their shift." 2011-12-24: Rockdtben: - - unknown: 'Added sprites for soda can in left and right hands on mob: sodawater, - tonic, purple_can, ice_tea_can, energy_drink, thirteen_loko, space_mountain_wind, - dr_gibb, starkist, space-up, and lemon-lime.' + - unknown: + "Added sprites for soda can in left and right hands on mob: sodawater, + tonic, purple_can, ice_tea_can, energy_drink, thirteen_loko, space_mountain_wind, + dr_gibb, starkist, space-up, and lemon-lime." 2011-12-25: /tg/station team: - - unknown: ' working on christmas??' + - unknown: " working on christmas??" ConstantA: - - unknown: Circuit boards for Odysseus mech can be ordered by QM - - unknown: Designs for them were added to R&amp;D + - unknown: Circuit boards for Odysseus mech can be ordered by QM + - unknown: Designs for them were added to R&amp;D Kor: - - unknown: 'Soul Stones Added: Like intellicards for dead or dying humans! Full - details are too long for the changelog' - - unknown: A belt full of six soul stones is available as an artefact for the wizard - - unknown: Cultists can buy soulstones with their supply talisman - - unknown: The chaplain has a single soulstone on his desk - - unknown: The reactive teleport armour's test run is over. It no longer spawns - in the RD's office. + - unknown: + "Soul Stones Added: Like intellicards for dead or dying humans! Full + details are too long for the changelog" + - unknown: A belt full of six soul stones is available as an artefact for the wizard + - unknown: Cultists can buy soulstones with their supply talisman + - unknown: The chaplain has a single soulstone on his desk + - unknown: + The reactive teleport armour's test run is over. It no longer spawns + in the RD's office. 2011-12-27: Errorage: - - unknown: Engineering's been remapped + - unknown: Engineering's been remapped RavingManiac: - - unknown: Refrigerators and freezer crates will now preserve meat + - unknown: Refrigerators and freezer crates will now preserve meat 2011-12-28: RavingManiac: - - unknown: Wrapped objects can now be labelled with a pen - - unknown: Wrapped small packages can be picked up, and are now opened by being - used on themselves - - unknown: Mail office remapped such that packages flushed down disposals end up - on a special table - - unknown: Package wrappers placed in most of the station departments - - unknown: In short, you can now mail things to other departments by wrapping the - object, labelling it with the desired destination using a pen, and flushing - it down disposals. At the mail room, the cargo tech will then tag and send the - package to the department. + - unknown: Wrapped objects can now be labelled with a pen + - unknown: + Wrapped small packages can be picked up, and are now opened by being + used on themselves + - unknown: + Mail office remapped such that packages flushed down disposals end up + on a special table + - unknown: Package wrappers placed in most of the station departments + - unknown: + In short, you can now mail things to other departments by wrapping the + object, labelling it with the desired destination using a pen, and flushing + it down disposals. At the mail room, the cargo tech will then tag and send the + package to the department. 2011-12-29: ConstantA: - - unknown: Added some new Odysseus parts and tweaked old ones. - - unknown: Added Exosuit Syringe Gun Module - - unknown: New Odysseus sprites - courtesy of Veyveyr + - unknown: Added some new Odysseus parts and tweaked old ones. + - unknown: Added Exosuit Syringe Gun Module + - unknown: New Odysseus sprites - courtesy of Veyveyr Polymorph: - - unknown: Air Alarms can now be hacked. - - unknown: Too much of a good thing is just as bad as too little. Pressures over - 3000 kPa will do brute damage. + - unknown: Air Alarms can now be hacked. + - unknown: + Too much of a good thing is just as bad as too little. Pressures over + 3000 kPa will do brute damage. 2012-01-01: /tg/station team: - - unknown: ' (12 more months until doomsday)' + - unknown: " (12 more months until doomsday)" Doohl: - - unknown: XENOS ARE NOW IMMUNE TO STUNNING! To - compensate, stunning via tasers/batons now slows them down significantly. + - unknown: + XENOS ARE NOW IMMUNE TO STUNNING! To + compensate, stunning via tasers/batons now slows them down significantly. Polymorph: - - unknown: Doors no longer close if they have a mob in the tile. (Generally!) Door - safties can now be overriden to close a door with a mob in the tile and injure - them severely. + - unknown: + Doors no longer close if they have a mob in the tile. (Generally!) Door + safties can now be overriden to close a door with a mob in the tile and injure + them severely. 2012-01-03: Erro: - - unknown: Shift-clicking will now examine whatever you clicked - on! + - unknown: + Shift-clicking will now examine whatever you clicked + on! Polymorph: - - unknown: Alt-clicking will now pull whatever you clicked on! + - unknown: Alt-clicking will now pull whatever you clicked on! 2012-01-07: Donkieyo: - - unknown: You must now repair damaged plating with a welder before placing a floor - tile. - - unknown: You can now relabel canisters if they're under 1kPa. + - unknown: + You must now repair damaged plating with a welder before placing a floor + tile. + - unknown: You can now relabel canisters if they're under 1kPa. Polymorph: - - unknown: Dragging your PDA onto your person from your inventory will bring up - the PDA screen. - - unknown: You can now send emergancy messages to Centcomm (Or, with some.. tampering, - the Syndicate.) via a comms console. (This occurs in much the fashion as a - prayer.) + - unknown: + Dragging your PDA onto your person from your inventory will bring up + the PDA screen. + - unknown: + You can now send emergancy messages to Centcomm (Or, with some.. tampering, + the Syndicate.) via a comms console. (This occurs in much the fashion as a + prayer.) 2012-01-08: Agouri: - - unknown: I'm back home and resumed work on Newscasters and Contraband. - - unknown: But I got bored and made cargo softcaps instead. Flippable! Enjoy, now - all we need is deliverable pizzas. - - unknown: "Oh, also enjoy some new bodybag functionality and sounds I had ready\ - \ a while ago, with sprites from Farart. Use a pen to create a visible tag on\ - \ the bodybag. Wirecutters to cut it off. Also it's no longer weldable because\ - \ it makes no goddamn sense.\n " + - unknown: I'm back home and resumed work on Newscasters and Contraband. + - unknown: + But I got bored and made cargo softcaps instead. Flippable! Enjoy, now + all we need is deliverable pizzas. + - unknown: + "Oh, also enjoy some new bodybag functionality and sounds I had ready\ + \ a while ago, with sprites from Farart. Use a pen to create a visible tag on\ + \ the bodybag. Wirecutters to cut it off. Also it's no longer weldable because\ + \ it makes no goddamn sense.\n " 2012-01-09: ConstantA: - - unknown: "Reworked exosuit internal atmospherics (the situation when exosuit is\ - \ set to take air from internal tank, otherwise cabin air = location air): \n\ - \t\t
        \n\t\t\t
      • If current cabin presure is lower than &quot;tank output\ - \ pressure&quot;, the air will be taken from internal tank (if possible),\ - \ to equalize cabin pressure to &quot;tank output pressure&quot;
      • \n\ - \t\t\t
      • If current cabin presure is higher than &quot;tank output pressure&quot;,\ - \ the air will be siphoned from cabin to location until cabin pressure is equal\ - \ to &quot;tank output pressure&quot;
      • \n\t\t\t
      • Tank air is not\ - \ altered in any way even if it's overheated or overpressured - connect exosuit\ - \ to atmos connector port to vent it
      • \n\t\t\t
      • &quot;Tank output pressure&quot;\ - \ can be set through Maintenance window - Initiate maintenance protocol to get\ - \ the option
      • \n\t\t
      \n\t" - - unknown: Fixed bug that prevented exosuit tank air updates if exosuit was connected - to connector port - - unknown: 'Combat exosuits melee won''t gib dead mobs anymore ' - - unknown: QM exosuit circuit crates cost lowered to 30 points - - unknown: Exosuit plasma converter effectiveness +50% + - unknown: + "Reworked exosuit internal atmospherics (the situation when exosuit is\ + \ set to take air from internal tank, otherwise cabin air = location air): \n\ + \t\t
        \n\t\t\t
      • If current cabin presure is lower than &quot;tank output\ + \ pressure&quot;, the air will be taken from internal tank (if possible),\ + \ to equalize cabin pressure to &quot;tank output pressure&quot;
      • \n\ + \t\t\t
      • If current cabin presure is higher than &quot;tank output pressure&quot;,\ + \ the air will be siphoned from cabin to location until cabin pressure is equal\ + \ to &quot;tank output pressure&quot;
      • \n\t\t\t
      • Tank air is not\ + \ altered in any way even if it's overheated or overpressured - connect exosuit\ + \ to atmos connector port to vent it
      • \n\t\t\t
      • &quot;Tank output pressure&quot;\ + \ can be set through Maintenance window - Initiate maintenance protocol to get\ + \ the option
      • \n\t\t
      \n\t" + - unknown: + Fixed bug that prevented exosuit tank air updates if exosuit was connected + to connector port + - unknown: "Combat exosuits melee won't gib dead mobs anymore " + - unknown: QM exosuit circuit crates cost lowered to 30 points + - unknown: Exosuit plasma converter effectiveness +50% 2012-01-15: Doohl: - - unknown: The radio overhaul 'Telecommunications' is now LIVE. Please submit - any opinions/feedback in the forums and check the wiki article on Telecommunications - for some more info for the curious. - - unknown: The AI satellite has been replaced with a communications satellite. You - can get there via teleporter or space, just like the AI satellite. I highly - recommend not bum-rushing the new satellite, as you may be killed if you don't - have access. It's a very secure place. - - unknown: Once a human's toxicity level reaches a certain point, they begin throwing - up. This is a natural, but overall ineffective method of purging toxins from - the body. - - unknown: You can now travel Z-levels in Nuclear Emergency mode (the nuke disk - is still bound to the station). This means the nuclear agents can and probably - will fly off into space to blow up the comm satellite and shut down communications. + - unknown: + The radio overhaul 'Telecommunications' is now LIVE. Please submit + any opinions/feedback in the forums and check the wiki article on Telecommunications + for some more info for the curious. + - unknown: + The AI satellite has been replaced with a communications satellite. You + can get there via teleporter or space, just like the AI satellite. I highly + recommend not bum-rushing the new satellite, as you may be killed if you don't + have access. It's a very secure place. + - unknown: + Once a human's toxicity level reaches a certain point, they begin throwing + up. This is a natural, but overall ineffective method of purging toxins from + the body. + - unknown: + You can now travel Z-levels in Nuclear Emergency mode (the nuke disk + is still bound to the station). This means the nuclear agents can and probably + will fly off into space to blow up the comm satellite and shut down communications. 2012-01-17: Doohl: - - unknown: Syndicate shuttle now starts with a All-In-One telecommunication machine, - which acts as a mini-network for the syndie channel. It intercepts all station - radio activity, too, how cool is that? + - unknown: + Syndicate shuttle now starts with a All-In-One telecommunication machine, + which acts as a mini-network for the syndie channel. It intercepts all station + radio activity, too, how cool is that? 2012-01-19: Petethegoat: - - unknown: Exciting new pen additions! Get the low-down at the - wiki. + - unknown: + Exciting new pen additions! Get the low-down at the + wiki. 2012-01-27: Blaank: - - unknown: 'Added a vending machine to atmopherics reception desk that dispenses - large + - unknown: + "Added a vending machine to atmopherics reception desk that dispenses + large - oxygen tanks, plasma tanks, emergency oxegen tanks, extended capacity emergency + oxygen tanks, plasma tanks, emergency oxegen tanks, extended capacity emergency - oxygen tanks, and breath masks.' + oxygen tanks, and breath masks." LastyScratch: - - unknown: Toggle-Ambience now works properly and has been moved from the OOC tab - to the Special Verbs tab to be with all the other toggles. - 'Petethegoat updated (for a bunch of other people):': - - unknown: Lattice is now removed when you create plating or floor (credit Donkieyo). - - unknown: Monkeys now take damage while in crit (credit Nodrak). - - unknown: The warden now has his own jacket. (credit Shiftyeyesshady). - - unknown: Spectacular new dice that will display the proper side when rolled!! - (credit TedJustice) - - unknown: Borg RCDs can no longer take down R-walls. (headcoder orders) + - unknown: + Toggle-Ambience now works properly and has been moved from the OOC tab + to the Special Verbs tab to be with all the other toggles. + "Petethegoat updated (for a bunch of other people):": + - unknown: Lattice is now removed when you create plating or floor (credit Donkieyo). + - unknown: Monkeys now take damage while in crit (credit Nodrak). + - unknown: The warden now has his own jacket. (credit Shiftyeyesshady). + - unknown: + Spectacular new dice that will display the proper side when rolled!! + (credit TedJustice) + - unknown: Borg RCDs can no longer take down R-walls. (headcoder orders) RavingManiac: - - unknown: The bar now has a "stage" area for performances. + - unknown: The bar now has a "stage" area for performances. 2012-01-28: BubbleWrap: - - unknown: Arresting buff! - - unknown: A person in handcuffs being pulled cannot be bumped out of the way, nor - can the person pulling them. They can still push through a crowd (they get bumped - back to behind the person being pulled, or pushed ahead depending on intent). + - unknown: Arresting buff! + - unknown: + A person in handcuffs being pulled cannot be bumped out of the way, nor + can the person pulling them. They can still push through a crowd (they get bumped + back to behind the person being pulled, or pushed ahead depending on intent). 2012-01-29: /tg/station team: - - unknown: ' got Comp Arch exams on Wednesday :(' + - unknown: " got Comp Arch exams on Wednesday :(" Agouri: - - unknown: 'UPDATE ON THE UPDATE: Newspapers are now - fully working, sorry for that. Some minor icon bugs fixed. Now I''m free to - work on the contest prizes :3' - - unknown: Newscasters are now LIVE! Bug reports, - suggestions for extra uses, tears etc go here. - - unknown: What ARE newscasters? Fans of the Transmetropolitan series might - find them familiar. Basically, they're terminals connected to a station-wide - news network. Users are able to submit channels of their own (one per identified - user, with channels allowing feed stories by other people or, if you want the - channel to be your very own SpaceJournal, being submit-locked to you), while - others are able to read the channels, either through the terminals or a printed - newspaper which contains every news-story circulating at the time of printing. - - unknown: 'About censorship: You can censor channels and feed stories through Security - casters, found in the HoS''es office and the Bridge. Alternatively, if you want - a channel to stop operating completely, you can mark it with a D-Notice which - will freeze it and make all its messages unreadable for the duration it is in - effect. If you''ve got the access, of course.' - - unknown: Basically I think of the newscaster as nothing more as an additional - Roleplaying tool. Grab a newspaper along with your donuts and coffee from the - machines, read station rumors when you're manning your desk, be a station adventurer - or journalist with your very own network journal! - - unknown: I would ask for a bit of respect when using the machine, though. I removed - all and any channel and story restrictions regarding content, so you might end - up seeing channels that violate the rules, Report those to the admins. - - unknown: "Finally, due to the removal of the enforced \"Channel\" string, it's\ - \ recommended to name your channels properly (\"Station Paranormal Activity\ - \ Channel\" instead of \"Station Paranormal Activity\", for example\")\n\n " + - unknown: + 'UPDATE ON THE UPDATE: Newspapers are now + fully working, sorry for that. Some minor icon bugs fixed. Now I''m free to + work on the contest prizes :3' + - unknown: + Newscasters are now LIVE! Bug reports, + suggestions for extra uses, tears etc go here. + - unknown: + What ARE newscasters? Fans of the Transmetropolitan series might + find them familiar. Basically, they're terminals connected to a station-wide + news network. Users are able to submit channels of their own (one per identified + user, with channels allowing feed stories by other people or, if you want the + channel to be your very own SpaceJournal, being submit-locked to you), while + others are able to read the channels, either through the terminals or a printed + newspaper which contains every news-story circulating at the time of printing. + - unknown: + "About censorship: You can censor channels and feed stories through Security + casters, found in the HoS'es office and the Bridge. Alternatively, if you want + a channel to stop operating completely, you can mark it with a D-Notice which + will freeze it and make all its messages unreadable for the duration it is in + effect. If you've got the access, of course." + - unknown: + Basically I think of the newscaster as nothing more as an additional + Roleplaying tool. Grab a newspaper along with your donuts and coffee from the + machines, read station rumors when you're manning your desk, be a station adventurer + or journalist with your very own network journal! + - unknown: + I would ask for a bit of respect when using the machine, though. I removed + all and any channel and story restrictions regarding content, so you might end + up seeing channels that violate the rules, Report those to the admins. + - unknown: + "Finally, due to the removal of the enforced \"Channel\" string, it's\ + \ recommended to name your channels properly (\"Station Paranormal Activity\ + \ Channel\" instead of \"Station Paranormal Activity\", for example\")\n\n " 2012-01-30: Sieve: - - unknown: This stuff is actually already implemented, it just didn't make it to - the changelog - - unknown: Firefighter Mech - A reinforced Ripley that is more resistant to better - cope with fires, simply look in the Ripley Contruction manual for instructions. - - unknown: Mech contruction now has sounds for each step, not just 1/4 of them. - - unknown: Mech Fabricators are fixed, Manual Sync now works and certain reseach - will reduce the time needed to build components. - - unknown: Added special flaps to the mining station that disallow air-flow, removing - the need to shuffle Ore Boxes through the Airlocks. - - unknown: Each outpost has it's own system for the conveyors so they won't interfere - with each other. - - unknown: Powercell chargers have been buffed so now higher capacity cells are - actually useable. - - unknown: A diamond mech drill has been added. While it isn't any stronger than - the standard drill, it is much faster. + - unknown: + This stuff is actually already implemented, it just didn't make it to + the changelog + - unknown: + Firefighter Mech - A reinforced Ripley that is more resistant to better + cope with fires, simply look in the Ripley Contruction manual for instructions. + - unknown: Mech contruction now has sounds for each step, not just 1/4 of them. + - unknown: + Mech Fabricators are fixed, Manual Sync now works and certain reseach + will reduce the time needed to build components. + - unknown: + Added special flaps to the mining station that disallow air-flow, removing + the need to shuffle Ore Boxes through the Airlocks. + - unknown: + Each outpost has it's own system for the conveyors so they won't interfere + with each other. + - unknown: + Powercell chargers have been buffed so now higher capacity cells are + actually useable. + - unknown: + A diamond mech drill has been added. While it isn't any stronger than + the standard drill, it is much faster. 2012-01-31: Carn: - - unknown: Grammar & various bug-fixes - - unknown: Thank-you to everyone who reported spelling/grammar mistakes. I'm still - working on it, so if you spot anymore please leave a comment here. There's still lots to fix. - - unknown: Mining station areas should no longer lose air. + - unknown: Grammar & various bug-fixes + - unknown: + Thank-you to everyone who reported spelling/grammar mistakes. I'm still + working on it, so if you spot anymore please leave a comment here. There's still lots to fix. + - unknown: Mining station areas should no longer lose air. 2012-02-04: Erro: - - tweak: Examining humans now works a bit differently. Some external suits and helmets - can hide certain pieces of clothing so you don't see them when examining. Glasses - are also now displayed when examining. - - tweak: The job selection screen has been changed a little to hopefully make making - changes there easier. + - tweak: + Examining humans now works a bit differently. Some external suits and helmets + can hide certain pieces of clothing so you don't see them when examining. Glasses + are also now displayed when examining. + - tweak: + The job selection screen has been changed a little to hopefully make making + changes there easier. 2012-02-07: Giacom: - - rscadd: 'The return of the Nanotrasen Scripting Language! (NTSL) If you haven''t - heard of NTSL, it is a scripting language within a game for telecomms. Yes, - you can create scripts to interact with the radio! For more information, head - here: http://wiki.nanotrasen.com/index.php?title=NT_Script But before you do, - if you are not an antag, do not create bad scripts which hinders communication.' - - rscadd: Cameras, mulebots, APCs, radios and cyborgs can have signallers attached - to their wires, like airlocks! - - rscadd: Cameras have non-randomized wires and the power wire when pulsed will - now toggle the camera on and off. - - rscadd: Cyborgs have a new wire, the lockdown wire! It will disable/enable the - lockdown of a Cyborg when pulsed. - - rscadd: The traffic control computer (or more commonly known as the computer which - lets you add NTSL scripts) will now have a user log, which will log all user - activity. Other users can then view that log and see who has been uploading - naughty scripts! - - rscadd: NTSL has two new functions! time() and timestamp(format) will help you - increase the range of types of scripts you can make, especially time(); since - you can then make the scripts know the different between each execution by storing - the results in memory. - - rscadd: Two new advance disease symptoms! Their names are "Longevity" and "Anti-Bodies - Metabolism". Have fun experimenting with them! + - rscadd: + "The return of the Nanotrasen Scripting Language! (NTSL) If you haven't + heard of NTSL, it is a scripting language within a game for telecomms. Yes, + you can create scripts to interact with the radio! For more information, head + here: http://wiki.nanotrasen.com/index.php?title=NT_Script But before you do, + if you are not an antag, do not create bad scripts which hinders communication." + - rscadd: + Cameras, mulebots, APCs, radios and cyborgs can have signallers attached + to their wires, like airlocks! + - rscadd: + Cameras have non-randomized wires and the power wire when pulsed will + now toggle the camera on and off. + - rscadd: + Cyborgs have a new wire, the lockdown wire! It will disable/enable the + lockdown of a Cyborg when pulsed. + - rscadd: + The traffic control computer (or more commonly known as the computer which + lets you add NTSL scripts) will now have a user log, which will log all user + activity. Other users can then view that log and see who has been uploading + naughty scripts! + - rscadd: + NTSL has two new functions! time() and timestamp(format) will help you + increase the range of types of scripts you can make, especially time(); since + you can then make the scripts know the different between each execution by storing + the results in memory. + - rscadd: + Two new advance disease symptoms! Their names are "Longevity" and "Anti-Bodies + Metabolism". Have fun experimenting with them! 2012-02-08: ConstantA a.k.a. panurgomatic on google code: - - rscadd: Added Exosuit Jetpack - - rscadd: Added Exosuit Nuclear Reactor (runs of normal, everyday uranium, maybe - I'll switch it to run on enriched) - requires research (level 3 in Materials, - Power Manipulation and Engineering) - - imageadd: Added Ripley construction steps sprites (courtesy of WJohnston - - man, you're awesome) - - tweak: Exosuit Sleeper can now inject occupant with reagents taken from Syringe - Gun - - tweak: Exosuit Cable Layer will now auto-dismantle floors - - tweak: Exosuit Heavy Lazer cooldown increased, Scattershot now fires medium calibre - ammo (less damage) - - tweak: Exosuit wreckage can be pulled - - wip: EMP now drains half of current exosuit cell charge, not half of maximum charge. - - bugfix: Fixed several possible exosuit equipment runtimes - - wip: Introduced new markup to changelog. Javascript is extremely slow (in byond - embedded browser) for some reason. + - rscadd: Added Exosuit Jetpack + - rscadd: + Added Exosuit Nuclear Reactor (runs of normal, everyday uranium, maybe + I'll switch it to run on enriched) - requires research (level 3 in Materials, + Power Manipulation and Engineering) + - imageadd: + Added Ripley construction steps sprites (courtesy of WJohnston + - man, you're awesome) + - tweak: + Exosuit Sleeper can now inject occupant with reagents taken from Syringe + Gun + - tweak: Exosuit Cable Layer will now auto-dismantle floors + - tweak: + Exosuit Heavy Lazer cooldown increased, Scattershot now fires medium calibre + ammo (less damage) + - tweak: Exosuit wreckage can be pulled + - wip: EMP now drains half of current exosuit cell charge, not half of maximum charge. + - bugfix: Fixed several possible exosuit equipment runtimes + - wip: + Introduced new markup to changelog. Javascript is extremely slow (in byond + embedded browser) for some reason. 2012-02-09: Erro: - - tweak: Engineering and security lockers now spawn with their respective backpacks - in them so job-changers can look as they should. HoS locker now also contains - an armored vest, for the convenience of the HoS who wants to play with one. - - tweak: Slightly changed the spawn order of items in the CE and HoS lockers to - make starting up a hint less tedious. + - tweak: + Engineering and security lockers now spawn with their respective backpacks + in them so job-changers can look as they should. HoS locker now also contains + an armored vest, for the convenience of the HoS who wants to play with one. + - tweak: + Slightly changed the spawn order of items in the CE and HoS lockers to + make starting up a hint less tedious. 2012-02-10: Ikarrus: - - rscadd: 'Implants can now be surgically removed. Hint: They''re inside the skull.' + - rscadd: "Implants can now be surgically removed. Hint: They're inside the skull." Quarxink: - - rscadd: 'Added a new toy: Water balloons. They can be filled with any reagent - and when thrown apply the reagents to the tile and everything on it.' + - rscadd: + "Added a new toy: Water balloons. They can be filled with any reagent + and when thrown apply the reagents to the tile and everything on it." 2012-02-11: Kor: - - rscadd: 'A new passive mob ability: Relentless. Relentless mobs cannot be shoved - (though may still swap places with help intent)' - - rscadd: Alien Queens, Juggernaut constructs, and Medical Borgs are all Relentless. - Maybe the medborg can actually drag people to medbay on time now - - rscadd: Two constructs, the Juggernaut and the Wraith are now available for wizards - and cultists to use soul stones with - - rscadd: A new highly destructive artefact, Veil Render, is now available for wizards - - rscadd: A new one time use global spell, Summon Guns, is now available for wizards. - - tweak: DEEPSTRIKING! There is now a partially constructed teleporter on the nuke - shuttle, and for a large sum of telecrystals they may purchase the circuitboard - needed to complete it. - - tweak: The Chaplain is immune to cult stun, blind, deafen, and blood boil + - rscadd: + "A new passive mob ability: Relentless. Relentless mobs cannot be shoved + (though may still swap places with help intent)" + - rscadd: + Alien Queens, Juggernaut constructs, and Medical Borgs are all Relentless. + Maybe the medborg can actually drag people to medbay on time now + - rscadd: + Two constructs, the Juggernaut and the Wraith are now available for wizards + and cultists to use soul stones with + - rscadd: A new highly destructive artefact, Veil Render, is now available for wizards + - rscadd: A new one time use global spell, Summon Guns, is now available for wizards. + - tweak: + DEEPSTRIKING! There is now a partially constructed teleporter on the nuke + shuttle, and for a large sum of telecrystals they may purchase the circuitboard + needed to complete it. + - tweak: The Chaplain is immune to cult stun, blind, deafen, and blood boil 2012-02-12: Pete: - - tweak: Updated fitness, athletic shorts are now available! + - tweak: Updated fitness, athletic shorts are now available! 2012-02-13: Kor: - - rscadd: A new item, the null rod, protects the one bearing it from cult magic. - One starts in the chaplains office, and this replaces the job based immunity - he had. The null rod also is capable of dispelling runes upon hitting them (the - bible can no longer do this) - - rscadd: Shooting fuel tanks with lasers or bullets now causes them to explode - - rscadd: A construct shell is now waiting to be found in space. - - tweak: Chaplains can no longer self heal with the bible - - bugfix: Simple animals, including constructs, can now attack mechs and critters + - rscadd: + A new item, the null rod, protects the one bearing it from cult magic. + One starts in the chaplains office, and this replaces the job based immunity + he had. The null rod also is capable of dispelling runes upon hitting them (the + bible can no longer do this) + - rscadd: Shooting fuel tanks with lasers or bullets now causes them to explode + - rscadd: A construct shell is now waiting to be found in space. + - tweak: Chaplains can no longer self heal with the bible + - bugfix: Simple animals, including constructs, can now attack mechs and critters 2012-02-14: Carn: - - rscadd: Spacevines added to the random events. - - bugfix: The bug where doors kept opening when a borg tried to close them at close - range is now fixed. + - rscadd: Spacevines added to the random events. + - bugfix: + The bug where doors kept opening when a borg tried to close them at close + range is now fixed. 2012-02-15: Kor: - - tweak: Terrorists Win! Desert Eagles and Riot Shields now spawn on the syndicate - shuttle, replacing the c20r - - tweak: The Detectives gun still uses .38, but they're now fully lethal bullets. - Go ahead, make his day. - - tweak: The Veil Render has been nerfed, the Nar-Sie it spawns will not pull anchored - objects. This is a temporary measure, more nerfs/reworking to come + - tweak: + Terrorists Win! Desert Eagles and Riot Shields now spawn on the syndicate + shuttle, replacing the c20r + - tweak: + The Detectives gun still uses .38, but they're now fully lethal bullets. + Go ahead, make his day. + - tweak: + The Veil Render has been nerfed, the Nar-Sie it spawns will not pull anchored + objects. This is a temporary measure, more nerfs/reworking to come 2012-02-16: Smoke Carter: - - rscadd: Newscasters now alert people of new feeds and wanted-alerts simultaneously. + - rscadd: Newscasters now alert people of new feeds and wanted-alerts simultaneously. 2012-02-18: Sieve: - - bugfix: Stopped the unholy Radium/Uranium/Carbon smoke that crashed the server. - And for anyone that did this, you are a horrible person - - bugfix: Cleanbots clean dirt - - tweak: Cleanbots automatically patrol on construction - - rscdel: Removed silicate because it is not useful enough for how much lag it caused + - bugfix: + Stopped the unholy Radium/Uranium/Carbon smoke that crashed the server. + And for anyone that did this, you are a horrible person + - bugfix: Cleanbots clean dirt + - tweak: Cleanbots automatically patrol on construction + - rscdel: Removed silicate because it is not useful enough for how much lag it caused 2012-02-19: KorPhaeron: - - imageadd: 'A new construct type: Artificer. It is capable of constructing defenses, - repairing fellow constructs, and summoning raw materials to construct further - constructs' - - bugfix: Simple animals (constructs, Ian, etc) can now see their health in the - Status tab - - tweak: Detective's revolver is non-lethal again. Was fun while it lasted + - imageadd: + "A new construct type: Artificer. It is capable of constructing defenses, + repairing fellow constructs, and summoning raw materials to construct further + constructs" + - bugfix: + Simple animals (constructs, Ian, etc) can now see their health in the + Status tab + - tweak: Detective's revolver is non-lethal again. Was fun while it lasted 2012-02-21: Skaer: - - rscadd: The armoury now includes a box of spare Sec cartridges. + - rscadd: The armoury now includes a box of spare Sec cartridges. 2012-02-22: coolity: - - imageadd: New sprites for HoS and Captain lockers. - - imageadd: New sprites for the orebox. + - imageadd: New sprites for HoS and Captain lockers. + - imageadd: New sprites for the orebox. 2012-02-23: LastyScratch: - - soundadd: Glass airlocks now make a different sound than regular airlocks. - - soundadd: in 1997 nanotrasen's first AI malfunctioned - - bugfix: "Toggle ambience probably works now!\n\t\t" - - rscadd: "Runtime is dead.\n\t\t" - - tweak: The Research Director's consoles were moved into the completely empty - cage in the back of his office. + - soundadd: Glass airlocks now make a different sound than regular airlocks. + - soundadd: in 1997 nanotrasen's first AI malfunctioned + - bugfix: "Toggle ambience probably works now!\n\t\t" + - rscadd: "Runtime is dead.\n\t\t" + - tweak: + The Research Director's consoles were moved into the completely empty + cage in the back of his office. 2012-02-24: PolymorphBlue: - - rscadd: Headsets are now modular! Use a screwdriver on them to pop out their - encrpytion keys, and use a key on one to put it in. A headset can hold two - keys. Normal headsets start with 1 key, department headsets with two. The - standard chip does nothing, and is not required for listening to the common - radio. - - bugfix: 'Binary translators made into a encrpytion key, and fixed. They now broadcast - to AIs properly. ' + - rscadd: + Headsets are now modular! Use a screwdriver on them to pop out their + encrpytion keys, and use a key on one to put it in. A headset can hold two + keys. Normal headsets start with 1 key, department headsets with two. The + standard chip does nothing, and is not required for listening to the common + radio. + - bugfix: + "Binary translators made into a encrpytion key, and fixed. They now broadcast + to AIs properly. " 2012-02-25: Doohl: - - rscadd: Telecommunications has been refined, with many new features and modules - implemented. - - experiment: NTSL (Nanotrasen Scripting Language) is ONLINE! This is a brand - new, fully operational scripting language embedded within SS13 itself. The intended - purpose is to eventually expand this scripting language to Robotics and possibly - other jobs, but for now you may play with the TCS (Traffic Control Systems) - implementation of NTSL in the Telecommunications Satellite. Recommended you - read the NT Script wiki page for information on how to use the language itself. - Other than that, there's not a lot of documentation. - - bugfix: Radio systems have been further optimized, bugfixed, etc. Should be more - stable. - - tweak: Intercoms now require power to work. + - rscadd: + Telecommunications has been refined, with many new features and modules + implemented. + - experiment: + NTSL (Nanotrasen Scripting Language) is ONLINE! This is a brand + new, fully operational scripting language embedded within SS13 itself. The intended + purpose is to eventually expand this scripting language to Robotics and possibly + other jobs, but for now you may play with the TCS (Traffic Control Systems) + implementation of NTSL in the Telecommunications Satellite. Recommended you + read the NT Script wiki page for information on how to use the language itself. + Other than that, there's not a lot of documentation. + - bugfix: + Radio systems have been further optimized, bugfixed, etc. Should be more + stable. + - tweak: Intercoms now require power to work. 2012-02-26: Doohl: - - bugfix: The insane crashing has finally been - fixed! + - bugfix: + The insane crashing has finally been + fixed! 2012-02-29: SkyMarshal: - - rscadd: BS12 Hallucination and Dreaming port + - rscadd: BS12 Hallucination and Dreaming port muskets: - - rscadd: Integrated BS12's improved uplink code + - rscadd: Integrated BS12's improved uplink code 2012-03-01: Petethegoat: - - experiment: Head revolutionaries no longer spawn with traitor uplinks. + - experiment: Head revolutionaries no longer spawn with traitor uplinks. SkyMarshal: - - rscadd: Ported BS12 Detective Work System + - rscadd: Ported BS12 Detective Work System 2012-03-02: Carn: - - bugfix: 'Fixed a number of issues with mob examining. Including: not being able - to see burns unless they were bruised; vast amounts of grammar; and icons. Updated them - to use stylesheet classes.' - - bugfix: Borgs can no-longer drop their module items on conveyor belts. - - bugfix: Names input into the setup screen are now lower-cased and then have their - first letters capitalised. This is to fix problems with BYOND's text-parsing - system. - - bugfix: Runtime fix for lighting. - - bugfix: Over the next few commits I will be updating a tonne of item names to - fix text-parsing. Please inform me if I've typoed anything. + - bugfix: + "Fixed a number of issues with mob examining. Including: not being able + to see burns unless they were bruised; vast amounts of grammar; and icons. Updated them + to use stylesheet classes." + - bugfix: Borgs can no-longer drop their module items on conveyor belts. + - bugfix: + Names input into the setup screen are now lower-cased and then have their + first letters capitalised. This is to fix problems with BYOND's text-parsing + system. + - bugfix: Runtime fix for lighting. + - bugfix: + Over the next few commits I will be updating a tonne of item names to + fix text-parsing. Please inform me if I've typoed anything. 2012-03-03: Petethegoat: - - experiment: Removed cloakers. Removed Security's thermals. Added disguised thermals - as a traitor item. + - experiment: + Removed cloakers. Removed Security's thermals. Added disguised thermals + as a traitor item. 2012-03-08: Nodrak and Carnwennan: - - bugfix: 'Nodrak: Fixed crayon boxes and stuff getting stuck in pockets.' - - bugfix: 'Nodrak: ''Steal item'' objectives will report correctly when wrapped - up in paper now.' - - bugfix: 'Carn: fixed the vent in the freezer...poor chef kept suffocating.' + - bugfix: "Nodrak: Fixed crayon boxes and stuff getting stuck in pockets." + - bugfix: + "Nodrak: 'Steal item' objectives will report correctly when wrapped + up in paper now." + - bugfix: "Carn: fixed the vent in the freezer...poor chef kept suffocating." 2012-03-11: Carnwennan: - - rscadd: You can now request AI presence at a holopad for immediate private communication - with the AI anywhere. AIs can click a quick button to zoom to the holopad. + - rscadd: + You can now request AI presence at a holopad for immediate private communication + with the AI anywhere. AIs can click a quick button to zoom to the holopad. 2012-03-12: PolymorphBlue: - - rscadd: PDA messages now require an active messaging server to be properly sent. + - rscadd: PDA messages now require an active messaging server to be properly sent. 2012-03-13: Doohl: - - rscadd: Ablative Armor now has a high chance of reflecting energy-based projectiles. - - rscadd: Riot shields were buffed; they now block more attacks and they will prevent - their wielder from being pushed (most of the time). + - rscadd: Ablative Armor now has a high chance of reflecting energy-based projectiles. + - rscadd: + Riot shields were buffed; they now block more attacks and they will prevent + their wielder from being pushed (most of the time). 2012-03-14: Carn: - - imageadd: Added 6 female hairstyles -- credits go to Erthilo of Baystation. Added - a male hairstyle -- credits go to WJohnston of TG. If you can sprite some unique - and decent-looking hair sprites, feel free to PM me on the TG forums. + - imageadd: + Added 6 female hairstyles -- credits go to Erthilo of Baystation. Added + a male hairstyle -- credits go to WJohnston of TG. If you can sprite some unique + and decent-looking hair sprites, feel free to PM me on the TG forums. Nodrak: - - rscadd: You can now choose whether to spawn with a backpack, satchel, or nothing. - Excess items will spawn in your hands if necessary. - - rscadd: You can now choose what kind of underwear you'd like to wear, per a request. + - rscadd: + You can now choose whether to spawn with a backpack, satchel, or nothing. + Excess items will spawn in your hands if necessary. + - rscadd: You can now choose what kind of underwear you'd like to wear, per a request. 2012-03-18: Quarxink: - - rscadd: The medical record computers can finally search for DNA and not just name - and ID. + - rscadd: + The medical record computers can finally search for DNA and not just name + and ID. 2012-03-19: PolymorphBlue: - - rscadd: Added LSD sting to modular changeling by popular demand. - - tweak: 'Silence sting no longer provides a message to the victim. ' - - bugfix: Tensioner will no longer assign dead people as assassination targets. + - rscadd: Added LSD sting to modular changeling by popular demand. + - tweak: "Silence sting no longer provides a message to the victim. " + - bugfix: Tensioner will no longer assign dead people as assassination targets. 2012-03-20: Kor: - - rscadd: Lasertag vests and guns have been added to fitness. - - rscadd: Art storage has replaced the emergency storage near arrivals. Emergency - storage has replaced chem storage (has anyone ever used that?) - - tweak: Wraiths can now see in the dark + - rscadd: Lasertag vests and guns have been added to fitness. + - rscadd: + Art storage has replaced the emergency storage near arrivals. Emergency + storage has replaced chem storage (has anyone ever used that?) + - tweak: Wraiths can now see in the dark 2012-03-22: PolymorphBlue: - - rscadd: Added a prototype holodeck to fitness! - - bugfix: Assorted tensioner fixes + - rscadd: Added a prototype holodeck to fitness! + - bugfix: Assorted tensioner fixes 2012-03-23: Donkieyo: - - rscadd: A bunch new standard-namespace NTSL functions added! Check them out at - the NT Script wiki page! + - rscadd: + A bunch new standard-namespace NTSL functions added! Check them out at + the NT Script wiki page! 2012-03-27: Nodrak: - - experiment: Security borgs now have modified tasers. - - experiment: Security borgs have gone back to having the same movement speed as - all other borgs. + - experiment: Security borgs now have modified tasers. + - experiment: + Security borgs have gone back to having the same movement speed as + all other borgs. 2012-03-28: Donkie: - - tweak: Updated air alarm's GUI. + - tweak: Updated air alarm's GUI. 2012-03-29: PolymorphBlue: - - tweak: Exosuits now provide a message when someone is getting in, someone getting - in must remain stationary and unstunned, and getting in takes four seconds. + - tweak: + Exosuits now provide a message when someone is getting in, someone getting + in must remain stationary and unstunned, and getting in takes four seconds. 2012-03-30: Doohl: - - rscadd: Gave pill bottles the ability to scoop up pills like ore satchels scoop - ore. (There you go, /vg/ Anon.) - - tweak: Security Officers and Wardens now start with maintenance acceess. + - rscadd: + Gave pill bottles the ability to scoop up pills like ore satchels scoop + ore. (There you go, /vg/ Anon.) + - tweak: Security Officers and Wardens now start with maintenance acceess. 2012-04-01: PolymorphBlue: - - tweak: Minor bugfixes to borg deathsquad, adds borg deathsquad to potential tensioner - (set so high it's never going to happen) - - rscadd: Adds consiterable support for ERP! (If enabled.) - - tweak: 'Increases cost for changeling unstun to 45 ' + - tweak: + Minor bugfixes to borg deathsquad, adds borg deathsquad to potential tensioner + (set so high it's never going to happen) + - rscadd: Adds consiterable support for ERP! (If enabled.) + - tweak: "Increases cost for changeling unstun to 45 " 2012-04-02: PolymorphBlue: - - rscdel: ERP is gone. Hope you enjoyed it while it lasted! + - rscdel: ERP is gone. Hope you enjoyed it while it lasted! 2012-04-08: PolymorphBlue: - - rscadd: Secret little rooms now spawn on the mining asteroid, containing various - artifacts. - - rscadd: Added the beginnings of a borg upgrade system. Currently, can be used - to reset a borg's module. + - rscadd: + Secret little rooms now spawn on the mining asteroid, containing various + artifacts. + - rscadd: + Added the beginnings of a borg upgrade system. Currently, can be used + to reset a borg's module. 2012-04-09: Petethegoat: - - experiment: TORE OUT DETECTIVE WORK! THIS IS A TEMPORARY PATCH TO SEE IF THIS - FIXES THE CRASHING. - - experiment: DETECTIVE SCANNERS AND EVIDENCE BAGS (AND FINGERPRINTS) ARE GONE. + - experiment: + TORE OUT DETECTIVE WORK! THIS IS A TEMPORARY PATCH TO SEE IF THIS + FIXES THE CRASHING. + - experiment: DETECTIVE SCANNERS AND EVIDENCE BAGS (AND FINGERPRINTS) ARE GONE. 2012-04-10: Nodrak: - - tweak: Merged 'Game' and 'Lobby' tabs during pre-game into one tab - - rscadd: Added the little red x to the late-join job list - - rscadd: Late-joiners are warned if the shuttle is past the point of recall, and - if the shuttle has already left the station - - rscadd: Late-joiners now see how long the round has been going on. - - bugfix: Mining shuttle computer no longer spits out both 'Shuttle has been sent' - and 'The shuttle is already moving' every time. + - tweak: Merged 'Game' and 'Lobby' tabs during pre-game into one tab + - rscadd: Added the little red x to the late-join job list + - rscadd: + Late-joiners are warned if the shuttle is past the point of recall, and + if the shuttle has already left the station + - rscadd: Late-joiners now see how long the round has been going on. + - bugfix: + Mining shuttle computer no longer spits out both 'Shuttle has been sent' + and 'The shuttle is already moving' every time. 2012-04-11: PolymorphBlue: - - tweak: Droppers are now used at the eyes, and thus, access to the eyes is required - to have an effect. + - tweak: + Droppers are now used at the eyes, and thus, access to the eyes is required + to have an effect. 2012-04-12: Agouri: - - tweak: Fixed the ability to move while lying down/resting. - - tweak: Sleep has been fixed and works as intended again. Anaesthetic and toxins - can now properly put people to sleep, permanently if you keep the administration - stable. Sleeplocs are now viable again. The sleep button and *faint emote work - again. + - tweak: Fixed the ability to move while lying down/resting. + - tweak: + Sleep has been fixed and works as intended again. Anaesthetic and toxins + can now properly put people to sleep, permanently if you keep the administration + stable. Sleeplocs are now viable again. The sleep button and *faint emote work + again. 2012-04-13: Petethegoat: - - tweak: Nerfed the librarian by removing the r-walls from his cubbyhole thing, - fuck WGW readers hiding out in there. + - tweak: + Nerfed the librarian by removing the r-walls from his cubbyhole thing, + fuck WGW readers hiding out in there. 2012-04-17: Erro: - - tweak: Examining humans now works a bit differently. Some external suits and helmets - can hide certain pieces of clothing so you don't see them when examining. Glasses - are also now displayed when examining. - - tweak: The job selection screen has been changed a little to hopefully make making - changes there easier. + - tweak: + Examining humans now works a bit differently. Some external suits and helmets + can hide certain pieces of clothing so you don't see them when examining. Glasses + are also now displayed when examining. + - tweak: + The job selection screen has been changed a little to hopefully make making + changes there easier. 2012-04-19: Carn: - - bugfix: Rewrote the cinematic system to try and simplify and optimise it. Please - report any bugs asap to me or coderbus, thanks. + - bugfix: + Rewrote the cinematic system to try and simplify and optimise it. Please + report any bugs asap to me or coderbus, thanks. 2012-04-20: Erro: - - rscadd: Added a verb to the PDA which you can use to remove an ID in it. If your - active hand is empy, it puts it there otherwise it puts it on the floor under - you. + - rscadd: + Added a verb to the PDA which you can use to remove an ID in it. If your + active hand is empy, it puts it there otherwise it puts it on the floor under + you. 2012-04-21: Errorage: - - bugfix: Maintenance door outside of tech storage now requires maintenance OR tech - storage access instead of maintenance AND robotics accesses. + - bugfix: + Maintenance door outside of tech storage now requires maintenance OR tech + storage access instead of maintenance AND robotics accesses. 2012-04-22: Cheridan: - - rscadd: 'CATCHING UP ON MY CHANGELOG. Some of this has been in for a while: -Added - carved pumpkins and corncob pipes. -Added mutations for ambrosia and lemon trees. - -Added more wood items for tower cap wood construction. -Added soil to plant - seeds in. Make it by crushing up sandstone. Soil does not have indicators like - trays do! Watch your plants carefully!' - - rscadd: '-The biogenerator is now more robust. It can dispense fertilizer in batches, - and make simple leather items. -RnD can create a new tool for botanists: The - floral somatoray. Has two modes. Use it on your plants to induce mutations or - boost yield.' - - rscadd: -Added plump helmet biscuits, mushroom soup, pumpkin pie and slices, chawanmushi, - and beet soup recipes for the chef to make. - - tweak: -Added transparency to biohelmets. -Normalized grass harvests. -Changed - the name of "Generic Weeds". -Blenders can now be filled directly from plant - bags. -Added low chance for a species mutation whenever a plant's stats mutate. - -You now get more descriptive messages when applying mutagen to plant trays. - -Removed sugarcane seeds from the vending machine. Added the sugarcane seeds - to the seeds crate. + - rscadd: + "CATCHING UP ON MY CHANGELOG. Some of this has been in for a while: -Added + carved pumpkins and corncob pipes. -Added mutations for ambrosia and lemon trees. + -Added more wood items for tower cap wood construction. -Added soil to plant + seeds in. Make it by crushing up sandstone. Soil does not have indicators like + trays do! Watch your plants carefully!" + - rscadd: + "-The biogenerator is now more robust. It can dispense fertilizer in batches, + and make simple leather items. -RnD can create a new tool for botanists: The + floral somatoray. Has two modes. Use it on your plants to induce mutations or + boost yield." + - rscadd: + -Added plump helmet biscuits, mushroom soup, pumpkin pie and slices, chawanmushi, + and beet soup recipes for the chef to make. + - tweak: + -Added transparency to biohelmets. -Normalized grass harvests. -Changed + the name of "Generic Weeds". -Blenders can now be filled directly from plant + bags. -Added low chance for a species mutation whenever a plant's stats mutate. + -You now get more descriptive messages when applying mutagen to plant trays. + -Removed sugarcane seeds from the vending machine. Added the sugarcane seeds + to the seeds crate. Petethegoat: - - imageadd: New gasmask sprites. Removed emergency gasmasks, so there's only one - type now. - - imageadd: New shotgun sprites by Khodoque! - - rscadd: The barman's double-barrel actually works like a double-barrel instead - of a pump-action! Rejoice! - - wip: Sneaky barmen may be able to illegally modify their shotgun, if they so choose. - - tweak: Trimmed the changelog, vastly. + - imageadd: + New gasmask sprites. Removed emergency gasmasks, so there's only one + type now. + - imageadd: New shotgun sprites by Khodoque! + - rscadd: + The barman's double-barrel actually works like a double-barrel instead + of a pump-action! Rejoice! + - wip: Sneaky barmen may be able to illegally modify their shotgun, if they so choose. + - tweak: Trimmed the changelog, vastly. 2012-04-24: Petethegoat: - - imageadd: Added Invisty's field generator sprites. + - imageadd: Added Invisty's field generator sprites. 2012-04-27: Cheridan: - - imageadd: -New sprites for lemons, oranges, and walking mushroom critters. -Added - Invisty's new blob sprites. - - rscadd: '-Added a new chemical: lipozine, a weight loss drug. Made with sodium - chloride, ethanol, and radium.' + - imageadd: + -New sprites for lemons, oranges, and walking mushroom critters. -Added + Invisty's new blob sprites. + - rscadd: + "-Added a new chemical: lipozine, a weight loss drug. Made with sodium + chloride, ethanol, and radium." 2012-05-01: PolymorphBlue: - - rscadd: Adds BS12 dismemberment! - - rscadd: Adds greater changeling for 30 points + - rscadd: Adds BS12 dismemberment! + - rscadd: Adds greater changeling for 30 points 2012-05-03: Petethegoat: - - rscadd: MINIMOOOOOOOOOOOOOOOOG + - rscadd: + MINIMOOOOOOOOOOOOOOOOG 2012-05-04: Cheridan: - - imageadd: -Added fat jumpsuit sprites for orange, pink, yellow, owl, security, - and warden jumpsuits. - - tweak: -Somatoray is hopefully more useful and less buggy when used on trays. - -Botanists now have morgue access, because of their ability to clone via replica - pods. Try not to get this removed like all your other access, okay hippies? + - imageadd: + -Added fat jumpsuit sprites for orange, pink, yellow, owl, security, + and warden jumpsuits. + - tweak: + -Somatoray is hopefully more useful and less buggy when used on trays. + -Botanists now have morgue access, because of their ability to clone via replica + pods. Try not to get this removed like all your other access, okay hippies? 2012-05-05: Icarus: - - tweak: Updates to Sec, including a stationary scrubber for the prison area. - - tweak: Swapped around cryogenics and the patient rooms in medbay. + - tweak: Updates to Sec, including a stationary scrubber for the prison area. + - tweak: Swapped around cryogenics and the patient rooms in medbay. 2012-05-06: Cheridan: - - imageadd: -New booze sprites for the drinks that were removed! Re-enabled the - recipes for the removed drinks. Get cracking, bartenders. -You now need 10 sheets - of metal instead of 2 to make a gas canister, people can't FILL ENTIRE ROOMS - WITH THEM. - - rscadd: "-Emergency Toolboxes now contain smaller, lighter fire extinguishers\ - \ that actually fit inside them!\n\t" + - imageadd: + -New booze sprites for the drinks that were removed! Re-enabled the + recipes for the removed drinks. Get cracking, bartenders. -You now need 10 sheets + of metal instead of 2 to make a gas canister, people can't FILL ENTIRE ROOMS + WITH THEM. + - rscadd: + "-Emergency Toolboxes now contain smaller, lighter fire extinguishers\ + \ that actually fit inside them!\n\t" 2012-05-10: Sieve: - - rscdel: 'Reverted dismemberment, the recent gun changes, and Tarajans. Before - you shit up the forums, read this:' - - unknown: Dismemberment was ported from Bay12, but only halfway, and there were - several problems with it. I know many people really liked it, but as it stood - it did not fit the playstyle here at all. This had to be removed, there - is work on a more fitting system, but this had to be taken out first regardless, - and the longer people beat around the bush the worse the situation got. - - unknown: The gun change was made for no real reason and was pretty problematic, - so reverting that should mean there are a lot less 'accidental suicides.' - - unknown: Tarjans were reverted by request as well, and since keeping them working - after removing dismemberment would be a stupid amount of work. + - rscdel: + "Reverted dismemberment, the recent gun changes, and Tarajans. Before + you shit up the forums, read this:" + - unknown: + Dismemberment was ported from Bay12, but only halfway, and there were + several problems with it. I know many people really liked it, but as it stood + it did not fit the playstyle here at all. This had to be removed, there + is work on a more fitting system, but this had to be taken out first regardless, + and the longer people beat around the bush the worse the situation got. + - unknown: + The gun change was made for no real reason and was pretty problematic, + so reverting that should mean there are a lot less 'accidental suicides.' + - unknown: + Tarjans were reverted by request as well, and since keeping them working + after removing dismemberment would be a stupid amount of work. 2012-05-11: Important changes below!: - - tweak: Authors note, there was nothing below save for the previous day!! + - tweak: Authors note, there was nothing below save for the previous day!! 2012-05-14: Nodrak: - - rscadd: Added a 'random item' button to traitor uplinks. You can potentially get - ANY item that shows up on the traitor item list, provided you have enough crystals - for it. + - rscadd: + Added a 'random item' button to traitor uplinks. You can potentially get + ANY item that shows up on the traitor item list, provided you have enough crystals + for it. 2012-05-15: Icarus: - - rscadd: Added WJohnston's scrubs to Medical Doctor lockers. Comes in blue, green, - and purple. - - rscadd: Added two new syndicate bundles - - tweak: Reduced cost of thermals to 3 telecrystals (formerly 4) - - tweak: Singularity Beacons are now spawned from a smaller, portable device. - - imageadd: CMO and QM jumpsuits made more unique. + - rscadd: + Added WJohnston's scrubs to Medical Doctor lockers. Comes in blue, green, + and purple. + - rscadd: Added two new syndicate bundles + - tweak: Reduced cost of thermals to 3 telecrystals (formerly 4) + - tweak: Singularity Beacons are now spawned from a smaller, portable device. + - imageadd: CMO and QM jumpsuits made more unique. 2012-05-17: Icarus: - - rscadd: Individual dorms now have a button inside that bolts/unbolts the door - - imageadd: New sprites for Cargo, HoP, and Captain's lockers - - imageadd: More department-specific door sprites. Most noticable changes in medsci - and supply departments. + - rscadd: Individual dorms now have a button inside that bolts/unbolts the door + - imageadd: New sprites for Cargo, HoP, and Captain's lockers + - imageadd: + More department-specific door sprites. Most noticable changes in medsci + and supply departments. 2012-05-18: Errorage: - - rscdel: Removed hat storage, which was useless. - - tweak: Implanting someone now takes 5 seconds, both people need to remain still. - Implanting yourself remains instant. - - tweak: Wallets once again spawn in the cabinets in the dormitory - - tweak: Wallets now fit in pockets + - rscdel: Removed hat storage, which was useless. + - tweak: + Implanting someone now takes 5 seconds, both people need to remain still. + Implanting yourself remains instant. + - tweak: Wallets once again spawn in the cabinets in the dormitory + - tweak: Wallets now fit in pockets 2012-05-19: Invisty: - - rscadd: Brand new ending animations! + - rscadd: Brand new ending animations! 2012-05-20: Errorage: - - rscadd: The new user interface is here. If anything is broken - or something should be done differently please post feedback on the forum. Spriters - are encouraged to make new sprites for the UI. - - rscadd: When you receive a PDA message, the content is displayed to you if the - PDA is located somewhere on your person (so not in your backpack). You will - also get a reply button there. This will hopefully make PDA communication easier. - - rscadd: New hotkeys! delete is the now the 'stop dragging' hotkey, insert - is the 'cycle intents' hotkey. + - rscadd: + The new user interface is here. If anything is broken + or something should be done differently please post feedback on the forum. Spriters + are encouraged to make new sprites for the UI. + - rscadd: + When you receive a PDA message, the content is displayed to you if the + PDA is located somewhere on your person (so not in your backpack). You will + also get a reply button there. This will hopefully make PDA communication easier. + - rscadd: + New hotkeys! delete is the now the 'stop dragging' hotkey, insert + is the 'cycle intents' hotkey. 2012-05-22: Icarus: - - rscadd: RIG helmets can now be used as flashlights, just like hardhats. Credit - to Sly for the sprites. - - tweak: HoP's office has been remapped and made into his private office. Conference - Room can now be accessed from the main hall. + - rscadd: + RIG helmets can now be used as flashlights, just like hardhats. Credit + to Sly for the sprites. + - tweak: + HoP's office has been remapped and made into his private office. Conference + Room can now be accessed from the main hall. 2012-05-23: Errorage: - - tweak: Some of the more pressing issues with the new user interface were addressed. - These include the health indicator being too far up, the open inventory taking - a lot of space, hotkey buttons not being removable and suit storage not being - accessible enough. - - rscadd: A toggle-hotkey-buttons verb was added to the OOC tab, which hides the - pull, drop and throw buttons for people who prefer to use hotkeys and never - use the buttons. - - rscadd: Added a character setup option which allows you to pick between the Midnight, - Orange and Old iconsets for the user interface. + - tweak: + Some of the more pressing issues with the new user interface were addressed. + These include the health indicator being too far up, the open inventory taking + a lot of space, hotkey buttons not being removable and suit storage not being + accessible enough. + - rscadd: + A toggle-hotkey-buttons verb was added to the OOC tab, which hides the + pull, drop and throw buttons for people who prefer to use hotkeys and never + use the buttons. + - rscadd: + Added a character setup option which allows you to pick between the Midnight, + Orange and Old iconsets for the user interface. 2012-05-26: Icarus: - - imageadd: Ported over Flashkirby99's RIG suit sprites from Bay12 - - tweak: Department PDA Carts moved out of lockers and into head offices. + - imageadd: Ported over Flashkirby99's RIG suit sprites from Bay12 + - tweak: Department PDA Carts moved out of lockers and into head offices. 2012-05-28: Cheridan: - - rscadd: -Adjusted balaclavas and added luchador masks. Wearing luchador masks - give you latin charisma. They replace the boxing gloves in the fitness room. - Boxing gloves are still available in the holodeck. -Fake moustache tweaked and - given new sprites. + - rscadd: + -Adjusted balaclavas and added luchador masks. Wearing luchador masks + give you latin charisma. They replace the boxing gloves in the fitness room. + Boxing gloves are still available in the holodeck. -Fake moustache tweaked and + given new sprites. Donkie: - - rscadd: You can now dispense Disposal Bins, Outlets and Chutes from the disposal - dispenser. These are movable and you can attach them above open trunks with - a wrench, then weld them to attach them completely. You can remove Bins by turning - off their pump, then screwdriver, then weld, then wrench. Same with outlet and - chute except for the pump part. + - rscadd: + You can now dispense Disposal Bins, Outlets and Chutes from the disposal + dispenser. These are movable and you can attach them above open trunks with + a wrench, then weld them to attach them completely. You can remove Bins by turning + off their pump, then screwdriver, then weld, then wrench. Same with outlet and + chute except for the pump part. 2012-05-29: Icarus: - - tweak: Moved Engineering and Bridge deliveries. + - tweak: Moved Engineering and Bridge deliveries. 2012-06-01: Nodrak: - - rscadd: Windoor's are now constructable! Steps are found here. + - rscadd: Windoor's are now constructable! Steps are found here. SkyMarshal: - - rscadd: Readded fingerprints and detective work, after lots of debugging and optimization. - - rscadd: Any PDA with access to the Security Records can now, by the normal forensic - scanner function, store data the same way as the detective's scanner. Scanning - the PDA in the detective's computer will copy all scanned data into the database. - - wip: 'If something goes wrong, please contact SkyMarshal on the #bs12 channel - on irc.sorcery.net' + - rscadd: Readded fingerprints and detective work, after lots of debugging and optimization. + - rscadd: + Any PDA with access to the Security Records can now, by the normal forensic + scanner function, store data the same way as the detective's scanner. Scanning + the PDA in the detective's computer will copy all scanned data into the database. + - wip: + "If something goes wrong, please contact SkyMarshal on the #bs12 channel + on irc.sorcery.net" 2012-06-03: Donkie: - - rscadd: You can now Drag-Drop disposal pipes and machinery into the dispenser, - in order to remove them. - - bugfix: You must now use wrench before welding a pipe to the ground - - bugfix: You can no longer remove a trunk untill the machinery ontop is unwelded - and unwrenched - - bugfix: You are now forced to eject the disposal bin before unwelding it. + - rscadd: + You can now Drag-Drop disposal pipes and machinery into the dispenser, + in order to remove them. + - bugfix: You must now use wrench before welding a pipe to the ground + - bugfix: + You can no longer remove a trunk untill the machinery ontop is unwelded + and unwrenched + - bugfix: You are now forced to eject the disposal bin before unwelding it. 2012-06-06: Willox: - - tweak: You can now click individual blocks/subblocks in the genetics console instead - of having to scroll through the blocks with a forward/back button! + - tweak: + You can now click individual blocks/subblocks in the genetics console instead + of having to scroll through the blocks with a forward/back button! 2012-06-07: Icarus: - - rscadd: Added a second ZIS suit to engineering. - - tweak: Remapped CE office and surrounding areas. + - rscadd: Added a second ZIS suit to engineering. + - tweak: Remapped CE office and surrounding areas. 2012-06-09: Errorage: - - rscadd: You can now make restraints from cable. It takes 15 lengths of cable to - make a pair of restraints, they are applied the same way as handcuffs and have - the same effects. It however only takes 30s to remove them by using the resist - verb or button. You can also remove them from someone by using wirecutters on - the handcuffed person. - - rscadd: 'Added four new cable colors: pink, orange, cyan and white. Engineer belts - spawn with yellow, red or orange cables while toolboxes and tool closets spawn - with all 8 colors.' + - rscadd: + You can now make restraints from cable. It takes 15 lengths of cable to + make a pair of restraints, they are applied the same way as handcuffs and have + the same effects. It however only takes 30s to remove them by using the resist + verb or button. You can also remove them from someone by using wirecutters on + the handcuffed person. + - rscadd: + "Added four new cable colors: pink, orange, cyan and white. Engineer belts + spawn with yellow, red or orange cables while toolboxes and tool closets spawn + with all 8 colors." 2012-06-10: Agouri: - - rscadd: Cyborgs and AIs can now use the newscaster. It was a mistake on my part, - forgetting to finish that part of them. + - rscadd: + Cyborgs and AIs can now use the newscaster. It was a mistake on my part, + forgetting to finish that part of them. 2012-06-11: Errorage: - - rscadd: You can now use the resist verb or UI button when welded or locked in - a closet. Takes 2 minutes to get out tho (Same as getting out of handcuffs or - unbuckling yourself) - - rscadd: Making single-pane windows will now make the window in the direction you're - facing. If a window already exists in that direction it will make it 90 degrees - to your left and so on. + - rscadd: + You can now use the resist verb or UI button when welded or locked in + a closet. Takes 2 minutes to get out tho (Same as getting out of handcuffs or + unbuckling yourself) + - rscadd: + Making single-pane windows will now make the window in the direction you're + facing. If a window already exists in that direction it will make it 90 degrees + to your left and so on. 2012-06-13: Cheridan: - - rscadd: -Added Lezowski's overalls to hydroponic supply closets. 50% chance per - closet for them to replace the apron. -Removed some covers tags from things - that made no sense to have them. + - rscadd: + -Added Lezowski's overalls to hydroponic supply closets. 50% chance per + closet for them to replace the apron. -Removed some covers tags from things + that made no sense to have them. 2012-06-14: Carn: - - rscadd: FEAR NOT! You can now store a pen in your pda. (aka Best commit all - commits) + - rscadd: + FEAR NOT! You can now store a pen in your pda. (aka Best commit all + commits) 2012-06-15: Icarus: - - imageadd: Ported over ponytail sprites from Baystation + - imageadd: Ported over ponytail sprites from Baystation 2012-06-18: Icarus: - - imageadd: New afro hairstyles. Big Afro by Intigracy. + - imageadd: New afro hairstyles. Big Afro by Intigracy. 2012-06-20: Cheridan: - - bugfix: -Both Ambrosia forms have had their reagent contents modified to prevent - going over the 50-unit cap at high potencies. Ambrosia Deus now contains space - drugs instead of poison. - - tweak: -Drinking milk removes capsaicin from your body. REALISM! - - tweak: -Frost oil hurts less upon consumption. - - rscadd: -Liquid plasma can be converted into solid plasma sheets, by mixing 20 - plasma, 5 iron, and 5 frost oil. - - rscadd: -Added effects for holy water injection on hydroponics plants. + - bugfix: + -Both Ambrosia forms have had their reagent contents modified to prevent + going over the 50-unit cap at high potencies. Ambrosia Deus now contains space + drugs instead of poison. + - tweak: -Drinking milk removes capsaicin from your body. REALISM! + - tweak: -Frost oil hurts less upon consumption. + - rscadd: + -Liquid plasma can be converted into solid plasma sheets, by mixing 20 + plasma, 5 iron, and 5 frost oil. + - rscadd: -Added effects for holy water injection on hydroponics plants. 2012-06-23: Icarus: - - tweak: Medical storage now requires Surgery access (Medical Doctors only) + - tweak: Medical storage now requires Surgery access (Medical Doctors only) 2012-06-26: Errorage: - - tweak: Changeling parasting now only weakens for 10 game ticks. It no longer silences - your target. + - tweak: + Changeling parasting now only weakens for 10 game ticks. It no longer silences + your target. 2012-06-27: Donkie: - - rscadd: Pizza boxes! Fully stackable, tagable (with pen), and everythingelse-able. - Fantastic icons by supercrayon!
      Created with a sheet of cardboard. + - rscadd: + Pizza boxes! Fully stackable, tagable (with pen), and everythingelse-able. + Fantastic icons by supercrayon!
      Created with a sheet of cardboard. 2012-06-28: Carn: - - rscadd: Alien hunters will now cloak when using the 'stalk' movement intent. Whilst - cloaked they will use up their plasma reserves. They can however cloak as long - as they like. Using the Lay-down verb will allow them to remain cloaked without - depleting their plasma reserves, hence allowing them to lay ambushes for unsuspecting - prey. Should a hunter attack anybody, or get knocked down in any way, they - will become visible. Hopefully this allows for more strategic/stealthy gameplay - from aliens. On the other hand, I may have totally screwed the balance so feedback/other-ideas - are welcome. - - rscdel: 'Removed the invisibility verb from the alien hunter caste. ' + - rscadd: + Alien hunters will now cloak when using the 'stalk' movement intent. Whilst + cloaked they will use up their plasma reserves. They can however cloak as long + as they like. Using the Lay-down verb will allow them to remain cloaked without + depleting their plasma reserves, hence allowing them to lay ambushes for unsuspecting + prey. Should a hunter attack anybody, or get knocked down in any way, they + will become visible. Hopefully this allows for more strategic/stealthy gameplay + from aliens. On the other hand, I may have totally screwed the balance so feedback/other-ideas + are welcome. + - rscdel: "Removed the invisibility verb from the alien hunter caste. " 2012-06-30: Icarus: - - rscadd: Added Petethegoat's basic mirrors to the map. They allow you to change - hairstyles. - - tweak: Remapped Bar, Theatre, and Hydroponics. Bar and Kitchen are now more integrated - with each other. + - rscadd: + Added Petethegoat's basic mirrors to the map. They allow you to change + hairstyles. + - tweak: + Remapped Bar, Theatre, and Hydroponics. Bar and Kitchen are now more integrated + with each other. 2012-07-04: 39kk9t & Carn: - - rscadd: Added alien nests. They're basically beds made of thick sticky resin which - aliums can 'stick' (buckle) people to for sexytimes - - tweak: Weed nodes are no longer dense. - - tweak: Queens can secrete resin for walls/nests/membranes - - bugfix: Various bugfixes + - rscadd: + Added alien nests. They're basically beds made of thick sticky resin which + aliums can 'stick' (buckle) people to for sexytimes + - tweak: Weed nodes are no longer dense. + - tweak: Queens can secrete resin for walls/nests/membranes + - bugfix: Various bugfixes 2012-07-05: Carn: - - tweak: Alien larva now chestburst even after their host has died. - - tweak: Aliens can now slap facehuggers onto faces so they can infect mobs which - lay down (or those stuck to nests). - - tweak: Aliens can now slash security cameras to deactivate them. + - tweak: Alien larva now chestburst even after their host has died. + - tweak: + Aliens can now slap facehuggers onto faces so they can infect mobs which + lay down (or those stuck to nests). + - tweak: Aliens can now slash security cameras to deactivate them. 2012-07-06: Giacom: - - rscadd: Bottles can now be broken over people's heads! To do this, you must have - the harm intent on and you must be targeting the person's head. This change - affects alcoholic bottles only. It does not change pill bottles or chemistry - bottles. Helmets help protect you from damage and the regents of the bottles - will splash over the victim. - - rscadd: 'AI''s now have access to a PDA. Note: It is not PDA-bomb-able' - - rscadd: Health analyzers and medical PDAs now give a time of death when used on - corpses. + - rscadd: + Bottles can now be broken over people's heads! To do this, you must have + the harm intent on and you must be targeting the person's head. This change + affects alcoholic bottles only. It does not change pill bottles or chemistry + bottles. Helmets help protect you from damage and the regents of the bottles + will splash over the victim. + - rscadd: "AI's now have access to a PDA. Note: It is not PDA-bomb-able" + - rscadd: + Health analyzers and medical PDAs now give a time of death when used on + corpses. 2012-07-07: Icarus: - - rscadd: A basketball simulation is now available at the holodeck. Credit to Sly - and Ausops for the sprites. + - rscadd: + A basketball simulation is now available at the holodeck. Credit to Sly + and Ausops for the sprites. 2012-07-11: Errorage: - - tweak: You can now only adminhelp once every 2 minutes so please provide all necesary - information in one adminhelp instead of 5! Also reply to admins in PM-s and - not additional adminhelps. + - tweak: + You can now only adminhelp once every 2 minutes so please provide all necesary + information in one adminhelp instead of 5! Also reply to admins in PM-s and + not additional adminhelps. 2012-07-12: Giacom: - - rscadd: pAI gets a better PDA that can actually receive messages from people. - They can also instantly reply like everybody else now and they can toggle their - receiver/signaller/ringer. - - rscadd: You can show the AI the notes on your PDA by holding it up to a camera. - When you show up a paper/pda to the camera the AI can now click on your name - to go to you, if you're near a camera. People who are Unknown will not have - a link; which would've allowed the AI to track them. - - rscadd: Made the" common server" and the "preset right receiver" listen for frequencies - 144.1 to 148.9. This will allow people to use different frequencies to talk - to eachother without bothering the common channel. It will also allow Revs and - Cultists to work with each other; everything is still logged though so it still - has risks. - - rscadd: Increased the maximum frequency limit for handheld radios and intercoms. - It will give you the option to just use station bounced radios on a higher frequency - so that anyone with a headset can't simply tune in. - - rscadd: Created an All-In-One Grinder that is suppose to replace the blender, - juicer and reagent grinder all together. Meaning any department that has a juicer, - blender and grinder will instead get this. It will help people be more independent - from Chemistry by recycling foods and plants. + - rscadd: + pAI gets a better PDA that can actually receive messages from people. + They can also instantly reply like everybody else now and they can toggle their + receiver/signaller/ringer. + - rscadd: + You can show the AI the notes on your PDA by holding it up to a camera. + When you show up a paper/pda to the camera the AI can now click on your name + to go to you, if you're near a camera. People who are Unknown will not have + a link; which would've allowed the AI to track them. + - rscadd: + Made the" common server" and the "preset right receiver" listen for frequencies + 144.1 to 148.9. This will allow people to use different frequencies to talk + to eachother without bothering the common channel. It will also allow Revs and + Cultists to work with each other; everything is still logged though so it still + has risks. + - rscadd: + Increased the maximum frequency limit for handheld radios and intercoms. + It will give you the option to just use station bounced radios on a higher frequency + so that anyone with a headset can't simply tune in. + - rscadd: + Created an All-In-One Grinder that is suppose to replace the blender, + juicer and reagent grinder all together. Meaning any department that has a juicer, + blender and grinder will instead get this. It will help people be more independent + from Chemistry by recycling foods and plants. 2012-07-13: Icarus: - - imageadd: Added new Dwarf and Very Long hairstyles. Dwarf hair and beard by SuperCrayon. + - imageadd: Added new Dwarf and Very Long hairstyles. Dwarf hair and beard by SuperCrayon. 2012-07-14: Giacom: - - rscadd: Added Russian Revolvers. This is a special Revolver that can only hold - a single bullet randomly in it's chamber. This will allow you to play Russian - Roulette with your fellow crew members! You can use it like a normal gun but - you will need to cycle through the chamber slots until you hit the bullet. Only - admin spawnable. + - rscadd: + Added Russian Revolvers. This is a special Revolver that can only hold + a single bullet randomly in it's chamber. This will allow you to play Russian + Roulette with your fellow crew members! You can use it like a normal gun but + you will need to cycle through the chamber slots until you hit the bullet. Only + admin spawnable. Willox and Messycakes: - - rscadd: pAI Emoticons! Allows each pAI to set their screen to display an array - of faces! Click on 'Screen Display' in the pAI OS for a list. + - rscadd: + pAI Emoticons! Allows each pAI to set their screen to display an array + of faces! Click on 'Screen Display' in the pAI OS for a list. 2012-07-17: Giacom: - - tweak: Added a new wire for Cyborgs. See if you can figure out what it does. - - tweak: You can now fill any container with a sink. You can change the amount to - fill, from sinks, by setting your container's transfer amount. + - tweak: Added a new wire for Cyborgs. See if you can figure out what it does. + - tweak: + You can now fill any container with a sink. You can change the amount to + fill, from sinks, by setting your container's transfer amount. 2012-07-18: Giacom: - - rscadd: Added the Light Replacer. This is a device that can auto replace lights - that are broken, missing or burnt. Currently it is found in the Janitor's closet - and Janitor Borgs can equip it. You can refill it with glass, or if you're a - Cyborg, just recharge. It is emaggable and will replace lights with rigged lights. - The light's explosion was nerfed to help balance it and it is very noticable - when you are holding an emagged Light Replacer. - - tweak: The Janitor's equipment locator, on their PDA, will now tell you the direction - of the equipment. + - rscadd: + Added the Light Replacer. This is a device that can auto replace lights + that are broken, missing or burnt. Currently it is found in the Janitor's closet + and Janitor Borgs can equip it. You can refill it with glass, or if you're a + Cyborg, just recharge. It is emaggable and will replace lights with rigged lights. + The light's explosion was nerfed to help balance it and it is very noticable + when you are holding an emagged Light Replacer. + - tweak: + The Janitor's equipment locator, on their PDA, will now tell you the direction + of the equipment. 2012-07-22: Giacom: - - tweak: You can now make newlines with your PDA notes. - - tweak: You can now research and build the Light Replacer. - - tweak: You can now store donuts in the donut box. The next donut you pull out - will be the last one you put in. - - tweak: APCs will auto-turn on if there is enough power in the grid, even if the - powercell is below 30%. The APC needs to be charged for a long enough time before - it starts turning equipment on, to avoid spazzing out. If you have any problems - with it, such as equipment turning off and on repeatedly then please make an - issue report with a screenshot of the APC. + - tweak: You can now make newlines with your PDA notes. + - tweak: You can now research and build the Light Replacer. + - tweak: + You can now store donuts in the donut box. The next donut you pull out + will be the last one you put in. + - tweak: + APCs will auto-turn on if there is enough power in the grid, even if the + powercell is below 30%. The APC needs to be charged for a long enough time before + it starts turning equipment on, to avoid spazzing out. If you have any problems + with it, such as equipment turning off and on repeatedly then please make an + issue report with a screenshot of the APC. 2012-07-24: Errorage: - - tweak: Both the chef and bartender have access to the bar area so both can serve - if the other is incompetent or does not exist. Bartender's shotgun and shaker - were moved to his back room and the booze-o-mat is now ID restricted to the - bartender. - - rscadd: Added powercells into vending machines in engineering - - rscadd: Gave two beartraps to the janitor for pest control purposes................ + - tweak: + Both the chef and bartender have access to the bar area so both can serve + if the other is incompetent or does not exist. Bartender's shotgun and shaker + were moved to his back room and the booze-o-mat is now ID restricted to the + bartender. + - rscadd: Added powercells into vending machines in engineering + - rscadd: Gave two beartraps to the janitor for pest control purposes................ 2012-07-25: Icarus: - - rscadd: Players not buckled in when the emergency shuttle/pod starts moving get - will get knocked down. - - rscadd: Added a YouTool vending machine to primary tool storage. + - rscadd: + Players not buckled in when the emergency shuttle/pod starts moving get + will get knocked down. + - rscadd: Added a YouTool vending machine to primary tool storage. 2012-07-26: Giacom: - - rscadd: Added a new mushroom for Hydroponics, the Reishi Mushroom! It is obtained - like any other mushroom and it has relaxing properties. + - rscadd: + Added a new mushroom for Hydroponics, the Reishi Mushroom! It is obtained + like any other mushroom and it has relaxing properties. 2012-07-29: Errorage: - - rscadd: You can now use crayons to color eggs - - rscadd: Mice have invaded the station! + - rscadd: You can now use crayons to color eggs + - rscadd: Mice have invaded the station! Giacom: - - rscadd: All radios now only work in their Z level. This means that the CommSat - has a few more additions to work with this change. There is now a new Telecomms - Machine called the Relay which allows information to travel across Z levels. - It it then linked to a new machine called the Hub, which will receive information - from the Relays and send it to the buses. Because every Z level needs these - relays, which are linked up with Receivers/Broadcasters, every Z level will - get one. There is one in the station, in the RD's office, one in Telecomms as - always, one in the Ruskie station which is turned off and hidden from the HUB's - linked list. The last one is in Mining but the location for it has not been - decided yet. - - tweak: PDAs now need to be in a Z level with a functioning Relay/Comms Network - in order to send messages. It will also send uncompressed (scrambled) messages - like you would with the ordinary voice messages. - - imageadd: 'Added some of WJohnston''s sprites. Added a new mining borg sprite, - Added a new high tech security airlock, Added the new telecomm sprites for Relays. - Hubs were given old Bus sprites. ' + - rscadd: + All radios now only work in their Z level. This means that the CommSat + has a few more additions to work with this change. There is now a new Telecomms + Machine called the Relay which allows information to travel across Z levels. + It it then linked to a new machine called the Hub, which will receive information + from the Relays and send it to the buses. Because every Z level needs these + relays, which are linked up with Receivers/Broadcasters, every Z level will + get one. There is one in the station, in the RD's office, one in Telecomms as + always, one in the Ruskie station which is turned off and hidden from the HUB's + linked list. The last one is in Mining but the location for it has not been + decided yet. + - tweak: + PDAs now need to be in a Z level with a functioning Relay/Comms Network + in order to send messages. It will also send uncompressed (scrambled) messages + like you would with the ordinary voice messages. + - imageadd: + "Added some of WJohnston's sprites. Added a new mining borg sprite, + Added a new high tech security airlock, Added the new telecomm sprites for Relays. + Hubs were given old Bus sprites. " 2012-07-31: Giacom: - - tweak: Removed passive throwing. You need at least an aggressive hold of the mob - before you can throw them. - - rscadd: 'New map changes by Ikarrus. AI Upload Foyer is now Secure Tech Access, - and the outer door only requires Bridge access. Attached to it are two new rooms: - The messaging server room and the communications relay. The comms relay room - runs off its own SMES unit like the AI, so it won''t be affected by powersinks' + - tweak: + Removed passive throwing. You need at least an aggressive hold of the mob + before you can throw them. + - rscadd: + "New map changes by Ikarrus. AI Upload Foyer is now Secure Tech Access, + and the outer door only requires Bridge access. Attached to it are two new rooms: + The messaging server room and the communications relay. The comms relay room + runs off its own SMES unit like the AI, so it won't be affected by powersinks" 2012-08-01: Giacom: - - tweak: I've made some adjustments to the Fireball spell. I've changed it to shoot - in the player's facing direction instead of you having to pick a name from a - list. It will explode upon contact of a person, if it hits an obstacle or if - it shoots for too long. To make up for the fireball not being able to go diagonal - I've shortened the cooldown to 10 seconds. It still can hurt you badly and knock - you down if you shoot it at a wall. Lastly, it now lights up so it'll show up - in dark rooms easily. + - tweak: + I've made some adjustments to the Fireball spell. I've changed it to shoot + in the player's facing direction instead of you having to pick a name from a + list. It will explode upon contact of a person, if it hits an obstacle or if + it shoots for too long. To make up for the fireball not being able to go diagonal + I've shortened the cooldown to 10 seconds. It still can hurt you badly and knock + you down if you shoot it at a wall. Lastly, it now lights up so it'll show up + in dark rooms easily. Sieve: - - rscadd: Borgs can now have an encryption key installed into their internal radios. - Simply ID, open the panel, and use the key to insert it (Screwdriver to remove) - - rscadd: Due to that as well, borgs have a 'Toggle Broadcast Mode' button for their - radios, which changes the broadcast type between station-bounced (Non-reliant - on TComms), and subspace (Required for department channels) - - tweak: Also changed the binary chat for consistency, now for the prefix is ':b' - for everyone, not just one for humans and one for borgs/AIs/pAIs - - tweak: Based on feedback, Nuke Op pinpointers now automagically change between - shuttle and disk mode when the nuke is armed or disarmed. + - rscadd: + Borgs can now have an encryption key installed into their internal radios. + Simply ID, open the panel, and use the key to insert it (Screwdriver to remove) + - rscadd: + Due to that as well, borgs have a 'Toggle Broadcast Mode' button for their + radios, which changes the broadcast type between station-bounced (Non-reliant + on TComms), and subspace (Required for department channels) + - tweak: + Also changed the binary chat for consistency, now for the prefix is ':b' + for everyone, not just one for humans and one for borgs/AIs/pAIs + - tweak: + Based on feedback, Nuke Op pinpointers now automagically change between + shuttle and disk mode when the nuke is armed or disarmed. 2012-08-02: Icarus: - - rscadd: Borgs now have flashlights to allow them to see in lightless areas - - tweak: 'Changes to Medbay: The sleeper and storage rooms have been swapped around. - Hopefully this leads to more healing and less looting.' + - rscadd: Borgs now have flashlights to allow them to see in lightless areas + - tweak: + "Changes to Medbay: The sleeper and storage rooms have been swapped around. + Hopefully this leads to more healing and less looting." 2012-08-04: Icarus: - - tweak: Changes to Med-Sci south and surrounding maintenance areas. Virology is - more isolated and Science gets a new Misc. Research Lab. - - tweak: Atmos techs get construction access now to do their little projects in. - - tweak: Transformation Stings now work on living humans. + - tweak: + Changes to Med-Sci south and surrounding maintenance areas. Virology is + more isolated and Science gets a new Misc. Research Lab. + - tweak: Atmos techs get construction access now to do their little projects in. + - tweak: Transformation Stings now work on living humans. 2012-08-06: Dingus: - - tweak: Library has been redesigned. It's a whole lot more classy now. - - tweak: Significant changes to Medbay. CMO's office is more centralized, genetics - has a new exit into cryogenics, and a new break room has been installed + - tweak: Library has been redesigned. It's a whole lot more classy now. + - tweak: + Significant changes to Medbay. CMO's office is more centralized, genetics + has a new exit into cryogenics, and a new break room has been installed 2012-08-11: Sieve: - - bugfix: Turrets now properly fire at simple_animals. - - tweak: Borgs, AIs, and brains/MMIs can be sacrificed by cultists. - - tweak: Grenades now automatically set throw on again. + - bugfix: Turrets now properly fire at simple_animals. + - tweak: Borgs, AIs, and brains/MMIs can be sacrificed by cultists. + - tweak: Grenades now automatically set throw on again. 2012-08-14: Sieve: - - rscadd: DNA modifiers can be used if there is no occupant, primarily to handle - the buffer. - - tweak: Ion Rifles are only effected by max severity EMPs, so AOE from its own - shot won't effect it - - tweak: Pepper Spray fits on Sec belts again + - rscadd: + DNA modifiers can be used if there is no occupant, primarily to handle + the buffer. + - tweak: + Ion Rifles are only effected by max severity EMPs, so AOE from its own + shot won't effect it + - tweak: Pepper Spray fits on Sec belts again 2012-08-16: Errorage: - - tweak: Changes were made to how heating and cooling of humans works. - - tweak: You must wear both a space suit and space helmet to be protected from space! - Likewise you must wear a firesuit and a fire helmet to be protected from fire! - Fire helmets are red and white hardhats, found in all fire closets. - - tweak: Fire suits now only protect from heat and space suits only protect from - cold, so make your choice count. + - tweak: Changes were made to how heating and cooling of humans works. + - tweak: + You must wear both a space suit and space helmet to be protected from space! + Likewise you must wear a firesuit and a fire helmet to be protected from fire! + Fire helmets are red and white hardhats, found in all fire closets. + - tweak: + Fire suits now only protect from heat and space suits only protect from + cold, so make your choice count. 2012-08-23: Nodrak: - - bugfix: In-hand sprites once again update correctly when equipping items. + - bugfix: In-hand sprites once again update correctly when equipping items. 2012-08-24: Sieve: - - rscadd: Floorbots now actually pull up tiles when emagged - - tweak: All helper bots (excluding MULEs) have an access panel and maint panel, - access being for behavior and maint for internal work - - tweak: To open the maint panel, the access panel needs to be unlocked, then you - use a screwdriver. There you can emag/repair it to your heart's content. (Emagging - the access panel will also unlock it permanently) - - tweak: Helper bots are now repaired by using a welder when their maint panel is - open + - rscadd: Floorbots now actually pull up tiles when emagged + - tweak: + All helper bots (excluding MULEs) have an access panel and maint panel, + access being for behavior and maint for internal work + - tweak: + To open the maint panel, the access panel needs to be unlocked, then you + use a screwdriver. There you can emag/repair it to your heart's content. (Emagging + the access panel will also unlock it permanently) + - tweak: + Helper bots are now repaired by using a welder when their maint panel is + open 2012-08-26: trubble_bass: - - tweak: Nerfed the Neurotoxin drink, it is now less effective than a stunbaton. - But more effective than a Beepsky Smash. - - tweak: Updated descriptions on various cocktails to be more accurate or more relevant - to the drink itself. + - tweak: + Nerfed the Neurotoxin drink, it is now less effective than a stunbaton. + But more effective than a Beepsky Smash. + - tweak: + Updated descriptions on various cocktails to be more accurate or more relevant + to the drink itself. 2012-08-28: Giacom: - - rscadd: You can now toggle the bolt light of airlocks. An extra wire, that controls - the airlock's bolt light, has been added. - - rscadd: Aliens can now tell who is and who isn't infected. They get a special - facehugger icon that appears over mobs that have been impregnated. - - wip: Cameras have temporary X-Ray for the time being. + - rscadd: + You can now toggle the bolt light of airlocks. An extra wire, that controls + the airlock's bolt light, has been added. + - rscadd: + Aliens can now tell who is and who isn't infected. They get a special + facehugger icon that appears over mobs that have been impregnated. + - wip: Cameras have temporary X-Ray for the time being. 2012-08-29: Nodrak: - - bugfix: Mice now work with the admin player panel. Admins can now turn players - into mice with the 'Animalize' button in the player panel! - - bugfix: Space bear AI no longer runs when a player is controlling it. Admins can - now turn players into space bears with the 'Animalize' button in the player - panel! - - bugfix: The holodeck beach program once again has a beach. - - bugfix: The nuke op shuttle floor was pressure-washed a few days ago. We have - since re-painted it with nanotrasen blood. Sorry for any confusion. + - bugfix: + Mice now work with the admin player panel. Admins can now turn players + into mice with the 'Animalize' button in the player panel! + - bugfix: + Space bear AI no longer runs when a player is controlling it. Admins can + now turn players into space bears with the 'Animalize' button in the player + panel! + - bugfix: The holodeck beach program once again has a beach. + - bugfix: + The nuke op shuttle floor was pressure-washed a few days ago. We have + since re-painted it with nanotrasen blood. Sorry for any confusion. 2012-08-30: Giacom: - - rscadd: You can now create an EMP Pulse. Like an explosion, it is the mixing of - two reagents that trigger this to happen. I will tell you the first required - reagent. Uranium. Have fun! - - tweak: I have made most chemicals need 3-5 or more chemicals in order to react - to a turf. For instance, you need at least 5 units of thermite splashed on a - wall for it to burn down." - - tweak: The EMP kit, that you can buy through the uplink, has two more grenades - in them now. Making the box full of EMP grenades! - - tweak: Changed the EMP grenade's range to be much bigger. + - rscadd: + You can now create an EMP Pulse. Like an explosion, it is the mixing of + two reagents that trigger this to happen. I will tell you the first required + reagent. Uranium. Have fun! + - tweak: + I have made most chemicals need 3-5 or more chemicals in order to react + to a turf. For instance, you need at least 5 units of thermite splashed on a + wall for it to burn down." + - tweak: + The EMP kit, that you can buy through the uplink, has two more grenades + in them now. Making the box full of EMP grenades! + - tweak: Changed the EMP grenade's range to be much bigger. 2012-08-31: Agouri: - - bugfix: Overhauled newscasters. No visual additions but the thing is much more - robust and everything works as intended. Wanted issues are fixed. Admins, check - out Access News Network under Fun. + - bugfix: + Overhauled newscasters. No visual additions but the thing is much more + robust and everything works as intended. Wanted issues are fixed. Admins, check + out Access News Network under Fun. 2012-09-03: Giacom: - - rscadd: 'Cameras has changed quite a bit. They are no longer created from grenade - canisters, instead you make them from an autolathe. The construction and deconstruction - for them has also changed, so look it up or experiment it with yourself to see - how to setup the cameras now. Cameras also get wires, like airlocks and APCs. - There''s two duds, a focus wire, a power wire, an alarm wire and a light wire. - Protip: You can see which one is the alarm wire by pulsing it.' - - imageadd: Added a red phone and placed it in the Cyborg Station. Sprite by Pewtershmitz! - You'll also find an AI restorer there, replacing the computer frame. - - rscadd: Cameras aren't all X-ray anymore. The AI won't be able to see what room - you are in if there's no normal camera inside that room or if there's no X-ray - camera nearby.. - - rscadd: Cameras get upgrades! Currently there's X-ray, EMP-Proof and Motion. You'll - find the EMP-Proof and Motion cameras in the normal places (Singularity Pen - & EVA), the new X-ray cameras can be found in the Dormitory and Bathrooms, - plus some extra ones to invade your privacy. See if you can smash them all. - - tweak: 'Alien Larva can bite simple animals (see: Ian, Runtime, Mice) to kill - them and gain a small amount of growing points.' - - tweak: Space travel was tweaked to be more random when changing Z levels. This - will stop people and items from being stuck in an infinite loop, as they will - eventually hit something to make them stop. + - rscadd: + "Cameras has changed quite a bit. They are no longer created from grenade + canisters, instead you make them from an autolathe. The construction and deconstruction + for them has also changed, so look it up or experiment it with yourself to see + how to setup the cameras now. Cameras also get wires, like airlocks and APCs. + There's two duds, a focus wire, a power wire, an alarm wire and a light wire. + Protip: You can see which one is the alarm wire by pulsing it." + - imageadd: + Added a red phone and placed it in the Cyborg Station. Sprite by Pewtershmitz! + You'll also find an AI restorer there, replacing the computer frame. + - rscadd: + Cameras aren't all X-ray anymore. The AI won't be able to see what room + you are in if there's no normal camera inside that room or if there's no X-ray + camera nearby.. + - rscadd: + Cameras get upgrades! Currently there's X-ray, EMP-Proof and Motion. You'll + find the EMP-Proof and Motion cameras in the normal places (Singularity Pen + & EVA), the new X-ray cameras can be found in the Dormitory and Bathrooms, + plus some extra ones to invade your privacy. See if you can smash them all. + - tweak: + "Alien Larva can bite simple animals (see: Ian, Runtime, Mice) to kill + them and gain a small amount of growing points." + - tweak: + Space travel was tweaked to be more random when changing Z levels. This + will stop people and items from being stuck in an infinite loop, as they will + eventually hit something to make them stop. 2012-09-06: Cheridan: - - rscadd: '-Changes flour from an item to a container-held reagent. All recipes - have been updated to use 5 units of reagent flour for every item required previously. This - has a few advantages: The 16(!) sacks of flour previously in the kitchen cabinet - have been condensed to an equivalent 3 sacks. Beer is now brewable with universal - enzyme, and converting lots of wheat into flour should be less tedious. Also, - flour grenades, etc. Because of this, flour is now obtained from the all-in-one - blender rather than the processor, and spaghetti noodles are made with 5 units - of flour in the microwave.' + - rscadd: + "-Changes flour from an item to a container-held reagent. All recipes + have been updated to use 5 units of reagent flour for every item required previously. This + has a few advantages: The 16(!) sacks of flour previously in the kitchen cabinet + have been condensed to an equivalent 3 sacks. Beer is now brewable with universal + enzyme, and converting lots of wheat into flour should be less tedious. Also, + flour grenades, etc. Because of this, flour is now obtained from the all-in-one + blender rather than the processor, and spaghetti noodles are made with 5 units + of flour in the microwave." Giacom: - - tweak: Removed cameras from bots (NOT BORGS). They weren't working well with freelook - and I felt that since they weren't used at all, they wouldn't be missed. + - tweak: + Removed cameras from bots (NOT BORGS). They weren't working well with freelook + and I felt that since they weren't used at all, they wouldn't be missed. 2012-09-08: Carn: - - bugfix: Added an additional check to stop changelings sharing powers/becomming - un-absorbable/etc by absorbing eachother and then rejuvinating from death. - - tweak: Cloaked Aliens are now slightly easier to see, so they should avoid strongly - lit areas when possible. They can still lay down to become even stealthier though. - Let me know what you think, it's only a minor sprite change. + - bugfix: + Added an additional check to stop changelings sharing powers/becomming + un-absorbable/etc by absorbing eachother and then rejuvinating from death. + - tweak: + Cloaked Aliens are now slightly easier to see, so they should avoid strongly + lit areas when possible. They can still lay down to become even stealthier though. + Let me know what you think, it's only a minor sprite change. 2012-09-09: - 'Important note for server hosts!:': - - experiment: The file /code/defines/hub.dm was moved into /code/hub.dm. To get - your server back on the hub, open /code/hub.dm and set the hub variables again. - Sorry for the inconvenience. + "Important note for server hosts!:": + - experiment: + The file /code/defines/hub.dm was moved into /code/hub.dm. To get + your server back on the hub, open /code/hub.dm and set the hub variables again. + Sorry for the inconvenience. 2012-09-10: Giacom: - - rscadd: AIs can double click on mobs to instantly start tracking them. + - rscadd: AIs can double click on mobs to instantly start tracking them. 2012-09-13: Carn: - - experiment: New Hotkeys (Trial period). Details can - be found in the help menu or via the hotkeys-help verb. It's all client-side. - It shouldn't intefere with regular controls (except ctrl+A, ctrl+S, ctrl+D and - ctrl+W). + - experiment: + New Hotkeys (Trial period). Details can + be found in the help menu or via the hotkeys-help verb. It's all client-side. + It shouldn't intefere with regular controls (except ctrl+A, ctrl+S, ctrl+D and + ctrl+W). 2012-09-17: Carn: - - rscadd: F5 is now a hotkey for adminghosting. F8 toggles ghost-like invisibility - for admins. - - tweak: Catatonia makes you fall down. Admins appear braindead when admin-ghosting. - - tweak: '"Set-observe"/"Set-play" renamed and merged into "Aghost".' - - tweak: '"Lay down/Get up" renamed to "Rest"' - - bugfix: Closets can't be sold on the supply shuttle anymore - - bugfix: Fixed all dat light + - rscadd: + F5 is now a hotkey for adminghosting. F8 toggles ghost-like invisibility + for admins. + - tweak: Catatonia makes you fall down. Admins appear braindead when admin-ghosting. + - tweak: '"Set-observe"/"Set-play" renamed and merged into "Aghost".' + - tweak: '"Lay down/Get up" renamed to "Rest"' + - bugfix: Closets can't be sold on the supply shuttle anymore + - bugfix: Fixed all dat light Cheridan: - - imageadd: Metroids have been replaced with Rorobeasts. Roros are strange latex-based - lifeforms that hate light, fun, and gloves. + - imageadd: + Metroids have been replaced with Rorobeasts. Roros are strange latex-based + lifeforms that hate light, fun, and gloves. 2012-09-23: Donkie: - - rscadd: Updated the Package Tagger with new interface! - - rscadd: You can now dispense, remove and retag sort junctions properly! + - rscadd: Updated the Package Tagger with new interface! + - rscadd: You can now dispense, remove and retag sort junctions properly! 2012-09-24: Petethegoat: - - bugfix: Hopefully fixed the stop midis button. It should now stop any midis that - are currently playing. + - bugfix: + Hopefully fixed the stop midis button. It should now stop any midis that + are currently playing. 2012-09-25: Donkie: - - rscadd: Reworked the Piano, now really optimized and new interface! + - rscadd: Reworked the Piano, now really optimized and new interface! 2012-09-26: Aranclanos: - - bugfix: Mechs are once again spaceproof! - - bugfix: The YouTool machine is now all access - - bugfix: Cutting tower caps in hand no longer deletes the wood, and planks now - auto stack + - bugfix: Mechs are once again spaceproof! + - bugfix: The YouTool machine is now all access + - bugfix: + Cutting tower caps in hand no longer deletes the wood, and planks now + auto stack 2012-09-30: Giacom: - - tweak: Airlocks now use the Environmental power channel, since they are airlocks - after-all. Meaning, when power is low the airlocks will still work until the - environmental channel on the APC is turned off. This applies to all the door - control buttons too. Pipe meters now use the environmental power channel. If - you have any comments have this change, please let me know in the feedback section - of the forums. + - tweak: + Airlocks now use the Environmental power channel, since they are airlocks + after-all. Meaning, when power is low the airlocks will still work until the + environmental channel on the APC is turned off. This applies to all the door + control buttons too. Pipe meters now use the environmental power channel. If + you have any comments have this change, please let me know in the feedback section + of the forums. Numbers: - - rscadd: Readded Volume Pumps - now they work as intended and are constructable - - rscadd: Readded Passive Gates - now they work as intended and are constructable - - rscadd: Readded Heat Exchangers - now they work as intended and are constructable - - rscadd: Added Heater - to warm up gasses to 300C - - rscadd: Pipe dispensers can produce the readded pieces. - - imageadd: New graphics for all of the above - courtesy by Ausops. + - rscadd: Readded Volume Pumps - now they work as intended and are constructable + - rscadd: Readded Passive Gates - now they work as intended and are constructable + - rscadd: Readded Heat Exchangers - now they work as intended and are constructable + - rscadd: Added Heater - to warm up gasses to 300C + - rscadd: Pipe dispensers can produce the readded pieces. + - imageadd: New graphics for all of the above - courtesy by Ausops. 2012-10-01: Cheridan: - - experiment: Wizards have a new artifact added to their spellbooks. + - experiment: Wizards have a new artifact added to their spellbooks. 2012-10-03: Agouri: - - tweak: + - tweak: 2012-10-05: Aranclanos: - - bugfix: A buncha crud nobody cares about lol Added a light to - the airlock wiring interface to show the status of the timing. - - bugfix: You can't fill sprays without being next to the dispenser. - - bugfix: Simple animals no longer freeze to death in places with normal temperature. - - bugfix: Mechs no longer freeze on the spot when they are using the Energy Relay - on powerless areas. - - bugfix: Improvements to showers, they now clean gear on beltslot, back, ears and - eyes. Showers only clean visible gear. - - bugfix: Replica pods works again! But you can't make potato people without a key - or clone people who ghosted alive (Catatonic). - - bugfix: Engiborgs can deconstruct airlocks with their RCDs once again. - - bugfix: You can construct airlocks while standing on another airlock with RCDs. + - bugfix: + A buncha crud nobody cares about lol Added a light to + the airlock wiring interface to show the status of the timing. + - bugfix: You can't fill sprays without being next to the dispenser. + - bugfix: Simple animals no longer freeze to death in places with normal temperature. + - bugfix: + Mechs no longer freeze on the spot when they are using the Energy Relay + on powerless areas. + - bugfix: + Improvements to showers, they now clean gear on beltslot, back, ears and + eyes. Showers only clean visible gear. + - bugfix: + Replica pods works again! But you can't make potato people without a key + or clone people who ghosted alive (Catatonic). + - bugfix: Engiborgs can deconstruct airlocks with their RCDs once again. + - bugfix: You can construct airlocks while standing on another airlock with RCDs. 2012-10-08: Kor: - - tweak: A pen no longer spawns in your pocket. Instead, each PDA will spawn with - a pen already in it. + - tweak: + A pen no longer spawns in your pocket. Instead, each PDA will spawn with + a pen already in it. 2012-10-10: Giacom: - - tweak: Larva grow a little bit faster when on weeds or when breathing in plasma. + - tweak: Larva grow a little bit faster when on weeds or when breathing in plasma. 2012-10-13: Giacom: - - imageadd: Facehuggers have a new animation, thanks to Sly. - - rscadd: Firelocks, glass-less airlocks and walls will stop heat. - - rscadd: Fires are now more deadly, especially the flames. - - tweak: Fires will now break windows. + - imageadd: Facehuggers have a new animation, thanks to Sly. + - rscadd: Firelocks, glass-less airlocks and walls will stop heat. + - rscadd: Fires are now more deadly, especially the flames. + - tweak: Fires will now break windows. 2012-10-16: Giacom: - - rscadd: New changeling powers! - - rscadd: Hive Channel/Hive Absorb. Allows you to share your DNA with other changelings, - very expensive chemical wise to absorb (download), not so much to channel (upload)! - You cannot achieve your objective by sharing DNA. - - rscadd: Mimic Voice! You can form your voice of a name you enter. You won't look - like them but when you talk, people will hear the name of who you selected. - While you're mimicing, you can't regenerate chemicals. - - rscadd: Extract DNA! A power that allows you to silently sting someone and take - their DNA! Meaning you do not have to absorb someone to become them. Extracting - their DNA doesn't count towards completing your objectives. - - rscadd: You can now get flares from red emergency toolboxes. Has a 50% chance - of a flash-light or a flare spawning. - - imageadd: Flare icon by Ausops! - - rscadd: Thanks to RavingManiac (Smoke Carter), Roros now lay eggs which can grow - into baby roros or be used for cooking recipes. Scientists will need to expose - the egg to plasma for it to hatch; while it is orange (grown). - - imageadd: A new icon for the map spawned x-ray cameras. Icon by Krutchen. + - rscadd: New changeling powers! + - rscadd: + Hive Channel/Hive Absorb. Allows you to share your DNA with other changelings, + very expensive chemical wise to absorb (download), not so much to channel (upload)! + You cannot achieve your objective by sharing DNA. + - rscadd: + Mimic Voice! You can form your voice of a name you enter. You won't look + like them but when you talk, people will hear the name of who you selected. + While you're mimicing, you can't regenerate chemicals. + - rscadd: + Extract DNA! A power that allows you to silently sting someone and take + their DNA! Meaning you do not have to absorb someone to become them. Extracting + their DNA doesn't count towards completing your objectives. + - rscadd: + You can now get flares from red emergency toolboxes. Has a 50% chance + of a flash-light or a flare spawning. + - imageadd: Flare icon by Ausops! + - rscadd: + Thanks to RavingManiac (Smoke Carter), Roros now lay eggs which can grow + into baby roros or be used for cooking recipes. Scientists will need to expose + the egg to plasma for it to hatch; while it is orange (grown). + - imageadd: A new icon for the map spawned x-ray cameras. Icon by Krutchen. 2012-10-18: Giacom: - - tweak: As an AI, you can type in the "track with camera" command and get a list - of names to show up there. This also works with "list camera" verb. Remember - to use space to auto-fill. - - rscadd: Welding goggles have been added. They are like welding helmets but they - are for the glasses equipment slot. Science and the assembly line are given - a pair. - - imageadd: Thanks to WJohnston for the welding goggle icons. - - tweak: Small change to the Assembly Line. Instead of six normal flashes, the Assembly - Line will instead have two normal flashes and eight synthetic flashes. Synthetic - flashes only work once but are designed to be used in construction of Cyborgs. - - tweak: Nar-Sie put on a few pounds. Thanks HornyGranny. + - tweak: + As an AI, you can type in the "track with camera" command and get a list + of names to show up there. This also works with "list camera" verb. Remember + to use space to auto-fill. + - rscadd: + Welding goggles have been added. They are like welding helmets but they + are for the glasses equipment slot. Science and the assembly line are given + a pair. + - imageadd: Thanks to WJohnston for the welding goggle icons. + - tweak: + Small change to the Assembly Line. Instead of six normal flashes, the Assembly + Line will instead have two normal flashes and eight synthetic flashes. Synthetic + flashes only work once but are designed to be used in construction of Cyborgs. + - tweak: Nar-Sie put on a few pounds. Thanks HornyGranny. 2012-10-24: Giacom: - - rscadd: Throwing eggs will result in the reagents of the egg reacting to the target. - (Which can be a turf, object or mob) This creates possibilities like chloral - eggs, lube eggs, and many more. - - rscadd: Aliens can now acid walls and floors! Not R-Walls though. - - tweak: Facehugger throw range reduced to 5, so aim at humans that are 2 tiles - apart from the edge of your screen. - - tweak: Making eggs is a little more expensive but secreting resin is cheaper. - (Both cost 75 now) - - tweak: Aliens no longer have a random duration of stunning humans, it's a constant - value now of the lower based value. - - tweak: Acid is less random and will be more reliable. Don't bother aciding stuff - more than once, as it will waste plasma. - - rscadd: You can now target non-dense items (such as facehuggers) with a gun. - - rscadd: You can now shoot canisters, computers and windoors to break them. + - rscadd: + Throwing eggs will result in the reagents of the egg reacting to the target. + (Which can be a turf, object or mob) This creates possibilities like chloral + eggs, lube eggs, and many more. + - rscadd: Aliens can now acid walls and floors! Not R-Walls though. + - tweak: + Facehugger throw range reduced to 5, so aim at humans that are 2 tiles + apart from the edge of your screen. + - tweak: + Making eggs is a little more expensive but secreting resin is cheaper. + (Both cost 75 now) + - tweak: + Aliens no longer have a random duration of stunning humans, it's a constant + value now of the lower based value. + - tweak: + Acid is less random and will be more reliable. Don't bother aciding stuff + more than once, as it will waste plasma. + - rscadd: You can now target non-dense items (such as facehuggers) with a gun. + - rscadd: You can now shoot canisters, computers and windoors to break them. 2012-10-25: Flashkirby99: - - imageadd: Added 18 new hairstyles! + - imageadd: Added 18 new hairstyles! 2012-10-27: Nodrak: - - rscadd: The CE has a new pet! + - rscadd: The CE has a new pet! Petethegoat: - - rscadd: Mousetraps are now assemblies. - - rscadd: Added a new crate for cargo to order. + - rscadd: Mousetraps are now assemblies. + - rscadd: Added a new crate for cargo to order. 2012-10-28: Errorage: - - tweak: You can now set your character's age up to 85. This used to be 45. + - tweak: You can now set your character's age up to 85. This used to be 45. 2012-10-31: Giacom: - - rscadd: 'Advance evolving diseases! Virology can now create, mutate and mix advance - diseases together. I replaced the two bottles of blood in Virology with the - advance disease. I''ll write a wiki article soon enough. Here''s a tip: Putting - mutagen or virus food (a mixture of milk, water and oxygen) in blood with an - existing disease will mutate it to gain symptoms. It can potentially lose old - symptoms in the process, so keep backups!' + - rscadd: + "Advance evolving diseases! Virology can now create, mutate and mix advance + diseases together. I replaced the two bottles of blood in Virology with the + advance disease. I'll write a wiki article soon enough. Here's a tip: Putting + mutagen or virus food (a mixture of milk, water and oxygen) in blood with an + existing disease will mutate it to gain symptoms. It can potentially lose old + symptoms in the process, so keep backups!" 2012-11-01: Giacom: - - tweak: Aliens now take x2 as much damage from fire based weaponary, instead of - x1.5. - - tweak: Doors are now weaker than walls; so normal weapons can destroy them much - more easily. + - tweak: + Aliens now take x2 as much damage from fire based weaponary, instead of + x1.5. + - tweak: + Doors are now weaker than walls; so normal weapons can destroy them much + more easily. 2012-11-02: Errorage: - - rscadd: You can once again travel to the station, derelict, satellite and mining - z-levels through space. You will also never loop into the same level on transition - - So if you are exiting the derelict z-level, you will enter one of the other - z-levels. + - rscadd: + You can once again travel to the station, derelict, satellite and mining + z-levels through space. You will also never loop into the same level on transition + - So if you are exiting the derelict z-level, you will enter one of the other + z-levels. 2012-11-03: Giacom: - - tweak: Airborne diseases will not spread through walls now. - - tweak: Reduced queen healing rate to 5. The maximum health will be enough. - - tweak: Aliens can now clear hatched eggs by clicking on them. + - tweak: Airborne diseases will not spread through walls now. + - tweak: Reduced queen healing rate to 5. The maximum health will be enough. + - tweak: Aliens can now clear hatched eggs by clicking on them. TankNut: - - imageadd: New APC sprite. - - imageadd: New Wraith sprite and jaunting animation. + - imageadd: New APC sprite. + - imageadd: New Wraith sprite and jaunting animation. WJohnston: - - imageadd: New Ablative Armor sprite. + - imageadd: New Ablative Armor sprite. 2012-11-05: Errorage: - - rscadd: Being in an area with extremely low pressure will now deal some damage, - if you're not protected. - - rscadd: Space suits and the captain's armor now protect against pressure damage - - tweak: Slightly lowered all environment damage intakes (temperature, oxygen deprevation) - to make up for low pressure damage. - - bugfix: Pressure protection finally works properly. Items that protect from pressure - (firesuits, space suits, fire helmets, ...) will now properly protect. The pressure - damage indicator will update properly based on the pressure effects on you. - Black (low) and red (high) mean you are taking damage. - - tweak: Slightly slowed down the speed at which your body temperature changes if - you are in a very hot or very cold area. The speed at which you recover from - an abnormal body temperature remains the same. + - rscadd: + Being in an area with extremely low pressure will now deal some damage, + if you're not protected. + - rscadd: Space suits and the captain's armor now protect against pressure damage + - tweak: + Slightly lowered all environment damage intakes (temperature, oxygen deprevation) + to make up for low pressure damage. + - bugfix: + Pressure protection finally works properly. Items that protect from pressure + (firesuits, space suits, fire helmets, ...) will now properly protect. The pressure + damage indicator will update properly based on the pressure effects on you. + Black (low) and red (high) mean you are taking damage. + - tweak: + Slightly slowed down the speed at which your body temperature changes if + you are in a very hot or very cold area. The speed at which you recover from + an abnormal body temperature remains the same. Giacom: - - tweak: 'AIs can now tweak with a bot''s setting like a human who unlocked the - bot. ' + - tweak: + "AIs can now tweak with a bot's setting like a human who unlocked the + bot. " 2012-11-09: Giacom: - - rscadd: Cyborgs can now ping and beep! (Say "*beep" and "*ping") Thanks to Rahlzel - for the proposal. - - tweak: HULKS WILL NOW TALK IN ALL CAPS AND WILL RANDOMLY SAY HULK THINGS. Thanks - to Brotemis for the proposal. - - wip: Sorry for the inconveniences with advance diseases. They are working much - better now! - - imageadd: An improved APC sprite by TankNut! + - rscadd: + Cyborgs can now ping and beep! (Say "*beep" and "*ping") Thanks to Rahlzel + for the proposal. + - tweak: + HULKS WILL NOW TALK IN ALL CAPS AND WILL RANDOMLY SAY HULK THINGS. Thanks + to Brotemis for the proposal. + - wip: + Sorry for the inconveniences with advance diseases. They are working much + better now! + - imageadd: An improved APC sprite by TankNut! 2012-11-11: Carn: - - wip: "Admin-ranks changes
      \n\t\tLots of changes.\ - \ This is just a brief summary of the most recent changes; still working on\ - \ proper documentation.
      \n\t\tAll admins have access to view-vars, player-panel(for\ - \ individual mobs), game panel and secrets panel. Most of the things on those\ - \ pages have their own rights requirements. For instance, you can only use event\ - \ orientated secrets in the secret panel if you have FUN rights. Debug secrets\ - \ if you have DEBUG rights. etc.
      \n\t\tSpawn xeno and toggle gravity procs\ - \ were moved into the secrets panel (fun).
      \n\t\tThis may help with understanding which flags do what. Unfortuanately it's\ - \ still somewhat vague.
      \n\t\tIf you have any problems, feel free to PM\ - \ me at irc.rizon.net #coderbus. I go by the username carn or carnie.\n\t\t\ -
      " + - wip: + "Admin-ranks changes
      \n\t\tLots of changes.\ + \ This is just a brief summary of the most recent changes; still working on\ + \ proper documentation.
      \n\t\tAll admins have access to view-vars, player-panel(for\ + \ individual mobs), game panel and secrets panel. Most of the things on those\ + \ pages have their own rights requirements. For instance, you can only use event\ + \ orientated secrets in the secret panel if you have FUN rights. Debug secrets\ + \ if you have DEBUG rights. etc.
      \n\t\tSpawn xeno and toggle gravity procs\ + \ were moved into the secrets panel (fun).
      \n\t\tThis may help with understanding which flags do what. Unfortuanately it's\ + \ still somewhat vague.
      \n\t\tIf you have any problems, feel free to PM\ + \ me at irc.rizon.net #coderbus. I go by the username carn or carnie.\n\t\t\ +
      " Kor: - - rscadd: New cyborg upgrade available for production that requires illegal and - combat tech - - tweak: Summon Guns has a new gun type created by Ausops. It also lets the user - know when its been cast now to prevent people trying to buy it multiple times - - tweak: Grilles are no longer immortal in regards to solid projectiles, you can - now shoot out windows. + - rscadd: + New cyborg upgrade available for production that requires illegal and + combat tech + - tweak: + Summon Guns has a new gun type created by Ausops. It also lets the user + know when its been cast now to prevent people trying to buy it multiple times + - tweak: + Grilles are no longer immortal in regards to solid projectiles, you can + now shoot out windows. 2012-11-13: Nodrak: - - bugfix: Wizards can no longer cast spells when muzzled. It iss now actually possible - to capture a live wizard without constantly injecting them with chloral. - - rscdel: You can no longer take bags of holding or mechs to the clown planet. + - bugfix: + Wizards can no longer cast spells when muzzled. It iss now actually possible + to capture a live wizard without constantly injecting them with chloral. + - rscdel: You can no longer take bags of holding or mechs to the clown planet. 2012-11-15: Giacom: - - rscadd: You can now name your advance diseases! You can't name already known diseases - though. - - tweak: Chemical implants can now hold 50 units instead of 10 units. + - rscadd: + You can now name your advance diseases! You can't name already known diseases + though. + - tweak: Chemical implants can now hold 50 units instead of 10 units. 2012-11-16: Kor: - - bugfix: Fixed the syndicate teleporter door, making teleport assaults possible. - It will once again open when you open the outter door. + - bugfix: + Fixed the syndicate teleporter door, making teleport assaults possible. + It will once again open when you open the outter door. 2012-11-17: Giacom: - - rscadd: Medical Cyborgs no longer lose the reagents in their hypospray when switching - modes. - - rscadd: Spaceacillin will now help stop the spread of diseases. - - tweak: You can once again make floors slippery by spraying water. This was done - by increasing the amount the sprayer uses, which is from 5 to 10. You can also - empty your sprayer's contents onto the floor with a verb in the Object tab. + - rscadd: + Medical Cyborgs no longer lose the reagents in their hypospray when switching + modes. + - rscadd: Spaceacillin will now help stop the spread of diseases. + - tweak: + You can once again make floors slippery by spraying water. This was done + by increasing the amount the sprayer uses, which is from 5 to 10. You can also + empty your sprayer's contents onto the floor with a verb in the Object tab. 2012-11-18: Petethegoat: - - rscadd: Ported over BS12 style cameras. They now take a photo of a 3x3 area! - - tweak: Catatonic people (those that have ghosted while alive) now count as dead - for assasinate objectives. + - rscadd: Ported over BS12 style cameras. They now take a photo of a 3x3 area! + - tweak: + Catatonic people (those that have ghosted while alive) now count as dead + for assasinate objectives. 2012-11-19: Giacom: - - rscadd: Malf AIs can only shunt to APCs from their core. Meaning their core needs - to be alive before they can shunt to another APC. Malf AIs can start a takeover - inside an APC now. - - rscadd: When taking damage, the next sequence of the overlay will show for a bit - before reverting to the overlay you should have. This allows you to know you - are taking damage without having to check the text screen. + - rscadd: + Malf AIs can only shunt to APCs from their core. Meaning their core needs + to be alive before they can shunt to another APC. Malf AIs can start a takeover + inside an APC now. + - rscadd: + When taking damage, the next sequence of the overlay will show for a bit + before reverting to the overlay you should have. This allows you to know you + are taking damage without having to check the text screen. 2012-11-20: Kor: - - rscadd: Added Exile Implants to the Gateway room. Someone implanted with an Exile - Implant will be able to enter the away mission, but unable to return from it. - Not only can they be used for getting rid of dangerous criminals, but revs/stationheads - count as dead while on the away mission, and traitor/changeling/wizard assassination - targets count as dead if they're on the away mission at round end, allowing - for those objectives to be completed peacefully. - - rscadd: Added medical hardsuits, sprited by Majorsephiroth. Two of them spawn - in EVA. Their most unique/medical oriented feature is being able to hold a medkit - in the suit storage slot, allowing you to easily access medicine while keeping - your hands free. + - rscadd: + Added Exile Implants to the Gateway room. Someone implanted with an Exile + Implant will be able to enter the away mission, but unable to return from it. + Not only can they be used for getting rid of dangerous criminals, but revs/stationheads + count as dead while on the away mission, and traitor/changeling/wizard assassination + targets count as dead if they're on the away mission at round end, allowing + for those objectives to be completed peacefully. + - rscadd: + Added medical hardsuits, sprited by Majorsephiroth. Two of them spawn + in EVA. Their most unique/medical oriented feature is being able to hold a medkit + in the suit storage slot, allowing you to easily access medicine while keeping + your hands free. 2012-11-21: Cheridan: - - rscadd: SSU manufacturers have issued a product recall! It seems old models shipped - with faulty wiring, causing them to short-circuit. + - rscadd: + SSU manufacturers have issued a product recall! It seems old models shipped + with faulty wiring, causing them to short-circuit. 2012-11-23: Zelacks: - - rscadd: Plant Analysers now work on seed bags. + - rscadd: Plant Analysers now work on seed bags. 2012-11-25: Ikarrus: - - rscadd: Added Gateway access. Only the RD, HoP, and Captain start with this. - - tweak: 'New access levels in the brig:
      -Brig access now opens the front doors - of the brig, as well as other lower-risk security areas.
      -Security access - allows you into the break room and equipment lockers.
      -Holding Cells allows - you to use brig timers and lets you in the Prison Wing.
      -The Detective - no longer has Security Equipment access.' - - tweak: Significantly increased max cloneloss penalty for fresh clones to 40%. + - rscadd: Added Gateway access. Only the RD, HoP, and Captain start with this. + - tweak: + "New access levels in the brig:
      -Brig access now opens the front doors + of the brig, as well as other lower-risk security areas.
      -Security access + allows you into the break room and equipment lockers.
      -Holding Cells allows + you to use brig timers and lets you in the Prison Wing.
      -The Detective + no longer has Security Equipment access." + - tweak: Significantly increased max cloneloss penalty for fresh clones to 40%. 2012-11-28: Kor: - - rscadd: Slimes have replaced roros (finally)! Right now they are functionally - identical, but massive expansion of slimes and xenobio is planned. Sprites are - by Cheridan. + - rscadd: + Slimes have replaced roros (finally)! Right now they are functionally + identical, but massive expansion of slimes and xenobio is planned. Sprites are + by Cheridan. 2012-11-30: Ikarrus: - - tweak: Swapped the locations of the Vault and Tech Storage. - - rscdel: Cargo Techs, Miners, and Roboticists no longer start with gloves. They - are still available from their lockers. + - tweak: Swapped the locations of the Vault and Tech Storage. + - rscdel: + Cargo Techs, Miners, and Roboticists no longer start with gloves. They + are still available from their lockers. 2012-12-02: Giacom: - - rscadd: Added a new artefact called the "Staff of Animation". You can get it in - the Wizard's Spellbook. It will animate objects and items, but not machines, - to fight for you. The animated objects will not attack the bearer of the staff - which animates them, meaning if you lose your staff, or if it gets stolen, your - minions will turn on you. + - rscadd: + Added a new artefact called the "Staff of Animation". You can get it in + the Wizard's Spellbook. It will animate objects and items, but not machines, + to fight for you. The animated objects will not attack the bearer of the staff + which animates them, meaning if you lose your staff, or if it gets stolen, your + minions will turn on you. 2012-12-05: Giacom: - - rscadd: The wizard's fireball spell is once again dumbfire. It will fire in the - direction of the wizard instead of having to choose from a list of targets and - then home in on them. + - rscadd: + The wizard's fireball spell is once again dumbfire. It will fire in the + direction of the wizard instead of having to choose from a list of targets and + then home in on them. 2012-12-07: Erro: - - tweak: Examining humans now works a bit differently. Some external suits and helmets - can hide certain pieces of clothing so you don't see them when examining. Glasses - are also now displayed when examining. - - tweak: The job selection screen has been changed a little to hopefully make making - changes there easier. + - tweak: + Examining humans now works a bit differently. Some external suits and helmets + can hide certain pieces of clothing so you don't see them when examining. Glasses + are also now displayed when examining. + - tweak: + The job selection screen has been changed a little to hopefully make making + changes there easier. 2012-12-12: Erro: - - tweak: Examining humans now works a bit differently. Some external suits and helmets - can hide certain pieces of clothing so you don't see them when examining. Glasses - are also now displayed when examining. - - tweak: The job selection screen has been changed a little to hopefully make making - changes there easier. + - tweak: + Examining humans now works a bit differently. Some external suits and helmets + can hide certain pieces of clothing so you don't see them when examining. Glasses + are also now displayed when examining. + - tweak: + The job selection screen has been changed a little to hopefully make making + changes there easier. 2012-12-15: Erro: - - tweak: Examining humans now works a bit differently. Some external suits and helmets - can hide certain pieces of clothing so you don't see them when examining. Glasses - are also now displayed when examining. - - tweak: The job selection screen has been changed a little to hopefully make making - changes there easier. + - tweak: + Examining humans now works a bit differently. Some external suits and helmets + can hide certain pieces of clothing so you don't see them when examining. Glasses + are also now displayed when examining. + - tweak: + The job selection screen has been changed a little to hopefully make making + changes there easier. 2012-12-16: Erro: - - tweak: Examining humans now works a bit differently. Some external suits and helmets - can hide certain pieces of clothing so you don't see them when examining. Glasses - are also now displayed when examining. - - tweak: The job selection screen has been changed a little to hopefully make making - changes there easier. + - tweak: + Examining humans now works a bit differently. Some external suits and helmets + can hide certain pieces of clothing so you don't see them when examining. Glasses + are also now displayed when examining. + - tweak: + The job selection screen has been changed a little to hopefully make making + changes there easier. 2012-12-19: Erro: - - tweak: Examining humans now works a bit differently. Some external suits and helmets - can hide certain pieces of clothing so you don't see them when examining. Glasses - are also now displayed when examining. - - tweak: The job selection screen has been changed a little to hopefully make making - changes there easier. + - tweak: + Examining humans now works a bit differently. Some external suits and helmets + can hide certain pieces of clothing so you don't see them when examining. Glasses + are also now displayed when examining. + - tweak: + The job selection screen has been changed a little to hopefully make making + changes there easier. 2012-12-21: Erro: - - tweak: Examining humans now works a bit differently. Some external suits and helmets - can hide certain pieces of clothing so you don't see them when examining. Glasses - are also now displayed when examining. - - tweak: The job selection screen has been changed a little to hopefully make making - changes there easier. + - tweak: + Examining humans now works a bit differently. Some external suits and helmets + can hide certain pieces of clothing so you don't see them when examining. Glasses + are also now displayed when examining. + - tweak: + The job selection screen has been changed a little to hopefully make making + changes there easier. 2012-12-23: Erro: - - tweak: Examining humans now works a bit differently. Some external suits and helmets - can hide certain pieces of clothing so you don't see them when examining. Glasses - are also now displayed when examining. - - tweak: The job selection screen has been changed a little to hopefully make making - changes there easier. + - tweak: + Examining humans now works a bit differently. Some external suits and helmets + can hide certain pieces of clothing so you don't see them when examining. Glasses + are also now displayed when examining. + - tweak: + The job selection screen has been changed a little to hopefully make making + changes there easier. 2012-12-26: Erro: - - tweak: Examining humans now works a bit differently. Some external suits and helmets - can hide certain pieces of clothing so you don't see them when examining. Glasses - are also now displayed when examining. - - tweak: The job selection screen has been changed a little to hopefully make making - changes there easier. + - tweak: + Examining humans now works a bit differently. Some external suits and helmets + can hide certain pieces of clothing so you don't see them when examining. Glasses + are also now displayed when examining. + - tweak: + The job selection screen has been changed a little to hopefully make making + changes there easier. 2012-12-30: Erro: - - tweak: Examining humans now works a bit differently. Some external suits and helmets - can hide certain pieces of clothing so you don't see them when examining. Glasses - are also now displayed when examining. - - tweak: The job selection screen has been changed a little to hopefully make making - changes there easier. + - tweak: + Examining humans now works a bit differently. Some external suits and helmets + can hide certain pieces of clothing so you don't see them when examining. Glasses + are also now displayed when examining. + - tweak: + The job selection screen has been changed a little to hopefully make making + changes there easier. 2012-12-31: Erro: - - tweak: Examining humans now works a bit differently. Some external suits and helmets - can hide certain pieces of clothing so you don't see them when examining. Glasses - are also now displayed when examining. - - tweak: The job selection screen has been changed a little to hopefully make making - changes there easier. + - tweak: + Examining humans now works a bit differently. Some external suits and helmets + can hide certain pieces of clothing so you don't see them when examining. Glasses + are also now displayed when examining. + - tweak: + The job selection screen has been changed a little to hopefully make making + changes there easier. 2013-01-02: Erro: - - tweak: Examining humans now works a bit differently. Some external suits and helmets - can hide certain pieces of clothing so you don't see them when examining. Glasses - are also now displayed when examining. - - tweak: The job selection screen has been changed a little to hopefully make making - changes there easier. + - tweak: + Examining humans now works a bit differently. Some external suits and helmets + can hide certain pieces of clothing so you don't see them when examining. Glasses + are also now displayed when examining. + - tweak: + The job selection screen has been changed a little to hopefully make making + changes there easier. 2013-01-07: Erro: - - tweak: Examining humans now works a bit differently. Some external suits and helmets - can hide certain pieces of clothing so you don't see them when examining. Glasses - are also now displayed when examining. - - tweak: The job selection screen has been changed a little to hopefully make making - changes there easier. + - tweak: + Examining humans now works a bit differently. Some external suits and helmets + can hide certain pieces of clothing so you don't see them when examining. Glasses + are also now displayed when examining. + - tweak: + The job selection screen has been changed a little to hopefully make making + changes there easier. 2013-01-08: Erro: - - tweak: Examining humans now works a bit differently. Some external suits and helmets - can hide certain pieces of clothing so you don't see them when examining. Glasses - are also now displayed when examining. - - tweak: The job selection screen has been changed a little to hopefully make making - changes there easier. + - tweak: + Examining humans now works a bit differently. Some external suits and helmets + can hide certain pieces of clothing so you don't see them when examining. Glasses + are also now displayed when examining. + - tweak: + The job selection screen has been changed a little to hopefully make making + changes there easier. 2013-01-09: Erro: - - tweak: Examining humans now works a bit differently. Some external suits and helmets - can hide certain pieces of clothing so you don't see them when examining. Glasses - are also now displayed when examining. - - tweak: The job selection screen has been changed a little to hopefully make making - changes there easier. + - tweak: + Examining humans now works a bit differently. Some external suits and helmets + can hide certain pieces of clothing so you don't see them when examining. Glasses + are also now displayed when examining. + - tweak: + The job selection screen has been changed a little to hopefully make making + changes there easier. 2013-01-11: Giacom: - - tweak: Plasma (Air) will give the breather the plasma reagent, for a toxic effect, - instead of just straight damage. - - bugfix: The agent card will now work inside PDAs/Wallets; meaning the AI won't - be able to track you. + - tweak: + Plasma (Air) will give the breather the plasma reagent, for a toxic effect, + instead of just straight damage. + - bugfix: + The agent card will now work inside PDAs/Wallets; meaning the AI won't + be able to track you. 2013-01-12: Giacom: - - tweak: Staff of animation mimics will no longer care whether you are holding the - staff or not, they will never attack their creator. - - tweak: Brainrot will only need alkysine to be cured. - - rscadd: New spider infestation event based on Cael's spiders. The announcement - will be the same as alien infestations. + - tweak: + Staff of animation mimics will no longer care whether you are holding the + staff or not, they will never attack their creator. + - tweak: Brainrot will only need alkysine to be cured. + - rscadd: + New spider infestation event based on Cael's spiders. The announcement + will be the same as alien infestations. 2013-01-13: Directed by S0ldi3rKr4s0 and produced by PeteTheGoat: - - rscadd: /tg/station 13 Presents Curse of the Horseman. + - rscadd: /tg/station 13 Presents Curse of the Horseman. 2013-01-16: Cheridan: &id001 - - tweak: Chickens will now lay a certain number of eggs after being fed wheat, rather - than just laying them whenever they felt like it. No more chickensplosions. + - tweak: + Chickens will now lay a certain number of eggs after being fed wheat, rather + than just laying them whenever they felt like it. No more chickensplosions. 2013-01-20: Cheridan: *id001 2013-01-25: Errorage: - - rscadd: All the equipment you spawn with will now contain your fingerprints, giving - the detective more ability to tell where items came from and if a crewmember - has changed clothing. + - rscadd: + All the equipment you spawn with will now contain your fingerprints, giving + the detective more ability to tell where items came from and if a crewmember + has changed clothing. 2013-01-26: Pete: - - rscadd: Added hugging and kicking. I also updated the text styles for clicking - on humans in most intents, but they should be pretty much the same. + - rscadd: + Added hugging and kicking. I also updated the text styles for clicking + on humans in most intents, but they should be pretty much the same. 2013-01-27: Cheridan: - - rscadd: The plant bags in Hydroponics lockers have been replaced with upgraded - models with seed-extraction tech. Activate with via right-click menu or Objects - verb tab. - - rscadd: 'Obtaining grass tiles works a bit different now: grass is harvested as - a normal plant item, clicking on it in-hand produces the tile.' + - rscadd: + The plant bags in Hydroponics lockers have been replaced with upgraded + models with seed-extraction tech. Activate with via right-click menu or Objects + verb tab. + - rscadd: + "Obtaining grass tiles works a bit different now: grass is harvested as + a normal plant item, clicking on it in-hand produces the tile." 2013-01-31: Kor "Even in death I still code" Phaeron: - - rscadd: Four new slime types with their own reactions and two new reactions for - old slimes. - - rscadd: Put a suit of reactive teleport armour back in the RD's office. - - tweak: Chemistry now has two dispensers (with half charge each) so both chemists - can actually work at the same time. + - rscadd: + Four new slime types with their own reactions and two new reactions for + old slimes. + - rscadd: Put a suit of reactive teleport armour back in the RD's office. + - tweak: + Chemistry now has two dispensers (with half charge each) so both chemists + can actually work at the same time. 2013-02-11: SuperSayu: - - rscadd: Signallers, prox sensors, mouse traps and infrared beams can now be attacheed - to grenades to create a variety of mines. - - rscadd: A slime core can be placed in a large grenade in place of a beaker. When - the grenade goes off, the chemicals from the second container will be transfered - to the slime core, triggering the usual reaction. + - rscadd: + Signallers, prox sensors, mouse traps and infrared beams can now be attacheed + to grenades to create a variety of mines. + - rscadd: + A slime core can be placed in a large grenade in place of a beaker. When + the grenade goes off, the chemicals from the second container will be transfered + to the slime core, triggering the usual reaction. 2013-02-13: Petethegoat: - - rscadd: Traitors with the station blueprints steal objective can now use a photo - of the blueprints instead! + - rscadd: + Traitors with the station blueprints steal objective can now use a photo + of the blueprints instead! 2013-02-14: Petethegoat: - - rscadd: 'Updated surgery: you now initiate surgery with surgical drapes or a bedsheet. - Most procedures have changed, check the wiki for details. Currently it''s pretty - boring, but this paves the way for exciting new stuff- new procedures are very - simple to add. Report any bugs directly to me, or on the issue tracker.' + - rscadd: + "Updated surgery: you now initiate surgery with surgical drapes or a bedsheet. + Most procedures have changed, check the wiki for details. Currently it's pretty + boring, but this paves the way for exciting new stuff- new procedures are very + simple to add. Report any bugs directly to me, or on the issue tracker." 2013-02-18: Kor: - - tweak: The RD has lost access to telecomms, and basic engineers have gained it. + - tweak: The RD has lost access to telecomms, and basic engineers have gained it. 2013-02-22: Petethegoat: - - rscadd: Added cavity implant surgery. - - tweak: "Additionally, surgery must now be performed with help intent. Some procedures\ - \ have also been updated.\n\t\tAs always, check the wiki for details." + - rscadd: Added cavity implant surgery. + - tweak: + "Additionally, surgery must now be performed with help intent. Some procedures\ + \ have also been updated.\n\t\tAs always, check the wiki for details." 2013-02-24: Faerdan: - - rscadd: Competely new UI overhaul! Most user interface have been converted. + - rscadd: Competely new UI overhaul! Most user interface have been converted. 2013-03-06: Petethegoat: - - rscadd: Petethegoat says, "Added a new feature involvi-GLORF" - - tweak: Overhauled how grabs work. There aren't any interesting mechanical differences - yet, but they should be a lot more effective already. You don't have to double - click them anymore. Report any bugs with grabbing directly to me, or on the - issue tracker. + - rscadd: Petethegoat says, "Added a new feature involvi-GLORF" + - tweak: + Overhauled how grabs work. There aren't any interesting mechanical differences + yet, but they should be a lot more effective already. You don't have to double + click them anymore. Report any bugs with grabbing directly to me, or on the + issue tracker. 2013-03-08: Kor: - - rscadd: You can now construct/destroy bookcases. This is super exciting and game - changing. + - rscadd: + You can now construct/destroy bookcases. This is super exciting and game + changing. 2013-03-13: Elo001: - - rscadd: You can now open and close job slots for some jobs at any IDcomputer. - There is a cooldown when opening or closing a position. + - rscadd: + You can now open and close job slots for some jobs at any IDcomputer. + There is a cooldown when opening or closing a position. 2013-03-14: Major_sephiroth: - - rscadd: You can now light cigarettes with other cigarettes, and candles. And cigars. - Light a cigar with a candle! It's possible now! + - rscadd: + You can now light cigarettes with other cigarettes, and candles. And cigars. + Light a cigar with a candle! It's possible now! 2013-03-28: Carnie: - - tweak: Empty character slots in your preferences screen will now randomize. So - they won't initialise as bald, diaper-clad, white-guys. - - tweak: Reworked the savefile versioning/updating code. Your preferences data is - less likely to be lost. + - tweak: + Empty character slots in your preferences screen will now randomize. So + they won't initialise as bald, diaper-clad, white-guys. + - tweak: + Reworked the savefile versioning/updating code. Your preferences data is + less likely to be lost. 2013-04-04: Cheridan: - - tweak: When an AI shunts into an APC, the pinpointer will begin tracking it. When - the AI returns to its core, the pinpointer will go back to locating the nuke - disc. - - tweak: New sechud icons for sec officers/HoS, medical doctors, and loyalty implants. + - tweak: + When an AI shunts into an APC, the pinpointer will begin tracking it. When + the AI returns to its core, the pinpointer will go back to locating the nuke + disc. + - tweak: New sechud icons for sec officers/HoS, medical doctors, and loyalty implants. 2013-04-09: Ikarrus: - - rscadd: Liquid Plasma have been found to have strange and unexpected results on - virion cultures. The executive chief science officer urges virologists to explore - the possibilities this new discovery could bring. - - rscadd: After years or research, our scientists have engineered this cutting-edge - technology born from the science of shaving. The Electric Space-Razor 5000! - It uses moisturizers to refuel your face while you shave with not three, not - four, but FIVE lazer-precise inner blades for maximum comfort. + - rscadd: + Liquid Plasma have been found to have strange and unexpected results on + virion cultures. The executive chief science officer urges virologists to explore + the possibilities this new discovery could bring. + - rscadd: + After years or research, our scientists have engineered this cutting-edge + technology born from the science of shaving. The Electric Space-Razor 5000! + It uses moisturizers to refuel your face while you shave with not three, not + four, but FIVE lazer-precise inner blades for maximum comfort. 2013-04-10: Cheridan: - - rscadd: You can now condense capsaicin into pepper spray with chemistry. - - tweak: Pepper spray made slightly more effective. - - tweak: Teargas grenades can be obtained in Weapons and Riot crates. - - tweak: 'Riot crate comes with 2 sets of gear instead of 3, made cheaper. Beanbag - crate removed entirely. Just make more at the autolathe instead. Bureaucracy - crate cheaper, now has film roll. ' - - tweak: NT bluespace engineers have ironed-out that little issue with the teleporter - occasionally malfunctioning and dropping users into deep space. Please note, - however, that bluespace teleporters are still sensitive experimental technology, - and should be Test Fired before use to ensure proper function. + - rscadd: You can now condense capsaicin into pepper spray with chemistry. + - tweak: Pepper spray made slightly more effective. + - tweak: Teargas grenades can be obtained in Weapons and Riot crates. + - tweak: + "Riot crate comes with 2 sets of gear instead of 3, made cheaper. Beanbag + crate removed entirely. Just make more at the autolathe instead. Bureaucracy + crate cheaper, now has film roll. " + - tweak: + NT bluespace engineers have ironed-out that little issue with the teleporter + occasionally malfunctioning and dropping users into deep space. Please note, + however, that bluespace teleporters are still sensitive experimental technology, + and should be Test Fired before use to ensure proper function. 2013-04-17: Giacom: - - rscadd: If the configuration option is enabled, AIs and or Cyborgs will not be - able to communicate vocally. This means they cannot talk normally and need to - use alternative methods to do so + - rscadd: + If the configuration option is enabled, AIs and or Cyborgs will not be + able to communicate vocally. This means they cannot talk normally and need to + use alternative methods to do so 2013-04-22: Cheridan: - - rscdel: Stungloves removed 5eva. - - rscadd: Don't rage yet. Makeshift stunprods(similar in function to stungloves) - and spears are now craftable. Make them by using a rod on cable restraits, then - adding something. - - rscadd: Stun batons/prods now work off power cells, which can be removed and replaced! - Use a screwdriver to remove the battery. + - rscdel: Stungloves removed 5eva. + - rscadd: + Don't rage yet. Makeshift stunprods(similar in function to stungloves) + and spears are now craftable. Make them by using a rod on cable restraits, then + adding something. + - rscadd: + Stun batons/prods now work off power cells, which can be removed and replaced! + Use a screwdriver to remove the battery. Malkevin: - - tweak: Overhauled the thermal insulation system - - rscadd: All clothing that protected from one side of the thermal spectrum now - protects from the other. - - wip: Armor (although most don't have full coverage) protects between 160 to 600 - kelvin - - wip: 'Firesuits protect between 60 to 30,000 kelvin (Note: Hotspot damage still - exists)' - - rscadd: CE's hardsuit got its firesuit level protection back - - tweak: Bomb suits function as ghetto riot gear + - tweak: Overhauled the thermal insulation system + - rscadd: + All clothing that protected from one side of the thermal spectrum now + protects from the other. + - wip: + Armor (although most don't have full coverage) protects between 160 to 600 + kelvin + - wip: + "Firesuits protect between 60 to 30,000 kelvin (Note: Hotspot damage still + exists)" + - rscadd: CE's hardsuit got its firesuit level protection back + - tweak: Bomb suits function as ghetto riot gear 2013-04-23: Malkevin: - - imageadd: Replaced the captain's run of the mill armored vest with his very own - unique vest. Offers slightly better bullet protection. + - imageadd: + Replaced the captain's run of the mill armored vest with his very own + unique vest. Offers slightly better bullet protection. 2013-04-24: Carnie: - - experiment: 'DNA reworked: All SE blocks are randomised. DNA-modifier emitter - strength affects the size of the change in the hex-character hit. Emitter duration - makes it more likely to hit the character you click on. Almost all DNA-modifier - functions are on one screen.
      Balancing -will- be off a bit. Is getting halk - to hard/easy? Please report bugs/balancing issues/concerns here: http://forums.nanotrasen.com/viewtopic.php?f=15&t=13083 - <3' + - experiment: + "DNA reworked: All SE blocks are randomised. DNA-modifier emitter + strength affects the size of the change in the hex-character hit. Emitter duration + makes it more likely to hit the character you click on. Almost all DNA-modifier + functions are on one screen.
      Balancing -will- be off a bit. Is getting halk + to hard/easy? Please report bugs/balancing issues/concerns here: http://forums.nanotrasen.com/viewtopic.php?f=15&t=13083 + <3" 2013-04-26: Ikarrus: - - rscadd: Commanding Officers of Nanotrasen Stations have been issued a box of medals - to be awarded to crew members who display exemplary conduct. + - rscadd: + Commanding Officers of Nanotrasen Stations have been issued a box of medals + to be awarded to crew members who display exemplary conduct. 2013-04-30: Ikarrus: - - rscadd: Researchers have discovered that glass shards are, in fact, dangerous - due to their typically sharp nature. Our internal Safety Committee advises that - glass shards only be handled while using Nanotrasen-approved hand-protective - equipment. + - rscadd: + Researchers have discovered that glass shards are, in fact, dangerous + due to their typically sharp nature. Our internal Safety Committee advises that + glass shards only be handled while using Nanotrasen-approved hand-protective + equipment. 2013-05-02: Malkevin: - - rscadd: You can now weld four floor tiles together to make a metal sheet - - rscadd: The All-In-One Grinder can now grind Metal, Plasteel, Glass, Reinforced - Glass, and Wood sheets - - tweak: Made grey backpacks slightly less ugly + - rscadd: You can now weld four floor tiles together to make a metal sheet + - rscadd: + The All-In-One Grinder can now grind Metal, Plasteel, Glass, Reinforced + Glass, and Wood sheets + - tweak: Made grey backpacks slightly less ugly 2013-05-05: Rolan7: - - rscadd: Cargo manifests from CentComm may contain errors. Stamp them DENIED for - refunds. Doesn't apply to secure or large crates. Check the orders console - for CentComm feedback. + - rscadd: + Cargo manifests from CentComm may contain errors. Stamp them DENIED for + refunds. Doesn't apply to secure or large crates. Check the orders console + for CentComm feedback. 2013-05-07: Ikarrus: - - tweak: As a part of the most recent round of budget cuts, toolboxes will now be - made with a cheaper but heavier alloy. HR reminds employees to avoid being struck - with toolboxes, as toolbox-related injuries are not covered under the company's - standard health plan. + - tweak: + As a part of the most recent round of budget cuts, toolboxes will now be + made with a cheaper but heavier alloy. HR reminds employees to avoid being struck + with toolboxes, as toolbox-related injuries are not covered under the company's + standard health plan. 2013-05-11: Malkevin: - - rscadd: SecHuds now check for valid clearance before allowing you to change someone's - arrest status. There is only one way to bypass the ID check, and its not the - usual way. + - rscadd: + SecHuds now check for valid clearance before allowing you to change someone's + arrest status. There is only one way to bypass the ID check, and its not the + usual way. 2013-05-14: Ikarrus: - - tweak: "Nanotrasen seeks to further cut operating costs on experimental cyborg\ - \ units. \n\t\t
      -Cyborg chassis will now be made from a cheaper but less\ - \ durable design. \n\t\t
      -RCDs found on engineering models have been replaced\ - \ with a smaller model to make room for a metal rods module.\n\t\t
      -Cyborg\ - \ arms will no longer be long enough to allow for self-repairs.\n\t\t
      NOTE:\ - \ A cyborg's individual modules have been found to become non-operational should\ - \ the unit sustain too much structural damage." + - tweak: + "Nanotrasen seeks to further cut operating costs on experimental cyborg\ + \ units. \n\t\t
      -Cyborg chassis will now be made from a cheaper but less\ + \ durable design. \n\t\t
      -RCDs found on engineering models have been replaced\ + \ with a smaller model to make room for a metal rods module.\n\t\t
      -Cyborg\ + \ arms will no longer be long enough to allow for self-repairs.\n\t\t
      NOTE:\ + \ A cyborg's individual modules have been found to become non-operational should\ + \ the unit sustain too much structural damage." 2013-05-25: Ikarrus: - - rscdel: CentCom announced some minor restructuring within Space Station 13's command - structure. Most notable of these changes is the removal of the Head of Personnel's - access to the security radio channel. CentCom officials have stated the intention - was to make the HoP's role more specialized and less partial towards security. + - rscdel: + CentCom announced some minor restructuring within Space Station 13's command + structure. Most notable of these changes is the removal of the Head of Personnel's + access to the security radio channel. CentCom officials have stated the intention + was to make the HoP's role more specialized and less partial towards security. 2013-06-02: Ikarrus: - - tweak: To reduce costs of security equipment, mounted flashers have been adjusted - to use common handheld flashes as their flashbulbs. Although these flashbulbs - are more prone to burnout, they can easily be replaced with wirecutters. + - tweak: + To reduce costs of security equipment, mounted flashers have been adjusted + to use common handheld flashes as their flashbulbs. Although these flashbulbs + are more prone to burnout, they can easily be replaced with wirecutters. 2013-06-04: Dumpdavidson: - - tweak: Headsets can no longer broadcast into a channel that is disabled.
      Headsets - now have a button to turn off the power instead of the speaker. This button - disables all communication functions.
      EMPs now force affected radios off - for about 20 seconds. + - tweak: + Headsets can no longer broadcast into a channel that is disabled.
      Headsets + now have a button to turn off the power instead of the speaker. This button + disables all communication functions.
      EMPs now force affected radios off + for about 20 seconds. 2013-06-06: Giacom: - - rscadd: Emptying someone's pockets won't display a message. In theory you can - now pickpocket! + - rscadd: + Emptying someone's pockets won't display a message. In theory you can + now pickpocket! 2013-06-09: Ikarrus: - - rscadd: Server operators may now allow latejoiners to become antagonists. Check - game_options.txt for more information. - - rscadd: Server operators may now set how traitors and changelings scale to population. - Check game_options.txt for more information. + - rscadd: + Server operators may now allow latejoiners to become antagonists. Check + game_options.txt for more information. + - rscadd: + Server operators may now set how traitors and changelings scale to population. + Check game_options.txt for more information. 2013-06-15: Petethegoat: - - tweak: Updated chemical grenades. The build process is much the same, except they - require an igniter-X assembly instead of a single assembly item. You can also - just use a cable coil to get regular grenade behaviour. + - tweak: + Updated chemical grenades. The build process is much the same, except they + require an igniter-X assembly instead of a single assembly item. You can also + just use a cable coil to get regular grenade behaviour. 2013-06-16: Khub: - - rscadd: Job preferences menu now not only allows you to left-click the level (i.e. - [Medium]) to raise it, but also to right-click it to lower it. That means you - don't have to cycle through all the levels to get rid of a [Low]. + - rscadd: + Job preferences menu now not only allows you to left-click the level (i.e. + [Medium]) to raise it, but also to right-click it to lower it. That means you + don't have to cycle through all the levels to get rid of a [Low]. 2013-06-27: Ikarrus: - - rscadd: Nanotrasen R&D released a new firmware patch for their station AIs. - Included among the changes is the new ability for AIs to interact with fire - doors. R&D officials state they feel giving station AIs more influence could - only lead to good things. + - rscadd: + Nanotrasen R&D released a new firmware patch for their station AIs. + Included among the changes is the new ability for AIs to interact with fire + doors. R&D officials state they feel giving station AIs more influence could + only lead to good things. 2013-07-07: Giacom: - - rscadd: Revamped blob mode and the blob random event to spawn a player controlled - overmind that can expand the blob and upgrade pieces that perform particular - functions. This will use resources which the core can slowly generate or you - can place blob pieces that will give you more resources. + - rscadd: + Revamped blob mode and the blob random event to spawn a player controlled + overmind that can expand the blob and upgrade pieces that perform particular + functions. This will use resources which the core can slowly generate or you + can place blob pieces that will give you more resources. 2013-07-15: Giacom: - - rscadd: A new item has been added to the syndicate catalog. The AI detector is - a device disguised as a multitool; it is not only able to be used as a real - multitool but when it detects an AI looking at it, or it's holder, it will turn - red to indicate to the holder that he should cease supiscious activities. A - great and cheap, to produce, tool for undercover operations involving an AI - as the security system. + - rscadd: + A new item has been added to the syndicate catalog. The AI detector is + a device disguised as a multitool; it is not only able to be used as a real + multitool but when it detects an AI looking at it, or it's holder, it will turn + red to indicate to the holder that he should cease supiscious activities. A + great and cheap, to produce, tool for undercover operations involving an AI + as the security system. 2013-07-16: Malkevin: - - tweak: 'Summary of my recent changes: Added a muzzle and a box of Prisoner ID - cards to the perma wing, RnD can make a new combined gas mask with welding visor, - added some atmos analyzers to atmospherics, air alarm circuit boards have their - own sprites, package wrapped objects will now loop back round to the mail chute - instead of auto-rerouting to disposals, and the detective and captain have access - to securitrons through their PDA cartridges.' + - tweak: + "Summary of my recent changes: Added a muzzle and a box of Prisoner ID + cards to the perma wing, RnD can make a new combined gas mask with welding visor, + added some atmos analyzers to atmospherics, air alarm circuit boards have their + own sprites, package wrapped objects will now loop back round to the mail chute + instead of auto-rerouting to disposals, and the detective and captain have access + to securitrons through their PDA cartridges." 2013-07-21: Cheridan: - - rscadd: Instead of a level-up system where it is possible to acquire all the skills, - each skill now costs 1 point, and you can pick up to 5.Husking people, instead - of giving you more XP to buy skills, now gives you a skill reset, allowing you - to pick new ones. - - rscadd: DNA Extract Sting is now free, and is your main mode of acquiring DNA. - You can hold up to 5 DNAs, and as you acquire more, the oldest one is removed. - If you're currently using the oldest DNA strand, you will be required to transform - before gaining more. - - rscadd: New abilities! An UI indicator for chemical storage! Fun! + - rscadd: + Instead of a level-up system where it is possible to acquire all the skills, + each skill now costs 1 point, and you can pick up to 5.Husking people, instead + of giving you more XP to buy skills, now gives you a skill reset, allowing you + to pick new ones. + - rscadd: + DNA Extract Sting is now free, and is your main mode of acquiring DNA. + You can hold up to 5 DNAs, and as you acquire more, the oldest one is removed. + If you're currently using the oldest DNA strand, you will be required to transform + before gaining more. + - rscadd: New abilities! An UI indicator for chemical storage! Fun! Malkevin: - - rscadd: Cultists now start with two words each, and the starting talisman no longer - damages you when you use it + - rscadd: + Cultists now start with two words each, and the starting talisman no longer + damages you when you use it 2013-07-31: Ricotez: - - rscadd: Atmospherics now has its own hardsuit. Instead of radiation protection - it offers fire protection. + - rscadd: + Atmospherics now has its own hardsuit. Instead of radiation protection + it offers fire protection. 2013-08-04: Giacom: - - rscadd: Nanotrasen has re-arranged the station blueprint designs to have non-essential - APCs moved to the maintenance hallways. Non-essential rooms that aren't connected - to a maintenance hallway will have their APC remain. Station Engineers will - now have easy access to a room's APC without needing access themselves. Nanotrasen - also wishes to remind you that you should not sabotage these easy to access - APCs to cause distractions or to lockdown someone in a location. Thank you for - reading. + - rscadd: + Nanotrasen has re-arranged the station blueprint designs to have non-essential + APCs moved to the maintenance hallways. Non-essential rooms that aren't connected + to a maintenance hallway will have their APC remain. Station Engineers will + now have easy access to a room's APC without needing access themselves. Nanotrasen + also wishes to remind you that you should not sabotage these easy to access + APCs to cause distractions or to lockdown someone in a location. Thank you for + reading. 2013-08-05: Kaze Espada: - - rscadd: Nanotrasen has recentely had to change its provider of alcoholic beverages - to a provider of lower quality. Cases of the old ailment known as alcohol poisoning - have returned. Bar goers are to be weary of this new condition. + - rscadd: + Nanotrasen has recentely had to change its provider of alcoholic beverages + to a provider of lower quality. Cases of the old ailment known as alcohol poisoning + have returned. Bar goers are to be weary of this new condition. 2013-08-06: Giacom: - - bugfix: NTSL no longer allows you to use a function within another function parameter. - This was changed to help prevent server crashes; if your working script no longer - compiles this is why. + - bugfix: + NTSL no longer allows you to use a function within another function parameter. + This was changed to help prevent server crashes; if your working script no longer + compiles this is why. 2013-08-10: Malkevin: - - wip: 'Cargo Overhaul: Phase 1' - - rscadd: Ported Bay's cargo computer categoy system - - tweak: Crates have been tweaked significantly. Crates have been reduced to single - item types where possible, namely with expensive crates such as weapons and - armor. A total of 28 new crates have been added, including chemical and tracking - implants, and raw materials can also be bought from cargo for a significant - number of points (subject to change) - - bugfix: This was a pretty large edit of repetitive data, so no doubt I've made - a mistake or two. Please report any bugs to the usual place + - wip: "Cargo Overhaul: Phase 1" + - rscadd: Ported Bay's cargo computer categoy system + - tweak: + Crates have been tweaked significantly. Crates have been reduced to single + item types where possible, namely with expensive crates such as weapons and + armor. A total of 28 new crates have been added, including chemical and tracking + implants, and raw materials can also be bought from cargo for a significant + number of points (subject to change) + - bugfix: + This was a pretty large edit of repetitive data, so no doubt I've made + a mistake or two. Please report any bugs to the usual place 2013-08-12: Giacom: - - tweak: Changed the blob balance to make the blob start strong but grow slower, - resulting in rounds where the blob doesn't instantly get killed off if found - out and doesn't immediately dominate after being left alone long enough. AIs - no longer have to quarantine the station. + - tweak: + Changed the blob balance to make the blob start strong but grow slower, + resulting in rounds where the blob doesn't instantly get killed off if found + out and doesn't immediately dominate after being left alone long enough. AIs + no longer have to quarantine the station. 2013-08-13: Giacom: - - rscadd: Malf AIs now have a new power which will spawn a "borging machine". This - machine will turn living humans into loyal cyborgs which the AI can use to take - over the station with. The AI will limit themselves by using this ability, such - as no shunting, and the machine will have a long cooldown usage. + - rscadd: + Malf AIs now have a new power which will spawn a "borging machine". This + machine will turn living humans into loyal cyborgs which the AI can use to take + over the station with. The AI will limit themselves by using this ability, such + as no shunting, and the machine will have a long cooldown usage. 2013-08-18: Delicious: - - tweak: Made time and date consistent across medical and security records, mecha - logs and detective scanner reports - - rscadd: Added date to PDA + - tweak: + Made time and date consistent across medical and security records, mecha + logs and detective scanner reports + - rscadd: Added date to PDA 2013-08-21: Dumpdavidson: - - rscadd: Replaced the EMP grenades from the uplink with an EMP kit. The kit contains - a grenade, an implant and a flashlight with 5 uses that can EMP any object or - mob in melee range. + - rscadd: + Replaced the EMP grenades from the uplink with an EMP kit. The kit contains + a grenade, an implant and a flashlight with 5 uses that can EMP any object or + mob in melee range. 2013-08-30: Cael_Aislinn: - - rscadd: 'Terbs Fun Week Day 1: Added ghost chilis as a mutation of chili plants. - Be careful, they''re one of the hottest foods in the galaxy!' + - rscadd: + "Terbs Fun Week Day 1: Added ghost chilis as a mutation of chili plants. + Be careful, they're one of the hottest foods in the galaxy!" 2013-08-31: Cael_Aislinn: - - rscadd: 'Terbs Fun Week Day 2: RD, lawyers and librarians now spawn with a laser - pointer. Don''t point them in anyone''s eyes!' + - rscadd: + "Terbs Fun Week Day 2: RD, lawyers and librarians now spawn with a laser + pointer. Don't point them in anyone's eyes!" 2013-09-01: Cael_Aislinn: - - rscadd: 'Terbs Fun Week Day 3: Detective can reskin his gun to one of five variants: - Leopard Spots, Gold Trim, Black Panther, Peacemaker and the Original.' + - rscadd: + "Terbs Fun Week Day 3: Detective can reskin his gun to one of five variants: + Leopard Spots, Gold Trim, Black Panther, Peacemaker and the Original." 2013-09-02: Cael_Aislinn: - - rscadd: 'Terbs Fun Week Day 4: Humans, aliens and cyborgs now show speech bubbles - when they talk.' + - rscadd: + "Terbs Fun Week Day 4: Humans, aliens and cyborgs now show speech bubbles + when they talk." 2013-09-03: Cael_Aislinn: - - rscadd: 'Terbs Fun Week Day 5: Chef gets a Nanotrasen-issued icecream machine - with four pre-approved icecream flavours and two official cone types.' + - rscadd: + "Terbs Fun Week Day 5: Chef gets a Nanotrasen-issued icecream machine + with four pre-approved icecream flavours and two official cone types." 2013-09-12: AndroidSFV: - - rscadd: "AI Photography: AIs now have two new verbs, Take Picture and View Picture.\ - \ The pictures the AI takes are centered on the AI's eyeobj. You can use these\ - \ pictures on a newscaster, and print them at a photocopier.\n\t" + - rscadd: + "AI Photography: AIs now have two new verbs, Take Picture and View Picture.\ + \ The pictures the AI takes are centered on the AI's eyeobj. You can use these\ + \ pictures on a newscaster, and print them at a photocopier.\n\t" 2013-09-13: JJRcop: - - rscadd: We at Nanotrasen would like to assure you that we know the pain of waiting - five minutes for the emergency shuttle to be dispatched in a high-alert situation - due to our confirmation-of-distress policy. Therefore, we have amended our confirmation-of-distress - policy so that, in the event of a red alert, the distress confirmation period - is shortened to three minutes and we will hurry in preparing the shuttle for - transit. This totals to 6 minutes, in hope that it will give our very expensive - equipment a better chance of recovery. + - rscadd: + We at Nanotrasen would like to assure you that we know the pain of waiting + five minutes for the emergency shuttle to be dispatched in a high-alert situation + due to our confirmation-of-distress policy. Therefore, we have amended our confirmation-of-distress + policy so that, in the event of a red alert, the distress confirmation period + is shortened to three minutes and we will hurry in preparing the shuttle for + transit. This totals to 6 minutes, in hope that it will give our very expensive + equipment a better chance of recovery. 2013-09-17: SuperSayu: - - bugfix: You can no longer strip people through windows and windoors - - bugfix: You can open doors by hand even if there is a firedoor in the way, making - firedoor+airlock no longer an unbeatable combination - - rscadd: Ghosts can now click on anything to examine it, or double click to jump - to a turf. Double clicking a mob, bot, or (heaven forbid) singularity/Nar-Sie - will let you follow it. Double clicking your own corpse re-enters it. - - rscadd: AI can double click a mob to follow it, as well as double clicking turfs - to jump. - - rscadd: Ventcrawling mobs can alt-click a vent to start ventcrawling. - - wip: Telekinesis is now part of the click system. You can click on buttons, items, - etc, without having a telekinetic throw in hand; the throw will appear when - you click on something you can move (with your mind). + - bugfix: You can no longer strip people through windows and windoors + - bugfix: + You can open doors by hand even if there is a firedoor in the way, making + firedoor+airlock no longer an unbeatable combination + - rscadd: + Ghosts can now click on anything to examine it, or double click to jump + to a turf. Double clicking a mob, bot, or (heaven forbid) singularity/Nar-Sie + will let you follow it. Double clicking your own corpse re-enters it. + - rscadd: + AI can double click a mob to follow it, as well as double clicking turfs + to jump. + - rscadd: Ventcrawling mobs can alt-click a vent to start ventcrawling. + - wip: + Telekinesis is now part of the click system. You can click on buttons, items, + etc, without having a telekinetic throw in hand; the throw will appear when + you click on something you can move (with your mind). 2013-09-19: Malkevin: - - tweak: Juggernaut's ablative armor has been adjusted. They have a greater chance - to reflect lasers however on reflection they take half damage instead of no - damage, basically this adjustment means you should be able to kill a Juggernaut - with two laser guns instead of four! Also their reflection spread has been greatly - widened, enjoy the lightshow - - rscadd: Cargo can now order exile implants. - - tweak: Checking a collector's last power output via analyzers has been moved to - multitools, because that actually made sense (betcha didn't know this existed, - I know I didn't) - - rscadd: Analyzers can now be used to check the gas level of the tank in a loaded - radiation collector (yay no more crowbars), you can also use them on pipes to - check gas levels (yay no more pipe meters) + - tweak: + Juggernaut's ablative armor has been adjusted. They have a greater chance + to reflect lasers however on reflection they take half damage instead of no + damage, basically this adjustment means you should be able to kill a Juggernaut + with two laser guns instead of four! Also their reflection spread has been greatly + widened, enjoy the lightshow + - rscadd: Cargo can now order exile implants. + - tweak: + Checking a collector's last power output via analyzers has been moved to + multitools, because that actually made sense (betcha didn't know this existed, + I know I didn't) + - rscadd: + Analyzers can now be used to check the gas level of the tank in a loaded + radiation collector (yay no more crowbars), you can also use them on pipes to + check gas levels (yay no more pipe meters) 2013-09-21: Malkevin: - - rscadd: 'Due to complaints about Security not announcing themselves before making - arrests NT has now issued it''s Sec team with loud hailer integrated gas masks, - found in their standard equipment lockers. Users can adjust the mask''s level - of aggression with a screwdriver. ' - - wip: The sprites could be shaded better. Think you can do better? Post - your submissions here. + - rscadd: + "Due to complaints about Security not announcing themselves before making + arrests NT has now issued it's Sec team with loud hailer integrated gas masks, + found in their standard equipment lockers. Users can adjust the mask's level + of aggression with a screwdriver. " + - wip: + The sprites could be shaded better. Think you can do better? Post + your submissions here. 2013-09-26: Cheridan: - - rscadd: "Nanotrasen Anomaly Primer:
      \n\t\tUnstable anomalies have been\ - \ spotted in your region of space. These anomalies can be hazardous and destructive,\ - \ though our initial encounters with these space oddities has discovered a method\ - \ of neutralization. Method follows.
      \n\t\t

      Step 1. Upon confirmation\ - \ of an anomaly sighting, report its location. Early detection is key.
      \n\ - \t\tStep 2. Using an atmospheric analyzer at short range, determine the frequency\ - \ that the anomaly's core is fluctuating at.
      \n\t\tStep 3. Send a signal\ - \ through the frequency using a radio signaller. Note that non-specialized signaller\ - \ devices may possibly lack the frequency range needed.

      \n\t\tWith the\ - \ anomaly neutralized and the station brought out of danger, inspect the area\ - \ for any remnants of the anomaly. Properly researched, we believe these events\ - \ could provide vast amounts of valuable data.
      \n\t\tDid you find this\ - \ report helpful? " + - rscadd: + "Nanotrasen Anomaly Primer:
      \n\t\tUnstable anomalies have been\ + \ spotted in your region of space. These anomalies can be hazardous and destructive,\ + \ though our initial encounters with these space oddities has discovered a method\ + \ of neutralization. Method follows.
      \n\t\t

      Step 1. Upon confirmation\ + \ of an anomaly sighting, report its location. Early detection is key.
      \n\ + \t\tStep 2. Using an atmospheric analyzer at short range, determine the frequency\ + \ that the anomaly's core is fluctuating at.
      \n\t\tStep 3. Send a signal\ + \ through the frequency using a radio signaller. Note that non-specialized signaller\ + \ devices may possibly lack the frequency range needed.

      \n\t\tWith the\ + \ anomaly neutralized and the station brought out of danger, inspect the area\ + \ for any remnants of the anomaly. Properly researched, we believe these events\ + \ could provide vast amounts of valuable data.
      \n\t\tDid you find this\ + \ report helpful? " 2013-09-28: Ergovisavi: - - rscadd: Mobs can now be lit on fire. Wearing a full firesuit (or similar) will - protect you. Extinguishers, Showers, Space, Cryo, Resisting, being splashed - with water can all extinguish you. Being splashed with fuel/ethanol/plasma makes - you more flammable. Water makes you less flammable. + - rscadd: + Mobs can now be lit on fire. Wearing a full firesuit (or similar) will + protect you. Extinguishers, Showers, Space, Cryo, Resisting, being splashed + with water can all extinguish you. Being splashed with fuel/ethanol/plasma makes + you more flammable. Water makes you less flammable. 2013-09-29: RobRichards: - - rscadd: 'Nanotrasen Cyborg Upgrades:
      + - rscadd: "Nanotrasen Cyborg Upgrades:
      - Standard issue Engineering cyborgs now come equipped with replacement floor - tiles which they can replenish at recharge stations.' + Standard issue Engineering cyborgs now come equipped with replacement floor + tiles which they can replenish at recharge stations." 2013-11-17: Laharl Montgommery: - - rscadd: AI can now anchor and unanchor itself. In short, it means the AI can be - dragged, if it wants to. + - rscadd: + AI can now anchor and unanchor itself. In short, it means the AI can be + dragged, if it wants to. 2013-11-27: RobRichards: - - rscadd: Nanotrasen surgeons are now certified to perform Limb replacements, The - robotic parts used in construction of Nanotrasen Cyborgs are the only parts - authorized for crew augmentation, these replacement limbs can be repaired with - standard welding tools and cables. + - rscadd: + Nanotrasen surgeons are now certified to perform Limb replacements, The + robotic parts used in construction of Nanotrasen Cyborgs are the only parts + authorized for crew augmentation, these replacement limbs can be repaired with + standard welding tools and cables. 2013-11-28: Malkevin: - - tweak: Made the suit storage on the Captain's Tunic more useful than just a place - to store your e-o2 tank. You can now store the nuke disk, stamps, medal box, - flashes and melee weapons (mainly intended for the Chain of Command), and of - course - smoking paraphernalia + - tweak: + Made the suit storage on the Captain's Tunic more useful than just a place + to store your e-o2 tank. You can now store the nuke disk, stamps, medal box, + flashes and melee weapons (mainly intended for the Chain of Command), and of + course - smoking paraphernalia 2013-11-30: Yota: - - tweak: The identification console will now require that ID and job names follow - the same restrictions as player names. - - bugfix: NTSL scripts and parrots should now handle apostrophes and such properly. It&#39;s - about time. - - bugfix: NTSL scripts now have a better sense of time. + - tweak: + The identification console will now require that ID and job names follow + the same restrictions as player names. + - bugfix: + NTSL scripts and parrots should now handle apostrophes and such properly. It&#39;s + about time. + - bugfix: NTSL scripts now have a better sense of time. 2013-12-01: cookingboy3: - - rscadd: Added three new buttons to the sandbox panel. - - tweak: Removed canister menu, replaced it with buttons. - - tweak: Players can no longer spawn "dangerous" canisters in sandbox, such as Plasma, - N20, CO2, and Nitrogen. + - rscadd: Added three new buttons to the sandbox panel. + - tweak: Removed canister menu, replaced it with buttons. + - tweak: + Players can no longer spawn "dangerous" canisters in sandbox, such as Plasma, + N20, CO2, and Nitrogen. 2013-12-02: Giacom: - - rscadd: 'A less annoying virology system! From now on, you can only get low level - virus symptoms from virus food, medium level virus symptoms from unstable mutagen - and high level virus symptoms from liquid plasma. You can find a list of symptoms, - and which chemicals are required to get them, here: http://wiki.ss13.eu/index.php/Infections#Symptoms_Table' - - tweak: The virologist starts with a bottle of plasma in his smart fridge. - - tweak: Made it so you cannot accidentally click in the gaps between chem masters. + - rscadd: + "A less annoying virology system! From now on, you can only get low level + virus symptoms from virus food, medium level virus symptoms from unstable mutagen + and high level virus symptoms from liquid plasma. You can find a list of symptoms, + and which chemicals are required to get them, here: http://wiki.ss13.eu/index.php/Infections#Symptoms_Table" + - tweak: The virologist starts with a bottle of plasma in his smart fridge. + - tweak: Made it so you cannot accidentally click in the gaps between chem masters. 2013-12-05: Razharas: - - tweak: Reworked how ling stings are done, now when you click a sting in the changeling - tab it becomes current active sting, the icon of that sting appears under the - chem counter, alt+clicking anyone will sting them with current sting, clicking - the icon of the sting will unset it. - - tweak: Monkeys have ling chem counter and active sting icons in their UI. - - tweak: Going monkey -> human will try to equip the human with everything on - the ground below it. + - tweak: + Reworked how ling stings are done, now when you click a sting in the changeling + tab it becomes current active sting, the icon of that sting appears under the + chem counter, alt+clicking anyone will sting them with current sting, clicking + the icon of the sting will unset it. + - tweak: Monkeys have ling chem counter and active sting icons in their UI. + - tweak: + Going monkey -> human will try to equip the human with everything on + the ground below it. 2013-12-08: Rolan7: - - tweak: Leather gloves can be used to removes lights. - - rscadd: Plant, ore, and trash bags have a new option to pick up all items of single - type - - tweak: Creating astroturf now works like sandstone, converting all the grass at - once. - - tweak: Uranium and radium can be used instead of mutagen. 10 can mutate species, - 5 or 2 mutate traits. Highly toxic. - - experiment: Plants require a little light to live. Mushroom require even less - (2 units vs 4) and take less damage. + - tweak: Leather gloves can be used to removes lights. + - rscadd: + Plant, ore, and trash bags have a new option to pick up all items of single + type + - tweak: + Creating astroturf now works like sandstone, converting all the grass at + once. + - tweak: + Uranium and radium can be used instead of mutagen. 10 can mutate species, + 5 or 2 mutate traits. Highly toxic. + - experiment: + Plants require a little light to live. Mushroom require even less + (2 units vs 4) and take less damage. 2013-12-09: Giacom: - - imageadd: New colourful ghost sprites for BYOND members. Sprites by anonus. + - imageadd: New colourful ghost sprites for BYOND members. Sprites by anonus. 2013-12-14: Incoming: - - rscadd: Magic Mania! Powerful new magical tools and skills for wizard and crew - alike! - - rscadd: Beware the new Summon Magic spell, which will grant the crew access to - magical tools and spells and cause some to misuse it! - - rscadd: 'One Time Spellbooks that can be spawned during summon magic that can - teach a low level magic skill to anyone! Beware the effects of reading - pre-owned books, the magical rights management is potent! + - rscadd: + Magic Mania! Powerful new magical tools and skills for wizard and crew + alike! + - rscadd: + Beware the new Summon Magic spell, which will grant the crew access to + magical tools and spells and cause some to misuse it! + - rscadd: + "One Time Spellbooks that can be spawned during summon magic that can + teach a low level magic skill to anyone! Beware the effects of reading + pre-owned books, the magical rights management is potent! - ' - - rscadd: Magical Wands that can be spawned during Summon Magic! They come in a - variety of effects that mimic both classical wizard spells and all new ones. - They come precharged but lack the means to refill them once their magical energy - is depleted... Fire efficently! - - rscadd: Be aware of the new Charge spell, which can take normally useless spent - wands and give them new life! This mysterious effect has been found to wear - down the overall magical potency of wands over time however. Beyond wands the - clever magical user can find ways to use this spell on other things that may - benefit from a magical charge... - - rscadd: The Staff of Resurrection, which holds intense healing magics able to - defeat death itself! Look out for this invaluable magical tool during castings - of Summon Magic. - - rscadd: Be on the lookout for a new apprentice! This noble mage is a different - beast from most wizards, trained in the arts of defending and healing. Too bad - he still works for the wizard! + " + - rscadd: + Magical Wands that can be spawned during Summon Magic! They come in a + variety of effects that mimic both classical wizard spells and all new ones. + They come precharged but lack the means to refill them once their magical energy + is depleted... Fire efficently! + - rscadd: + Be aware of the new Charge spell, which can take normally useless spent + wands and give them new life! This mysterious effect has been found to wear + down the overall magical potency of wands over time however. Beyond wands the + clever magical user can find ways to use this spell on other things that may + benefit from a magical charge... + - rscadd: + The Staff of Resurrection, which holds intense healing magics able to + defeat death itself! Look out for this invaluable magical tool during castings + of Summon Magic. + - rscadd: + Be on the lookout for a new apprentice! This noble mage is a different + beast from most wizards, trained in the arts of defending and healing. Too bad + he still works for the wizard! 2013-12-18: Jordie0608: - - tweak: Replaced the digital valves in atmospherics with pumps. + - tweak: Replaced the digital valves in atmospherics with pumps. 2013-12-21: RobRichards, Validsalad: - - rscadd: Added new sprites for the sec-hailer, SWAT gear and riot armour. + - rscadd: Added new sprites for the sec-hailer, SWAT gear and riot armour. 2013-12-27: Miauw: - - tweak: Monkeys now have a resist button on their HUD. + - tweak: Monkeys now have a resist button on their HUD. 2013-12-31: Fleure: - - bugfix: Paper no longer appears with words on it when blank input written or photocopied - - bugfix: Vending machine speaker toggle button now works - - bugfix: Building arcade machines works again + - bugfix: Paper no longer appears with words on it when blank input written or photocopied + - bugfix: Vending machine speaker toggle button now works + - bugfix: Building arcade machines works again 2014-01-01: Errorage: - - tweak: The damage overlay for humans starts a little later than before. It used - to start at 10 points of fire + brute damage, it now starts at 35. + - tweak: + The damage overlay for humans starts a little later than before. It used + to start at 10 points of fire + brute damage, it now starts at 35. 2014-01-02: Fleure: - - bugfix: Fixed bruisepacks and ointments not working. - - bugfix: Fixed injecting/stabbing mouth or eyes when only thick suit worn. + - bugfix: Fixed bruisepacks and ointments not working. + - bugfix: Fixed injecting/stabbing mouth or eyes when only thick suit worn. 2014-01-04: Razharas: - - rscadd: Constructable machines now depend on R&D; parts! - - rscadd: 'DNA scanner: Laser quality lessens irradiation. Manipulator quality drastically - improves precision (9x for best part) and scanner quality allows you to scan - suicides/ling husks, with the best part enabling the cloner''s autoprocess button, - making it scan people in the scanner automatically.' - - rscadd: 'Clone pod: Manipulator quality improves the speed of cloning. Scanning - module quality affects with how much health people will be ejected, will they - get negative mutation/no mutations/clean of all mutations/random good mutation, - at best quality will enable clone console''s autoprocess button and will try - to clone all the dead people in records automatically, together with best DNA - scanner parts cloning console will be able to work in full automatic regime - autoscanning people and autocloning them.' - - rscadd: 'Borg recharger: Capacitors'' quality and powercell max charge affect - the speed at which borgs recharge. Manipulator quality allows borg to be slowly - repaired while inside the recharges, best manipulator allows even fire damage - to be slowly repaired.' - - rscadd: 'Portable power generators: Capacitors'' quality produce more power. Better - lasers consume less fuel and reduce heat production PACMAN with best parts can - keep whole station powered with about sheet of plamsa per minute (approximately, - wasn''t potent enough to test).' - - rscadd: 'Autolathe: Better manipulator reduces the production time and lowers - the cost of things(they will also have less m_amt and g_amt to prevent production - of infinity metal), stacks'' cant be reduced in cost, because thatll make production - of infinity metal/glass easy' - - rscadd: 'Protolathe: Manipulators quality affects the cost of things(they will - also have less m_amt and g_amt to prevent production of infinity metal), best - manipulators reduces the cost 5 times (!)' - - rscadd: 'Circuit imprinter: Manipulator quality affects the cost, best manipulator - reduce cost(acid insluded) 4 times, i.e. 20 boards per 100 units of acid' - - rscadd: 'Destructive analyzer: Better parts allow items with less reliability - in. Redone how reliability is handled, you now see item reliability in the deconstruction - menu and deconstructing items that has same or one point less research type - level will rise the reliability of all known designs that has one or more research - type requirements as the deconstructed item. Designs of the same type raise - in reliability more. Critically broken things rise reliability of the design - drastically. Whole reliability system is not used a lot but now at least on - the R&D; part it finally matters.' + - rscadd: Constructable machines now depend on R&D; parts! + - rscadd: + "DNA scanner: Laser quality lessens irradiation. Manipulator quality drastically + improves precision (9x for best part) and scanner quality allows you to scan + suicides/ling husks, with the best part enabling the cloner's autoprocess button, + making it scan people in the scanner automatically." + - rscadd: + "Clone pod: Manipulator quality improves the speed of cloning. Scanning + module quality affects with how much health people will be ejected, will they + get negative mutation/no mutations/clean of all mutations/random good mutation, + at best quality will enable clone console's autoprocess button and will try + to clone all the dead people in records automatically, together with best DNA + scanner parts cloning console will be able to work in full automatic regime + autoscanning people and autocloning them." + - rscadd: + "Borg recharger: Capacitors' quality and powercell max charge affect + the speed at which borgs recharge. Manipulator quality allows borg to be slowly + repaired while inside the recharges, best manipulator allows even fire damage + to be slowly repaired." + - rscadd: + "Portable power generators: Capacitors' quality produce more power. Better + lasers consume less fuel and reduce heat production PACMAN with best parts can + keep whole station powered with about sheet of plamsa per minute (approximately, + wasn't potent enough to test)." + - rscadd: + "Autolathe: Better manipulator reduces the production time and lowers + the cost of things(they will also have less m_amt and g_amt to prevent production + of infinity metal), stacks' cant be reduced in cost, because thatll make production + of infinity metal/glass easy" + - rscadd: + "Protolathe: Manipulators quality affects the cost of things(they will + also have less m_amt and g_amt to prevent production of infinity metal), best + manipulators reduces the cost 5 times (!)" + - rscadd: + "Circuit imprinter: Manipulator quality affects the cost, best manipulator + reduce cost(acid insluded) 4 times, i.e. 20 boards per 100 units of acid" + - rscadd: + "Destructive analyzer: Better parts allow items with less reliability + in. Redone how reliability is handled, you now see item reliability in the deconstruction + menu and deconstructing items that has same or one point less research type + level will rise the reliability of all known designs that has one or more research + type requirements as the deconstructed item. Designs of the same type raise + in reliability more. Critically broken things rise reliability of the design + drastically. Whole reliability system is not used a lot but now at least on + the R&D; part it finally matters." 2014-01-07: Fleure: - - tweak: Janitor now spawns with a service headset. - - tweak: Backpack watertank slowdown decreased. + - tweak: Janitor now spawns with a service headset. + - tweak: Backpack watertank slowdown decreased. 2014-01-10: Rumia29, Nienhaus: - - imageadd: A new alt RD uniform spawns in his locker. + - imageadd: A new alt RD uniform spawns in his locker. 2014-01-11: JJRCop: - - rscadd: The new nuke toy can now be found in your local arcade machine. + - rscadd: The new nuke toy can now be found in your local arcade machine. 2014-01-12: VistaPOWA: - - rscadd: Added Syndicate Cyborgs. - - rscadd: They can be ordered for 25 telecrystals by Nuclear Operatives. A ghost - / observer with "Be Operative" ticked in their game options will be chosen to - control it. - - rscadd: 'Their loadout is: Crowbar, Flash, Emag, Esword, Ebow, Laser Rifle. Each - weapon costs 100 charge to fire, except the Esword, which has a 500 charge hitcost. - Each borg is equipped with a 25k cell by default.' - - rscadd: Syndicate borgs can hear the binary channel, but they won't show up on - the Robotics Control computer or be visible to the AI. Their lawset is the standard - emag one. - - rscadd: Added two cyborg recharging stations to the Syndicate Shuttle. + - rscadd: Added Syndicate Cyborgs. + - rscadd: + They can be ordered for 25 telecrystals by Nuclear Operatives. A ghost + / observer with "Be Operative" ticked in their game options will be chosen to + control it. + - rscadd: + "Their loadout is: Crowbar, Flash, Emag, Esword, Ebow, Laser Rifle. Each + weapon costs 100 charge to fire, except the Esword, which has a 500 charge hitcost. + Each borg is equipped with a 25k cell by default." + - rscadd: + Syndicate borgs can hear the binary channel, but they won't show up on + the Robotics Control computer or be visible to the AI. Their lawset is the standard + emag one. + - rscadd: Added two cyborg recharging stations to the Syndicate Shuttle. 2014-01-14: SirBayer: - - experiment: Armor now reduces damage by the protection percentage, instead of - randomly deciding to half or full block damage by those percentages. - - rscadd: Shotguns, with buckshot shells, will fire a spread of pellets at your - target, like a real shotgun blast. + - experiment: + Armor now reduces damage by the protection percentage, instead of + randomly deciding to half or full block damage by those percentages. + - rscadd: + Shotguns, with buckshot shells, will fire a spread of pellets at your + target, like a real shotgun blast. 2014-01-15: Dumpdavidson: - - bugfix: EMPs affect the equipment of a human again. - - tweak: EMP flashlight now recharges over time and its description no longer reveals - the illegal nature of the device. - - tweak: EMP implant now has two uses.
      EMP kit now contains two grenades.
      + - bugfix: EMPs affect the equipment of a human again. + - tweak: + EMP flashlight now recharges over time and its description no longer reveals + the illegal nature of the device. + - tweak: EMP implant now has two uses.
      EMP kit now contains two grenades.
      2014-01-17: ManeaterMildred: - - tweak: Changed the way the Gygax worked. It now has less defense and shot deflection, - but is faster and have less battery drain per step. - - tweak: Nerfed the Carbine's brute damage and renamed it to FNX-99 "Hades" Carbine. - - tweak: "Nerfed the Gygax defense from 300 to 250.
      \n\t\t\t\t Nerfed the Gygax\ - \ projectile deflection chance from 15 to 5.
      \n\t\t\t\t Buffed the Gygax\ - \ speed from 3 to 2, making it faster.
      \n\t\t\t\t Reduced the battery use\ - \ when moving from 5 to 3.
      \n
      \n\t\t\t\t The Mech Ion Rifle now has\ - \ a faster cooldown, from 40 to 20.
      \n\t\t\t\t Nerfed the carbine's Brute\ - \ Damage from 20 to 5.
      \n
      \n\t\t\t\t Please post feedback to these\ - \ changes on the forums.\n







      " + - tweak: + Changed the way the Gygax worked. It now has less defense and shot deflection, + but is faster and have less battery drain per step. + - tweak: Nerfed the Carbine's brute damage and renamed it to FNX-99 "Hades" Carbine. + - tweak: + "Nerfed the Gygax defense from 300 to 250.
      \n\t\t\t\t Nerfed the Gygax\ + \ projectile deflection chance from 15 to 5.
      \n\t\t\t\t Buffed the Gygax\ + \ speed from 3 to 2, making it faster.
      \n\t\t\t\t Reduced the battery use\ + \ when moving from 5 to 3.
      \n
      \n\t\t\t\t The Mech Ion Rifle now has\ + \ a faster cooldown, from 40 to 20.
      \n\t\t\t\t Nerfed the carbine's Brute\ + \ Damage from 20 to 5.
      \n
      \n\t\t\t\t Please post feedback to these\ + \ changes on the forums.\n







      " 2014-01-19: Rolan7: - - rscadd: You can now sell mutant seeds, from hydroponics, to Centcom via the supply - shuttle. - - bugfix: Fixes powersinks causing APCs to stop automatically recharging. + - rscadd: + You can now sell mutant seeds, from hydroponics, to Centcom via the supply + shuttle. + - bugfix: Fixes powersinks causing APCs to stop automatically recharging. 2014-01-21: MrPerson: - - rscadd: Mobs now lie down via turning icons rather than preturned sprites. - - rscadd: You can lie down facing up or down and the turn can be 90 degrees clockwise - or counterclockwise. - - tweak: Resting will always make you lie to the right so you look good on beds. - - wip: Please report any bugs you find with this system. + - rscadd: Mobs now lie down via turning icons rather than preturned sprites. + - rscadd: + You can lie down facing up or down and the turn can be 90 degrees clockwise + or counterclockwise. + - tweak: Resting will always make you lie to the right so you look good on beds. + - wip: Please report any bugs you find with this system. 2014-01-24: Ergovisavi: - - rscadd: Gibtonite, the explosive ore, can now be found on the asteroid. It's very - hard to tell between it and diamonds, at first glance. - - rscadd: Gibtonite deposits will blow up after a countdown when you attempt to - mine it, but you can stop it with an analyzer at any time. It makes for a good - mining explosive. - - rscadd: The closer you were to the explosion when you analyze the Gibtonite deposit, - the better the Gibtonite you can get from it. - - rscadd: Once extracted, it must be struck with a pickaxe or drill to activate - it, where it will go through its countdown again to explode! - - tweak: Explosives will no longer destroy the ore inside of asteroid walls or lying - on the floor. + - rscadd: + Gibtonite, the explosive ore, can now be found on the asteroid. It's very + hard to tell between it and diamonds, at first glance. + - rscadd: + Gibtonite deposits will blow up after a countdown when you attempt to + mine it, but you can stop it with an analyzer at any time. It makes for a good + mining explosive. + - rscadd: + The closer you were to the explosion when you analyze the Gibtonite deposit, + the better the Gibtonite you can get from it. + - rscadd: + Once extracted, it must be struck with a pickaxe or drill to activate + it, where it will go through its countdown again to explode! + - tweak: + Explosives will no longer destroy the ore inside of asteroid walls or lying + on the floor. 2014-01-25: Miauw: - - rscadd: Adds changeling arm blades that cost 20 chems and do 25 brute damage. - - rscadd: Arm blades can pry open unpowered doors, replace surgical saws in brain - removal, slice tables and smash computers. + - rscadd: Adds changeling arm blades that cost 20 chems and do 25 brute damage. + - rscadd: + Arm blades can pry open unpowered doors, replace surgical saws in brain + removal, slice tables and smash computers. 2014-01-26: Balrog: - - rscadd: Syndicate Playing Cards can now be found on the Syndicate Mothership and - purchased from uplinks for 1 telecrystal. - - rscadd: Syndicate Playing Cards are lethal weapons both in melee and when thrown, - but make the user's true allegiance to the Syndicate obvious. - - imageadd: Sprites are courtesy of Nienhaus. + - rscadd: + Syndicate Playing Cards can now be found on the Syndicate Mothership and + purchased from uplinks for 1 telecrystal. + - rscadd: + Syndicate Playing Cards are lethal weapons both in melee and when thrown, + but make the user's true allegiance to the Syndicate obvious. + - imageadd: Sprites are courtesy of Nienhaus. 2014-01-28: Demas: - - rscadd: Adds thud sounds to falling over - - wip: 'Known bug: Thuds play when cloning initialises or someone is put into cryo. - This will be fixed.' + - rscadd: Adds thud sounds to falling over + - wip: + "Known bug: Thuds play when cloning initialises or someone is put into cryo. + This will be fixed." 2014-01-30: Petethegoat: - - tweak: Increased the walk speed. Legcuffed speed is unaffected, and is still suffering. - - tweak: Sped up alien drones, they are now the same speed as sentinels. + - tweak: Increased the walk speed. Legcuffed speed is unaffected, and is still suffering. + - tweak: Sped up alien drones, they are now the same speed as sentinels. 2014-02-01: Ergovisavi: - - rscadd: Walking Mushrooms will now attack and eat each other! They're all a little - unique from each other, no two shrooms are exactly alike, and a better quality - harvest means stronger Walking Shrooms. Pit them against each other for your - entertainment. - - rscadd: Each mushroom will have a different colored cap to identify them. When - mushrooms eat each other, they get stronger. The resulting mushroom will drop - more slices when cut down to harvest, and will have better quality slices. - - rscadd: Don't hurt them yourself, though, or you'll bruise them, and mushrooms - won't get stronger from eating a bruised mushroom. If your mushroom faints, - feed it a mushroom such as a plump helmet to get it back on its feet. It will - slowly regenerate to full health eventually. + - rscadd: + Walking Mushrooms will now attack and eat each other! They're all a little + unique from each other, no two shrooms are exactly alike, and a better quality + harvest means stronger Walking Shrooms. Pit them against each other for your + entertainment. + - rscadd: + Each mushroom will have a different colored cap to identify them. When + mushrooms eat each other, they get stronger. The resulting mushroom will drop + more slices when cut down to harvest, and will have better quality slices. + - rscadd: + Don't hurt them yourself, though, or you'll bruise them, and mushrooms + won't get stronger from eating a bruised mushroom. If your mushroom faints, + feed it a mushroom such as a plump helmet to get it back on its feet. It will + slowly regenerate to full health eventually. 2014-02-02: Demas: - - rscadd: Attack sounds for all melee weapons! No more silent attacks. - - tweak: The volume of an object's attack sound is based on the weapon's force and/or - weight class. - - rscadd: Welders, lighters, matches, cigarettes, energy swords and energy axes - have different attack sounds based on whether they're on or off. - - rscadd: Weapons that do no damage play a tap sound. The exceptions are the bike - horn, which still honks, and the banhammer, which plays adminhelp.ogg. Surely - nothing can go wrong with that last one. - - tweak: When you tap someone with an object, the message now uses "tapped" or "patted" - instead of attacked. The horn still uses HONKED, and the banhammer still uses - BANNED. - - bugfix: You won't get the "armour has blocked an attack" message for harmless - attacks anymore. - - rscadd: Adds 5 force to the lighter when it's lit. Same as when you accidentally - burn yourself lighting it. - - rscadd: Removes boldness from item attack messages on non-human mobs. The attack - is bolded for a player controlling a non-human mob. Now your eyes won't jump - to the chat when it's Pun Pun who's being brutalised. - - bugfix: Blood will no longer come out of non-human mobs if the attack is harmless. - - tweak: Adds a period at the end of the catatonic human examine message. That's - been bugging me for years. - - tweak: The activation and deactivation sounds of toy swords, energy swords and - energy shields are slightly quieter. Energy swords and shields are now slightly - louder than toys. - - bugfix: You can no longer light things with burnt matches. - - tweak: Match, cigarette and lighter attack verbs, forces and damage types change - based on whether the object is lit or not. - - bugfix: Fixes a bug with the energy blade that kept it at weight class 5 after - it was deactivated. Who cares, it disappears upon deactivation. - - tweak: Changes the welder out of fuel message slightly to be less fragmented. - - tweak: Removes dead air from a lot of weapon sound effects to make them more responsive. - In other words, the fire extinguisher attack sound will play a lot sooner after - you attack than before. - - tweak: Equalised the peak volumes of most weapon sounds to be -0.1dB in an attempt - to make volumes based on force more consistent across different sounds. + - rscadd: Attack sounds for all melee weapons! No more silent attacks. + - tweak: + The volume of an object's attack sound is based on the weapon's force and/or + weight class. + - rscadd: + Welders, lighters, matches, cigarettes, energy swords and energy axes + have different attack sounds based on whether they're on or off. + - rscadd: + Weapons that do no damage play a tap sound. The exceptions are the bike + horn, which still honks, and the banhammer, which plays adminhelp.ogg. Surely + nothing can go wrong with that last one. + - tweak: + When you tap someone with an object, the message now uses "tapped" or "patted" + instead of attacked. The horn still uses HONKED, and the banhammer still uses + BANNED. + - bugfix: + You won't get the "armour has blocked an attack" message for harmless + attacks anymore. + - rscadd: + Adds 5 force to the lighter when it's lit. Same as when you accidentally + burn yourself lighting it. + - rscadd: + Removes boldness from item attack messages on non-human mobs. The attack + is bolded for a player controlling a non-human mob. Now your eyes won't jump + to the chat when it's Pun Pun who's being brutalised. + - bugfix: Blood will no longer come out of non-human mobs if the attack is harmless. + - tweak: + Adds a period at the end of the catatonic human examine message. That's + been bugging me for years. + - tweak: + The activation and deactivation sounds of toy swords, energy swords and + energy shields are slightly quieter. Energy swords and shields are now slightly + louder than toys. + - bugfix: You can no longer light things with burnt matches. + - tweak: + Match, cigarette and lighter attack verbs, forces and damage types change + based on whether the object is lit or not. + - bugfix: + Fixes a bug with the energy blade that kept it at weight class 5 after + it was deactivated. Who cares, it disappears upon deactivation. + - tweak: Changes the welder out of fuel message slightly to be less fragmented. + - tweak: + Removes dead air from a lot of weapon sound effects to make them more responsive. + In other words, the fire extinguisher attack sound will play a lot sooner after + you attack than before. + - tweak: + Equalised the peak volumes of most weapon sounds to be -0.1dB in an attempt + to make volumes based on force more consistent across different sounds. 2014-02-03: Demas: - - tweak: Changes windoor and newscaster attack messages to be consistent with windows - and grilles. This removes the distracting boldness from windoor attack messages, - which is reserved for userdanger, and names the attacker. - - rscadd: Thrown items now play a sound effect on impact. The volume of the sound - is based on the item's throwforce and/or weight class. - - tweak: The fireaxe now has 15 throwforce, when previously it had only 1. But why - would you throw it away, anyway? - - rscadd: Projectiles now play a sound upon impact. The volume of the sound depends - on the damage done by the projectile. Damageless projectiles such as electrodes - have static volumes. Practise laser and laser tag beams have no impact sound. - - soundadd: Added sear.ogg for the impacts of damaging beams such as lasers. It - may be replaced if player feedback proves negative. + - tweak: + Changes windoor and newscaster attack messages to be consistent with windows + and grilles. This removes the distracting boldness from windoor attack messages, + which is reserved for userdanger, and names the attacker. + - rscadd: + Thrown items now play a sound effect on impact. The volume of the sound + is based on the item's throwforce and/or weight class. + - tweak: + The fireaxe now has 15 throwforce, when previously it had only 1. But why + would you throw it away, anyway? + - rscadd: + Projectiles now play a sound upon impact. The volume of the sound depends + on the damage done by the projectile. Damageless projectiles such as electrodes + have static volumes. Practise laser and laser tag beams have no impact sound. + - soundadd: + Added sear.ogg for the impacts of damaging beams such as lasers. It + may be replaced if player feedback proves negative. 2014-02-05: Yota: - - tweak: Handling a couple flashlights will no longer transform you into the sun. Each - light source will have deminishing returns. - - bugfix: Inserting lights into containers should no longer dim other lights. + - tweak: + Handling a couple flashlights will no longer transform you into the sun. Each + light source will have deminishing returns. + - bugfix: Inserting lights into containers should no longer dim other lights. 2014-02-08: Razharas: - - rscadd: Adds more constructible and deconstructable machines! - - rscadd: Added constructible miniature chemical dispensers, upgradable - - rscadd: Sleepers are now constructible and upgradable, open and close like DNA - scanners, and don't require a console - - rscadd: Cryogenic tubes are now constructible and upgradable, open and close like - DNA scanners, and you can set the cryogenic tube's pipe's direction by opening - its panel and wrenching it to connect it to piping - - rscadd: Telescience pads are now constructible and upgradable - - rscadd: Telescience consoles are now constructible - - rscadd: Telescience tweaked (you can save data on GPS units now) - - rscadd: Teleporters are now constructible and upgradable, the console has a new - interface and you can lock onto places saved to GPS units in telescience - - tweak: Teleporters start unconnected. You need to manually reconnect the console, - station and hub by opening the panel of the station and applying wire cutters - to it. - - rscadd: Biogenerators are now constructible and upgradable - - rscadd: Atmospherics heaters and freezers are now constructible and upgradable - and can be rotated with a wrench when their panel is open to connect them to - pipes. Screw the board to switch between heater and freezer. - - rscadd: Mech chargers are now constructible and upgradable - - rscadd: Microwaves are now constructible and upgradable - - rscadd: All kitchen machinery can now be wrenched free - - rscadd: SMES are now constructible - - rscadd: Dragging a human's sprite to a cryogenic tube or sleeper will put them - inside and activate it if it's cryo - - rscadd: Constructible newscasters, their frames are made with autolathes - - rscadd: Constructible pandemics - - rscadd: Constructible power turbines and their computers - - rscadd: Constructible power compressors - - rscadd: Constructible vending machines. Screw the board to switch vendor type. - - rscadd: Constructible hydroponics trays - - imageadd: Sprites for all this - - wip: This update will have unforeseen bugs, please report those you find at https://github.com/tgstation/-tg-station/issues/new - if you want them fixed. - - rscadd: As usual, machines are deconstructed by screwing open their panels and - crowbarring them. While constructing machines, examining them will tell you - what parts you're missing. + - rscadd: Adds more constructible and deconstructable machines! + - rscadd: Added constructible miniature chemical dispensers, upgradable + - rscadd: + Sleepers are now constructible and upgradable, open and close like DNA + scanners, and don't require a console + - rscadd: + Cryogenic tubes are now constructible and upgradable, open and close like + DNA scanners, and you can set the cryogenic tube's pipe's direction by opening + its panel and wrenching it to connect it to piping + - rscadd: Telescience pads are now constructible and upgradable + - rscadd: Telescience consoles are now constructible + - rscadd: Telescience tweaked (you can save data on GPS units now) + - rscadd: + Teleporters are now constructible and upgradable, the console has a new + interface and you can lock onto places saved to GPS units in telescience + - tweak: + Teleporters start unconnected. You need to manually reconnect the console, + station and hub by opening the panel of the station and applying wire cutters + to it. + - rscadd: Biogenerators are now constructible and upgradable + - rscadd: + Atmospherics heaters and freezers are now constructible and upgradable + and can be rotated with a wrench when their panel is open to connect them to + pipes. Screw the board to switch between heater and freezer. + - rscadd: Mech chargers are now constructible and upgradable + - rscadd: Microwaves are now constructible and upgradable + - rscadd: All kitchen machinery can now be wrenched free + - rscadd: SMES are now constructible + - rscadd: + Dragging a human's sprite to a cryogenic tube or sleeper will put them + inside and activate it if it's cryo + - rscadd: Constructible newscasters, their frames are made with autolathes + - rscadd: Constructible pandemics + - rscadd: Constructible power turbines and their computers + - rscadd: Constructible power compressors + - rscadd: Constructible vending machines. Screw the board to switch vendor type. + - rscadd: Constructible hydroponics trays + - imageadd: Sprites for all this + - wip: + This update will have unforeseen bugs, please report those you find at https://github.com/tgstation/-tg-station/issues/new + if you want them fixed. + - rscadd: + As usual, machines are deconstructed by screwing open their panels and + crowbarring them. While constructing machines, examining them will tell you + what parts you're missing. 2014-02-09: adrix89: - - tweak: Spray Bottles can no longer wet up to three tiles with water. - - tweak: Spray Bottles have a third higher release volume that wets a single tile. - - tweak: Water slip times are reduced to the same stun times as soap. + - tweak: Spray Bottles can no longer wet up to three tiles with water. + - tweak: Spray Bottles have a third higher release volume that wets a single tile. + - tweak: Water slip times are reduced to the same stun times as soap. 2014-02-17: Yota: - - tweak: Photograph now rendered crisp and clean, so that we may enjoy them in their - 0.009 megapixel goodness. - - bugfix: Cameras should now capture more of what they should, and less of what - they shouldn't. + - tweak: + Photograph now rendered crisp and clean, so that we may enjoy them in their + 0.009 megapixel goodness. + - bugfix: + Cameras should now capture more of what they should, and less of what + they shouldn't. 2014-02-19: Perakp: - - imageadd: Added Iatot's cyborg module selection transformation animations. + - imageadd: Added Iatot's cyborg module selection transformation animations. 2014-02-24: Razharas: - - bugfix: Fixed infinite telecrystal exploit. + - bugfix: Fixed infinite telecrystal exploit. 2014-02-25: Incoming5643: - - rscadd: Colored burgers! Include a crayon in your microwave when cooking a burger - and it'll come out just like a Pretty Pattie. - - bugfix: Fixed AI's being able to interact with syndicate bombs. + - rscadd: + Colored burgers! Include a crayon in your microwave when cooking a burger + and it'll come out just like a Pretty Pattie. + - bugfix: Fixed AI's being able to interact with syndicate bombs. 2014-02-26: Incoming5643: - - rscadd: Color blending Kitty Ears have returned. + - rscadd: Color blending Kitty Ears have returned. 2014-03-03: ChuckTheSheep: - - rscadd: Round-end report now shows what items were bought with a traitor's or - nuke-op's uplink and how many TCs they used. + - rscadd: + Round-end report now shows what items were bought with a traitor's or + nuke-op's uplink and how many TCs they used. Drovidi Corv: - - bugfix: Facehuggers no longer die to zero-force weapons or projectiles like lasertag - beams. + - bugfix: + Facehuggers no longer die to zero-force weapons or projectiles like lasertag + beams. Incoming5643: - - tweak: Improved blob spores to zombify people adjacent to their tile. - - bugfix: If a hand-teleporter is activated while you're stuck inside a wall, you'll - automatically go through it. + - tweak: Improved blob spores to zombify people adjacent to their tile. + - bugfix: + If a hand-teleporter is activated while you're stuck inside a wall, you'll + automatically go through it. Miauw: - - tweak: Decreased the lethality of Mutagen in small doses. + - tweak: Decreased the lethality of Mutagen in small doses. TZK13: - - rscadd: Added Incendiary Shotgun Shells made at a hacked autolathe; Xenos be wary. + - rscadd: Added Incendiary Shotgun Shells made at a hacked autolathe; Xenos be wary. 2014-03-05: Various Coders: - - rscadd: Ling rounds are LINGIER, with more lings at a given population. - - rscadd: Many simple animals can ventcrawl, including bats. All ventcrawlers must - alt-click to ventcrawl. - - rscadd: An automatic tool to store and replace machine parts has been added to - R&D.; - - rscadd: Most stuns have been reduced in from 10+ to 5 ticks in duration. - - rscadd: Shoes no longer speed you up. - - rscadd: Added fancy suits, which can be orderd from cargo. - - rscadd: Added sombrerors and ponches. - - rscadd: Cuff application time reduced 25%. - - rscadd: Fire will cause fuel tanks to explode. - - rscadd: Mutagen has been reduced in lethality. Notably, 15 units are not guaranteed - to crit the recipient. + - rscadd: Ling rounds are LINGIER, with more lings at a given population. + - rscadd: + Many simple animals can ventcrawl, including bats. All ventcrawlers must + alt-click to ventcrawl. + - rscadd: + An automatic tool to store and replace machine parts has been added to + R&D.; + - rscadd: Most stuns have been reduced in from 10+ to 5 ticks in duration. + - rscadd: Shoes no longer speed you up. + - rscadd: Added fancy suits, which can be orderd from cargo. + - rscadd: Added sombrerors and ponches. + - rscadd: Cuff application time reduced 25%. + - rscadd: Fire will cause fuel tanks to explode. + - rscadd: + Mutagen has been reduced in lethality. Notably, 15 units are not guaranteed + to crit the recipient. 2014-03-10: Giacom: - - rscadd: Added two new plasma-level disease symptoms, both are very !FUN! and mess - with your genetics. - - tweak: Virologists now only need to use a single unit of virus food, mutagen or - plasma to generate symptoms. You can take a single unit by using a dropper, - if you change its unit transfer amount in the object tab.. - - tweak: Changed the map to make it harder to escape from the Labor Camp. Please - continue using it. + - rscadd: + Added two new plasma-level disease symptoms, both are very !FUN! and mess + with your genetics. + - tweak: + Virologists now only need to use a single unit of virus food, mutagen or + plasma to generate symptoms. You can take a single unit by using a dropper, + if you change its unit transfer amount in the object tab.. + - tweak: + Changed the map to make it harder to escape from the Labor Camp. Please + continue using it. Miauw: - - rscadd: Added changeling space suits. These allow changelings to survive in space, - internals are not needed. They do not provide any sort of armor and slow your - chemical regeneration. + - rscadd: + Added changeling space suits. These allow changelings to survive in space, + internals are not needed. They do not provide any sort of armor and slow your + chemical regeneration. 2014-03-12: Yota: - - bugfix: Cameras finally capture the direction you are facing. + - bugfix: Cameras finally capture the direction you are facing. 2014-03-14: Ikarrus and Nienhaus: - - imageadd: Nanotrasen Corporate announced a revised dress codes primarily affecting - senior station officers. A new uniform for Heads of Personnel will be shipped - out to all NT Research stations. + - imageadd: + Nanotrasen Corporate announced a revised dress codes primarily affecting + senior station officers. A new uniform for Heads of Personnel will be shipped + out to all NT Research stations. 2014-03-15: Steelpoint/Validsalad: - - tweak: After a review with CentCom, all Security Officers will now begin their - shifts with a Stun Baton in their backpack. To avoid inflating costs however - all Stun Batons have been removed from Security lockers except from the brig. - - imageadd: After decades of usage CentCom has replaced the Security Uniform, Armor, - Belt and Helmet with a newer, more modern design. + - tweak: + After a review with CentCom, all Security Officers will now begin their + shifts with a Stun Baton in their backpack. To avoid inflating costs however + all Stun Batons have been removed from Security lockers except from the brig. + - imageadd: + After decades of usage CentCom has replaced the Security Uniform, Armor, + Belt and Helmet with a newer, more modern design. 2014-03-17: Giacom: - - tweak: Machines that had their programming overriden by a Malf AI will no longer - attack loyal cyborgs; they will still attack cyborgs that aren't loyal, to the - Malf AI that hacked them, though. - - tweak: You only require a single unit of blood to mutate viruses now, instead - of 5. + - tweak: + Machines that had their programming overriden by a Malf AI will no longer + attack loyal cyborgs; they will still attack cyborgs that aren't loyal, to the + Malf AI that hacked them, though. + - tweak: + You only require a single unit of blood to mutate viruses now, instead + of 5. 2014-03-18: Ikarrus: - - rscadd: NT R&D; releases AI Patch version 2553.03.18, allowing all Nanotrasen - AIs to override the access restrictions on any airlock in case of emergency. - Nanotrasen airlocks have been outfitted with new amber warning lights that will - flash while the override is active. Should maintenance teams need to restore - an airlock's restrictions without using the AI, pulsing the airlock's ID Scanner - wire will reset the override. + - rscadd: + NT R&D; releases AI Patch version 2553.03.18, allowing all Nanotrasen + AIs to override the access restrictions on any airlock in case of emergency. + Nanotrasen airlocks have been outfitted with new amber warning lights that will + flash while the override is active. Should maintenance teams need to restore + an airlock's restrictions without using the AI, pulsing the airlock's ID Scanner + wire will reset the override. 2014-03-22: Giacom: - - rscadd: Gravity is no longer beamed from CentCom! Instead, there is a new gravity - generator stored near Engineering that will provide all the gravity for the - station and the z level. Please remember that it gives off a lot of radiation - when charging or discharging, so wear protection. + - rscadd: + Gravity is no longer beamed from CentCom! Instead, there is a new gravity + generator stored near Engineering that will provide all the gravity for the + station and the z level. Please remember that it gives off a lot of radiation + when charging or discharging, so wear protection. MrPerson: - - rscadd: Added a new, somewhat experimental system to delete things. This is basically - a port from /vg/, so big thanks to N3X15. - - rscadd: As a result, bombs and the singularity should be much less laggy. - - experiment: There may be issues with "phantom objects" or other problems with - stuff that's suppoed to be deleted or objects interacting with deleted objects. - Please report any issues right away! + - rscadd: + Added a new, somewhat experimental system to delete things. This is basically + a port from /vg/, so big thanks to N3X15. + - rscadd: As a result, bombs and the singularity should be much less laggy. + - experiment: + There may be issues with "phantom objects" or other problems with + stuff that's suppoed to be deleted or objects interacting with deleted objects. + Please report any issues right away! 2014-03-25: Ikarrus: - - tweak: "A security review committee has approved an update to all Nanotrasen airlocks\ - \ to better resist cryptographic attacks by the enemy.\n\t\t\t

      *New\ - \ internal wiring will be able to withstand attacks, and panel wires will no\ - \ longer be left unusable after an attack.\n\t\t\t
      *Welding tools will now\ - \ be able to cut through welded doors that have been damaged.\n\t\t\t
      *Damaged\ - \ electronics are now removable and replaceable following standard procedure.\n\ - \t\t\t
      *Airlocks will not be able to operate autonomously until the electronics\ - \ are replaced.




      " - - imageadd: Hair sprites have been given a visual lift. For best results, set your - hair color to be slightly lighter than how you want it to look. For dark hair, - do not use a color darker than 80% black. + - tweak: + "A security review committee has approved an update to all Nanotrasen airlocks\ + \ to better resist cryptographic attacks by the enemy.\n\t\t\t

      *New\ + \ internal wiring will be able to withstand attacks, and panel wires will no\ + \ longer be left unusable after an attack.\n\t\t\t
      *Welding tools will now\ + \ be able to cut through welded doors that have been damaged.\n\t\t\t
      *Damaged\ + \ electronics are now removable and replaceable following standard procedure.\n\ + \t\t\t
      *Airlocks will not be able to operate autonomously until the electronics\ + \ are replaced.




      " + - imageadd: + Hair sprites have been given a visual lift. For best results, set your + hair color to be slightly lighter than how you want it to look. For dark hair, + do not use a color darker than 80% black. 2014-03-28: Aranclanos: - - tweak: Workaround with the click cooldowns. They should feel faster. If you think - that anything needs a click cooldown (like grilles, mobs, etc.), report it to - me. - - experiment: Here's the fun part, this is a test for the community and players, - I hope I won't be forced to revert this and hear "this is why we can't have - nice things". Again, if anything needs a cooldown, report it to me. Have fun - with your fast clicks spessmans. + - tweak: + Workaround with the click cooldowns. They should feel faster. If you think + that anything needs a click cooldown (like grilles, mobs, etc.), report it to + me. + - experiment: + Here's the fun part, this is a test for the community and players, + I hope I won't be forced to revert this and hear "this is why we can't have + nice things". Again, if anything needs a cooldown, report it to me. Have fun + with your fast clicks spessmans. 2014-03-31: Ikarrus: - - rscadd: Fabricator blueprints for cyborg parts have been updated to allow the - debugging of cyborg units prior to boot. To access the debug functions, assemble - a cyborg following standard procedure. Before inserting the MMI, use a multitool - on the cyborg body. Note that this update also moves designation data into the - system files, so pens can no longer be used to name cyborgs. + - rscadd: + Fabricator blueprints for cyborg parts have been updated to allow the + debugging of cyborg units prior to boot. To access the debug functions, assemble + a cyborg following standard procedure. Before inserting the MMI, use a multitool + on the cyborg body. Note that this update also moves designation data into the + system files, so pens can no longer be used to name cyborgs. MrPerson: - - rscadd: Toggling the "Play admin midis" preference will pause any playing songs. - Turning midis back on will resume the current song where it was. - - rscadd: If there's a song playing while you have midis off and you then turn midis - on, the current song will begin playing for you. + - rscadd: + Toggling the "Play admin midis" preference will pause any playing songs. + Turning midis back on will resume the current song where it was. + - rscadd: + If there's a song playing while you have midis off and you then turn midis + on, the current song will begin playing for you. 2014-04-01: Aranclanos: - - tweak: Made combat more hardcore for hardcore players like myself. This won't - be reverted. + - tweak: + Made combat more hardcore for hardcore players like myself. This won't + be reverted. Malkevin: - - experiment: Sacrifice Cult - Cult has received a massive overhaul to how it - works, focusing more on cult magics and sacrificing unbelievers. The most important - changes are: - - tweak: Cult starts off with alot more cultists, 6 cultists below 30 players and - 9 above. The HoP can no longer be a round start cultist but is still convertible. - - tweak: Cultists start off with join, blood, self, and hell. These give the runes - for the sacrifice and convert. - - tweak: Conversions now require three cultists and converts no longer reward words, - words must be obtained via sacrifice - - tweak: Sacrificing players traps their soul in a soul stone, which can then be - used on construct shells to implant the souls in them - - tweak: Constructs shells can be summoned via a new rune (travel, hell, technology) - - bugfix: You can no longer convert the sacrifice target, you dozzy sods - - experiment: Summoning Narsie when she is not an objective leads to !!FUN!! - - wip: Wrote a system to allow all mob types to be sacrificable - currently only - corgis are in the new system - - experiment: Holy Water will DECONVERT cultists, takes around 35 units and two - minutes to succeed - - experiment: Hitting a mob that contains holy water with a tome will convert that - water to unholy water, conversely hitting any container that contains unholy - water with a bible as chaplain will 'cleanse' the taint. - - experiment: Unholy water works like a combination synaptazine and hyperzine, with - a twist of branes dimarge and highly toxic to non-cultists - - rscadd: Cargo can order a religious supplies crate - it contains flasks of holy - water, candles, bibles, and robes - - experiment: Cultists have an innate ability to communicate to the cult hive mind - (BE AWARE - THIS DOES A LOT OF DAMAGE), cultists can also communicate via the - new Commune option on their tomes (the Read Tome option has been shifted under - the Notes option) + - experiment: + Sacrifice Cult - Cult has received a massive overhaul to how it + works, focusing more on cult magics and sacrificing unbelievers. The most important + changes are: + - tweak: + Cult starts off with alot more cultists, 6 cultists below 30 players and + 9 above. The HoP can no longer be a round start cultist but is still convertible. + - tweak: + Cultists start off with join, blood, self, and hell. These give the runes + for the sacrifice and convert. + - tweak: + Conversions now require three cultists and converts no longer reward words, + words must be obtained via sacrifice + - tweak: + Sacrificing players traps their soul in a soul stone, which can then be + used on construct shells to implant the souls in them + - tweak: Constructs shells can be summoned via a new rune (travel, hell, technology) + - bugfix: You can no longer convert the sacrifice target, you dozzy sods + - experiment: Summoning Narsie when she is not an objective leads to !!FUN!! + - wip: + Wrote a system to allow all mob types to be sacrificable - currently only + corgis are in the new system + - experiment: + Holy Water will DECONVERT cultists, takes around 35 units and two + minutes to succeed + - experiment: + Hitting a mob that contains holy water with a tome will convert that + water to unholy water, conversely hitting any container that contains unholy + water with a bible as chaplain will 'cleanse' the taint. + - experiment: + Unholy water works like a combination synaptazine and hyperzine, with + a twist of branes dimarge and highly toxic to non-cultists + - rscadd: + Cargo can order a religious supplies crate - it contains flasks of holy + water, candles, bibles, and robes + - experiment: + Cultists have an innate ability to communicate to the cult hive mind + (BE AWARE - THIS DOES A LOT OF DAMAGE), cultists can also communicate via the + new Commune option on their tomes (the Read Tome option has been shifted under + the Notes option) MrStonedOne: - - rscadd: Cyborgs can now use AI click shortcuts. (shift click on doors opens them, - etc) (including ones added below) - - rscadd: 'New silicon click shortcut: Control+Shift click on doors toggles access - override' - - rscadd: 'New silicon click shortcut: Control click turret controls toggles them - on or off' - - rscadd: 'New silicon click shortcut: Alt click turret controls toggles lethal - on or off' - - tweak: Cyborg hotkey mode was massively improved. 1-3 selects module slot, q unloads - the active module. use hotkeys-help as cyborg for more details + - rscadd: + Cyborgs can now use AI click shortcuts. (shift click on doors opens them, + etc) (including ones added below) + - rscadd: + "New silicon click shortcut: Control+Shift click on doors toggles access + override" + - rscadd: + "New silicon click shortcut: Control click turret controls toggles them + on or off" + - rscadd: + "New silicon click shortcut: Alt click turret controls toggles lethal + on or off" + - tweak: + Cyborg hotkey mode was massively improved. 1-3 selects module slot, q unloads + the active module. use hotkeys-help as cyborg for more details 2014-04-02: Giacom: - - rscadd: The syndicate suit is now black and red, because black and red is the - new red. - - rscadd: The Ruskie DJ Station now has a classy orange syndicate suit. - - rscadd: Security officers have been equipped with the latest in flashlight technology. - You can find a SecLite™ inside your security belt or you can dispense - one from the security vending machine. + - rscadd: + The syndicate suit is now black and red, because black and red is the + new red. + - rscadd: The Ruskie DJ Station now has a classy orange syndicate suit. + - rscadd: + Security officers have been equipped with the latest in flashlight technology. + You can find a SecLite™ inside your security belt or you can dispense + one from the security vending machine. Ikarrus: - - wip: Nanotrasen Construction division is pleased to announce the unveiling - of our brand now state-of-the-art Space Station 13 v2.1.3! - - rscadd: -Scaffolding used during construction has been repurposed as an expanded - maintenance around the station. - - tweak: -Our new Emergency Transport Shuttle Mk III will be making its debut in - times of crisis. Includes a new cargo area and extra security features. - - tweak: -A redesigned brig will give security staff more peace of mind with added - security features - - rscadd: -The armory is now protected by a motion alarm. - - rscadd: -The armory is now equipped with security hardsuits. - - rscadd: -A new command EVA wing has been added to EVA Storage. Station heads of - staff will be able to make use of suits stored here. - - rscadd: -A new garden area will be made publicly available for everyone to enjoy - some R&R; during their company-endorsed break periods - - rscadd: -A new Testing Lab has been added to the Science department for any field - experiments that need to be run. - - tweak: -The mining ore redemption machine has been relocated to the Cargo Delivery - Office. + - wip: + Nanotrasen Construction division is pleased to announce the unveiling + of our brand now state-of-the-art Space Station 13 v2.1.3! + - rscadd: + -Scaffolding used during construction has been repurposed as an expanded + maintenance around the station. + - tweak: + -Our new Emergency Transport Shuttle Mk III will be making its debut in + times of crisis. Includes a new cargo area and extra security features. + - tweak: + -A redesigned brig will give security staff more peace of mind with added + security features + - rscadd: -The armory is now protected by a motion alarm. + - rscadd: -The armory is now equipped with security hardsuits. + - rscadd: + -A new command EVA wing has been added to EVA Storage. Station heads of + staff will be able to make use of suits stored here. + - rscadd: + -A new garden area will be made publicly available for everyone to enjoy + some R&R; during their company-endorsed break periods + - rscadd: + -A new Testing Lab has been added to the Science department for any field + experiments that need to be run. + - tweak: + -The mining ore redemption machine has been relocated to the Cargo Delivery + Office. 2014-04-03: Ikarrus: - - rscadd: NT AI Firmware version 2554.03.03 includes a function to notify the master - AI when a new cyborg is slaved to it. + - rscadd: + NT AI Firmware version 2554.03.03 includes a function to notify the master + AI when a new cyborg is slaved to it. 2014-04-10: Ikarrus: - - rscadd: Centcom officials have announced a new initiative to combat misuse of - their Emergency Shuttle Service. After the shuttle has been recalled several - times over the course of a simple work shift, Centcom will attempt to trace - the signal origin and pinpoint its source for station authorities. + - rscadd: + Centcom officials have announced a new initiative to combat misuse of + their Emergency Shuttle Service. After the shuttle has been recalled several + times over the course of a simple work shift, Centcom will attempt to trace + the signal origin and pinpoint its source for station authorities. Steelpoint: - - rscadd: "Thanks to Nanotrasen's Construction division, the brig has recieved a\ - \ overhaul in its design, to increase ease of movement, including an addition\ - \ of a \"prisioner release room\" and a insanity ward.\n\t\t" - - tweak: Furthing concerns among commentators, Nanotrasen has shipped out additional - security equipment to station armories, including Riot Shotguns, tear gas grenades, - additional securitron units and military grade Ion Guns. - - rscadd: "JaniCo have released a new unique product called the JaniBelt. Capable\ - \ of holding most standard issue janitorial equipment, designed to help relive\ - \ inventory management among station janitors. In addition the Jani Water Tank\ - \ has had its reserve of space clenaer increased to 500 units, up from 250.\n\ - \t" + - rscadd: + "Thanks to Nanotrasen's Construction division, the brig has recieved a\ + \ overhaul in its design, to increase ease of movement, including an addition\ + \ of a \"prisioner release room\" and a insanity ward.\n\t\t" + - tweak: + Furthing concerns among commentators, Nanotrasen has shipped out additional + security equipment to station armories, including Riot Shotguns, tear gas grenades, + additional securitron units and military grade Ion Guns. + - rscadd: + "JaniCo have released a new unique product called the JaniBelt. Capable\ + \ of holding most standard issue janitorial equipment, designed to help relive\ + \ inventory management among station janitors. In addition the Jani Water Tank\ + \ has had its reserve of space clenaer increased to 500 units, up from 250.\n\ + \t" Validsalad: - - tweak: "After concerns raised by security personel, new armor has been shipped\ - \ that covers the lower waist and readjusts the helmet for comfort.\n\t\t" - - tweak: "In addition, the aging riot shield has been replaced with a newer, more\ - \ modern, apperance. \n\t" + - tweak: + "After concerns raised by security personel, new armor has been shipped\ + \ that covers the lower waist and readjusts the helmet for comfort.\n\t\t" + - tweak: + "In addition, the aging riot shield has been replaced with a newer, more\ + \ modern, apperance. \n\t" 2014-04-11: Jordie0608: - - rscadd: Wood planks can be used to make wood walls and airlocks; flammability - not included + - rscadd: + Wood planks can be used to make wood walls and airlocks; flammability + not included 2014-04-20: Gun Hog: - - rscadd: NanoTrasen Emergency Alerts System 4.20 has been released! - - rscadd: In the unfortunate event of any nuclear device being armed, the station - will enter Code Delta Alert. - - rscadd: Should the nuclear explosive be disarmed, the station shall automatically - return to its previous alert level. + - rscadd: NanoTrasen Emergency Alerts System 4.20 has been released! + - rscadd: + In the unfortunate event of any nuclear device being armed, the station + will enter Code Delta Alert. + - rscadd: + Should the nuclear explosive be disarmed, the station shall automatically + return to its previous alert level. Steelpoint: - - wip: A new AI satellite has been constructed in orbit of Space Station 13! - - rscadd: The satellite exclusivly is used to hold a station's Artifical Intelligence - Unit, the satellite contains a miried of turret and motion sensor defences. - A transit tube network is used to connect the satellite to the station, with - the transit room being located at engineering south of the engi escape pod. - - rscadd: The AI Upload however has been moved north slightly and is connected directly - to the bridge. - - rscadd: In addition, the Gravity Generator has been relocated from its prior position - in engineering to the location of the old AI Upload, increasing its defence - and logical positioning. + - wip: A new AI satellite has been constructed in orbit of Space Station 13! + - rscadd: + The satellite exclusivly is used to hold a station's Artifical Intelligence + Unit, the satellite contains a miried of turret and motion sensor defences. + A transit tube network is used to connect the satellite to the station, with + the transit room being located at engineering south of the engi escape pod. + - rscadd: + The AI Upload however has been moved north slightly and is connected directly + to the bridge. + - rscadd: + In addition, the Gravity Generator has been relocated from its prior position + in engineering to the location of the old AI Upload, increasing its defence + and logical positioning. 2014-04-22: Ikarrus: - - rscadd: ID Computers have been modified to allow Station Heads of Staff to assign - and remove access to their departments, as well as stripping the rank of their - subordinates. An ID computer on the bridge is available for the use of this - function. + - rscadd: + ID Computers have been modified to allow Station Heads of Staff to assign + and remove access to their departments, as well as stripping the rank of their + subordinates. An ID computer on the bridge is available for the use of this + function. 2014-04-27: Ikarrus: - - imageadd: NT Human Resources announces an expansion of the List of Company-Approved - Hair Styles, as well as more relaxed gender restrictions on hair styles. Check - with your local company-sponsored hairstylist to learn more. + - imageadd: + NT Human Resources announces an expansion of the List of Company-Approved + Hair Styles, as well as more relaxed gender restrictions on hair styles. Check + with your local company-sponsored hairstylist to learn more. 2014-04-30: Giacom: - - imageadd: You now have to give a reason when calling the shuttle. - - imageadd: The amount of time it takes for the shuttle to refuel is now a config - option, the default is 20 minutes. + - imageadd: You now have to give a reason when calling the shuttle. + - imageadd: + The amount of time it takes for the shuttle to refuel is now a config + option, the default is 20 minutes. Gun Hog: - - rscadd: Certain Enemies of the Corporation have discovered a critical exploit - in the firmware of several NanoTrasen robots that could prevent the safe shutdown - of units corrupted by illegally modified ID cards, dubbed "cryptographic sequencers". - - rscadd: NanoTrasen requires more research into this exploit, this we have issued - a patch for AI and Cyborg software to simulate this malfunction. All NanoTrasen - AI units are advised to only allow testing in a safe and contained environment. - The robot can safely be reset at any time. - - experiment: Unfortunately, a robot corrupted by a "cryptographic sequencer" still - cannot be reset by any means. NanoTrasen urges regular maintenance and care - of all robots to reduce replacement costs. + - rscadd: + Certain Enemies of the Corporation have discovered a critical exploit + in the firmware of several NanoTrasen robots that could prevent the safe shutdown + of units corrupted by illegally modified ID cards, dubbed "cryptographic sequencers". + - rscadd: + NanoTrasen requires more research into this exploit, this we have issued + a patch for AI and Cyborg software to simulate this malfunction. All NanoTrasen + AI units are advised to only allow testing in a safe and contained environment. + The robot can safely be reset at any time. + - experiment: + Unfortunately, a robot corrupted by a "cryptographic sequencer" still + cannot be reset by any means. NanoTrasen urges regular maintenance and care + of all robots to reduce replacement costs. 2014-05-07: /Tg/station Code Management: - - wip: /tg/station code is now under a feature freeze until 7th June 2014. This - means that the team will be concentrating on fixing bugs instead of adding features - for the month. - - bugfix: You can find more information about the feature freeze here. http://tgstation13.org/phpBB/viewtopic.php?f=5&t;=273 - - bugfix: This is the perfect time to report bugs, which you can do so here. https://github.com/tgstation/-tg-station/issues/new + - wip: + /tg/station code is now under a feature freeze until 7th June 2014. This + means that the team will be concentrating on fixing bugs instead of adding features + for the month. + - bugfix: You can find more information about the feature freeze here. http://tgstation13.org/phpBB/viewtopic.php?f=5&t;=273 + - bugfix: This is the perfect time to report bugs, which you can do so here. https://github.com/tgstation/-tg-station/issues/new 2014-05-14: Ikarrus: - - rscadd: A recent breakthrough in Plasma Materials Research has led to the development - of a stronger, tougher plasteel alloy that can better resist extreme heat by - up to four times. A live demonstration preformed during a press conference earlier - today showed a segment of reinforced wall resisting an attack by Thermite. The - corporation also announces that upgrades to its existing stations is already - underway. + - rscadd: + A recent breakthrough in Plasma Materials Research has led to the development + of a stronger, tougher plasteel alloy that can better resist extreme heat by + up to four times. A live demonstration preformed during a press conference earlier + today showed a segment of reinforced wall resisting an attack by Thermite. The + corporation also announces that upgrades to its existing stations is already + underway. 2014-05-16: Menshin: - - rscadd: 'Thanks to Nanotrasen''s Engineering division, the power wiring of the - station has a received a complete overhaul. Here are the highlight features - in CentCom report :' - - tweak: 'Improved way of connecting cables! Finished is the time of "laying and - praying" : it''s now as simple as matching ends of each cables!' - - tweak: Unified way of connecting machines! Every machine is connected to a powernet - through a node cable (it still needs to be anchored to receive power though)! - - tweak: Lots of improvements in the cable cutting tools! Gone is the odd magic - of physically separated yet still connected powernets (contact CentCom Engineering - Division if you still witness something weird, we always have a fired form ready - for our engineers!)! - - rscadd: Any conscientious (or not!) Station Engineer may check an "updated wiring - manual" at http://www.tgstation13.org/wiki/Wiring#Power_Wires + - rscadd: + "Thanks to Nanotrasen's Engineering division, the power wiring of the + station has a received a complete overhaul. Here are the highlight features + in CentCom report :" + - tweak: + 'Improved way of connecting cables! Finished is the time of "laying and + praying" : it''s now as simple as matching ends of each cables!' + - tweak: + Unified way of connecting machines! Every machine is connected to a powernet + through a node cable (it still needs to be anchored to receive power though)! + - tweak: + Lots of improvements in the cable cutting tools! Gone is the odd magic + of physically separated yet still connected powernets (contact CentCom Engineering + Division if you still witness something weird, we always have a fired form ready + for our engineers!)! + - rscadd: + Any conscientious (or not!) Station Engineer may check an "updated wiring + manual" at http://www.tgstation13.org/wiki/Wiring#Power_Wires 2014-05-20: Kelenius: - - rscadd: 'After the years of extensive research into xenobiology, and thousands - of scientists lost to the slimes, we have finally come to admitting that we - don''t have a clue how they work. However, we''ve outlined a few facts, and - managed to breed a new kind of slimes. They will be shipped to your station - on the next shifts. They are different from the ones they are used to in the - following:' - - rscadd: Their sight is better than ever, and now they can finally see things that - are not directly pressed against them. Beware, they may appear more aggressive! - - rscadd: Their memory has also become better, and they will now remember the people - who fed them. As a note, you need to grab the monkey or push it to show to the - slime that you're giving it to them, and it's not just walking in. - - rscadd: Apparently, not only we have studied them, but they have also studied - us. Slimes are now capable of showing various emotions, mimicking humans. Use - it to your advantage. - - rscadd: There are reports of slimes showing signs of sentience. Further research - is recommended. - - rscadd: 'One of the reported signs is their speech capability. Following facts - have been gathered: they talk more often to those who feed them; they react - to being called by the number, but ''slimes'' is also acceptable; they are able - to understand being ordered to "follow" someone, or "stop". There is a report - of slime releasing the assistant after a scientist shouted at it, and then calmly - ordered a slime to stop.' - - rscadd: We've made a modification of a health scanner that is intended for the - use on slimes. Two are available in the smartfridge. - - tweak: We've come to a conclusion that 5 units of reagents are not necessary to - cause slime core reactions. You actually only need one unit. + - rscadd: + "After the years of extensive research into xenobiology, and thousands + of scientists lost to the slimes, we have finally come to admitting that we + don't have a clue how they work. However, we've outlined a few facts, and + managed to breed a new kind of slimes. They will be shipped to your station + on the next shifts. They are different from the ones they are used to in the + following:" + - rscadd: + Their sight is better than ever, and now they can finally see things that + are not directly pressed against them. Beware, they may appear more aggressive! + - rscadd: + Their memory has also become better, and they will now remember the people + who fed them. As a note, you need to grab the monkey or push it to show to the + slime that you're giving it to them, and it's not just walking in. + - rscadd: + Apparently, not only we have studied them, but they have also studied + us. Slimes are now capable of showing various emotions, mimicking humans. Use + it to your advantage. + - rscadd: + There are reports of slimes showing signs of sentience. Further research + is recommended. + - rscadd: + 'One of the reported signs is their speech capability. Following facts + have been gathered: they talk more often to those who feed them; they react + to being called by the number, but ''slimes'' is also acceptable; they are able + to understand being ordered to "follow" someone, or "stop". There is a report + of slime releasing the assistant after a scientist shouted at it, and then calmly + ordered a slime to stop.' + - rscadd: + We've made a modification of a health scanner that is intended for the + use on slimes. Two are available in the smartfridge. + - tweak: + We've come to a conclusion that 5 units of reagents are not necessary to + cause slime core reactions. You actually only need one unit. 2014-06-06: Gun Hog: - - rscadd: Nanotrasen programmers have discovered a potential exploit involving a - station's door control networks. With sufficient computing power, the network - can be overloaded and forced to open or bolt closed every airlock at once. - - experiment: Some reports suggest that the latest firmware update to Artifical - Intelligence units installed in our research stations may contain this exploit. - Any such reports that state that should a station's AI unit "malfunction", it - may gain the ability to use this exploit to initate a full lockdown of the station. - Fire locks and blast doors are also said to be affected. - - rscadd: Nanotrasen officially holds no validity to these reports. We recommend - that station personnel disregard such rumors. + - rscadd: + Nanotrasen programmers have discovered a potential exploit involving a + station's door control networks. With sufficient computing power, the network + can be overloaded and forced to open or bolt closed every airlock at once. + - experiment: + Some reports suggest that the latest firmware update to Artifical + Intelligence units installed in our research stations may contain this exploit. + Any such reports that state that should a station's AI unit "malfunction", it + may gain the ability to use this exploit to initate a full lockdown of the station. + Fire locks and blast doors are also said to be affected. + - rscadd: + Nanotrasen officially holds no validity to these reports. We recommend + that station personnel disregard such rumors. 2014-06-11: Ikarrus: - - bugfix: Having the nuke disk will no longer prevent you from using teleporters - or crossing Z-levels. Leaving the Z-level however, will cause you to "suddenly - lose" the disk. - - rscadd: Pulled objects will now transition with you when as you transition Z-levels - in space. + - bugfix: + Having the nuke disk will no longer prevent you from using teleporters + or crossing Z-levels. Leaving the Z-level however, will cause you to "suddenly + lose" the disk. + - rscadd: + Pulled objects will now transition with you when as you transition Z-levels + in space. Malkevin: - - rscdel: IEDs have been removed - - rscadd: Firebombs have been added - - experiment: They're as reliable and predictable as you would expect from a soda - can filled with flammable liquid and set off with an igniter contected to two - wires. Use your branes and take proper precautions or leave a charred corpse, - your choice. + - rscdel: IEDs have been removed + - rscadd: Firebombs have been added + - experiment: + They're as reliable and predictable as you would expect from a soda + can filled with flammable liquid and set off with an igniter contected to two + wires. Use your branes and take proper precautions or leave a charred corpse, + your choice. 2014-06-12: Cheridan: - - tweak: 'NT Baton Refurbishment Team Notice: ''Released'' option in security records - has been renamed ''Discharged'', and the sechud icon has been changed from a - blue R to a blue D. Stop beating your released prisoners, dummies; they''re - not revheads.' - - tweak: 'NT Entertainment Department Notice: The prize-dispensing mechanism in - Arcade machines has been replaced with a cheaper gas-powered motor. It should - still be completely safe, unless an electromagnetic field disrupts it!' - - tweak: 'Pill code tweaked. In short, you can feed monkeys pills now #whoa' - - rscadd: 'Casings ejected from guns will now spin #wow' + - tweak: + "NT Baton Refurbishment Team Notice: 'Released' option in security records + has been renamed 'Discharged', and the sechud icon has been changed from a + blue R to a blue D. Stop beating your released prisoners, dummies; they're + not revheads." + - tweak: + "NT Entertainment Department Notice: The prize-dispensing mechanism in + Arcade machines has been replaced with a cheaper gas-powered motor. It should + still be completely safe, unless an electromagnetic field disrupts it!" + - tweak: "Pill code tweaked. In short, you can feed monkeys pills now #whoa" + - rscadd: "Casings ejected from guns will now spin #wow" 2014-06-20: Ikarrus: - - tweak: The 'Enter Exosuit' button was removed, and you have to click + drag yourself - to enter a mech now; like you would to enter a disposal unit. + - tweak: + The 'Enter Exosuit' button was removed, and you have to click + drag yourself + to enter a mech now; like you would to enter a disposal unit. 2014-07-01: Ikarrus: - - wip: Central Security has approved an upgrade of the Securitron line of bots - to a newer model.
      Highlights include:
      - - rscadd: -An optional setting to arrest personnel without an ID on their uniform - (Disabled by default) - - rscadd: -An optional setting to notify security personnel of arrests made by the - bots (Enabled by default) - - rscadd: -A new "Weapon Permit" access type that securitrons will use during their - weapons checks. Personnel who work with weapons will be granted this access - by default. More can be assigned by the station's Head of Security and Personnel. - - tweak: -A more robust threat assessment algorithm to improve accuracy in identifying - perpetrators. + - wip: + Central Security has approved an upgrade of the Securitron line of bots + to a newer model.
      Highlights include:
      + - rscadd: + -An optional setting to arrest personnel without an ID on their uniform + (Disabled by default) + - rscadd: + -An optional setting to notify security personnel of arrests made by the + bots (Enabled by default) + - rscadd: + -A new "Weapon Permit" access type that securitrons will use during their + weapons checks. Personnel who work with weapons will be granted this access + by default. More can be assigned by the station's Head of Security and Personnel. + - tweak: + -A more robust threat assessment algorithm to improve accuracy in identifying + perpetrators. Rolan7: - - rscadd: Fixed the irrigation system in hydroponics trays. Adding at least 30 - units of liquid at once will activate the system, sharing the reagents between - all connected trays. - - bugfix: Changelings can communicate while muzzled or monkified, and being monkified - doesn't stop them from taking human form. - - bugfix: Mimes cannot break the laws of physics unless their vow is currently active. - - rscadd: Trays are rewritten to make sense and so borgs can actually use them. Service - borgs can discretely carry small objects, hint hint. The items are easily knocked - out of them. + - rscadd: + Fixed the irrigation system in hydroponics trays. Adding at least 30 + units of liquid at once will activate the system, sharing the reagents between + all connected trays. + - bugfix: + Changelings can communicate while muzzled or monkified, and being monkified + doesn't stop them from taking human form. + - bugfix: Mimes cannot break the laws of physics unless their vow is currently active. + - rscadd: + Trays are rewritten to make sense and so borgs can actually use them. Service + borgs can discretely carry small objects, hint hint. The items are easily knocked + out of them. 2014-07-03: Miauw: - - rscadd: Added slot machines to the game - - rscadd: Slot machines use reels. All prizes except for jackpots can be won on - all lines - - rscadd: Simply put a coin into one of the slot machines in the bar to play! - - rscadd: Slot machines can also be emagged. + - rscadd: Added slot machines to the game + - rscadd: + Slot machines use reels. All prizes except for jackpots can be won on + all lines + - rscadd: Simply put a coin into one of the slot machines in the bar to play! + - rscadd: Slot machines can also be emagged. 2014-07-05: Firecage: - - rscadd: Recently the Space Wizard Federation, with some assistance from the Cult - of Nar-Sie, recently created a new strain of Killer Tomato. A sad side effect - is this effected all current and future Killer Tomato strains in our galaxy. - They are now reported to be extremely violent and deadly, use extreme caution - when growing them. + - rscadd: + Recently the Space Wizard Federation, with some assistance from the Cult + of Nar-Sie, recently created a new strain of Killer Tomato. A sad side effect + is this effected all current and future Killer Tomato strains in our galaxy. + They are now reported to be extremely violent and deadly, use extreme caution + when growing them. 2014-07-07: Firecage: - - rscadd: We, of the NanoTrasen Botany Research and Developent(NTBiRD), has some - important announcements for the Botany staff aboard our stations. - - rscadd: We have recently released a new strain of Tower Cap. It is now ensured - that more planks can be gotten from a single log. - - rscadd: Head Scientist [REDACTED] is thanked for his new strain of Blood Tomatoes. - It now not only contains human blood, but also chunks of human flesh! - - rscadd: We have also discovered a way to replant the infamous Cash Trees and 'Eggy' - plants. We can now harvest their seeds, and the rare products are inside the - fruit shells. - - rscadd: Similar to the new variety of Tower Caps, it is now possible to get various - grass flooring depending on the plants potency! - - rscadd: Our sponsors at Knitters United has released a new variation of the botany - Aprons and Coveralls which can hold a larger variety of items! - - rscadd: A new version of Plant-B-Gone was produced which are much more lethal - to plants, yet at the same time has no extra effect on humans besides the norm. + - rscadd: + We, of the NanoTrasen Botany Research and Developent(NTBiRD), has some + important announcements for the Botany staff aboard our stations. + - rscadd: + We have recently released a new strain of Tower Cap. It is now ensured + that more planks can be gotten from a single log. + - rscadd: + Head Scientist [REDACTED] is thanked for his new strain of Blood Tomatoes. + It now not only contains human blood, but also chunks of human flesh! + - rscadd: + We have also discovered a way to replant the infamous Cash Trees and 'Eggy' + plants. We can now harvest their seeds, and the rare products are inside the + fruit shells. + - rscadd: + Similar to the new variety of Tower Caps, it is now possible to get various + grass flooring depending on the plants potency! + - rscadd: + Our sponsors at Knitters United has released a new variation of the botany + Aprons and Coveralls which can hold a larger variety of items! + - rscadd: + A new version of Plant-B-Gone was produced which are much more lethal + to plants, yet at the same time has no extra effect on humans besides the norm. Paprika: - - tweak: Tweaked mining turf mineral droprates and reverted mesons to the 'old' - style of mesons. This means mesons will be more powerful with the added side - effect of not being able to track individual light sources through walls and - such. This is a trial run; please provide feedback on the /tg/ codebase section - of the forum. + - tweak: + Tweaked mining turf mineral droprates and reverted mesons to the 'old' + style of mesons. This means mesons will be more powerful with the added side + effect of not being able to track individual light sources through walls and + such. This is a trial run; please provide feedback on the /tg/ codebase section + of the forum. 2014-07-14: Miauw: - - rscadd: Added a new mutetoxin that can be made with 2 parts uranium, 1 part water - and 1 part carbon and makes people mute temporarily - - rscdel: Parapens were renamed to sleepy pens and now contain 30 units of mutetoxin - and 30 units of sleeptoxin instead of zombie powder. - - rscdel: C4 can no longer be attached to mobs - - tweak: Reduced the C4 price to 1 telecrystal + - rscadd: + Added a new mutetoxin that can be made with 2 parts uranium, 1 part water + and 1 part carbon and makes people mute temporarily + - rscdel: + Parapens were renamed to sleepy pens and now contain 30 units of mutetoxin + and 30 units of sleeptoxin instead of zombie powder. + - rscdel: C4 can no longer be attached to mobs + - tweak: Reduced the C4 price to 1 telecrystal 2014-08-11: Ikarrus: - - tweak: "Boxstation map updates:
      \n\t\t-Singularity engine walled from\ - \ from outer space
      \n\t\t-Shutters for exterior Science windows
      \n\t\ - \t-Teleporter board moved from RD's Office to Tech Storage now that the teleporter\ - \ can be built again.
      \n\t\t-Security Deputy Armbands (red) added in HoS's\ - \ Office



      " + - tweak: + "Boxstation map updates:
      \n\t\t-Singularity engine walled from\ + \ from outer space
      \n\t\t-Shutters for exterior Science windows
      \n\t\ + \t-Teleporter board moved from RD's Office to Tech Storage now that the teleporter\ + \ can be built again.
      \n\t\t-Security Deputy Armbands (red) added in HoS's\ + \ Office



      " 2014-08-15: AndroidSFV: - - rscadd: AI photography has been extended to Cyborgs. While connected to an AI, - all images taken by cyborgs will be placed in the AI's album, and viewable by - the AI and all linked Cyborgs. - - rscadd: When a Cyborgs AI link wire is pulsed, the images from the Cyborgs image - album will be synced with the AI it gets linked to. - - rscadd: Additonally, Cyborgs are able to attach images to newscaster feeds from - whichever album is active for them. Cyborgs are also mobile, inefficent, printers - of same images. + - rscadd: + AI photography has been extended to Cyborgs. While connected to an AI, + all images taken by cyborgs will be placed in the AI's album, and viewable by + the AI and all linked Cyborgs. + - rscadd: + When a Cyborgs AI link wire is pulsed, the images from the Cyborgs image + album will be synced with the AI it gets linked to. + - rscadd: + Additonally, Cyborgs are able to attach images to newscaster feeds from + whichever album is active for them. Cyborgs are also mobile, inefficent, printers + of same images. 2014-08-18: Iamgoofball: - - rscadd: 25 new hairstyles have been added. + - rscadd: 25 new hairstyles have been added. 2014-08-19: Ikarrus: - - rscadd: Brig cells and labour shuttle have both been modified to send a message - to all security HUDs whenever a prisoner is automatically released. - - rscadd: The labour camp has been outfitted with a points checking console to allow - prisoners to check their quota progress easier and better explain the punishment - system of forced labour. + - rscadd: + Brig cells and labour shuttle have both been modified to send a message + to all security HUDs whenever a prisoner is automatically released. + - rscadd: + The labour camp has been outfitted with a points checking console to allow + prisoners to check their quota progress easier and better explain the punishment + system of forced labour. 2014-08-20: Cheridan: - - rscadd: Three new shotgun shells added. Create them by first researching and printing - an unloaded tech shell in R&D.; Afterwards, use table-crafting with the - appropriate components with a screwdriver in-hand. - - rscadd: 'Meteorshot: tech shell + compressed matter cartridge + micro(or better) - manipulator.' - - rscadd: 'Pulse Slug: tech shell + advanced capacitor + ultra micro-laser.' - - rscadd: 'Dragonsbreath: tech shell + 5 phosphorus (in container).' - - tweak: Incendiary rounds now leave a blazing trail as they pass. This includes - existing incendiary rounds, new dragonsbreath rounds, and the Dark Gygax's carbine. + - rscadd: + Three new shotgun shells added. Create them by first researching and printing + an unloaded tech shell in R&D.; Afterwards, use table-crafting with the + appropriate components with a screwdriver in-hand. + - rscadd: + "Meteorshot: tech shell + compressed matter cartridge + micro(or better) + manipulator." + - rscadd: "Pulse Slug: tech shell + advanced capacitor + ultra micro-laser." + - rscadd: "Dragonsbreath: tech shell + 5 phosphorus (in container)." + - tweak: + Incendiary rounds now leave a blazing trail as they pass. This includes + existing incendiary rounds, new dragonsbreath rounds, and the Dark Gygax's carbine. 2014-08-21: Ikarrus: - - tweak: The Phase Shift ability will no longer instantly gib players. Instead, - they will be knocked out for a few seconds. Mechas will be damaged. - - tweak: The Phase Slayer ability will no longer instantly gib players. Instead, - they will be dealt 190 brute damage. Mechas will be dealt 380 damage. - - tweak: 'ADMIN: Most Event buttons have been moved out of the secrets menu and - into a Fun verb.' + - tweak: + The Phase Shift ability will no longer instantly gib players. Instead, + they will be knocked out for a few seconds. Mechas will be damaged. + - tweak: + The Phase Slayer ability will no longer instantly gib players. Instead, + they will be dealt 190 brute damage. Mechas will be dealt 380 damage. + - tweak: + "ADMIN: Most Event buttons have been moved out of the secrets menu and + into a Fun verb." 2014-08-24: Ikarrus: - - rscadd: Ore redemption machine can now smelt plasteel. - - tweak: Mulebot speed has been vastly increased by up to 300%. - - bugfix: Removed exploit where false walls can be used to cheese the AI chamber's - defenses + - rscadd: Ore redemption machine can now smelt plasteel. + - tweak: Mulebot speed has been vastly increased by up to 300%. + - bugfix: + Removed exploit where false walls can be used to cheese the AI chamber's + defenses 2014-08-26: Ikarrus: - - rscadd: "Security forces are advised to increase scrutiny on personnel coming\ - \ into contact with AI systems. Central Intelligence suggests that Syndicate\ - \ terrorist groups may have begun targeting our AIs for destruction.\n\t\t" - - rscadd: "For the preservation of corporate assets, Central Command would like\ - \ to remind all personnel that evacuating during an emergency is mandatory.\ - \ We suspect that terrorist groups may be attempting to abduct marooned personnel\ - \ who failed to evacuate.\n\t\t" - - rscadd: "R&D; teams have released an urgent update to station teleporters.\ - \ To eliminate the risk of mutation, personnel are advised to calibrate teleporters\ - \ before attempting each use.\n\t\t" - - rscadd: "Centcom has approved the Captain's request to rig the display case in\ - \ his office with a burglar alarm. Any attempts to breach the case will now\ - \ trigger a lockdown of the room.\n\t\t" - - bugfix: "**Crew Monitoring Consoles now scan their own Z-level for suit sensors,\ - \ instead of only scanning Z1.\n\t\t" - - rscadd: '**Server operators can now set a name for the station in config.txt. - Simply add the line "STATIONNAME Space Station 13" anywhere on the text file. - Replace Space Station 13 with your station name of choice.' + - rscadd: + "Security forces are advised to increase scrutiny on personnel coming\ + \ into contact with AI systems. Central Intelligence suggests that Syndicate\ + \ terrorist groups may have begun targeting our AIs for destruction.\n\t\t" + - rscadd: + "For the preservation of corporate assets, Central Command would like\ + \ to remind all personnel that evacuating during an emergency is mandatory.\ + \ We suspect that terrorist groups may be attempting to abduct marooned personnel\ + \ who failed to evacuate.\n\t\t" + - rscadd: + "R&D; teams have released an urgent update to station teleporters.\ + \ To eliminate the risk of mutation, personnel are advised to calibrate teleporters\ + \ before attempting each use.\n\t\t" + - rscadd: + "Centcom has approved the Captain's request to rig the display case in\ + \ his office with a burglar alarm. Any attempts to breach the case will now\ + \ trigger a lockdown of the room.\n\t\t" + - bugfix: + "**Crew Monitoring Consoles now scan their own Z-level for suit sensors,\ + \ instead of only scanning Z1.\n\t\t" + - rscadd: + '**Server operators can now set a name for the station in config.txt. + Simply add the line "STATIONNAME Space Station 13" anywhere on the text file. + Replace Space Station 13 with your station name of choice.' 2014-08-30: Ikarrus: - - rscadd: Space Station 13 has been authorized to requisition additional Tank Transfer - Valves from Centcom's supply lines for the price of 60 cargo points. + - rscadd: + Space Station 13 has been authorized to requisition additional Tank Transfer + Valves from Centcom's supply lines for the price of 60 cargo points. 2014-08-31: Tokiko1: - - rscadd: Adds two new hairstyles. + - rscadd: Adds two new hairstyles. 2014-09-01: ChuckTheSheep: - - rscadd: "Adds preference toggle for intent selection mode.\n\t\t" - - rscadd: "Direct selection mode switches intent to the one you click on instead\ - \ of cycling them.\n\t" + - rscadd: "Adds preference toggle for intent selection mode.\n\t\t" + - rscadd: + "Direct selection mode switches intent to the one you click on instead\ + \ of cycling them.\n\t" Ikarrus: - - rscadd: "New more detailed End-Round report.\n\t\t" - - rscdel: "Removes count of readied players from the lobby.\n\t" + - rscadd: "New more detailed End-Round report.\n\t\t" + - rscdel: "Removes count of readied players from the lobby.\n\t" Jordie0608: - - rscadd: Virology has been made the right color. + - rscadd: Virology has been made the right color. Miauw: - - wip: "A major rework of saycode has been completed which fixes numerous issues\ - \ and improves functionality.\n\t\t" - - bugfix: "Please report any issues you notice with any form of messaging to Github.\n\ - \t" + - wip: + "A major rework of saycode has been completed which fixes numerous issues\ + \ and improves functionality.\n\t\t" + - bugfix: + "Please report any issues you notice with any form of messaging to Github.\n\ + \t" 2014-09-03: Ikarrus: - - tweak: Cost of Syndicate bombs increased to 6 telecrystals. + - tweak: Cost of Syndicate bombs increased to 6 telecrystals. JStheguy: - - rscadd: Many new posters have been added. + - rscadd: Many new posters have been added. 2014-09-04: KyrahAbattoir: - - rscadd: All the objects found in BoxStation maintenance are now randomized at - round start. + - rscadd: + All the objects found in BoxStation maintenance are now randomized at + round start. 2014-09-06: Ikarrus: - - rscadd: "Tampered supply ordering consoles can now order dangerous devices directly\ - \ from the Syndicate for 140 points.\n\t\t" - - tweak: "Securitrons line units will no longer arrest individuals without IDs if\ - \ their faces can still be read. \n\t\t" - - tweak: "Enemy Agent ID cards have been reported to be able to interfere with the\ - \ new securitron threat assessment protocols.\n\t\t" - - tweak: "The Syndicate base has been modified to only allow the leading operative\ - \ to launch the mission.\n\t" + - rscadd: + "Tampered supply ordering consoles can now order dangerous devices directly\ + \ from the Syndicate for 140 points.\n\t\t" + - tweak: + "Securitrons line units will no longer arrest individuals without IDs if\ + \ their faces can still be read. \n\t\t" + - tweak: + "Enemy Agent ID cards have been reported to be able to interfere with the\ + \ new securitron threat assessment protocols.\n\t\t" + - tweak: + "The Syndicate base has been modified to only allow the leading operative\ + \ to launch the mission.\n\t" 2014-09-07: Gun Hog: - - rscadd: Nanotrasen scientists have released a Heads-Up-Display (HUD) upgrade for - all AI and Cyborg units! Cyborgs have had Medical sensors and a Security datacore - integrated into their core hardware, replacing the need for a specific module. - - rscadd: AI units are now able to have suit sensor or crew manifest data displayed - to them as a visual overlay. When viewing a crewmember with suit sensors set - to health monitoring, the health status will be available on the AI's medical - HUD. In Security mode, the role as printed on the crewmember's ID card will - be displayed to the AI. - - rscadd: Any entity with a Security or Medical HUD active will recieve appropriate - messages on that HUD. + - rscadd: + Nanotrasen scientists have released a Heads-Up-Display (HUD) upgrade for + all AI and Cyborg units! Cyborgs have had Medical sensors and a Security datacore + integrated into their core hardware, replacing the need for a specific module. + - rscadd: + AI units are now able to have suit sensor or crew manifest data displayed + to them as a visual overlay. When viewing a crewmember with suit sensors set + to health monitoring, the health status will be available on the AI's medical + HUD. In Security mode, the role as printed on the crewmember's ID card will + be displayed to the AI. + - rscadd: + Any entity with a Security or Medical HUD active will recieve appropriate + messages on that HUD. Ikarrus: - - rscadd: "Server Operators: A new config option added to restrict command and security\ - \ roles to humans only. Simply add/uncomment the line ENFORCE_HUMAN_AUTHORITY\ - \ in game_options.txt.\n\t\t" - - rscadd: "Players: To check if this config option is enabled on your server, type\ - \ show-server-revision into the game's command line.\n\t" + - rscadd: + "Server Operators: A new config option added to restrict command and security\ + \ roles to humans only. Simply add/uncomment the line ENFORCE_HUMAN_AUTHORITY\ + \ in game_options.txt.\n\t\t" + - rscadd: + "Players: To check if this config option is enabled on your server, type\ + \ show-server-revision into the game's command line.\n\t" 2014-10-01: Cheridan: - - rscadd: Experienced smugglers have joined the Syndicate, adding their bag of tricks - to its arsenal. These tricky pouches can even fit under floor plating! + - rscadd: + Experienced smugglers have joined the Syndicate, adding their bag of tricks + to its arsenal. These tricky pouches can even fit under floor plating! Ikarrus: - - wip: Adds Gang War, a new game mode still in alpha development. + - wip: Adds Gang War, a new game mode still in alpha development. Incoming5643: - - tweak: After a public relations nightmare in which a horde of 30 assistants violently - dismembered a sole commander the revolution has begin tactically reducing their - initial presence in stations with weak command structures. Should stations add - to their command staff during the shift additional support will be provided. - - tweak: Too many instances of crying CMOs hiding in the lockers of supposedly secured - revoulutionary stations has lead to a crackdown on revolutionary policy. You - must kill or maroon the entire command staff, reguardless of when they reached - the station. - - rscadd: Intense study into the underlying structure of the universe has revealed - that everything fits into a massive SPACECUBE. This deep and profound understanding - has led to a revolution in cross surface movement, and spacemen can look forward - to a new era of predictable and safe space-fairing. + - tweak: + After a public relations nightmare in which a horde of 30 assistants violently + dismembered a sole commander the revolution has begin tactically reducing their + initial presence in stations with weak command structures. Should stations add + to their command staff during the shift additional support will be provided. + - tweak: + Too many instances of crying CMOs hiding in the lockers of supposedly secured + revoulutionary stations has lead to a crackdown on revolutionary policy. You + must kill or maroon the entire command staff, reguardless of when they reached + the station. + - rscadd: + Intense study into the underlying structure of the universe has revealed + that everything fits into a massive SPACECUBE. This deep and profound understanding + has led to a revolution in cross surface movement, and spacemen can look forward + to a new era of predictable and safe space-fairing. Jordie0608: - - tweak: Grille damage update, humans now deal less unarmed damage to grilles while - projectiles and items deal more. - - tweak: Replaced all AI turrets with porta-turrets that work on LoS instead of - area and can be individually configured + - tweak: + Grille damage update, humans now deal less unarmed damage to grilles while + projectiles and items deal more. + - tweak: + Replaced all AI turrets with porta-turrets that work on LoS instead of + area and can be individually configured Miauw: - - bugfix: Voice changer masks work again. - - tweak: You can now turn voice changer masks on/off by activating them in your - hand. They start off. - - experiment: The amount of TC has been increased to 20, but the price of all items - has been doubled as well - - experiment: With this, the prices of stealthy items has been slightly decreased - and the prices of offensive items slightly increased (+/- 1 TC) + - bugfix: Voice changer masks work again. + - tweak: + You can now turn voice changer masks on/off by activating them in your + hand. They start off. + - experiment: + The amount of TC has been increased to 20, but the price of all items + has been doubled as well + - experiment: + With this, the prices of stealthy items has been slightly decreased + and the prices of offensive items slightly increased (+/- 1 TC) RemieRichards, JJRcop: - - rscadd: New research in the area of robotics has been published on Maintenance - Drones, little robots capable of repairing and improving the station. Unfortunately, - all of the research was lost in a catastrophic server fire, but we know they - can be made, so it's up to you to re-discover them! Make us proud! + - rscadd: + New research in the area of robotics has been published on Maintenance + Drones, little robots capable of repairing and improving the station. Unfortunately, + all of the research was lost in a catastrophic server fire, but we know they + can be made, so it's up to you to re-discover them! Make us proud! phil235: - - experiment: Changed all clone damage descriptions to use the term cellular damage - to avoid confusion with genetics mutations. + - experiment: + Changed all clone damage descriptions to use the term cellular damage + to avoid confusion with genetics mutations. 2014-10-05: Ikarrus: - - bugfix: Character Save Files will now remember Species. + - bugfix: Character Save Files will now remember Species. Miauw: - - soundadd: Added 5 new maintenance ambience tracks, made by Cuboos. + - soundadd: Added 5 new maintenance ambience tracks, made by Cuboos. Nobalm: - - rscadd: Added examine descriptions to twenty eight objects. + - rscadd: Added examine descriptions to twenty eight objects. Paprika: - - experiment: Due to some payroll cuts affecting lower-rank crewmembers on Space - Station 13, we fear that uprisings and mutinies might be approaching. To help - defend themselves, all heads of staff have been given telescopic batons to subdue - attackers should they be assaulted during their shifts. - - bugfix: Toolbelts can now hold pocket fire extinguishers. Atmos technicians spawn - with them. - - rscadd: Remember those magboots we had our undercover agents steal? Well we've - finally reverse engineered them. Not only that, but we gave them a killer paintjob. - They will be available in the uplinks of boarding parties we send out to Nanoscum - stations. - - rscadd: Listen up, Marauders! The Syndicate has recently cut back funding into - boarding parties. What this means is no more hi-tech fancy energy guns. We've - had to roll back to using cheaper, mass-produced automatic shotguns. But in - retrospect, could this possibly be a downgrade? + - experiment: + Due to some payroll cuts affecting lower-rank crewmembers on Space + Station 13, we fear that uprisings and mutinies might be approaching. To help + defend themselves, all heads of staff have been given telescopic batons to subdue + attackers should they be assaulted during their shifts. + - bugfix: + Toolbelts can now hold pocket fire extinguishers. Atmos technicians spawn + with them. + - rscadd: + Remember those magboots we had our undercover agents steal? Well we've + finally reverse engineered them. Not only that, but we gave them a killer paintjob. + They will be available in the uplinks of boarding parties we send out to Nanoscum + stations. + - rscadd: + Listen up, Marauders! The Syndicate has recently cut back funding into + boarding parties. What this means is no more hi-tech fancy energy guns. We've + had to roll back to using cheaper, mass-produced automatic shotguns. But in + retrospect, could this possibly be a downgrade? 2014-10-08: Cheridan: - - tweak: Flash mechanics changed. Instead of a knockdown effect, it will cause a - stumbling effect. This includes area-flashing. The five-use-per-minute limit - has been removed. "Synthetic" flashes made in the protolathe are now normal - flashes. + - tweak: + Flash mechanics changed. Instead of a knockdown effect, it will cause a + stumbling effect. This includes area-flashing. The five-use-per-minute limit + has been removed. "Synthetic" flashes made in the protolathe are now normal + flashes. Paprika: - - rscadd: Added a unique shield to the Head of Security's locker. It can be concealed - for storage and activated like an energy shield, but functions like a riot shield. - It can also be made at the protolathe. - - rscadd: 'Marauders: Due to your extremely great performance as of late, we''ve - added a new equipment room on Mother Base. A lot of your equipment has been - moved to this room, as well as some new equipment added onto the Mothership. - Take some extra time to familiarize yourself with the placement of your equipment.' - - rscadd: Oh, and you guys have a space carp now too. + - rscadd: + Added a unique shield to the Head of Security's locker. It can be concealed + for storage and activated like an energy shield, but functions like a riot shield. + It can also be made at the protolathe. + - rscadd: + "Marauders: Due to your extremely great performance as of late, we've + added a new equipment room on Mother Base. A lot of your equipment has been + moved to this room, as well as some new equipment added onto the Mothership. + Take some extra time to familiarize yourself with the placement of your equipment." + - rscadd: Oh, and you guys have a space carp now too. Paprka: - - rscadd: Added jumpsuit adjusting. Adjust your jumpsuit to wear it more casually - by rolling it down or roll up those sleeves of that hard-worn suit! - - rscadd: Added a grey alternative to the detective's suit and trenchcoat. Now you - can be a noir private investigator! + - rscadd: + Added jumpsuit adjusting. Adjust your jumpsuit to wear it more casually + by rolling it down or roll up those sleeves of that hard-worn suit! + - rscadd: + Added a grey alternative to the detective's suit and trenchcoat. Now you + can be a noir private investigator! Tkdrg: - - rscadd: Space Station 13 has been deployed with transit tube dispensers. Central - Command encourages the engineering department to repair and improve the station - using this equipment. + - rscadd: + Space Station 13 has been deployed with transit tube dispensers. Central + Command encourages the engineering department to repair and improve the station + using this equipment. 2014-10-09: Paprika: - - rscadd: Added inaprovaline MediPens (autoinjectors) that replace inaprovaline - syringes in medkits. Like the syringes, these can be used to stabilize patients - in critical condition, but require no medical knowledge to use. - - experiment: Reverted the mining scanner to a manual scanner. - - bugfix: Buffed the rate of the automatic scanner - - rscadd: Added automatic scanner to equipment locker. It is also available by redeeming - your voucher. - - bugfix: Reduced the size of the mining jetpack, it now fits in backpacks. The - capacity of the jetpack has been reduced as well, however. - - experiment: Removed resonator from the mining voucher redemption. Replaced it - with a mining drill. + - rscadd: + Added inaprovaline MediPens (autoinjectors) that replace inaprovaline + syringes in medkits. Like the syringes, these can be used to stabilize patients + in critical condition, but require no medical knowledge to use. + - experiment: Reverted the mining scanner to a manual scanner. + - bugfix: Buffed the rate of the automatic scanner + - rscadd: + Added automatic scanner to equipment locker. It is also available by redeeming + your voucher. + - bugfix: + Reduced the size of the mining jetpack, it now fits in backpacks. The + capacity of the jetpack has been reduced as well, however. + - experiment: + Removed resonator from the mining voucher redemption. Replaced it + with a mining drill. 2014-10-19: Donkie: - - rscadd: Major atmos update. Featuring pretty colors. - - rscadd: 4-Way pipes added. - - rscadd: Flip-able trinary devices (mixer & filter). - - rscadd: Pipe-painter added. - - tweak: Most pipe icons have been tweaked with shading and such, making it look - more uniform. + - rscadd: Major atmos update. Featuring pretty colors. + - rscadd: 4-Way pipes added. + - rscadd: Flip-able trinary devices (mixer & filter). + - rscadd: Pipe-painter added. + - tweak: + Most pipe icons have been tweaked with shading and such, making it look + more uniform. JJRcop: - - rscadd: We have managed to re-discover drones! We improved the formula, and have - discovered some cool stuff. - - rscadd: After some fiddling with audio recognition, drones can now understand - human speech! - - rscadd: One of our engineers found some screws that were loose on some of our - tests, screwing them in made the drone work as if it had just come out of robotics. - - tweak: We had to sacrifice some of our NT brand EMP protection for the speech - recognition, so drones can get damaged if subjected to heavy EMP radiation. - - bugfix: We figured out why drones couldn't remove objects from people, that has - been fixed. - - bugfix: The standby light wasn't wired correctly. - - rscdel: Unfortunately one of our assistants tasked with transporting the only - copy of the data dropped the flash drive in hot water because he wanted to see - what "drone tea" tasted like. You'll have to discover them again. + - rscadd: + We have managed to re-discover drones! We improved the formula, and have + discovered some cool stuff. + - rscadd: + After some fiddling with audio recognition, drones can now understand + human speech! + - rscadd: + One of our engineers found some screws that were loose on some of our + tests, screwing them in made the drone work as if it had just come out of robotics. + - tweak: + We had to sacrifice some of our NT brand EMP protection for the speech + recognition, so drones can get damaged if subjected to heavy EMP radiation. + - bugfix: + We figured out why drones couldn't remove objects from people, that has + been fixed. + - bugfix: The standby light wasn't wired correctly. + - rscdel: + Unfortunately one of our assistants tasked with transporting the only + copy of the data dropped the flash drive in hot water because he wanted to see + what "drone tea" tasted like. You'll have to discover them again. Lo6a4evskiy: - - rscadd: Station's crayons have been upgraded to the version 2.0 of ColourOS. Don't - worry, they are still edible! - - tweak: Many items now have different stripping delays. Heavier and more armored - pieces of clothing are generally more difficult to take off someone else, while - smaller items can be very easy to snatch. Pockets always take 4 seconds to search. + - rscadd: + Station's crayons have been upgraded to the version 2.0 of ColourOS. Don't + worry, they are still edible! + - tweak: + Many items now have different stripping delays. Heavier and more armored + pieces of clothing are generally more difficult to take off someone else, while + smaller items can be very easy to snatch. Pockets always take 4 seconds to search. MrPerson: - - rscadd: Implants are activated via action buttons on the top-left corner of your - screen instead of emotes. + - rscadd: + Implants are activated via action buttons on the top-left corner of your + screen instead of emotes. Paprika: - - rscadd: Added zipties for security and nuke operatives. These have a slightly - shorter 'breakout time' as normal cuffs but they are destroyed upon removal. - Beepsky and sec borgs now use these by default. - - bugfix: Changed the medical HUD in the tactical medkit to a night vision HUD so - syndicate medics don't stumble around in the dark. Can be purchased through - nuke op uplinks. - - rscadd: Added a second roboticist roundstart job slot. - - rscadd: Added a third cargo tech job slot. + - rscadd: + Added zipties for security and nuke operatives. These have a slightly + shorter 'breakout time' as normal cuffs but they are destroyed upon removal. + Beepsky and sec borgs now use these by default. + - bugfix: + Changed the medical HUD in the tactical medkit to a night vision HUD so + syndicate medics don't stumble around in the dark. Can be purchased through + nuke op uplinks. + - rscadd: Added a second roboticist roundstart job slot. + - rscadd: Added a third cargo tech job slot. Paprka: - - rscadd: Added undershirts as a companion piece to jumpsuit adjusting. Beat the - heat with a comfortable tank top, or warm up with an extra layer tshirt! - - rscadd: Added a holographic sign projector to replace the old wet floor signs - to encourage janitors to warn crewmembers about wet floors. + - rscadd: + Added undershirts as a companion piece to jumpsuit adjusting. Beat the + heat with a comfortable tank top, or warm up with an extra layer tshirt! + - rscadd: + Added a holographic sign projector to replace the old wet floor signs + to encourage janitors to warn crewmembers about wet floors. optimumtact: - - rscadd: Medical supplies crate now comes with a boxy full of bodybags + - rscadd: Medical supplies crate now comes with a boxy full of bodybags 2014-10-27: Jordie0608: - - rscadd: Adds a new riot shotgun that spawns in the armory with a 6 round beanbag - magazine. + - rscadd: + Adds a new riot shotgun that spawns in the armory with a 6 round beanbag + magazine. Paprika: - - experiment: Allowed constructs to assist in activating most runes. This includes - conversion runes, but does NOT include sacrifice runes. + - experiment: + Allowed constructs to assist in activating most runes. This includes + conversion runes, but does NOT include sacrifice runes. Patchouli Knowledge: - - rscadd: In light of the recent achievements of the Robotics department, new and - upgraded exosuit schematics were delivered to SS13 exosuit fabricators as a - reward from CentComm. - - rscadd: The countless hours of research, experimentation, and reverse-engineering - of wrecks from the mining asteroid have paid off - the Research team has rediscovered - the process of building Phazon exosuits. The parts and circuits have been made - available in the exofabs and circuit printers. - - rscadd: The APLU Ripley exosuit has been refitted with asteroid mining purposes - in mind. Its armour plating will provide extra protection against the brute - attacks of asteroid alien lifeforms, and protect from gibtonite explosions. - The leg servos were upgraded to provide faster movement. - - rscadd: There are rumours of some creative shaft miners discovering a way of augmenting - APLU Ripley armour with trophy hides from goliath-type asteroid lifeforms... - - tweak: Durand construction routines now require a phasic scanner module and a - super capacitor to match Nanotrasen industry standards. - - tweak: The exosuit fire extinguisher now boasts a larger watertank, and carries - a whole 1000u of water from the old 200u tank. - - tweak: The exosuit plasma converter's efficiency has been vastly improved upon, - and its fuel consumption has been cut to nearly half of old values. - - bugfix: The exosuit sleeper interiors have been refitted to allow the occupants - more freedom of movement, and the occupants may now eject at will. - - bugfix: The armour plating on all exosuits was fitted with reactive deflection - systems specifically designed to stop the rapid slashes from xenomorph threats. - - bugfix: The Firefighter Ripley chassis were moved from the Exosuit Equipment section - to the APLU Ripley section of exofab menus. - - spellcheck: Fixed some minor errors in the exosuit construction message syntax. + - rscadd: + In light of the recent achievements of the Robotics department, new and + upgraded exosuit schematics were delivered to SS13 exosuit fabricators as a + reward from CentComm. + - rscadd: + The countless hours of research, experimentation, and reverse-engineering + of wrecks from the mining asteroid have paid off - the Research team has rediscovered + the process of building Phazon exosuits. The parts and circuits have been made + available in the exofabs and circuit printers. + - rscadd: + The APLU Ripley exosuit has been refitted with asteroid mining purposes + in mind. Its armour plating will provide extra protection against the brute + attacks of asteroid alien lifeforms, and protect from gibtonite explosions. + The leg servos were upgraded to provide faster movement. + - rscadd: + There are rumours of some creative shaft miners discovering a way of augmenting + APLU Ripley armour with trophy hides from goliath-type asteroid lifeforms... + - tweak: + Durand construction routines now require a phasic scanner module and a + super capacitor to match Nanotrasen industry standards. + - tweak: + The exosuit fire extinguisher now boasts a larger watertank, and carries + a whole 1000u of water from the old 200u tank. + - tweak: + The exosuit plasma converter's efficiency has been vastly improved upon, + and its fuel consumption has been cut to nearly half of old values. + - bugfix: + The exosuit sleeper interiors have been refitted to allow the occupants + more freedom of movement, and the occupants may now eject at will. + - bugfix: + The armour plating on all exosuits was fitted with reactive deflection + systems specifically designed to stop the rapid slashes from xenomorph threats. + - bugfix: + The Firefighter Ripley chassis were moved from the Exosuit Equipment section + to the APLU Ripley section of exofab menus. + - spellcheck: Fixed some minor errors in the exosuit construction message syntax. phil235: - - rscadd: Closets and its children can no longer contain a near infinite amount - of mobs. Large mobs (juggernaut, alien emperess, etc) don't fit, small mobs - (mouse, parrot, etc) still fit in the same amounts, human-sized mob (humanoid, - slime, etc) fit but maximum two per body bag and three for all the other closets. - Adding bluespace body bag to R&D, it can hold even large mobs and in large - amounts. - - experiment: girders and displaced girders now have a chance to let projectiles - pass through them. + - rscadd: + Closets and its children can no longer contain a near infinite amount + of mobs. Large mobs (juggernaut, alien emperess, etc) don't fit, small mobs + (mouse, parrot, etc) still fit in the same amounts, human-sized mob (humanoid, + slime, etc) fit but maximum two per body bag and three for all the other closets. + Adding bluespace body bag to R&D, it can hold even large mobs and in large + amounts. + - experiment: + girders and displaced girders now have a chance to let projectiles + pass through them. 2014-10-30: MrPerson: - - rscadd: Everything now drifts in space, not just mobs. - - rscadd: Mechs are just as maneuverable in space as you are. - - tweak: Being weightless now slows movement down by a lot rather than speeding - it up. Having your hands full will make movement even slower. - - rscdel: Removed spaceslipping (You slipped! x1000) - - bugfix: Jetpacking after being thrown out a mass driver will cancel out your momentum. - - bugfix: Shooting a gun causes you to drift the other direction like spraying a - fire extinguisher. + - rscadd: Everything now drifts in space, not just mobs. + - rscadd: Mechs are just as maneuverable in space as you are. + - tweak: + Being weightless now slows movement down by a lot rather than speeding + it up. Having your hands full will make movement even slower. + - rscdel: Removed spaceslipping (You slipped! x1000) + - bugfix: Jetpacking after being thrown out a mass driver will cancel out your momentum. + - bugfix: + Shooting a gun causes you to drift the other direction like spraying a + fire extinguisher. 2014-11-04: MrPerson: - - rscadd: You can use AI Upload modules directly on unslaved cyborgs to change their - laws. The panel has to be open to do this. - - bugfix: Newly emagged cyborgs get locked down for a little bit until their new - laws get shown. Thank you to whoever bitched about it on singulo and filed an - issue report. + - rscadd: + You can use AI Upload modules directly on unslaved cyborgs to change their + laws. The panel has to be open to do this. + - bugfix: + Newly emagged cyborgs get locked down for a little bit until their new + laws get shown. Thank you to whoever bitched about it on singulo and filed an + issue report. Paprika: - - rscadd: Added an advanced mop for the janitor, available at the protolathe. This - hi-tech custodian's friend can mop twice as many floor tiles before needing - to return to your bucket! - - tweak: Moved holosign projector to the protolathe and gave the janitor back his - old signs. We hope you've enjoyed this free trial run of holo projectors, but - our budget is tight! - - rscadd: Added a holosign projector to the janitor module for cyborgs. - - tweak: Soap now has a delay. Different soap types clean faster than others, but - expect to put it some extra arm work if you want to clean that fresh blood! + - rscadd: + Added an advanced mop for the janitor, available at the protolathe. This + hi-tech custodian's friend can mop twice as many floor tiles before needing + to return to your bucket! + - tweak: + Moved holosign projector to the protolathe and gave the janitor back his + old signs. We hope you've enjoyed this free trial run of holo projectors, but + our budget is tight! + - rscadd: Added a holosign projector to the janitor module for cyborgs. + - tweak: + Soap now has a delay. Different soap types clean faster than others, but + expect to put it some extra arm work if you want to clean that fresh blood! Tkdrg: - - rscadd: Cutting-edge research in a secret Nanotransen lab has shed light into - a revolutionary form of communication technology known as 'chat'. The Personal - Data Assistants of Space Station 13 have been deployed with an experimental - module implementing this system, dubbed 'Nanotransen Relay Chat'. + - rscadd: + Cutting-edge research in a secret Nanotrasen lab has shed light into + a revolutionary form of communication technology known as 'chat'. The Personal + Data Assistants of Space Station 13 have been deployed with an experimental + module implementing this system, dubbed 'Nanotrasen Relay Chat'. 2014-11-10: Menshin: - - tweak: Made meteors more threatening. - - rscadd: Added three levels of danger for meteors waves, randomly selected at spawn. - - rscadd: Rumors speaks of a very rare meteor of unfathomable destructive power - in the station sector... - - bugfix: Fixed infinigib/infinisplosion with meteors bumping + - tweak: Made meteors more threatening. + - rscadd: Added three levels of danger for meteors waves, randomly selected at spawn. + - rscadd: + Rumors speaks of a very rare meteor of unfathomable destructive power + in the station sector... + - bugfix: Fixed infinigib/infinisplosion with meteors bumping Paprika: - - rscadd: Added a defibrillator and an EMT alternative clothing set for medical - doctors. These defibrillators will revive the recently deceased as long as their - souls are occupying their body and they have no outstanding brute or burn damage. - - bugfix: Yes, they actually work now too! - - rscadd: Added a way for you to unload a round from a chambered projectile weapon. - Simply click on the gun when it is in your active hand, and assuming it does - not have a magazine, the round should pop out. You can also use this system - to unload individual bullets from magazines and ammo boxes, like the detective's - speed loaders. - - rscadd: Added glass tables and overhauled how table construction works. Now, you - need to build a frame using either metal rods or wood planks, and then place - a top on the table. - - tweak: Table disassembly now works in two stages. Screwdriver the table to remove - the top of it and reduce it back to a frame. Frames can be moved around and - walked on top of. Wrench the table to deconstruct it entirely back to parts, - this is quicker and much more like the old fashion. To deconstruct a frame, - use your wrench on it as well. - - bugfix: Fixed traitor med analyzers not fitting in medical belts. - - bugfix: Fixed syringe box bug with medipens. + - rscadd: + Added a defibrillator and an EMT alternative clothing set for medical + doctors. These defibrillators will revive the recently deceased as long as their + souls are occupying their body and they have no outstanding brute or burn damage. + - bugfix: Yes, they actually work now too! + - rscadd: + Added a way for you to unload a round from a chambered projectile weapon. + Simply click on the gun when it is in your active hand, and assuming it does + not have a magazine, the round should pop out. You can also use this system + to unload individual bullets from magazines and ammo boxes, like the detective's + speed loaders. + - rscadd: + Added glass tables and overhauled how table construction works. Now, you + need to build a frame using either metal rods or wood planks, and then place + a top on the table. + - tweak: + Table disassembly now works in two stages. Screwdriver the table to remove + the top of it and reduce it back to a frame. Frames can be moved around and + walked on top of. Wrench the table to deconstruct it entirely back to parts, + this is quicker and much more like the old fashion. To deconstruct a frame, + use your wrench on it as well. + - bugfix: Fixed traitor med analyzers not fitting in medical belts. + - bugfix: Fixed syringe box bug with medipens. Perakp: - - rscadd: Added escape-with-identity objective for changelings. Completion requires - the changeling to have transformed to their target and be wearing an ID card - with the target's name on it when escaping. - - tweak: Changelings can absorb someone even if they have that DNA in storage already. - - bugfix: Fixes hivemind being lost when readapting evolutions. + - rscadd: + Added escape-with-identity objective for changelings. Completion requires + the changeling to have transformed to their target and be wearing an ID card + with the target's name on it when escaping. + - tweak: Changelings can absorb someone even if they have that DNA in storage already. + - bugfix: Fixes hivemind being lost when readapting evolutions. 2014-12-08: Ergovisavi: - - rscadd: Allows using replica pods to clone people without bodies. - - tweak: Speeds up replica pod cloning by adjusting the starting production. - - tweak: Replica pods will now only create plantmen. - - tweak: Mixing blood in a beaker or taking it from a suicide victim will render - the blood sample useless for replica pod cloning. + - rscadd: Allows using replica pods to clone people without bodies. + - tweak: Speeds up replica pod cloning by adjusting the starting production. + - tweak: Replica pods will now only create plantmen. + - tweak: + Mixing blood in a beaker or taking it from a suicide victim will render + the blood sample useless for replica pod cloning. GunHog: - - rscadd: Our top Nanotrasen scientists have provided improved specifications for - the Rapid Part Exchange Device (RPED)! The RPED can now contain up to 50 machine - components, and will display identical items in groups when using its inventory - interface. - - rscadd: Note that power cells, being somewhat bulkier, will take up more space - inside the device. In addition, the RPED's firmware has also been updated to - assist in new machine construction! Simply have the required components inside - the RPED, apply it to an unfinished machine with its circuit board installed, - and watch as the device does the work! - - rscadd: Nanotrasen has updated station bound Artificial Intelligence unit design - specifications to include an integrated subspace radio transmitter. The transmitter - is programmed with all standard department channels, along with the inclusion - of its private channel. It is accessed using :o in its interface. - - rscadd: '{INCOMING CLASSIFIED SYNDICATE TRANSMISSION} Greetings, agents! Today, - we are happy to announce that we have successfully reverse engineered the new - subspace radio found in Nanotrasen''s newest AI build plans. We have included - our encryption data into these transmitters.' - - rscadd: Should you be deployed with one of our agent AIs, it may be wise of you - to purchase a syndicate encryption key in order to contact it securely. Remember, - as with other agents, a Syndicate AI is unlikely to be of the same Syndicate - corporation as you, and you both may actually have conflicting mission parameters! - Your channel, as always, is accessed using :t. + - rscadd: + Our top Nanotrasen scientists have provided improved specifications for + the Rapid Part Exchange Device (RPED)! The RPED can now contain up to 50 machine + components, and will display identical items in groups when using its inventory + interface. + - rscadd: + Note that power cells, being somewhat bulkier, will take up more space + inside the device. In addition, the RPED's firmware has also been updated to + assist in new machine construction! Simply have the required components inside + the RPED, apply it to an unfinished machine with its circuit board installed, + and watch as the device does the work! + - rscadd: + Nanotrasen has updated station bound Artificial Intelligence unit design + specifications to include an integrated subspace radio transmitter. The transmitter + is programmed with all standard department channels, along with the inclusion + of its private channel. It is accessed using :o in its interface. + - rscadd: + "{INCOMING CLASSIFIED SYNDICATE TRANSMISSION} Greetings, agents! Today, + we are happy to announce that we have successfully reverse engineered the new + subspace radio found in Nanotrasen's newest AI build plans. We have included + our encryption data into these transmitters." + - rscadd: + Should you be deployed with one of our agent AIs, it may be wise of you + to purchase a syndicate encryption key in order to contact it securely. Remember, + as with other agents, a Syndicate AI is unlikely to be of the same Syndicate + corporation as you, and you both may actually have conflicting mission parameters! + Your channel, as always, is accessed using :t. Paprika: - - tweak: Changed the way flashbang protection works. Currently, only security helmets - (and their derivatives like swat and riot), and some hardsuit helmets have flashbang - protection. Ear items like earmuffs and 'bowman' headsets (alternative, larger - headsets) have flashbang protection as well, so you're able to go hatless as - security. The Head of security, warden, and detective's hat do NOT have flashbang - protection, but their earpieces do, from the 'noise' part of the flashbang. - The flashbang blind still works as before, with only sunglasses/hardsuit helmets - protecting you. + - tweak: + Changed the way flashbang protection works. Currently, only security helmets + (and their derivatives like swat and riot), and some hardsuit helmets have flashbang + protection. Ear items like earmuffs and 'bowman' headsets (alternative, larger + headsets) have flashbang protection as well, so you're able to go hatless as + security. The Head of security, warden, and detective's hat do NOT have flashbang + protection, but their earpieces do, from the 'noise' part of the flashbang. + The flashbang blind still works as before, with only sunglasses/hardsuit helmets + protecting you. Tkdrg: - - tweak: Security/Medical HUDs are now more responsive and less laggy. + - tweak: Security/Medical HUDs are now more responsive and less laggy. 2014-12-10: GunHog: - - rscadd: The Nanotrasen firmware update 12.05.14 for station AI units and cyborgs - includes a patch to give them more control of their automatic speech systems. - They can now chose if the message should be broadcasted with their installed - radio system and any frequency available to them. + - rscadd: + The Nanotrasen firmware update 12.05.14 for station AI units and cyborgs + includes a patch to give them more control of their automatic speech systems. + They can now chose if the message should be broadcasted with their installed + radio system and any frequency available to them. Paprika: - - rscadd: Added winter coats and winter boots! Bundle up for space xmas! They are - available in most wardrobe and job lockers, and come with special features depending - on the flavor! + - rscadd: + Added winter coats and winter boots! Bundle up for space xmas! They are + available in most wardrobe and job lockers, and come with special features depending + on the flavor! Paprka: - - rscadd: Added a new weapon for syndicate boarding parties, the C-90gl assault - rifle. This is a hybrid rifle with a lot of damage and a grenade launcher alt-fire. - Purchasable for 18TC. - - tweak: Suppressors can now be used on the protolathe SMG and the C-20r. + - rscadd: + Added a new weapon for syndicate boarding parties, the C-90gl assault + rifle. This is a hybrid rifle with a lot of damage and a grenade launcher alt-fire. + Purchasable for 18TC. + - tweak: Suppressors can now be used on the protolathe SMG and the C-20r. RemieRichards: - - tweak: Sounds in areas of low pressure (E.g. Space) are now much quieter - - tweak: To hear someone in space you need to be stood next to them, or use a radio + - tweak: Sounds in areas of low pressure (E.g. Space) are now much quieter + - tweak: To hear someone in space you need to be stood next to them, or use a radio as334: - - rscadd: We've discovered that slimes react to the introduction of certain chemicals - in their bloodstream. Inaprovaline will decrease the slimes children's chance - of mutation, and plasma will increase it. - - rscadd: We've also found that feeding slimes solid plasma bars makes them more - friendly to humans. + - rscadd: + We've discovered that slimes react to the introduction of certain chemicals + in their bloodstream. Inaprovaline will decrease the slimes children's chance + of mutation, and plasma will increase it. + - rscadd: + We've also found that feeding slimes solid plasma bars makes them more + friendly to humans. 2014-12-16: Paprika: - - tweak: Reverted security armor and helmets to the old (Grey) style of armor/helmets. - - tweak: Updated security jumpsuits to be more consistent across officer/warden/HoS - ranks. - - rscadd: Added tactical armor and helmets to replace the largely unused bulletproof - vest in the armory. This armor has higher bullet and explosive resistance than - normal armor, and uses the previous, more military armor/helmet sprites. - - rscadd: Added a new injury doll to go along with the overall health meter. This - will show you locational overall limb-based burn/brute damage, so you can tell - the difference between being hurt with burn/brute or toxins/stamina damage which - does not affect limbs. - - tweak: Reverted some UI icons back to their older status and changed some around - for readability. Thank you for your feedback. + - tweak: Reverted security armor and helmets to the old (Grey) style of armor/helmets. + - tweak: + Updated security jumpsuits to be more consistent across officer/warden/HoS + ranks. + - rscadd: + Added tactical armor and helmets to replace the largely unused bulletproof + vest in the armory. This armor has higher bullet and explosive resistance than + normal armor, and uses the previous, more military armor/helmet sprites. + - rscadd: + Added a new injury doll to go along with the overall health meter. This + will show you locational overall limb-based burn/brute damage, so you can tell + the difference between being hurt with burn/brute or toxins/stamina damage which + does not affect limbs. + - tweak: + Reverted some UI icons back to their older status and changed some around + for readability. Thank you for your feedback. Thunder12345: - - rscadd: Added a new FRAG-12 explosive shotgun shell, built from the unloaded technological - shell, using tablecrafting. Constructed using an unloaded technological tech - shell, 5 units sulphuric acid, 5 units polytrinic acid, 5 units glycerol, and - requires a screwdriver. + - rscadd: + Added a new FRAG-12 explosive shotgun shell, built from the unloaded technological + shell, using tablecrafting. Constructed using an unloaded technological tech + shell, 5 units sulphuric acid, 5 units polytrinic acid, 5 units glycerol, and + requires a screwdriver. phil235: - - rscadd: 'Change to the hunger system. Eating food with sugar temporarily worsens - your nutrition drop rate. Eating too much sugar too quickly can make you temporarily - unable to eat any sugary food. The nutritional effect of sugar depends on how - hungry you are thus it cannot easily raise your nutrition level past well fed - and is best used when hungry. Lots of sugar can make you a bit jittery at times. - Eating food with vitamin (new reagent) counteracts the sugar effects and can - give you temporary buffs when well fed: it lowers your chance to catch or spread - viruses,it makes your body''s metabolism more efficient that is it keeps healing - reagents longer and evacuate toxins faster and reduces damage from radioactive - reagents. Your metabolism gets less efficient if starving.' - - rscadd: 'New hunger hud icons: starving, hungry, fed, well fed, full, fat.' - - rscadd: Snack vending machine get a chef compartment that can be loaded with non-sugary - food by hand or with a tray by anyone with kitchen access (unless you hack the - machine with multitool or emag). The food can be unloaded by anyone, like regular - snacks - - rscadd: Cargo can get a nutritious pizza crate order for 60 points. - - tweak: Grown and cooked food gets some vitamin while junk food gets less nutriment - and more sugar (only hot donkpocket and ramen don't have sugar) - - tweak: The number of junk food in snack vending machine is lowered from 6 to 5 - of each type. - - bugfix: Fixing not being able to load an omelette du fromage on a tray. + - rscadd: + "Change to the hunger system. Eating food with sugar temporarily worsens + your nutrition drop rate. Eating too much sugar too quickly can make you temporarily + unable to eat any sugary food. The nutritional effect of sugar depends on how + hungry you are thus it cannot easily raise your nutrition level past well fed + and is best used when hungry. Lots of sugar can make you a bit jittery at times. + Eating food with vitamin (new reagent) counteracts the sugar effects and can + give you temporary buffs when well fed: it lowers your chance to catch or spread + viruses,it makes your body's metabolism more efficient that is it keeps healing + reagents longer and evacuate toxins faster and reduces damage from radioactive + reagents. Your metabolism gets less efficient if starving." + - rscadd: "New hunger hud icons: starving, hungry, fed, well fed, full, fat." + - rscadd: + Snack vending machine get a chef compartment that can be loaded with non-sugary + food by hand or with a tray by anyone with kitchen access (unless you hack the + machine with multitool or emag). The food can be unloaded by anyone, like regular + snacks + - rscadd: Cargo can get a nutritious pizza crate order for 60 points. + - tweak: + Grown and cooked food gets some vitamin while junk food gets less nutriment + and more sugar (only hot donkpocket and ramen don't have sugar) + - tweak: + The number of junk food in snack vending machine is lowered from 6 to 5 + of each type. + - bugfix: Fixing not being able to load an omelette du fromage on a tray. 2014-12-27: Dorsidwarf: - - tweak: Buffs the RCD from 30 matter units to max capacity 100, and increases the - value of matter charges. + - tweak: + Buffs the RCD from 30 matter units to max capacity 100, and increases the + value of matter charges. Paprika: - - experiment: Taser electrodes now have a limited range of 7 tiles. - - experiment: The energy gun's stun mode has been replaced with a disable mode. - - experiment: Security officers will now spawn with tasers. - - tweak: Disabler beams now go through windows and grilles. - - tweak: Disabler beams now do 33 stamina damage instead of 34. This means they - will only stun in 3 hits on someone that is NOT 100% healthy. - - tweak: Most ballistic projectiles now do stamina damage in addition to their regular - damage instead of stunning. This includes nuke op c-20r .45, detective's revolver, - etc. They are effectively better than disablers at stunning people, as well - as do significant damage, but they do not stun instantly like a taser. Expect - engagements to be a little longer and plan ahead for this. - - rscadd: Added an advanced taser for RnD, the child of a disabler and a taser. + - experiment: Taser electrodes now have a limited range of 7 tiles. + - experiment: The energy gun's stun mode has been replaced with a disable mode. + - experiment: Security officers will now spawn with tasers. + - tweak: Disabler beams now go through windows and grilles. + - tweak: + Disabler beams now do 33 stamina damage instead of 34. This means they + will only stun in 3 hits on someone that is NOT 100% healthy. + - tweak: + Most ballistic projectiles now do stamina damage in addition to their regular + damage instead of stunning. This includes nuke op c-20r .45, detective's revolver, + etc. They are effectively better than disablers at stunning people, as well + as do significant damage, but they do not stun instantly like a taser. Expect + engagements to be a little longer and plan ahead for this. + - rscadd: Added an advanced taser for RnD, the child of a disabler and a taser. Tkdrg: - - rscadd: Envoys from the distant Viji sector have brought an exotic contraption - to Centcomm. Known as the 'supermatter shard', it is a fragment of an ancient - alien artifact, believed to have a dangerous and mysterious power. This precious - item has been made available to the Space Station 13 cargo team for the cost - of a hundred supply points, as a reward for all your hard work. Good luck, and - stay safe. + - rscadd: + Envoys from the distant Viji sector have brought an exotic contraption + to Centcomm. Known as the 'supermatter shard', it is a fragment of an ancient + alien artifact, believed to have a dangerous and mysterious power. This precious + item has been made available to the Space Station 13 cargo team for the cost + of a hundred supply points, as a reward for all your hard work. Good luck, and + stay safe. 2015-01-06: JJRcop, Nienhaus: - - rscadd: Adds emoji to OOC chat. + - rscadd: Adds emoji to OOC chat. 2015-01-13: Dannno: - - rscadd: Adds a bandanas in basic colors to lockers in the station. Activate in - hand to switch between head and mask modes. - - rscadd: Adds more colored jumpsuits to the mixed locker. + - rscadd: + Adds a bandanas in basic colors to lockers in the station. Activate in + hand to switch between head and mask modes. + - rscadd: Adds more colored jumpsuits to the mixed locker. Incoming5643: - - bugfix: Player controlled slimes can now change their face to match AI controlled - slimes in kawaiiness. use *help as a slime to find the commands. + - bugfix: + Player controlled slimes can now change their face to match AI controlled + slimes in kawaiiness. use *help as a slime to find the commands. Studley: - - bugfix: Fixed NTSL division. - - rscadd: Added new NTSL math functions, including 'sin,' 'cos,' 'asin,' 'acos,' - and 'log.' + - bugfix: Fixed NTSL division. + - rscadd: + Added new NTSL math functions, including 'sin,' 'cos,' 'asin,' 'acos,' + and 'log.' 2015-01-14: Boggart: - - rscadd: 'Adds a new spell: Repulse. (Cooldown: 40 seconds, 15 at max upgrade.) - Repulse throws objects and creatures within 5 tiles of the caster away and stuns - them for a very short time. Distance thrown decreases as the distance from the - caster increases. (Max of 5, minimum of 3) Casting it while standing over someone - will stun them for longer and cause brute damage but will not throw them.' - - bugfix: Fixes the Exosuit Control Console having the unpowered icon state while - powered. + - rscadd: + "Adds a new spell: Repulse. (Cooldown: 40 seconds, 15 at max upgrade.) + Repulse throws objects and creatures within 5 tiles of the caster away and stuns + them for a very short time. Distance thrown decreases as the distance from the + caster increases. (Max of 5, minimum of 3) Casting it while standing over someone + will stun them for longer and cause brute damage but will not throw them." + - bugfix: + Fixes the Exosuit Control Console having the unpowered icon state while + powered. Iamgootball: - - rscadd: Added Goonstation Chemistry! - - rscadd: Adds 14 medicines! - - rscadd: Adds 3 pyrotechnics! - - rscadd: Adds 3 drugs with actual gameplay uses! - - rscadd: Adds 7 toxins! - - rscadd: Adds a Chemical Heater for some new recipes! - - rscadd: Adds Chemical Patches for touch based applications! - - rscadd: Adds a Traitor Poison Kit! - - rscadd: Adds Morphine Medipens! - - rscadd: Adds Morphine bottles to Cargo! + - rscadd: Added Goonstation Chemistry! + - rscadd: Adds 14 medicines! + - rscadd: Adds 3 pyrotechnics! + - rscadd: Adds 3 drugs with actual gameplay uses! + - rscadd: Adds 7 toxins! + - rscadd: Adds a Chemical Heater for some new recipes! + - rscadd: Adds Chemical Patches for touch based applications! + - rscadd: Adds a Traitor Poison Kit! + - rscadd: Adds Morphine Medipens! + - rscadd: Adds Morphine bottles to Cargo! 2015-01-17: Cheridan: - - tweak: The lockbox system for R&D has been replaced with a firing pin system. - Ask the Warden or HoS for firing pins to allow normal operation of your firearms. - Want to test them out at the range? Try printing a test-range pin. - - tweak: Nuke Ops have used this new technology to lock some of their heavier weapons - so that crew cannot use them. These implants replace their explosive implants. - - rscadd: Explosive implants are now purchasable in the uplink, and are much stronger. + - tweak: + The lockbox system for R&D has been replaced with a firing pin system. + Ask the Warden or HoS for firing pins to allow normal operation of your firearms. + Want to test them out at the range? Try printing a test-range pin. + - tweak: + Nuke Ops have used this new technology to lock some of their heavier weapons + so that crew cannot use them. These implants replace their explosive implants. + - rscadd: Explosive implants are now purchasable in the uplink, and are much stronger. Firecage: - - rscadd: NanoTrasen would like to report that our Mechanical Engineers at NTEngiCore - has recently upgraded the capacity of the machines known as Biogenerators. They - are now have the added ability to create various belts, and also weed/plantkillers - and cartons of milk and cream! + - rscadd: + NanoTrasen would like to report that our Mechanical Engineers at NTEngiCore + has recently upgraded the capacity of the machines known as Biogenerators. They + are now have the added ability to create various belts, and also weed/plantkillers + and cartons of milk and cream! Iamgoofball (Look Ma, I didn't mispell my name this time!): - - rscadd: Replaced Star Trek chemistry with Goon Chemistry. - - rscadd: 'Emergency Medic''s Handbook Tip 1: Styptic Powder = BRUTE, Silver Sulfadiazine - = BURN, Charcoal = TOX, Salbutamol = OXY' - - rscadd: 'In recipes that used removed reagents, they have been replaced with their - goon chemistry counterpart:' - - rscadd: Hyperzine -> Morphine - - rscadd: Inaprovaline -> Epinephrine - - rscadd: Kelotane -> Saline-Glucose Solution - - rscadd: Bicardine -> Saline-Glucose Solution - - rscadd: Dermaline -> Saline-Glucose Solution - - rscadd: Dexalin -> Salbutamol - - rscadd: Dexalin Plus -> Salbutamol - - rscadd: Tricordrazine -> Omnizine - - rscadd: Anti-Toxin -> Charcoal - - rscadd: Hydronalin -> Penetic Acid - - rscadd: Arithrazine -> Penetic Acid - - rscadd: Imidazoline -> Oculine - - rscadd: Mannitol -> Alkysine - - rscadd: Ryetalyn -> Mutadone + - rscadd: Replaced Star Trek chemistry with Goon Chemistry. + - rscadd: + "Emergency Medic's Handbook Tip 1: Styptic Powder = BRUTE, Silver Sulfadiazine + = BURN, Charcoal = TOX, Salbutamol = OXY" + - rscadd: + "In recipes that used removed reagents, they have been replaced with their + goon chemistry counterpart:" + - rscadd: Hyperzine -> Morphine + - rscadd: Inaprovaline -> Epinephrine + - rscadd: Kelotane -> Saline-Glucose Solution + - rscadd: Bicardine -> Saline-Glucose Solution + - rscadd: Dermaline -> Saline-Glucose Solution + - rscadd: Dexalin -> Salbutamol + - rscadd: Dexalin Plus -> Salbutamol + - rscadd: Tricordrazine -> Omnizine + - rscadd: Anti-Toxin -> Charcoal + - rscadd: Hydronalin -> Penetic Acid + - rscadd: Arithrazine -> Penetic Acid + - rscadd: Imidazoline -> Oculine + - rscadd: Mannitol -> Alkysine + - rscadd: Ryetalyn -> Mutadone Steelpoint: - - rscadd: The Emergency Response Team project has been activated by Nanotrasen. - The ERT are a seven man squad that can be deployed by the Central Command (admins) - to attempt to rescue the station from a overwhelming threat, or to render assistance - in dealing with a significant problem. - - rscadd: The ERT consists of a single Commander, two Security Officers, two Engineering - Officers and two Medical Officers. The Commander is preselected when the squad - is being spawned in, however the remaining six officers are free to select their - role in the squad. - - rscadd: Two new Pulse gun variants have been added to the game. They are the Pulse - Carbine and the Pulse Pistol, both have significantly smaller ammunition capacities - than the Pulse Rifle, however they both can fit in a backpack and the pistol - can fit in a pocket. All ERT Officers have a Pulse Pistol for a sidearm, however - the Security Officers get a Pulse Carbine as their primary longarm. + - rscadd: + The Emergency Response Team project has been activated by Nanotrasen. + The ERT are a seven man squad that can be deployed by the Central Command (admins) + to attempt to rescue the station from a overwhelming threat, or to render assistance + in dealing with a significant problem. + - rscadd: + The ERT consists of a single Commander, two Security Officers, two Engineering + Officers and two Medical Officers. The Commander is preselected when the squad + is being spawned in, however the remaining six officers are free to select their + role in the squad. + - rscadd: + Two new Pulse gun variants have been added to the game. They are the Pulse + Carbine and the Pulse Pistol, both have significantly smaller ammunition capacities + than the Pulse Rifle, however they both can fit in a backpack and the pistol + can fit in a pocket. All ERT Officers have a Pulse Pistol for a sidearm, however + the Security Officers get a Pulse Carbine as their primary longarm. phil235: - - rscadd: The two library consoles are now real buildable computers. The circuitboard - design is available in R&D. + - rscadd: + The two library consoles are now real buildable computers. The circuitboard + design is available in R&D. sawu-tg: - - rscadd: Added a new R&D machine, to replace the telescience room. The Machine - is based on RND and various interdepartmental creations. + - rscadd: + Added a new R&D machine, to replace the telescience room. The Machine + is based on RND and various interdepartmental creations. 2015-01-21: Iamgoofball: - - rscadd: Addiction and Overdosing has been added to Chemistry. - - rscadd: Deal with Overdosing by purging the ODing chemical with Calomel or Penetic - Acid. - - rscadd: Deal with Addiction by either going cold turkey on it and weathering the - effects, eventually causing the addiction to subside, or by taking more of the - addictive substance to keep the effects down. - - rscadd: Cryoxadane was heavily buffed. Clonex was removed as it was merged into - Cryox. - - rscadd: Fixes a shitton of stuff adding Morphine instead of Ephedrine. Sorry, - miners. - - rscadd: Fixes instances of Alkysine not being replaced with Mannitol. Same with - Ryetalyn being replaced with Mutadone. - - rscadd: Adds Itching Powder. Welding Fuel and Ammonia. - - rscadd: Adds Antihol. Ethanol and Charcoal. - - rscadd: Adds Triple Citrus. Lemon Juice, Lime Juice, and Orange Juice. - - rscadd: Adds Colorful Reagent. Stable Plasma, Triple Citrus, - - rscadd: Morphine replaces sleep toxin now, not Hyperzine. Hyperzine is replaced - by Ephedrine now. - - rscadd: Cryotubes will now autoeject you once you are fully healed. - - rscadd: Synthflesh damage values have been fixed. - - rscadd: Charcoal has been buffed to heal 3 TOX damage a cycle and it purges other - chemicals faster. - - rscadd: Saline-Glucose Solution has been buffed. It now has a 50% chance per cycle - to heal 3 BRUTE and BURN per tick. - - rscadd: Fixes Strange Reagent revivals dying right after being revived. They'll - still need immediate medical treatment, however. - - rscadd: Cryoxadone has had a recipe change. It is now Stable Plasma, Acetone, - and Unstable Mutagen. - - rscadd: Adds 9 new Disabilites and 2 new genetic powers. - - rscadd: You can now heat donk pockets once more. Rejoice. + - rscadd: Addiction and Overdosing has been added to Chemistry. + - rscadd: + Deal with Overdosing by purging the ODing chemical with Calomel or Penetic + Acid. + - rscadd: + Deal with Addiction by either going cold turkey on it and weathering the + effects, eventually causing the addiction to subside, or by taking more of the + addictive substance to keep the effects down. + - rscadd: + Cryoxadane was heavily buffed. Clonex was removed as it was merged into + Cryox. + - rscadd: + Fixes a shitton of stuff adding Morphine instead of Ephedrine. Sorry, + miners. + - rscadd: + Fixes instances of Alkysine not being replaced with Mannitol. Same with + Ryetalyn being replaced with Mutadone. + - rscadd: Adds Itching Powder. Welding Fuel and Ammonia. + - rscadd: Adds Antihol. Ethanol and Charcoal. + - rscadd: Adds Triple Citrus. Lemon Juice, Lime Juice, and Orange Juice. + - rscadd: Adds Colorful Reagent. Stable Plasma, Triple Citrus, + - rscadd: + Morphine replaces sleep toxin now, not Hyperzine. Hyperzine is replaced + by Ephedrine now. + - rscadd: Cryotubes will now autoeject you once you are fully healed. + - rscadd: Synthflesh damage values have been fixed. + - rscadd: + Charcoal has been buffed to heal 3 TOX damage a cycle and it purges other + chemicals faster. + - rscadd: + Saline-Glucose Solution has been buffed. It now has a 50% chance per cycle + to heal 3 BRUTE and BURN per tick. + - rscadd: + Fixes Strange Reagent revivals dying right after being revived. They'll + still need immediate medical treatment, however. + - rscadd: + Cryoxadone has had a recipe change. It is now Stable Plasma, Acetone, + and Unstable Mutagen. + - rscadd: Adds 9 new Disabilites and 2 new genetic powers. + - rscadd: You can now heat donk pockets once more. Rejoice. 2015-01-26: Dannno: - - rscadd: Added fannypacks of multiple colors, 3 of which are accessible from the - clothing vendor. - - rscadd: Added dufflebags to multiple lockers throughout the station and to the - syndicate shuttle, more storage slots at the cost of move speed. + - rscadd: + Added fannypacks of multiple colors, 3 of which are accessible from the + clothing vendor. + - rscadd: + Added dufflebags to multiple lockers throughout the station and to the + syndicate shuttle, more storage slots at the cost of move speed. Deantwo: - - bugfix: Fixed some bugs in PDA's NTRC Chatroom feature. - - rscadd: You can now use PaperBBCode/PenCode when writing news articles on the - newscaster. - - rscadd: PDA's Notekeeper now uses PaperBBCode/PenCode rather than HTML. - - tweak: Scanning paper with your PDA is now more informative. + - bugfix: Fixed some bugs in PDA's NTRC Chatroom feature. + - rscadd: + You can now use PaperBBCode/PenCode when writing news articles on the + newscaster. + - rscadd: PDA's Notekeeper now uses PaperBBCode/PenCode rather than HTML. + - tweak: Scanning paper with your PDA is now more informative. Firecage: - - rscadd: We, at NanoTrasen, have recently upgraded the Kitchen Spikes to include - the skin of both Monkeys and Aliens when you harvest their flesh! - - rscadd: In other news, a station in a nearby Sector has been making monkey and - xeno costumes. We are not sure why. - - rscadd: Added the ability to reform mineral floortiles back into sheets/bars + - rscadd: + We, at NanoTrasen, have recently upgraded the Kitchen Spikes to include + the skin of both Monkeys and Aliens when you harvest their flesh! + - rscadd: + In other news, a station in a nearby Sector has been making monkey and + xeno costumes. We are not sure why. + - rscadd: Added the ability to reform mineral floortiles back into sheets/bars Ikarrus: - - rscadd: Added a new config option MINIMAL_ACCESS_THRESHOLD that can be used to - automatically give players more access during low-population rounds. See game_options.txt - for more information. + - rscadd: + Added a new config option MINIMAL_ACCESS_THRESHOLD that can be used to + automatically give players more access during low-population rounds. See game_options.txt + for more information. Lo6a4evskiy: - - rscadd: The kitchen now contains a brand new food cart. It can store foods and - liquids, mix them into cocktails and dispense where needed. Food delivery has - never been easier! + - rscadd: + The kitchen now contains a brand new food cart. It can store foods and + liquids, mix them into cocktails and dispense where needed. Food delivery has + never been easier! fleure: - - rscadd: Added briefcase filled with cash to uplink. + - rscadd: Added briefcase filled with cash to uplink. 2015-02-04: Danno: - - bugfix: Fixes dufflebag's storage capacity. + - bugfix: Fixes dufflebag's storage capacity. Deantwo: - - bugfix: Removes duplicate fluorine from Chemical Dispenser. - - bugfix: Added GoonChems to the Portable Chem Dispenser. - - bugfix: Added cancel buttons to the ChemMaster and CondiMaster when making bottles, - pills, etc. + - bugfix: Removes duplicate fluorine from Chemical Dispenser. + - bugfix: Added GoonChems to the Portable Chem Dispenser. + - bugfix: + Added cancel buttons to the ChemMaster and CondiMaster when making bottles, + pills, etc. Delimusca: - - rscadd: Added new foam armblade toy to arcade prizes. - - tweak: Slimes can drag themselves to mobs to start feeding. - - tweak: Attacking another slime will pull them off their victim if they're feeding - or steal some of their mass. + - rscadd: Added new foam armblade toy to arcade prizes. + - tweak: Slimes can drag themselves to mobs to start feeding. + - tweak: + Attacking another slime will pull them off their victim if they're feeding + or steal some of their mass. GunHog: - - rscadd: 'Five new silicon emotes: *buzz2, *chime, *honk, *sad and *warn' + - rscadd: "Five new silicon emotes: *buzz2, *chime, *honk, *sad and *warn" Incoming5643: - - rscadd: New contraband crate containing fifty butterflies. - - tweak: Shuttle will now always arrive, but won't launch in rounds where it would've - been previously auto-recalled. + - rscadd: New contraband crate containing fifty butterflies. + - tweak: + Shuttle will now always arrive, but won't launch in rounds where it would've + been previously auto-recalled. Menshin: - - bugfix: Fixed being unable to place cables on plating. + - bugfix: Fixed being unable to place cables on plating. Paprika: - - wip: Helmets for hardsuits are stored inside the suit and cannot be equipped without - the suit on. - - tweak: EVA space suits are now lighter for faster movement but lack flash or welding - protection, don't hide your identity and have less radiation protection. + - wip: + Helmets for hardsuits are stored inside the suit and cannot be equipped without + the suit on. + - tweak: + EVA space suits are now lighter for faster movement but lack flash or welding + protection, don't hide your identity and have less radiation protection. Perakp: - - tweak: Tweaked slowdown due to coldness when in in low gravity. + - tweak: Tweaked slowdown due to coldness when in in low gravity. Steelpoint: - - rscadd: ERT base equipment rooms are now access restriction to each role. - - tweak: ERT commander spawns wearing hardsuit for identification. - - rscadd: Two boxes of metal foam grenades added for ERT engineers. - - rscadd: Deep space sensors recently detected the derelict remains of the NTSS - Omen, a outdated Medical Frigate thought lost, within close proximity to Space - Station 13. - - rscadd: If any SS13 EVA Personal are able to locate this ship, they will be able - to pilot it back to the station for recovery. The ship may also have cordinates - for other locations. + - rscadd: ERT base equipment rooms are now access restriction to each role. + - tweak: ERT commander spawns wearing hardsuit for identification. + - rscadd: Two boxes of metal foam grenades added for ERT engineers. + - rscadd: + Deep space sensors recently detected the derelict remains of the NTSS + Omen, a outdated Medical Frigate thought lost, within close proximity to Space + Station 13. + - rscadd: + If any SS13 EVA Personal are able to locate this ship, they will be able + to pilot it back to the station for recovery. The ship may also have cordinates + for other locations. Xhuis: - - rscadd: Changelings now have the ability Strained Muscles, which lets them move - at inhuman speeds at the cost of rapid stamina damage. It costs one evolution - points=. - - rscadd: Changelings now have the ability Augmented Eyesight, which lets them see - creatures through walls and see in the dark. It costs two evolution points. - - tweak: After many failed raids, the Syndicate have finally done something about - poor communications between cyborgs and operatives. - - rscadd: Syndicate Cyborgs now come equipped with operative pinpointers, which - will automatically point to the nearest nuclear operative. - - tweak: Handheld crew monitors can now be stored in medical belts. + - rscadd: + Changelings now have the ability Strained Muscles, which lets them move + at inhuman speeds at the cost of rapid stamina damage. It costs one evolution + points=. + - rscadd: + Changelings now have the ability Augmented Eyesight, which lets them see + creatures through walls and see in the dark. It costs two evolution points. + - tweak: + After many failed raids, the Syndicate have finally done something about + poor communications between cyborgs and operatives. + - rscadd: + Syndicate Cyborgs now come equipped with operative pinpointers, which + will automatically point to the nearest nuclear operative. + - tweak: Handheld crew monitors can now be stored in medical belts. 2015-02-05: Danno: - - rscadd: Added suicide messages for all gun types and various different items. + - rscadd: Added suicide messages for all gun types and various different items. Paprika: - - wip: Compacted ERT room by removing equipment rooms, filler rooms and pre-spawned - mechs. - - tweak: Rebalanced Pulse weapons to have more shots, faster charge, EMP immunity - and modified sprites. - - rscadd: ERT spawns fully equipped with no-slowdown suits. - - rscadd: Added blood and bleeding. If you take enough brute damage on a certain - limb, you will start bleeding, and will need to patch your bleeding with gauze - from medbay. You can replace lost blood by eating nutritious food and waiting - for your heart to reproduce it, or by getting a blood transfusion from an IV - drip. + - wip: + Compacted ERT room by removing equipment rooms, filler rooms and pre-spawned + mechs. + - tweak: + Rebalanced Pulse weapons to have more shots, faster charge, EMP immunity + and modified sprites. + - rscadd: ERT spawns fully equipped with no-slowdown suits. + - rscadd: + Added blood and bleeding. If you take enough brute damage on a certain + limb, you will start bleeding, and will need to patch your bleeding with gauze + from medbay. You can replace lost blood by eating nutritious food and waiting + for your heart to reproduce it, or by getting a blood transfusion from an IV + drip. Vekter: - - rscadd: Added a toy red button to the Arcade cabinets. + - rscadd: Added a toy red button to the Arcade cabinets. 2015-02-18: Dannno: - - rscadd: Added proper slurring when drunk. + - rscadd: Added proper slurring when drunk. Deantwo: - - tweak: Updated the ChemMaster's UI to the station default along with some functionality - improvements. - - bugfix: You can now spam the 'Ready' button as much as you want without it setting - you 'Not ready' again. + - tweak: + Updated the ChemMaster's UI to the station default along with some functionality + improvements. + - bugfix: + You can now spam the 'Ready' button as much as you want without it setting + you 'Not ready' again. Dorsidwarf: - - rscadd: Added the ability to call Central Command for the nuclear authentication - codes. This requires a captain-level ID and admin approval, and warns the crew. + - rscadd: + Added the ability to call Central Command for the nuclear authentication + codes. This requires a captain-level ID and admin approval, and warns the crew. Gun Hog: - - tweak: E.X.P.E.R.I-MENTOR meteor storm event replaced with a fireball that targets - random nearby mob. - - tweak: EMP event range reduced. - - bugfix: Self-duplicating relics limited to 10 copies. - - tweak: Nanotrasen has released a firmware patch for the Ore Redemption Machine, - which now allows the station AI, cyborgs, and maintenance drones to smelt raw - resources without the need of a valid identification card installed. - - tweak: Nanotrasen scientists have completed their designs for a lightweight, compacted - anti-armor ion weapon, without loss of efficiency. In theory, such a weapon - could easily fit within standard issue backpacks and satchels. With sufficient - research into weapons technology and materials, Nanotrasen believes a working - prototype can be fabricated. + - tweak: + E.X.P.E.R.I-MENTOR meteor storm event replaced with a fireball that targets + random nearby mob. + - tweak: EMP event range reduced. + - bugfix: Self-duplicating relics limited to 10 copies. + - tweak: + Nanotrasen has released a firmware patch for the Ore Redemption Machine, + which now allows the station AI, cyborgs, and maintenance drones to smelt raw + resources without the need of a valid identification card installed. + - tweak: + Nanotrasen scientists have completed their designs for a lightweight, compacted + anti-armor ion weapon, without loss of efficiency. In theory, such a weapon + could easily fit within standard issue backpacks and satchels. With sufficient + research into weapons technology and materials, Nanotrasen believes a working + prototype can be fabricated. Iamgoofball: - - rscadd: Buffs the shit out of Styptic Powder and Silver Sulf, they're now viable - to use. Synthflesh is still good for general treatment, but overall Styptic - and Silver Sulf deal with their respective damage types way better now. - - tweak: Improves kinetic accelerator's mining strength. - - tweak: The kinetic accelerator's cooldown can be decreased by tweaking the thermal - exchanger with a screwdriver. - - tweak: The range can be increased with plasma sheets + - rscadd: + Buffs the shit out of Styptic Powder and Silver Sulf, they're now viable + to use. Synthflesh is still good for general treatment, but overall Styptic + and Silver Sulf deal with their respective damage types way better now. + - tweak: Improves kinetic accelerator's mining strength. + - tweak: + The kinetic accelerator's cooldown can be decreased by tweaking the thermal + exchanger with a screwdriver. + - tweak: The range can be increased with plasma sheets Incoming5643: - - rscadd: Medical borgs have been given full surgery tools which they can't fail - a procedure with. - - rscadd: Medical borgs also have rechargeable gauze. - - tweak: Borg hypo's omnizine replaced with salbutamol, salglu and charcoal. - - rscadd: Slime and Jelly mutant races now actually contain slime jelly. While playing - as these races you will naturally produce it internally from your nutrition, - so be sure to stay well fed as losing too much is dangerous to your health! - Beware of chems that clear toxins, as they can be rapidly fatal to you! + - rscadd: + Medical borgs have been given full surgery tools which they can't fail + a procedure with. + - rscadd: Medical borgs also have rechargeable gauze. + - tweak: Borg hypo's omnizine replaced with salbutamol, salglu and charcoal. + - rscadd: + Slime and Jelly mutant races now actually contain slime jelly. While playing + as these races you will naturally produce it internally from your nutrition, + so be sure to stay well fed as losing too much is dangerous to your health! + Beware of chems that clear toxins, as they can be rapidly fatal to you! Jordie0608: - - tweak: Veil render and rifts changed to spawn with vars, rifts can be closed with - a nullrod. + - tweak: + Veil render and rifts changed to spawn with vars, rifts can be closed with + a nullrod. Lo6a4evskiy: - - rscadd: General record now contains a species field and a photo of the crewmember. - Security record consoles allow you to update it with a photo taken in-game (with - detective's camera, for example, or AI's). - - rscadd: Expanded functionality of security HUDs to display rank and photos. - - rscadd: Medical HUDs allow user to change others' mental and physical status. - Currently has no gameplay effect other than changing records. - - rscadd: Medical HUDs can perform an examination at the distance, similrarly to - how attacking yourself with help intent works. Has limited ability to detect - suffocation and toxin damage. + - rscadd: + General record now contains a species field and a photo of the crewmember. + Security record consoles allow you to update it with a photo taken in-game (with + detective's camera, for example, or AI's). + - rscadd: Expanded functionality of security HUDs to display rank and photos. + - rscadd: + Medical HUDs allow user to change others' mental and physical status. + Currently has no gameplay effect other than changing records. + - rscadd: + Medical HUDs can perform an examination at the distance, similrarly to + how attacking yourself with help intent works. Has limited ability to detect + suffocation and toxin damage. Menshin: - - rscadd: Solar control computers remade with NanoUI + - rscadd: Solar control computers remade with NanoUI Paprika: - - tweak: Added rnd requirements to borg upgrades and tweaked the prices. - - rscadd: Changed some clothing around. Added a turtleneck for the HoS. Removed - 'civillian' armor and gave normal armor to the bartender and HoP. Added flash - protection to the HoS' eyepatch, it functions like sunglasses now. Additionally, - added the ability to store ammo on your shoulder holster as detective. - - rscadd: Removed the defib steal objective. Added a compact defibrillator for the - CMO that equips to the belt. Removed defibrillators from RND. Removed the requirement - for people to not wear armor to revive them with defibs. Doubled defib timers - (10 minutes before permadeath). - - rscadd: Flashlights can be attached to pulse carbines. - - rscadd: Miners spawn with a brute patch. - - tweak: Mining station's sleeper has been replaced with an IV drip and more medkits. - - rscadd: Added hard-light holotape. This holographic police or engineering hazard - tape will block entry if you're running, so you need to walk to pass it. This - is to help people not sprint into breaches or crime scenes. - - bugfix: Fixed being able to sling the strapless improvised shotgun on your back. - - tweak: Reverted the price of the ebow to 12tc and removed the range limit of its - bolts. + - tweak: Added rnd requirements to borg upgrades and tweaked the prices. + - rscadd: + Changed some clothing around. Added a turtleneck for the HoS. Removed + 'civillian' armor and gave normal armor to the bartender and HoP. Added flash + protection to the HoS' eyepatch, it functions like sunglasses now. Additionally, + added the ability to store ammo on your shoulder holster as detective. + - rscadd: + Removed the defib steal objective. Added a compact defibrillator for the + CMO that equips to the belt. Removed defibrillators from RND. Removed the requirement + for people to not wear armor to revive them with defibs. Doubled defib timers + (10 minutes before permadeath). + - rscadd: Flashlights can be attached to pulse carbines. + - rscadd: Miners spawn with a brute patch. + - tweak: Mining station's sleeper has been replaced with an IV drip and more medkits. + - rscadd: + Added hard-light holotape. This holographic police or engineering hazard + tape will block entry if you're running, so you need to walk to pass it. This + is to help people not sprint into breaches or crime scenes. + - bugfix: Fixed being able to sling the strapless improvised shotgun on your back. + - tweak: + Reverted the price of the ebow to 12tc and removed the range limit of its + bolts. Sometinyprick: - - rscadd: Novely pig mask prize from arcade machines, can be toggled to make you - squeal like a pig. + - rscadd: + Novely pig mask prize from arcade machines, can be toggled to make you + squeal like a pig. Steelpoint: - - rscadd: Security Cyborgs Advance Taser have been replaced with a Disabler. + - rscadd: Security Cyborgs Advance Taser have been replaced with a Disabler. TZK13: - - rscadd: Adds plaid skirts and new schoolgirl outfits to the autodrobe - - tweak: Novaflowers apply a firestack for every 20 potency they have. - - tweak: You can now juice whole watermelons instead of slices. - - rscadd: 'Advancements in the field of virology by Nanotrasen''s finest have uncovered - three new disease symptoms for further research:' - - rscadd: Ocular Restoration heals any eye trauma experienced by the infected patient. - - rscadd: Revitiligo increases the pigmentation levels of the infected patient's - skin. - - rscadd: Spontaneous Combustion ignites the infected patient without warning. + - rscadd: Adds plaid skirts and new schoolgirl outfits to the autodrobe + - tweak: Novaflowers apply a firestack for every 20 potency they have. + - tweak: You can now juice whole watermelons instead of slices. + - rscadd: + "Advancements in the field of virology by Nanotrasen's finest have uncovered + three new disease symptoms for further research:" + - rscadd: Ocular Restoration heals any eye trauma experienced by the infected patient. + - rscadd: + Revitiligo increases the pigmentation levels of the infected patient's + skin. + - rscadd: Spontaneous Combustion ignites the infected patient without warning. Vekter: - - rscadd: Added shot glasses! Can be obtained from the Booze-o-Mat. - - rscadd: A new premium vodka has been added to the game, hidden in a special spot. - - tweak: Due to constant attempts to break into the station's safe, the contents - have been relocated and have not been replaced. We promise. There is absolutely - NO reason to break into the vault's safe anymore. - - tweak: Each shot glass now holds 15 units, and the drinker takes all 15 in one - gulp instead of 5 at a time. This means you can mix certain shots (namely, the - B-52 and Toxins Special) in a shot glass. Both drinks have been made exclusive - to shot glasses and will no longer show their specific sprite in a normal glass. - - rscadd: Added new sprites for most alcohol in shot glasses. Everything else will - show up as 'shot of... what?'. - - bugfix: Fixed shot glasses turning into regular glasses when filled. - - bugfix: Fixed tequila bottle sprites not showing up. - - bugfix: Fixed a typo! - - tweak: Roboticists will now start with a full toolbelt instead of a toolbox. + - rscadd: Added shot glasses! Can be obtained from the Booze-o-Mat. + - rscadd: A new premium vodka has been added to the game, hidden in a special spot. + - tweak: + Due to constant attempts to break into the station's safe, the contents + have been relocated and have not been replaced. We promise. There is absolutely + NO reason to break into the vault's safe anymore. + - tweak: + Each shot glass now holds 15 units, and the drinker takes all 15 in one + gulp instead of 5 at a time. This means you can mix certain shots (namely, the + B-52 and Toxins Special) in a shot glass. Both drinks have been made exclusive + to shot glasses and will no longer show their specific sprite in a normal glass. + - rscadd: + Added new sprites for most alcohol in shot glasses. Everything else will + show up as 'shot of... what?'. + - bugfix: Fixed shot glasses turning into regular glasses when filled. + - bugfix: Fixed tequila bottle sprites not showing up. + - bugfix: Fixed a typo! + - tweak: Roboticists will now start with a full toolbelt instead of a toolbox. drovidi: - - tweak: Blobs who burst in space will be given a 30 second warning before dying. - - tweak: If a blob does die from bursting in space, a new crewmember will be infected. - - bugfix: If there are no blobs or infected crew left after bursting, the round - will now end properly, rather than becoming endless. + - tweak: Blobs who burst in space will be given a 30 second warning before dying. + - tweak: If a blob does die from bursting in space, a new crewmember will be infected. + - bugfix: + If there are no blobs or infected crew left after bursting, the round + will now end properly, rather than becoming endless. phil235: - - tweak: You no longer need to cut the syphon wire to deconstruct air alarms. - - rscadd: 'Cooking overhaul: microwave recipes are converted to tablecraft recipes.' - - rscadd: Added customizable food (burger,sandwich,spaghettis,soup,salad,cake,bread,kebab,pie) - with specific color depending on ingredients used. - - rscadd: Added new food ingredients (dough, flat dough, cake batter, pie dough, - doughslice, bun, raw pastry base, pastry base, raw cutlet, cutlet, pizzabread). - Dough is made by mixing egg and flour, then transformed by using knife, rollingpin, - milk and microwave. Meat is now sliceable into rawcutlets (specific color for - each meat type). - - rscadd: Changed food recipes a bit (replacing stuff with new food ingredients). - - rscadd: Repurposed the microwave to actually cook certain food items(no reagents - required), renamed it microwave oven and added a power setting to it. - - rscadd: Bowl is no longer trash but a beaker-like container that is used in salad&soup - recipes. Also, milk and soymilk cartons as well as flour packs are now condiment - bottles. - - rscadd: Changed the hunger system a bit, sugar becomes a normal reagent again. - Faster nutrition drain is now handled by a variable in junk food. Also added - a slight buff to vitamin. + - tweak: You no longer need to cut the syphon wire to deconstruct air alarms. + - rscadd: "Cooking overhaul: microwave recipes are converted to tablecraft recipes." + - rscadd: + Added customizable food (burger,sandwich,spaghettis,soup,salad,cake,bread,kebab,pie) + with specific color depending on ingredients used. + - rscadd: + Added new food ingredients (dough, flat dough, cake batter, pie dough, + doughslice, bun, raw pastry base, pastry base, raw cutlet, cutlet, pizzabread). + Dough is made by mixing egg and flour, then transformed by using knife, rollingpin, + milk and microwave. Meat is now sliceable into rawcutlets (specific color for + each meat type). + - rscadd: Changed food recipes a bit (replacing stuff with new food ingredients). + - rscadd: + Repurposed the microwave to actually cook certain food items(no reagents + required), renamed it microwave oven and added a power setting to it. + - rscadd: + Bowl is no longer trash but a beaker-like container that is used in salad&soup + recipes. Also, milk and soymilk cartons as well as flour packs are now condiment + bottles. + - rscadd: + Changed the hunger system a bit, sugar becomes a normal reagent again. + Faster nutrition drain is now handled by a variable in junk food. Also added + a slight buff to vitamin. xxalpha: - - rscadd: You now hear the voice of the chosen deity in prayers. + - rscadd: You now hear the voice of the chosen deity in prayers. 2015-02-25: Cheridan: - - rscadd: Foam now carries reagents, similarly to smoke. Have fun with that. + - rscadd: Foam now carries reagents, similarly to smoke. Have fun with that. Dannno: - - rscadd: Altered the sprite for security hardsuits. The old sprite is now a HoS - specific hardsuit. + - rscadd: + Altered the sprite for security hardsuits. The old sprite is now a HoS + specific hardsuit. Delimusca: - - rscadd: Turret's guns replaced by a heavy energy cannon. - - tweak: Firing a heavy weapon sindlehandedly can make it recoil out of your hands. + - rscadd: Turret's guns replaced by a heavy energy cannon. + - tweak: Firing a heavy weapon sindlehandedly can make it recoil out of your hands. Gun Hog: - - tweak: Nanotrasen has released new design specifications for the prototype combination - of standard night-vision equipment and Optical Meson Scanners. We believe that - this will address the concerns many Shaft Miners have concerning visiblity in - a potentially unsafe environment. - - bugfix: Fixed malf AI's turret upgrade power not working. + - tweak: + Nanotrasen has released new design specifications for the prototype combination + of standard night-vision equipment and Optical Meson Scanners. We believe that + this will address the concerns many Shaft Miners have concerning visiblity in + a potentially unsafe environment. + - bugfix: Fixed malf AI's turret upgrade power not working. Iamgoofball: - - rscadd: You can now go into hyperglycaemic shock from having over 200u of Sugar - in your body at once. Treat it with Insulin. - - rscadd: Insulin has been added. Use it to treat hyperglycaemic shock. You can - get it from medical vendors and the Cargo medicine supplies crate. - - rscadd: Medvendor contents have been reduced from medical having everything they - need at roundstart level, and toxin bottles are now back in the vendor. - - rscadd: Medical Analyzers now have 2 modes, Medical Scan and Chemical Scan. You - can swap between modes by clicking on it in hand. - - rscadd: Medical scan is default behavior. Chemical scan shows all the reagents - inside the mob at the time, along with any addictions the mob has. It will show - if a reagent is overdosing. - - rscadd: Tobacco and Space Tobacco have Nicotine in them now. - - rscadd: Adds Methamphetamine to the game. Mix it with Ephedrine, Iodine, Phosphorous, - and Hydrogen at 374K. - - rscadd: Or, look around in Maintenance for Muriatic Acid, Caustic Soda, and Hydrogen - Chloride. Recipes are also available for these. - - rscadd: Adds Saltpetre. Mix it with Potassium, Nitrogen, and Oxygen. - - rscadd: Adds Bath Salts, mix it with Bad Food, Saltpetre, Nutriment, Space Cleaner, - Universal Enzyme, Tea, and Mercury at 374K. - - rscadd: Adds Aranesp. Mix it with Epinephrine, Atropine, and Morphine. - - rscadd: Adds Hotline. Get it from Poppy plants. - - rscadd: Strange Reagent revival was changed. It now won't gib but won't do anything - above a 100 BRUTE or BURN threshold. - - rscadd: Carpet now applies carpet tiles to whatever flooring it hits. Mix it with - Space Drugs and Blood. - - rscadd: Colorful Reagent colors have been improved drastically and now are more - varied and nicer looking. - - rscadd: Corn Starch has been added. Get it from juicing Corn. - - rscadd: Corn Syrup has been added. Mix it with Corn Starch and S-Acid. - - rscadd: Corgium has been added. Mix it with Nutriment, Colorful Reagent, Strange - Reagent, and Blood at 374K. - - rscadd: Adds Quantum Hair Dye. Mix it with Colorful Reagent, Radium, and Space - Drugs. - - rscadd: Adds Barber's Aid. Mix it with Carpet, Radium, and Space Drugs. - - rscadd: Adds Concentrated Barber's Aid. Mix it with Barber's Aid and Unstable - Mutagen. - - rscadd: Re-adds Chlorine Trifluoride. Mix it with Chlorine and Fluorine at 424K. - - rscadd: Adds Black Powder. Mix it with Saltpetre, Charcoal, and Sulfur. Ignite - it for an explosion at 474K - - rscadd: Finally nerfs Salglu Solution. It's no longer tricord 2.0. - - rscadd: Salt recipe is now Water + Sodium + Chlorine due to problems with recipe - mixing. + - rscadd: + You can now go into hyperglycaemic shock from having over 200u of Sugar + in your body at once. Treat it with Insulin. + - rscadd: + Insulin has been added. Use it to treat hyperglycaemic shock. You can + get it from medical vendors and the Cargo medicine supplies crate. + - rscadd: + Medvendor contents have been reduced from medical having everything they + need at roundstart level, and toxin bottles are now back in the vendor. + - rscadd: + Medical Analyzers now have 2 modes, Medical Scan and Chemical Scan. You + can swap between modes by clicking on it in hand. + - rscadd: + Medical scan is default behavior. Chemical scan shows all the reagents + inside the mob at the time, along with any addictions the mob has. It will show + if a reagent is overdosing. + - rscadd: Tobacco and Space Tobacco have Nicotine in them now. + - rscadd: + Adds Methamphetamine to the game. Mix it with Ephedrine, Iodine, Phosphorous, + and Hydrogen at 374K. + - rscadd: + Or, look around in Maintenance for Muriatic Acid, Caustic Soda, and Hydrogen + Chloride. Recipes are also available for these. + - rscadd: Adds Saltpetre. Mix it with Potassium, Nitrogen, and Oxygen. + - rscadd: + Adds Bath Salts, mix it with Bad Food, Saltpetre, Nutriment, Space Cleaner, + Universal Enzyme, Tea, and Mercury at 374K. + - rscadd: Adds Aranesp. Mix it with Epinephrine, Atropine, and Morphine. + - rscadd: Adds Hotline. Get it from Poppy plants. + - rscadd: + Strange Reagent revival was changed. It now won't gib but won't do anything + above a 100 BRUTE or BURN threshold. + - rscadd: + Carpet now applies carpet tiles to whatever flooring it hits. Mix it with + Space Drugs and Blood. + - rscadd: + Colorful Reagent colors have been improved drastically and now are more + varied and nicer looking. + - rscadd: Corn Starch has been added. Get it from juicing Corn. + - rscadd: Corn Syrup has been added. Mix it with Corn Starch and S-Acid. + - rscadd: + Corgium has been added. Mix it with Nutriment, Colorful Reagent, Strange + Reagent, and Blood at 374K. + - rscadd: + Adds Quantum Hair Dye. Mix it with Colorful Reagent, Radium, and Space + Drugs. + - rscadd: Adds Barber's Aid. Mix it with Carpet, Radium, and Space Drugs. + - rscadd: + Adds Concentrated Barber's Aid. Mix it with Barber's Aid and Unstable + Mutagen. + - rscadd: Re-adds Chlorine Trifluoride. Mix it with Chlorine and Fluorine at 424K. + - rscadd: + Adds Black Powder. Mix it with Saltpetre, Charcoal, and Sulfur. Ignite + it for an explosion at 474K + - rscadd: Finally nerfs Salglu Solution. It's no longer tricord 2.0. + - rscadd: + Salt recipe is now Water + Sodium + Chlorine due to problems with recipe + mixing. Incoming5643: - - rscadd: A new event has been added to the wizards summon events spell that gives - the game a distictively more roleplaying flair. - - rscadd: Optional population cap functionality has been added to the game. By default - all caps are disabled. Server owners should refer to config.txt to see their - list of options. - - rscadd: Medical borgs now have access to a deployable onboard roller bed. Should - the bed become lost, any roller bed may be used in its place. + - rscadd: + A new event has been added to the wizards summon events spell that gives + the game a distictively more roleplaying flair. + - rscadd: + Optional population cap functionality has been added to the game. By default + all caps are disabled. Server owners should refer to config.txt to see their + list of options. + - rscadd: + Medical borgs now have access to a deployable onboard roller bed. Should + the bed become lost, any roller bed may be used in its place. Mandurrh: - - rscadd: Added interchangeable bar signs - - rscadd: Added bays fountain machines for the bar. Soda and Beer. Allowing bartenders - to have easier access to mix drinks and making more to make their job a little - less boring - - rscadd: Added color tiles to the light up floor tiles. - - rscadd: Added metal, glass, and cable to bar back room at round start for bartender - to make colored light dance floors. - - bugfix: Fixes clown cuffing both mobs and two pairs of cuffs appearing. - - bugfix: Fixes clown not being able to use his stamp as antag so no meta. - - bugfix: Fixes sleepypen bug. Instead of only dispensing 50u it dispenses the full - 55u. - - bugfix: Fixed silicons not being able to pass through holotape. + - rscadd: Added interchangeable bar signs + - rscadd: + Added bays fountain machines for the bar. Soda and Beer. Allowing bartenders + to have easier access to mix drinks and making more to make their job a little + less boring + - rscadd: Added color tiles to the light up floor tiles. + - rscadd: + Added metal, glass, and cable to bar back room at round start for bartender + to make colored light dance floors. + - bugfix: Fixes clown cuffing both mobs and two pairs of cuffs appearing. + - bugfix: Fixes clown not being able to use his stamp as antag so no meta. + - bugfix: + Fixes sleepypen bug. Instead of only dispensing 50u it dispenses the full + 55u. + - bugfix: Fixed silicons not being able to pass through holotape. Menshin: - - tweak: Getting into regenerative statis now puts the changeling into unconscious - state. - - bugfix: Fixed changeling 'Revive' not working. + - tweak: + Getting into regenerative statis now puts the changeling into unconscious + state. + - bugfix: Fixed changeling 'Revive' not working. Paprika: - - rscadd: Added an assistant cap, unlimited by default. - - tweak: Batons now slowly lose power when left on. - - rscadd: Batons, flashbangs and handcuffs can be seen when stored in a belt. - - tweak: Computers now emit light when they're on or bluescreened. - - rscadd: Added hotkeys for OOC and custom emotes. Press O and M when in hotkey - mode. Remember not to ick in ock! - - rscadd: Added megaphones for the HoS, HoP, and QM. - - tweak: Goliath tentacles no longer stun you if you cross them. They will only - stun you if you don't move away from them in time. They can do up to 15 damage - now, in addition to stunning you. - - tweak: Changed a lot of mining gear and prices. The resonator can now have up - to 3 fields active at once, but the fields need to detonate before they crush - rocks. Tweak the time before the fields detonate with a screwdriver and upgrade - the amount of fields at once with sheets of diamond. - - tweak: Overhauled straight mining tools. The sonic jackhammer is now the wall-crushing - tool, the diamond drill simply mines really fast. Borgs can now get upgraded - with the diamond mining tool with only a single sheet of diamond and an upgrade - module, they don't need illegal tech modules. - - tweak: Mining drills and the sonic jackhammer now draw power when they drill down - mineral walls. They can be recharged using any type of weapon recharger or by - replacing the cell using a screwdriver on them. - - experiment: Space now emits a dim light to adjacent tiles. - - tweak: Syndicate shotguns now start with buckshot instead of stunslugs. - - bugfix: Fixed welding tools using fuel when being switched on. - - tweak: Added a firing delay between shooting electrodes. - - tweak: Changed the stun revolver from a high-capacity taser to a disabler with - extra capacity. - - rscadd: Added a unique stun pistol for the head of security. It is a double capacity - taser with no shot delay and a loyalty pin, though it lacks a disable mode. + - rscadd: Added an assistant cap, unlimited by default. + - tweak: Batons now slowly lose power when left on. + - rscadd: Batons, flashbangs and handcuffs can be seen when stored in a belt. + - tweak: Computers now emit light when they're on or bluescreened. + - rscadd: + Added hotkeys for OOC and custom emotes. Press O and M when in hotkey + mode. Remember not to ick in ock! + - rscadd: Added megaphones for the HoS, HoP, and QM. + - tweak: + Goliath tentacles no longer stun you if you cross them. They will only + stun you if you don't move away from them in time. They can do up to 15 damage + now, in addition to stunning you. + - tweak: + Changed a lot of mining gear and prices. The resonator can now have up + to 3 fields active at once, but the fields need to detonate before they crush + rocks. Tweak the time before the fields detonate with a screwdriver and upgrade + the amount of fields at once with sheets of diamond. + - tweak: + Overhauled straight mining tools. The sonic jackhammer is now the wall-crushing + tool, the diamond drill simply mines really fast. Borgs can now get upgraded + with the diamond mining tool with only a single sheet of diamond and an upgrade + module, they don't need illegal tech modules. + - tweak: + Mining drills and the sonic jackhammer now draw power when they drill down + mineral walls. They can be recharged using any type of weapon recharger or by + replacing the cell using a screwdriver on them. + - experiment: Space now emits a dim light to adjacent tiles. + - tweak: Syndicate shotguns now start with buckshot instead of stunslugs. + - bugfix: Fixed welding tools using fuel when being switched on. + - tweak: Added a firing delay between shooting electrodes. + - tweak: + Changed the stun revolver from a high-capacity taser to a disabler with + extra capacity. + - rscadd: + Added a unique stun pistol for the head of security. It is a double capacity + taser with no shot delay and a loyalty pin, though it lacks a disable mode. RandomMarine: - - rscadd: New brute treatment kit crate for cargo. + - rscadd: New brute treatment kit crate for cargo. RemieRichards: - - rscadd: Explosions will now blow (throw) items away from the epicenter - - rscadd: Sharp items can now embedd themselves in a human's limbs - - rscadd: Embedded items have a chance to do some damage (based on w_class) each - life() call - - rscadd: Embedded items have a chance to fall out doing some more damage, but removing - the object - - rscadd: Adds a surgery to remove Embdedded objects - - rscadd: Adds throwing stars as an uplink item (100% chance to embedd) - - rscadd: Items placed on tables now center to exactly where you clicked. + - rscadd: Explosions will now blow (throw) items away from the epicenter + - rscadd: Sharp items can now embedd themselves in a human's limbs + - rscadd: + Embedded items have a chance to do some damage (based on w_class) each + life() call + - rscadd: + Embedded items have a chance to fall out doing some more damage, but removing + the object + - rscadd: Adds a surgery to remove Embdedded objects + - rscadd: Adds throwing stars as an uplink item (100% chance to embedd) + - rscadd: Items placed on tables now center to exactly where you clicked. Steelpoint: - - rscadd: SS13's Head of Security has received a new attempted 1:1 recreation of - a Old Earth weapon, the Captain's Antique Laser Gun. - - rscadd: This gun features three firing modes, Tase, Laser and Disable. However - this gun lacks the capability to recharge in the field, and is extreamly expensive. - - rscadd: 'INTERCEPTED TRANSMISSION REPORT: The Syndicate have expressed a interest - in this new weapon, and have instructed field agents to do whatever they can - to steal this weapon.' + - rscadd: + SS13's Head of Security has received a new attempted 1:1 recreation of + a Old Earth weapon, the Captain's Antique Laser Gun. + - rscadd: + This gun features three firing modes, Tase, Laser and Disable. However + this gun lacks the capability to recharge in the field, and is extreamly expensive. + - rscadd: + "INTERCEPTED TRANSMISSION REPORT: The Syndicate have expressed a interest + in this new weapon, and have instructed field agents to do whatever they can + to steal this weapon." TheVekter: - - rscadd: Box's vault nuke has been replaced with immobile Nuclear Self-Destruct - Mechanism. - - rscadd: Vault's new green floor tiles turn flashing red when Self-Destruct is - activated. + - rscadd: + Box's vault nuke has been replaced with immobile Nuclear Self-Destruct + Mechanism. + - rscadd: + Vault's new green floor tiles turn flashing red when Self-Destruct is + activated. Xhuis: - - rscadd: Syndicate contacts have discovered new ways to manipulate alarms. Malfunctioning - AIs, as well as normal emags, can now disable the safeties on air and fire alarms. - - rscadd: When one emags an air alarm, its safeties are disabled, giving it the - Flood environmental type, which disables scrubbers as well as vent pressure - checks. Burn, pigs, burn! - - rscadd: When one emags a fire alarm, its thermal sesnsors are disabled. This will - prevent automatic alerts due to the alarm being unable to recognize high temperatures. - - rscadd: Malf AIs gain two new modules, both of which disable ALL air alarm safeties - and thermal sensors. These are separate abilities. - - tweak: Air and fire alarms have notifications on their interface about the current - safety status. One only has to glance at one to see that it's been tampered - with. + - rscadd: + Syndicate contacts have discovered new ways to manipulate alarms. Malfunctioning + AIs, as well as normal emags, can now disable the safeties on air and fire alarms. + - rscadd: + When one emags an air alarm, its safeties are disabled, giving it the + Flood environmental type, which disables scrubbers as well as vent pressure + checks. Burn, pigs, burn! + - rscadd: + When one emags a fire alarm, its thermal sesnsors are disabled. This will + prevent automatic alerts due to the alarm being unable to recognize high temperatures. + - rscadd: + Malf AIs gain two new modules, both of which disable ALL air alarm safeties + and thermal sensors. These are separate abilities. + - tweak: + Air and fire alarms have notifications on their interface about the current + safety status. One only has to glance at one to see that it's been tampered + with. phil235: - - bugfix: Fixed arcade machines being usable from inside lockers to dupe rewards. - - rscdel: Silicons can no longer be grabbed by anyone. No more silicon choking - - rscadd: Custom food can now be renamed using a pen. + - bugfix: Fixed arcade machines being usable from inside lockers to dupe rewards. + - rscdel: Silicons can no longer be grabbed by anyone. No more silicon choking + - rscadd: Custom food can now be renamed using a pen. xxalpha: - - rscadd: 'Added new graffiti: cyka, prolizard, antilizard' + - rscadd: "Added new graffiti: cyka, prolizard, antilizard" 2015-03-01: Dannno: - - rscadd: Resprited all owl items. Wings are now a seperate toggleable suit item. - - rscadd: Added The Griffin costume, arch nemesis of The Owl. Found in the autodrobe. - - rscadd: Added admin-only Owl hardsuit. Only for the most vengeful souls. - - rscadd: Added Owl and Griffin merchandise; The Nest barsign, Owl/Griffin toys - and posters. + - rscadd: Resprited all owl items. Wings are now a seperate toggleable suit item. + - rscadd: Added The Griffin costume, arch nemesis of The Owl. Found in the autodrobe. + - rscadd: Added admin-only Owl hardsuit. Only for the most vengeful souls. + - rscadd: + Added Owl and Griffin merchandise; The Nest barsign, Owl/Griffin toys + and posters. Iamgoofball: - - bugfix: Fixes the recipe for meth. - - bugfix: Fixes sorium blobs flinging themselves. + - bugfix: Fixes the recipe for meth. + - bugfix: Fixes sorium blobs flinging themselves. Incoming5643: - - rscadd: On servers where malfunction, wizard, and blob rounds do not end with - the death of the primary antagonist, new antagonists from traitor and changeling - derivative modes will now sometimes spawn. This depends on the state of the - station, the state of the crew, and the server's gamemode probabilities. Server - owners should consider revising their configuration choices - - rscdel: If you would like to opt out of this midround chance, a new toggle to - disable it can be found in your preferences + - rscadd: + On servers where malfunction, wizard, and blob rounds do not end with + the death of the primary antagonist, new antagonists from traitor and changeling + derivative modes will now sometimes spawn. This depends on the state of the + station, the state of the crew, and the server's gamemode probabilities. Server + owners should consider revising their configuration choices + - rscdel: + If you would like to opt out of this midround chance, a new toggle to + disable it can be found in your preferences Mandurrh: - - rscadd: The barsign can be emagged and EMP'd; EMP'd signs can be repaired with - a screwdriver and cables. + - rscadd: + The barsign can be emagged and EMP'd; EMP'd signs can be repaired with + a screwdriver and cables. Menshin: - - bugfix: Fixed the protolathe not requiring displayed amount of materials to make - items. + - bugfix: + Fixed the protolathe not requiring displayed amount of materials to make + items. MrStonedOne: - - rscadd: Adds a Panic Bunker! - - tweak: This will prevent any player who has never connected before from connecting. - (Admins are exempt) - - tweak: Can be enabled per-round by any admin with +SERVER or for longer periods - via the config. - - recadd: Also adds some other config options relating to new joins, server operators - should consult their configuration file for more details. - - bugfix: Fixes toggle darkness vision hiding other ghosts. - - tweak: Admins fucking around with ghost icon and icon states in VV are going to - want to change the icon and icon state of the ghostimage var of the ghost to - change the image shown to ghosts who have darkness disabled. doing this via - mass edit is not yet supported. - - rscadd: New ghost verb, toggle ghost vision. Switches the ghost's invisibility - vision between that of a ghost and that of a human. So ghosts can hide other - ghosts and in general get the old behaviour of toggle darkness. + - rscadd: Adds a Panic Bunker! + - tweak: + This will prevent any player who has never connected before from connecting. + (Admins are exempt) + - tweak: + Can be enabled per-round by any admin with +SERVER or for longer periods + via the config. + - recadd: + Also adds some other config options relating to new joins, server operators + should consult their configuration file for more details. + - bugfix: Fixes toggle darkness vision hiding other ghosts. + - tweak: + Admins fucking around with ghost icon and icon states in VV are going to + want to change the icon and icon state of the ghostimage var of the ghost to + change the image shown to ghosts who have darkness disabled. doing this via + mass edit is not yet supported. + - rscadd: + New ghost verb, toggle ghost vision. Switches the ghost's invisibility + vision between that of a ghost and that of a human. So ghosts can hide other + ghosts and in general get the old behaviour of toggle darkness. Paprika: - - rscadd: Messages with two exclamation marks will be yelled in bold. + - rscadd: Messages with two exclamation marks will be yelled in bold. Phil235: - - bugfix: Cultists can't summon narsie until their sacrifice objective is complete. + - bugfix: Cultists can't summon narsie until their sacrifice objective is complete. Razharas: - - rscadd: Vines now can grow on any tiles that is not dense, including space, shuttles, - centcomm tiles and so on. - - rscadd: Added 'Bluespace' mutation to vines, makes them be able to grow through - absolutely everything. - - rscadd: Added 'Space Proofing' mutation to vines, after they grow if the tile - under them is space it will become special vinetile, which is just resprited - regular floor, if the vine on the vinetile dies the vineturf changes back to - space. - - rscadd: Made vines spreading speed depend on the seed's production, can be both - slower and faster than current. - - rscadd: Made vines mutation chance be 1/10th of the potency of the seed it is - spawned from. - - rscadd: Special chemicals added to vine seeds durning their growth can increase/decrease - their potency and productivity. - - rscadd: Special chemicals now can remove good, bad or neutral mutations from vine - seeds while they are growing, cultivating actually helpful vines is now possible. - - rscadd: Plant analyzers now show the vine seeds mutations. - - tweak: Buffed numbers in some of the more useless mutations. + - rscadd: + Vines now can grow on any tiles that is not dense, including space, shuttles, + centcomm tiles and so on. + - rscadd: + Added 'Bluespace' mutation to vines, makes them be able to grow through + absolutely everything. + - rscadd: + Added 'Space Proofing' mutation to vines, after they grow if the tile + under them is space it will become special vinetile, which is just resprited + regular floor, if the vine on the vinetile dies the vineturf changes back to + space. + - rscadd: + Made vines spreading speed depend on the seed's production, can be both + slower and faster than current. + - rscadd: + Made vines mutation chance be 1/10th of the potency of the seed it is + spawned from. + - rscadd: + Special chemicals added to vine seeds durning their growth can increase/decrease + their potency and productivity. + - rscadd: + Special chemicals now can remove good, bad or neutral mutations from vine + seeds while they are growing, cultivating actually helpful vines is now possible. + - rscadd: Plant analyzers now show the vine seeds mutations. + - tweak: Buffed numbers in some of the more useless mutations. Steelpoint: - - rscadd: Reworked and expanded areas of the derelict station. Featuring a repairable - gravity generator, turret filled computer core and functional solars. + - rscadd: + Reworked and expanded areas of the derelict station. Featuring a repairable + gravity generator, turret filled computer core and functional solars. Vekter: - - rscadd: Chemists, Geneticists, Virologists, Scientists, and Botanists will now - spawn with alternative backpacks and satchels in their lockers. Try them out! + - rscadd: + Chemists, Geneticists, Virologists, Scientists, and Botanists will now + spawn with alternative backpacks and satchels in their lockers. Try them out! 2015-03-03: Delimusca: - - rscadd: Improvised heating! use lighters or other heat sources to heat beakers, - bottles, etc. + - rscadd: + Improvised heating! use lighters or other heat sources to heat beakers, + bottles, etc. Gun Hog: - - tweak: We have purged the xenomicrobes contamination in the E.X.P.E.R.I-MENTOR - using sulfuric acid. Take care not to be exposed should it leak! + - tweak: + We have purged the xenomicrobes contamination in the E.X.P.E.R.I-MENTOR + using sulfuric acid. Take care not to be exposed should it leak! Iamgoofball: - - tweak: Colorful reagent can be washed off with water now. - - tweak: Oxygen blob deals breath loss damage. - - tweak: Radioactive blobs irradiate for more. + - tweak: Colorful reagent can be washed off with water now. + - tweak: Oxygen blob deals breath loss damage. + - tweak: Radioactive blobs irradiate for more. Ikarrus: - - rscadd: Antagonist roles are now restricted by player client age. + - rscadd: Antagonist roles are now restricted by player client age. Jordie0608: - - rscadd: The server's current local time is now displayed in status panel in ISO - date format (YYYY-MM-DD hh:mm) + - rscadd: + The server's current local time is now displayed in status panel in ISO + date format (YYYY-MM-DD hh:mm) Mandurrrh: - - rscadd: Added the ability to see pda messages as a ghost with GHOSTWHISPER toggled - on. - - bugfix: Removed the degrees symbol from Kelvin units on atmos meters because not - gramatically correct + - rscadd: + Added the ability to see pda messages as a ghost with GHOSTWHISPER toggled + on. + - bugfix: + Removed the degrees symbol from Kelvin units on atmos meters because not + gramatically correct RemieRichards: - - rscadd: Drones now see either Static, Black icons or Roguelike style lettering - instead of actual mob icons - - rscadd: Icons for the above, from VG's SkowronX - - rscadd: Many icon procs for the above, from VG's ComicIronic - - rscadd: Drones moved into their own folder - - tweak: Drone.dm replaced with seperate files for each functionality - - rscadd: Drones now have 2 skins to choose from, Maintenance Drone (Current drones) - and Repair Drone (A modified VG/Bay sprite) - - rscadd: Much more support for alternate skins on drones + - rscadd: + Drones now see either Static, Black icons or Roguelike style lettering + instead of actual mob icons + - rscadd: Icons for the above, from VG's SkowronX + - rscadd: Many icon procs for the above, from VG's ComicIronic + - rscadd: Drones moved into their own folder + - tweak: Drone.dm replaced with seperate files for each functionality + - rscadd: + Drones now have 2 skins to choose from, Maintenance Drone (Current drones) + and Repair Drone (A modified VG/Bay sprite) + - rscadd: Much more support for alternate skins on drones Xhuis: - - rscadd: 'Added four new emoji: :1997:, :rune:, :blob:, and :onisoma:.' + - rscadd: "Added four new emoji: :1997:, :rune:, :blob:, and :onisoma:." xxalpha: - - rscadd: Added a surgery table and tools to the Nuke Ops ship. - - rscadd: Added Engineering Scanner Goggles to Engivend, Engineering Secure Closets - and Research. - - tweak: Doubled T-ray scanner range. + - rscadd: Added a surgery table and tools to the Nuke Ops ship. + - rscadd: + Added Engineering Scanner Goggles to Engivend, Engineering Secure Closets + and Research. + - tweak: Doubled T-ray scanner range. 2015-03-05: Jordie0608: - - rscadd: Server hosts can set a config option to make an unseen changelog pop up - on connection. + - rscadd: + Server hosts can set a config option to make an unseen changelog pop up + on connection. MrPerson: - - rscadd: Expanded the on-screen alerts you get on the top-right of your screen. - You can shift-click them to get a description of what's wrong and maybe how - to fix it. - - rscadd: Getting buckled to something will show an alert of what you're buckled - to. If you're not handcuffed, you can click the alert to unbuckle. + - rscadd: + Expanded the on-screen alerts you get on the top-right of your screen. + You can shift-click them to get a description of what's wrong and maybe how + to fix it. + - rscadd: + Getting buckled to something will show an alert of what you're buckled + to. If you're not handcuffed, you can click the alert to unbuckle. RemieRichards: - - rscadd: Added Necromantic Stones as a buyable item for wizards - - rscadd: Necromantic Stones can cause up to 3 people to rise up as Skeleton Thralls - bound to the wielder of the stone - - rscadd: Skeleton Thralls have a 33% Chance to drop all their gear on the floor - and autoequip a more fitting thematic uniform - - rscadd: Allows the blob to reroll it's chemical for a cost. + - rscadd: Added Necromantic Stones as a buyable item for wizards + - rscadd: + Necromantic Stones can cause up to 3 people to rise up as Skeleton Thralls + bound to the wielder of the stone + - rscadd: + Skeleton Thralls have a 33% Chance to drop all their gear on the floor + and autoequip a more fitting thematic uniform + - rscadd: Allows the blob to reroll it's chemical for a cost. phil235: - - rscadd: Adds a lot of new plants to botany (red beet, parsnip, snap corn, blumpkin, - rice, oat, vanilla, steel cap, mimana, blue cherries, holy melon, geranium, - lily, sweet potato) and two new reagents (vanilla, rice). - - bugfix: Fixes taser stun duration being longer due to jitter animation. + - rscadd: + Adds a lot of new plants to botany (red beet, parsnip, snap corn, blumpkin, + rice, oat, vanilla, steel cap, mimana, blue cherries, holy melon, geranium, + lily, sweet potato) and two new reagents (vanilla, rice). + - bugfix: Fixes taser stun duration being longer due to jitter animation. 2015-03-08: Dannno: - - rscadd: Added more barsigns, sprites by yours truly. + - rscadd: Added more barsigns, sprites by yours truly. Ikarrus: - - wip: Gang mode has been reworked to functionality without some of it's features. - - rscdel: Gang membership visibility, conversion pens and weapons are removed until - fixed. - - rscadd: Gang bosses have been given uplinks to use in the meantime. - - tweak: Chance of deconversion from repeated head trauma has been increased. + - wip: Gang mode has been reworked to functionality without some of it's features. + - rscdel: + Gang membership visibility, conversion pens and weapons are removed until + fixed. + - rscadd: Gang bosses have been given uplinks to use in the meantime. + - tweak: Chance of deconversion from repeated head trauma has been increased. Incoming5643: - - rscdel: The skeleton and zombie hordes have been quelled, at least for the time - being. + - rscdel: + The skeleton and zombie hordes have been quelled, at least for the time + being. Mandurrrh: - - rscadd: Added the ability to stop table climbers by clicking the table if present. + - rscadd: Added the ability to stop table climbers by clicking the table if present. Paprika: - - tweak: Labcoats and uniforms no longer use action buttons and object verbs to - adjust their aesthetic style. Alt click them to adjust. - - rscadd: Alt click a PDA with an ID inside to eject the ID. - - tweak: Renamed 'remove ID' verb to 'eject ID' so it's not immediately next to - 'remove pen'. - - tweak: Rebalanced the flash protection of thermal scanners. Syndicate thermals - have the same flash weakness as the meson scanners they come disguised as. + - tweak: + Labcoats and uniforms no longer use action buttons and object verbs to + adjust their aesthetic style. Alt click them to adjust. + - rscadd: Alt click a PDA with an ID inside to eject the ID. + - tweak: + Renamed 'remove ID' verb to 'eject ID' so it's not immediately next to + 'remove pen'. + - tweak: + Rebalanced the flash protection of thermal scanners. Syndicate thermals + have the same flash weakness as the meson scanners they come disguised as. Xhuis: - - rscadd: Adds the Adminbus and Coderbus bar signs. - - rscadd: Added a mining satchel of holding to R&D that can hold an infinite - amount of ores. It requires gold and uranium, in addition to a decently high - bluespace and materials research. + - rscadd: Adds the Adminbus and Coderbus bar signs. + - rscadd: + Added a mining satchel of holding to R&D that can hold an infinite + amount of ores. It requires gold and uranium, in addition to a decently high + bluespace and materials research. phil235: - - tweak: Harvesting meat from dead simple animals now takes time, has a sound, and - can be done with any sharp weapon. + - tweak: + Harvesting meat from dead simple animals now takes time, has a sound, and + can be done with any sharp weapon. pudl: - - imageadd: Updated the sprite for Fire extinguishers. + - imageadd: Updated the sprite for Fire extinguishers. xxalpha: - - imageadd: Disposable lighters now come in more colors of the rainbow. + - imageadd: Disposable lighters now come in more colors of the rainbow. 2015-03-10: Ahammer18: - - rscadd: Adds the Slimecake and Slimecake slice. + - rscadd: Adds the Slimecake and Slimecake slice. AnturK: - - rscadd: Non-player Alien Queens/Drones now spread weeds. Can also lay eggs when - enabled. + - rscadd: + Non-player Alien Queens/Drones now spread weeds. Can also lay eggs when + enabled. Incoming5643: - - rscadd: Nanotrasen scientists have recently reported mutations within the pink - family line of slimes. Station scientists are encouraged to investigate. + - rscadd: + Nanotrasen scientists have recently reported mutations within the pink + family line of slimes. Station scientists are encouraged to investigate. Paprika: - - tweak: Reworked reskinning and renaming guns, and added the ability to reskin - the bartender's shotgun. Click it with an empty active hand to reskin. Warning, - you can only do this once! Rename by hitting it with a pen. This also works - with miner shotguns now. + - tweak: + Reworked reskinning and renaming guns, and added the ability to reskin + the bartender's shotgun. Click it with an empty active hand to reskin. Warning, + you can only do this once! Rename by hitting it with a pen. This also works + with miner shotguns now. RemieRichards: - - wip: Embedding from explosions has been tweaked, they will always throw objects - fast enough to get embedded if they can. - - tweak: Damage taken when embedded spears and throwing stars fall out has been - increased. - - tweak: Damage dealt by objects getting embedded has been decreased. + - wip: + Embedding from explosions has been tweaked, they will always throw objects + fast enough to get embedded if they can. + - tweak: + Damage taken when embedded spears and throwing stars fall out has been + increased. + - tweak: Damage dealt by objects getting embedded has been decreased. Sometinyprick: - - rscadd: The Horsemask spell has now been altered, instead of just a horse mask - it will now choose between three animal masks including the horse mask. + - rscadd: + The Horsemask spell has now been altered, instead of just a horse mask + it will now choose between three animal masks including the horse mask. Xhuis: - - rscadd: You can now burn papers using lighters, welders, or matches. Useful for - secret messages. + - rscadd: + You can now burn papers using lighters, welders, or matches. Useful for + secret messages. phil235: - - rscadd: Airlocks with their safety on no longer closes on dense objects (like - mechs or tables). - - tweak: Aliens, slimes, monkeys and ventcrawler mobs can now climb into disposal. - Cyborgs and very large mobs can no longer climb into it. - - tweak: Stuffing another mob in a disposal unit is now only done via grabbing. - - rscadd: Coffee now causes jittering only when you overdose on it. - - bugfix: Turrets now target occupied mechs and don't target drones. + - rscadd: + Airlocks with their safety on no longer closes on dense objects (like + mechs or tables). + - tweak: + Aliens, slimes, monkeys and ventcrawler mobs can now climb into disposal. + Cyborgs and very large mobs can no longer climb into it. + - tweak: Stuffing another mob in a disposal unit is now only done via grabbing. + - rscadd: Coffee now causes jittering only when you overdose on it. + - bugfix: Turrets now target occupied mechs and don't target drones. 2015-03-11: MMMiracles: - - rscadd: Adds a new vending machine, the Liberation Station. Consult your local - patriot for more details. - - rscadd: Adds a patriotic jumpsuit and freedom sheets. Consult your local patriot - for more details. + - rscadd: + Adds a new vending machine, the Liberation Station. Consult your local + patriot for more details. + - rscadd: + Adds a patriotic jumpsuit and freedom sheets. Consult your local patriot + for more details. Miauw: - - rscadd: Added a toggle for ghosts that allows them to hear radio chatter without - having to hover near intercoms/over people with headsets. + - rscadd: + Added a toggle for ghosts that allows them to hear radio chatter without + having to hover near intercoms/over people with headsets. 2015-03-15: Ahammer18: - - bugfix: Adds ass photocopying for drones + - bugfix: Adds ass photocopying for drones Gun Hog: - - rscadd: Nanotrasen has approved distribution of Loyalty Implant Firing Pin designs. - They can be fabricated with sufficient research into weapons technology. If - inserted into a firearm, it will only fire upon successful interface with a - user's Loyalty Implant. + - rscadd: + Nanotrasen has approved distribution of Loyalty Implant Firing Pin designs. + They can be fabricated with sufficient research into weapons technology. If + inserted into a firearm, it will only fire upon successful interface with a + user's Loyalty Implant. Incoming5643: - - rscadd: Utilizing a new magic mirror found in the den, wizards can now customize - their appearance to a high degree before descending upon the station. + - rscadd: + Utilizing a new magic mirror found in the den, wizards can now customize + their appearance to a high degree before descending upon the station. Miauw: - - tweak: Firing delay for tasers has been shortened. + - tweak: Firing delay for tasers has been shortened. RemieRichards: - - wip: Beginning major rework and refactor of messy Ninja code. - - rscdel: Roleplay based, kill deathsquad and kill alien queen objectives removed. - - rscdel: Kamikaze mode removed. - - rscdel: AIs and pAIs can no longer be integrated into a ninja suit. - - tweak: Energy blade power replaced by an energy katana that can be dropped but - is more deadly. - - rscadd: Energy katana can emag any object it hits. + - wip: Beginning major rework and refactor of messy Ninja code. + - rscdel: Roleplay based, kill deathsquad and kill alien queen objectives removed. + - rscdel: Kamikaze mode removed. + - rscdel: AIs and pAIs can no longer be integrated into a ninja suit. + - tweak: + Energy blade power replaced by an energy katana that can be dropped but + is more deadly. + - rscadd: Energy katana can emag any object it hits. phil235: - - rscadd: Bookbags have a new sprite and can hold bibles. - - rscadd: Adds egg yolk reagent. You can break eggs in open reagent containers or - blend them to get egg yolk. - - tweak: Changes how doughs are made. 10water+15flour chem reaction for dough. 15flour+15eggyolk+5sugar - for cake batter (or alternatively soymilk instead of the eggyolk for vegans). - - tweak: Change customizable snack max volume to 60 and buffs nutriment amount in - doughs. - - rscadd: Doors can damage mechs by crushing them now. - - rscadd: The tablecrafting window now also shows partial recipes in grey, if there's - some of the things required for the recipe on the table. Recipe requirements - are now also shown next to the names of recipes listed in the window. + - rscadd: Bookbags have a new sprite and can hold bibles. + - rscadd: + Adds egg yolk reagent. You can break eggs in open reagent containers or + blend them to get egg yolk. + - tweak: + Changes how doughs are made. 10water+15flour chem reaction for dough. 15flour+15eggyolk+5sugar + for cake batter (or alternatively soymilk instead of the eggyolk for vegans). + - tweak: + Change customizable snack max volume to 60 and buffs nutriment amount in + doughs. + - rscadd: Doors can damage mechs by crushing them now. + - rscadd: + The tablecrafting window now also shows partial recipes in grey, if there's + some of the things required for the recipe on the table. Recipe requirements + are now also shown next to the names of recipes listed in the window. 2015-03-17: CandyClownTG: - - bugfix: Syndicate cigarettes' non-healing Doctor's Delight replaced with Omnizine. + - bugfix: Syndicate cigarettes' non-healing Doctor's Delight replaced with Omnizine. Fayrik: - - rscadd: Expanded the Centcom area for better station-Centcom interaction. + - rscadd: Expanded the Centcom area for better station-Centcom interaction. Iamgoofball: - - tweak: Acid blobs are less likely to melt equipment. + - tweak: Acid blobs are less likely to melt equipment. MMMiracles: - - rscadd: Adds the ability to spike bears on a meatspike for their pelt. Yields - 5 meat instead of the usual 3 from a knife. + - rscadd: + Adds the ability to spike bears on a meatspike for their pelt. Yields + 5 meat instead of the usual 3 from a knife. Thunder12345: - - rscadd: Two new shotgun shells. Ion shell, shotgun version of ion rifle, built - with 1 x techshell, 1 x ultra microlaser, 1 x ansible crystal. - - rscadd: Laser slug, regular laser shot in a shotgun shell, build with 1 x techshell, - 1 x high power microlaser, 1 x advanced capacitor. - - rscadd: Improvised shotgun shells can now be constructed with 1 x grenade casing, - 1 x metal sheet, 1 x cable, 10 units welding fuel. Can be packed with a further - 5 units of gunpowder to turn it into a potentially lethal diceroll. - - bugfix: FRAG-12 shotgun shells are no longer duds, now explosive. + - rscadd: + Two new shotgun shells. Ion shell, shotgun version of ion rifle, built + with 1 x techshell, 1 x ultra microlaser, 1 x ansible crystal. + - rscadd: + Laser slug, regular laser shot in a shotgun shell, build with 1 x techshell, + 1 x high power microlaser, 1 x advanced capacitor. + - rscadd: + Improvised shotgun shells can now be constructed with 1 x grenade casing, + 1 x metal sheet, 1 x cable, 10 units welding fuel. Can be packed with a further + 5 units of gunpowder to turn it into a potentially lethal diceroll. + - bugfix: FRAG-12 shotgun shells are no longer duds, now explosive. phil235: - - tweak: Makes the message when you're attacked slightly bigger for better visibility. + - tweak: Makes the message when you're attacked slightly bigger for better visibility. 2015-03-19: Dannno: - - rscadd: Adds a few cosmetic glasses to the autodrobe and clothing vendors. + - rscadd: Adds a few cosmetic glasses to the autodrobe and clothing vendors. Gun Hog: - - tweak: Explosion relics will now destroy themselves in their own explosion. - - bugfix: The Experimentor can no longer re-roll the function of an already scanned - relic. + - tweak: Explosion relics will now destroy themselves in their own explosion. + - bugfix: + The Experimentor can no longer re-roll the function of an already scanned + relic. Incoming5643: - - tweak: Ghosts are now asked if they want to become a sentient slime. + - tweak: Ghosts are now asked if they want to become a sentient slime. JJRcop: - - rscadd: 'Adds the :rollie: and :ambrosia: emojis.' + - rscadd: "Adds the :rollie: and :ambrosia: emojis." MMMiracles: - - tweak: ERT suits now use helmet toggling like hardsuits. + - tweak: ERT suits now use helmet toggling like hardsuits. Menshin: - - bugfix: Fixed mechs ballistic guns not firing bullets. + - bugfix: Fixed mechs ballistic guns not firing bullets. Xhuis: - - rscadd: Allows alt-clicking to adjust breath masks, flip caps, and unlock/lock - closets. + - rscadd: + Allows alt-clicking to adjust breath masks, flip caps, and unlock/lock + closets. xxalpha: - - bugfix: Fixed jetpack trail animation. + - bugfix: Fixed jetpack trail animation. 2015-03-21: Chocobro: - - rscadd: Checkered skirts can be adjusted to be worn shorter. + - rscadd: Checkered skirts can be adjusted to be worn shorter. Incoming5643: - - tweak: Player controller uplifted mobs will be attacked by gold core mobs of different - species. + - tweak: + Player controller uplifted mobs will be attacked by gold core mobs of different + species. Jordie0608: - - bugfix: The backup shuttle will no longer be called if the emergency shuttle is - coming. + - bugfix: + The backup shuttle will no longer be called if the emergency shuttle is + coming. MMMiracles: - - rscadd: Adds 3 new bear-based foods. - - rscadd: Beary Pie -1 Plain Pie, 1 berry, 1 bear steak - - rscadd: Filet Migrawr - 5u of Manlydorf, 1 bear steak, 1 lighter(not used in crafting) - - rscadd: Bearger - 1 bun, 1 bear steak + - rscadd: Adds 3 new bear-based foods. + - rscadd: Beary Pie -1 Plain Pie, 1 berry, 1 bear steak + - rscadd: Filet Migrawr - 5u of Manlydorf, 1 bear steak, 1 lighter(not used in crafting) + - rscadd: Bearger - 1 bun, 1 bear steak Phil235: - - bugfix: Silicons are no longer blinded by welding. + - bugfix: Silicons are no longer blinded by welding. Xhuis: - - rscadd: A new software update has given the Orion Trail game a cheat code menu. - While you can't access this normally (that's for a later software update), maybe - an emag could do it...? + - rscadd: + A new software update has given the Orion Trail game a cheat code menu. + While you can't access this normally (that's for a later software update), maybe + an emag could do it...? Zelacks: - - bugfix: The chemical implant action button should now correctly inject all chemicals - when pressed. + - bugfix: + The chemical implant action button should now correctly inject all chemicals + when pressed. pudl: - - rscadd: Adds normal security headsets to security lockers. + - rscadd: Adds normal security headsets to security lockers. xxalpha: - - bugfix: Fixed cables on catwalks being destroyed when creating plating floor. - - rscadd: Portable machines can be mounted on any turf that could hold a cable. + - bugfix: Fixed cables on catwalks being destroyed when creating plating floor. + - rscadd: Portable machines can be mounted on any turf that could hold a cable. 2015-03-22: Iamgoofball: - - bugfix: Fixes Morphine not knocking you out. - - rscdel: Hotline no longer exists. Poppies now have Saline-Glucose Solution. - - rscdel: Muriatic Acid, Caustic Soda, and Hydrogen Chloride have been removed, - along with the secondary meth recipe. The original recipe still works. - - experiment: Foam now produces more bang for your buck when mixed. Your foam grenades - should be larger now to account for the slowdown. - - rscadd: Adds Stabilizing Agent. This chemical will prevent the effects of certain - reactions from taking place in the container it is in, such as Smoke Powder - and Flash Powder, allowing you to get the raw forms of the powders for heating - up later. - - rscadd: Smoke Powder and Flash Powder can now be mixed along with Stabilizing - Agent in order to produce a powder version of the effects. You can then heat - these powders to 374K to get the effects. - - rscadd: Mixing them without Stabilizing Agent gives the default effects. - - rscadd: Adds Sonic Powder, a chemical that deafens and stuns within 5 tiles of - the reaction. It also follows the reaction rules of the other 2 powders. - - tweak: Liquid Dark Matter and Sorium also now work like the powders do. - - tweak: CLF3 now has a higher chance of making plating tiles, and the burn damage - caused by it scales based on your fire stacks. - - rscadd: Adds Pyrosium. This reagent heats up mobs by 30 degrees every 3 seconds - if it has oxygen to react with. Useful for when you want a delayed mix inside - of someone. - - rscadd: Adds Cryostylane. This reagent does the opposite of Pyrosium, but it - still requires oxygen to react with. - - rscadd: Adds Phlogiston. This reagent ignites you and gives you a single fire - stack every 3 seconds. Burn damage from this chemical scales up with the fire - stacks you have. Counter this with literally any chemical that purges other - chems. - - experiment: Smoke now transfers reagents to the mob, and applies touch reactions - on them. This means smoke can run out of reagents, no more infinite acid smoke. - It also only works on mobs, use the new Reagent Foam(tm) for your hellfoam needs. - I suggest a CLF3 Fluoroacid Black Powder mix. - - experiment: Added a derelict medibot to the code, will place a few on the derelict - when this PR is merged as to prevent mapping conflicts. - - rscadd: Adds Initropidril. 33% chance to hit with 5-25 TOX damage every 3 seconds, - and a 5-10% chance to either stun, cause lots of oxygen damage, or cause your - heart to stop. Get it from the traitor Poison Kit. - - rscadd: Adds Pancuronium. Paralyses you after 30 seconds, with a 7% chance to - cause 3-5 loss of breath. Get it from the traitor Poison Kit. - - rscadd: Adds Sodium Thiopental. Knocks you out after 30 seconds, and destroys - your stamina. Get it from the traitor Poison Kit. - - rscadd: Adds Sulfonal. +1 TOX per 3 seconds, knocks you out in 66 seconds. Mix - it with Acetone, Diethylamine, and Sulfur. - - rscadd: Adds Amantin. On the last second it is in you, it hits you with a stack - of TOX damage based on how long it's been in you. Get it from the traitor Poison - Kit. - - rscadd: Adds Lipolicide. +1 TOX unless you have nutriment in you. Mix it with - Mercury, Diethylamine, and Ephedrine. - - rscadd: Adds Coiine. +2 TOX and +5 loss of breath every 3 seconds. Get it from - the traitor Poison Kit. - - rscadd: Adds Curare. +1 TOX, +1 OXY, paralyzes after 33 seconds. Get it from the - traitor Poison Kit. - - rscadd: Adds a reagent_deleted() proc to reagents for effects upon the last time - it processes in you, like with Amantin. - - bugfix: Neurotoxin required temperature for mixing has been set to 674K, it was - 370K for some reason. + - bugfix: Fixes Morphine not knocking you out. + - rscdel: Hotline no longer exists. Poppies now have Saline-Glucose Solution. + - rscdel: + Muriatic Acid, Caustic Soda, and Hydrogen Chloride have been removed, + along with the secondary meth recipe. The original recipe still works. + - experiment: + Foam now produces more bang for your buck when mixed. Your foam grenades + should be larger now to account for the slowdown. + - rscadd: + Adds Stabilizing Agent. This chemical will prevent the effects of certain + reactions from taking place in the container it is in, such as Smoke Powder + and Flash Powder, allowing you to get the raw forms of the powders for heating + up later. + - rscadd: + Smoke Powder and Flash Powder can now be mixed along with Stabilizing + Agent in order to produce a powder version of the effects. You can then heat + these powders to 374K to get the effects. + - rscadd: Mixing them without Stabilizing Agent gives the default effects. + - rscadd: + Adds Sonic Powder, a chemical that deafens and stuns within 5 tiles of + the reaction. It also follows the reaction rules of the other 2 powders. + - tweak: Liquid Dark Matter and Sorium also now work like the powders do. + - tweak: + CLF3 now has a higher chance of making plating tiles, and the burn damage + caused by it scales based on your fire stacks. + - rscadd: + Adds Pyrosium. This reagent heats up mobs by 30 degrees every 3 seconds + if it has oxygen to react with. Useful for when you want a delayed mix inside + of someone. + - rscadd: + Adds Cryostylane. This reagent does the opposite of Pyrosium, but it + still requires oxygen to react with. + - rscadd: + Adds Phlogiston. This reagent ignites you and gives you a single fire + stack every 3 seconds. Burn damage from this chemical scales up with the fire + stacks you have. Counter this with literally any chemical that purges other + chems. + - experiment: + Smoke now transfers reagents to the mob, and applies touch reactions + on them. This means smoke can run out of reagents, no more infinite acid smoke. + It also only works on mobs, use the new Reagent Foam(tm) for your hellfoam needs. + I suggest a CLF3 Fluoroacid Black Powder mix. + - experiment: + Added a derelict medibot to the code, will place a few on the derelict + when this PR is merged as to prevent mapping conflicts. + - rscadd: + Adds Initropidril. 33% chance to hit with 5-25 TOX damage every 3 seconds, + and a 5-10% chance to either stun, cause lots of oxygen damage, or cause your + heart to stop. Get it from the traitor Poison Kit. + - rscadd: + Adds Pancuronium. Paralyses you after 30 seconds, with a 7% chance to + cause 3-5 loss of breath. Get it from the traitor Poison Kit. + - rscadd: + Adds Sodium Thiopental. Knocks you out after 30 seconds, and destroys + your stamina. Get it from the traitor Poison Kit. + - rscadd: + Adds Sulfonal. +1 TOX per 3 seconds, knocks you out in 66 seconds. Mix + it with Acetone, Diethylamine, and Sulfur. + - rscadd: + Adds Amantin. On the last second it is in you, it hits you with a stack + of TOX damage based on how long it's been in you. Get it from the traitor Poison + Kit. + - rscadd: + Adds Lipolicide. +1 TOX unless you have nutriment in you. Mix it with + Mercury, Diethylamine, and Ephedrine. + - rscadd: + Adds Coiine. +2 TOX and +5 loss of breath every 3 seconds. Get it from + the traitor Poison Kit. + - rscadd: + Adds Curare. +1 TOX, +1 OXY, paralyzes after 33 seconds. Get it from the + traitor Poison Kit. + - rscadd: + Adds a reagent_deleted() proc to reagents for effects upon the last time + it processes in you, like with Amantin. + - bugfix: + Neurotoxin required temperature for mixing has been set to 674K, it was + 370K for some reason. xxalpha: - - rscadd: 'Added Cybernetic Implants: Security HUD, Medical HUD, X-Ray, Thermals, - Anti-Drop, Anti-Stun. All implants are researchable and producible by R&D - and Robotics.' + - rscadd: + "Added Cybernetic Implants: Security HUD, Medical HUD, X-Ray, Thermals, + Anti-Drop, Anti-Stun. All implants are researchable and producible by R&D + and Robotics." 2015-03-24: Cheridan: - - rscadd: Adds pet collars. Use them to rename pets; Can also be worn if you're - a weirdo. - - rscadd: Adds the matyr objective to be dead at the round's end. You can get this - objective if you have no others that would need you to survive. + - rscadd: + Adds pet collars. Use them to rename pets; Can also be worn if you're + a weirdo. + - rscadd: + Adds the matyr objective to be dead at the round's end. You can get this + objective if you have no others that would need you to survive. Dannno: - - rscadd: GAR glasses return. Yes, I got permission. Just who the hell do you think - I am? + - rscadd: + GAR glasses return. Yes, I got permission. Just who the hell do you think + I am? Incoming5643: - - bugfix: Summon Events has been reworked to be a bit less manic. - - rscadd: Summon Events will turn off if the wizard and all apprentices die. Any - lingering effects are not reversed however. - - rscadd: Improving Summon Events will reduce the average time between events, but - not the minimum time between events. - - rscdel: Departmental Uprising has been made admin only for being an RP heavy event - that creates antags in an enviroment that doesn't really support that. + - bugfix: Summon Events has been reworked to be a bit less manic. + - rscadd: + Summon Events will turn off if the wizard and all apprentices die. Any + lingering effects are not reversed however. + - rscadd: + Improving Summon Events will reduce the average time between events, but + not the minimum time between events. + - rscdel: + Departmental Uprising has been made admin only for being an RP heavy event + that creates antags in an enviroment that doesn't really support that. Mandurrrh: - - rscadd: Added a cyborg upgrade module for the satchel of holding. + - rscadd: Added a cyborg upgrade module for the satchel of holding. Miauw: - - imageadd: Added a fancy white dress and a jester outfit. Sprites by Nienhaus. + - imageadd: Added a fancy white dress and a jester outfit. Sprites by Nienhaus. Steelpoint, RemieRichards, and Gun Hog: - - rscadd: Nanotrasen Security has authorized modifications to the standard issue - helmets for officers. These helmets are now issued with a mounted camera, automatically - synced to your assigned station's camera network. In addition, the helmets also - include mounting points for the Seclite model of flashlights, found in your - station's security vendors. - - rscadd: Nanotrasen Security helmets are designed for easy repairs in the field. - Officers may remove their Seclite attachment with any screwdriver, and the camera's - assembly may be pried off with a crowbar. The assembly is also compatible with - analyzer upgrades for scanning through the station's structure, and EMP shielding - is possible by applying a sheet of plasma. + - rscadd: + Nanotrasen Security has authorized modifications to the standard issue + helmets for officers. These helmets are now issued with a mounted camera, automatically + synced to your assigned station's camera network. In addition, the helmets also + include mounting points for the Seclite model of flashlights, found in your + station's security vendors. + - rscadd: + Nanotrasen Security helmets are designed for easy repairs in the field. + Officers may remove their Seclite attachment with any screwdriver, and the camera's + assembly may be pried off with a crowbar. The assembly is also compatible with + analyzer upgrades for scanning through the station's structure, and EMP shielding + is possible by applying a sheet of plasma. 2015-03-25: AnturK: - - rscadd: Added an arrow graffiti, made arrow and body graffiti face the same way - as the user - - rscadd: 'New changeling ability : Last Resort : Explode and infect corpses if - the situation looks grim' + - rscadd: + Added an arrow graffiti, made arrow and body graffiti face the same way + as the user + - rscadd: + "New changeling ability : Last Resort : Explode and infect corpses if + the situation looks grim" Fayrik: - - rscdel: Deleted the toy crossbow that wasn't a gun, but flung projectiles like - a gun. Why was that even a thing? - - rscadd: Added an abstract new type of reusable ammo. - - rscadd: Added three new foam force guns and a foam force crossbow, all of which - take the new foam dart ammo. - - rscadd: Added foam force dart boxes to the autolathe, and two crates orderable - from cargo containing the new guns. - - rscadd: Added two new donksoft guns, the syndicate's own brand of Foam Force. - Available in all good uplinks! - - tweak: New crossbow can be won as an arcade prize. - - tweak: All kinds of ammo containers can now be used to rapidly collect live ammunition - on the ground. - - tweak: Speedloaders and traditional ammo boxes can now be restocked. - - bugfix: Security bots now react to being shot. + - rscdel: + Deleted the toy crossbow that wasn't a gun, but flung projectiles like + a gun. Why was that even a thing? + - rscadd: Added an abstract new type of reusable ammo. + - rscadd: + Added three new foam force guns and a foam force crossbow, all of which + take the new foam dart ammo. + - rscadd: + Added foam force dart boxes to the autolathe, and two crates orderable + from cargo containing the new guns. + - rscadd: + Added two new donksoft guns, the syndicate's own brand of Foam Force. + Available in all good uplinks! + - tweak: New crossbow can be won as an arcade prize. + - tweak: + All kinds of ammo containers can now be used to rapidly collect live ammunition + on the ground. + - tweak: Speedloaders and traditional ammo boxes can now be restocked. + - bugfix: Security bots now react to being shot. MrPerson: - - rscadd: Added a preference toggle for hearing instruments play as suggested by - PKPenguin321. + - rscadd: + Added a preference toggle for hearing instruments play as suggested by + PKPenguin321. Pennwick: - - rscadd: Added a buildable Chem Master, board is in Circuit Imprinter. + - rscadd: Added a buildable Chem Master, board is in Circuit Imprinter. Wjohnston: - - bugfix: Finally fixed the gulag shuttle missing a redemption console. + - bugfix: Finally fixed the gulag shuttle missing a redemption console. 2015-03-30: AnturK: - - rscadd: 'Added new wizard spell : Lightning Bolt' + - rscadd: "Added new wizard spell : Lightning Bolt" Dannno: - - rscadd: Added a hammer and gavel. Court is now in session. + - rscadd: Added a hammer and gavel. Court is now in session. Iamgoofball: - - rscadd: You can now *flip. - - experiment: Objects now spin when thrown. Please report any oddities. + - rscadd: You can now *flip. + - experiment: Objects now spin when thrown. Please report any oddities. RemieRichards: - - rscadd: Monkeys can now wear ANY mask, not just ones they had specific icons for. - - rscadd: Monkeys can now wear HATS, That's right, Monkey Hats! + - rscadd: Monkeys can now wear ANY mask, not just ones they had specific icons for. + - rscadd: Monkeys can now wear HATS, That's right, Monkey Hats! Szunti: - - rscadd: Mining mobs vision adapted to darkness of the asteroids. + - rscadd: Mining mobs vision adapted to darkness of the asteroids. phil235: - - tweak: All slimes are now simple animals instead of carbon life forms. - - rscdel: Remove crit status from brain and slimes. - - rscadd: Simple animal aliens can now see in the dark like regular aliens. + - tweak: All slimes are now simple animals instead of carbon life forms. + - rscdel: Remove crit status from brain and slimes. + - rscadd: Simple animal aliens can now see in the dark like regular aliens. pudl: - - rscadd: The detective's forensic scanner has been resprited. - - rscadd: So has the cargo tagger. - - rscadd: And the RPED. + - rscadd: The detective's forensic scanner has been resprited. + - rscadd: So has the cargo tagger. + - rscadd: And the RPED. tedward1337: - - rscadd: Admins now have a button to use Bluespace Artillery at their will. + - rscadd: Admins now have a button to use Bluespace Artillery at their will. xxalpha: - - tweak: You will no longer be slowed down by anything if you use a jetpack in zero - gravity. - - rscadd: Engineering hardsuits come with an inbuilt jetpack. Requires an internals - tank in suit storage and is slower than a normal jetpack. + - tweak: + You will no longer be slowed down by anything if you use a jetpack in zero + gravity. + - rscadd: + Engineering hardsuits come with an inbuilt jetpack. Requires an internals + tank in suit storage and is slower than a normal jetpack. 2015-04-01: ACCount: - - tweak: You can now replace test range firing pins with any other pin. - - rscadd: The plasma cutter is now a gun that comes in the mining vending machine. - Use it to mine fast but expensively. - - tweak: It's also cheaper in RnD, and there's an advanced version of it there too. - Yay! - - tweak: Ripleys and Firefighters have been buffed significantly. Go wild. - - tweak: Precious mesons are cheaper in RnD. - - rscadd: Now you can mine bluespace crystals. They are extremely rare. - - rscadd: You can make remote bombs out of gibtonite. Figure out how. - - tweak: Gibtonite is a bit less stable. Do not hit it with anything heavy. + - tweak: You can now replace test range firing pins with any other pin. + - rscadd: + The plasma cutter is now a gun that comes in the mining vending machine. + Use it to mine fast but expensively. + - tweak: + It's also cheaper in RnD, and there's an advanced version of it there too. + Yay! + - tweak: Ripleys and Firefighters have been buffed significantly. Go wild. + - tweak: Precious mesons are cheaper in RnD. + - rscadd: Now you can mine bluespace crystals. They are extremely rare. + - rscadd: You can make remote bombs out of gibtonite. Figure out how. + - tweak: Gibtonite is a bit less stable. Do not hit it with anything heavy. Fayrik: - - rscadd: Added a bowman headset for death squads and ERTs. - - tweak: Deathsquad radio channel is now called the Centcom radio channel. - - bugfix: Fixed the admin buttons not spawning ERT Medic gear properly. - - tweak: Expanded Emergency Shuttle dock to allow for more round end griff. - - bugfix: All 7 ERT members now spawn geared, not just the first 4. - - bugfix: Spawning an ERT or Deathsquad no longer stops a second ERT or Deathsquad - from being spawned. - - tweak: Pulse rifles now have 80 shots, not 40. - - tweak: Deathsquads now use loyalty pinned Pulse rifles. + - rscadd: Added a bowman headset for death squads and ERTs. + - tweak: Deathsquad radio channel is now called the Centcom radio channel. + - bugfix: Fixed the admin buttons not spawning ERT Medic gear properly. + - tweak: Expanded Emergency Shuttle dock to allow for more round end griff. + - bugfix: All 7 ERT members now spawn geared, not just the first 4. + - bugfix: + Spawning an ERT or Deathsquad no longer stops a second ERT or Deathsquad + from being spawned. + - tweak: Pulse rifles now have 80 shots, not 40. + - tweak: Deathsquads now use loyalty pinned Pulse rifles. Gun Hog: - - rscadd: NTSL has been updated! It can now read and modify verbs (says, yells, - asks)! You can set your own using $say, $yell, $ask, and $exclaim variables - in your scripts. - - rscadd: NTSL can now also modify the font, italics, and bolding of radio messages - in four ways! In a script, place $loud, $wacky, $emphasis, and/or $robot in - a vector to $filters. + - rscadd: + NTSL has been updated! It can now read and modify verbs (says, yells, + asks)! You can set your own using $say, $yell, $ask, and $exclaim variables + in your scripts. + - rscadd: + NTSL can now also modify the font, italics, and bolding of radio messages + in four ways! In a script, place $loud, $wacky, $emphasis, and/or $robot in + a vector to $filters. Jordie0608: - - rscdel: The admin's old player panel has been removed and the new one has taken - it's name. + - rscdel: + The admin's old player panel has been removed and the new one has taken + it's name. NikNakFlak: - - rscadd: Adds the ability to shave corgis. + - rscadd: Adds the ability to shave corgis. Sawu: - - rscadd: 'Spraycans for Revheads: instant use crayons that can be used on walls.' - - rscadd: Spraycans can be used as ghetto pepper spray and leave their target with - colored faces that can be removed with space cleaner. + - rscadd: "Spraycans for Revheads: instant use crayons that can be used on walls." + - rscadd: + Spraycans can be used as ghetto pepper spray and leave their target with + colored faces that can be removed with space cleaner. Xhuis: - - tweak: Area ambience and ship ambience are now separate toggles. If you want one - type of ambience but not the other, you only need to switch off the type you - don't want. - - rscadd: Added cigar cases. They come in three flavors and can be bought from cigarette - machines. + - tweak: + Area ambience and ship ambience are now separate toggles. If you want one + type of ambience but not the other, you only need to switch off the type you + don't want. + - rscadd: + Added cigar cases. They come in three flavors and can be bought from cigarette + machines. 2015-04-04: ACCount: - - rscadd: Emergency welding tool added to emergency toolbox. - - rscadd: Changed industrial welding tool sprite. - - tweak: Replaced welder in syndicate toolbox with industrial one. - - tweak: All tools in syndicate toolbox are red. Corporate style! - - tweak: Red crowbar is a bit more robust. - - bugfix: 'Fixed two bugs: welder icon disappearing and drone toolbox spawning with - invisible cable coil.' + - rscadd: Emergency welding tool added to emergency toolbox. + - rscadd: Changed industrial welding tool sprite. + - tweak: Replaced welder in syndicate toolbox with industrial one. + - tweak: All tools in syndicate toolbox are red. Corporate style! + - tweak: Red crowbar is a bit more robust. + - bugfix: + "Fixed two bugs: welder icon disappearing and drone toolbox spawning with + invisible cable coil." AnturK: - - rscadd: 'Picket signs: table crafted with a rod and two cardboard sheets, write - on them with pen or crayon.' + - rscadd: + "Picket signs: table crafted with a rod and two cardboard sheets, write + on them with pen or crayon." Cheridan: - - wip: The bar's layout has been changed with a poker table and re-arranged seating. + - wip: The bar's layout has been changed with a poker table and re-arranged seating. Dannno: - - rscadd: Added gun lockers for shotguns and energy guns. Click on the lockers with - an item to close them if they're full. + - rscadd: + Added gun lockers for shotguns and energy guns. Click on the lockers with + an item to close them if they're full. Gun Hog: - - rscadd: Nanotrasen research has finalized improvements for the experimental Reactive - Teleport Armor. The armor is now made of a thinner, lightweight material which - will not hinder movement. In addition, the armor shows an increase in responsiveness, - activating in at least 50% of tests. + - rscadd: + Nanotrasen research has finalized improvements for the experimental Reactive + Teleport Armor. The armor is now made of a thinner, lightweight material which + will not hinder movement. In addition, the armor shows an increase in responsiveness, + activating in at least 50% of tests. Incoming: - - rscadd: The iconic blood-red hardsuits of nuke ops can now be purchased for a - moderate sum of 8 TC by traitors. + - rscadd: + The iconic blood-red hardsuits of nuke ops can now be purchased for a + moderate sum of 8 TC by traitors. Jordie0608: - - tweak: Cyborg mining drills now use up their internal battery before drawing power - from a borg's cell. - - bugfix: Fixes cyborg mining drills not recharging. + - tweak: + Cyborg mining drills now use up their internal battery before drawing power + from a borg's cell. + - bugfix: Fixes cyborg mining drills not recharging. RemieRichards: - - rscadd: Burning mobs will ignite others they bump into or when they are stepped - on. + - rscadd: + Burning mobs will ignite others they bump into or when they are stepped + on. Xhuis: - - tweak: Malfunctioning AIs can no longer leave the station z-level. Upon doing - this, they will fail the round. - - tweak: Phazon exosuits now require an anomaly core as the final step in their - construction. + - tweak: + Malfunctioning AIs can no longer leave the station z-level. Upon doing + this, they will fail the round. + - tweak: + Phazon exosuits now require an anomaly core as the final step in their + construction. xxalpha: - - rscadd: Added Nutriment Pump, Nutriment Pump Plus and Reviver implants. - - tweak: Added origin technologies to all implants. - - tweak: 'The following implants are now much harder to obtain: X-ray, Thermals, - Anti-Stun, Nutriment Pump Plus, Reviver.' - - tweak: Cauterizing a surgery wound will now heal some of the damage done by the - bonesaw if it was used as part of the same surgery. - - tweak: Added ability for Medical HUDs to detect cybernetic implants in humans. + - rscadd: Added Nutriment Pump, Nutriment Pump Plus and Reviver implants. + - tweak: Added origin technologies to all implants. + - tweak: + "The following implants are now much harder to obtain: X-ray, Thermals, + Anti-Stun, Nutriment Pump Plus, Reviver." + - tweak: + Cauterizing a surgery wound will now heal some of the damage done by the + bonesaw if it was used as part of the same surgery. + - tweak: Added ability for Medical HUDs to detect cybernetic implants in humans. 2015-04-09: Iamgoofball: - - rscadd: Quite a lot of cleanables can now be scooped up with a beaker in order - to acquire the contents. - - rscadd: Light a piece of paper on fire with a lighter, and scoop up the ashes! - - rscadd: Scoop up the flour the clown sprayed everywhere as a 'joke'! - - rscadd: Scoop up the oil left behind by exploding robots for re-usage in chemistry! - - rscadd: You can splash the contents of a beaker onto the floor to create a Chemical - Pile! This pile can be heated or blown up and have the reagents take the effects. - Make a string of black powder around a department in maint. and then heat it - with a welder today! - - rscadd: Reagents now can have processing effects when just sitting in a beaker. - - rscadd: Pyrosium and Cryostylane now feed off of oxygen and heat/cool the beaker - without having to be inside of a person! - - rscadd: Reagents can now respond to explosions! - - rscadd: Black Powder now instantly detonates if there is an explosion that effects - it. - - rscadd: Fire now heats up beakers and their contents! - - rscadd: Activate some smoke powder in style by lighting the beaker on fire with - a burning hot plasma fire! + - rscadd: + Quite a lot of cleanables can now be scooped up with a beaker in order + to acquire the contents. + - rscadd: Light a piece of paper on fire with a lighter, and scoop up the ashes! + - rscadd: Scoop up the flour the clown sprayed everywhere as a 'joke'! + - rscadd: Scoop up the oil left behind by exploding robots for re-usage in chemistry! + - rscadd: + You can splash the contents of a beaker onto the floor to create a Chemical + Pile! This pile can be heated or blown up and have the reagents take the effects. + Make a string of black powder around a department in maint. and then heat it + with a welder today! + - rscadd: Reagents now can have processing effects when just sitting in a beaker. + - rscadd: + Pyrosium and Cryostylane now feed off of oxygen and heat/cool the beaker + without having to be inside of a person! + - rscadd: Reagents can now respond to explosions! + - rscadd: + Black Powder now instantly detonates if there is an explosion that effects + it. + - rscadd: Fire now heats up beakers and their contents! + - rscadd: + Activate some smoke powder in style by lighting the beaker on fire with + a burning hot plasma fire! RemieRichards: - - tweak: Ninja stars are summoned to your hand to be thrown rather than automatically - targetting nearby mobs. - - rscadd: 'Added Sword Recall: pulls your katana towards you, hitting mobs in the - way. Free if within sight, cost scales with distance otherwise.' - - rscadd: Enemies can be electrocuted by a ninja as the cost of his energy, stunning - and injuring them. - - rscdel: Removed SpiderOS, functions moved to status panel. - - bugfix: Fixed energy nets not anchoring target, katana emag spam and sound delay. + - tweak: + Ninja stars are summoned to your hand to be thrown rather than automatically + targetting nearby mobs. + - rscadd: + "Added Sword Recall: pulls your katana towards you, hitting mobs in the + way. Free if within sight, cost scales with distance otherwise." + - rscadd: + Enemies can be electrocuted by a ninja as the cost of his energy, stunning + and injuring them. + - rscdel: Removed SpiderOS, functions moved to status panel. + - bugfix: Fixed energy nets not anchoring target, katana emag spam and sound delay. optimumtact: - - bugfix: Mimes can't use megaphone without breaking their vow anymore. + - bugfix: Mimes can't use megaphone without breaking their vow anymore. phil235: - - tweak: Flying animals no longer triggers mouse traps, bear traps or mines. + - tweak: Flying animals no longer triggers mouse traps, bear traps or mines. 2015-04-11: Gun Hog: - - tweak: Nanotrasen has approved an access upgrade for Cargo Technicians! They are - now authorized to release minerals from the ore redemption machine, to allow - proper inventory management and shipping. + - tweak: + Nanotrasen has approved an access upgrade for Cargo Technicians! They are + now authorized to release minerals from the ore redemption machine, to allow + proper inventory management and shipping. Iamgoofball: - - tweak: Blobbernauts no longer deal chemical damage, brute damage increased however. + - tweak: Blobbernauts no longer deal chemical damage, brute damage increased however. Ikarrus: - - experiment: Getting converted by a rev or cultist will stun you for a few seconds. + - experiment: Getting converted by a rev or cultist will stun you for a few seconds. Incoming5643: - - bugfix: Fixes some AI malf powers being usable when dead. + - bugfix: Fixes some AI malf powers being usable when dead. MrPerson: - - tweak: Reduces movement speed penalty from being cold. + - tweak: Reduces movement speed penalty from being cold. Xhuis: - - rscadd: Adds a pizza bomb traitor item for 4 telecrystals. It's a bomb, diguised - as a pizza box. You can also attempt to defuse it by using wirecutters. + - rscadd: + Adds a pizza bomb traitor item for 4 telecrystals. It's a bomb, diguised + as a pizza box. You can also attempt to defuse it by using wirecutters. kingofkosmos: - - rscadd: Activating internals with an adjusted breath mask will automatically push - it up to normal state. - - tweak: Masks can now be adjusted when buckled to a chair. + - rscadd: + Activating internals with an adjusted breath mask will automatically push + it up to normal state. + - tweak: Masks can now be adjusted when buckled to a chair. optimumtact: - - tweak: Stun batons no longer lose charge over time when on. + - tweak: Stun batons no longer lose charge over time when on. phil235: - - tweak: The AI holopads now use a popup window just like computers and other machines. - - rscdel: Nerfs kinetic accelerator and plasma cutters. Plasma cutter is no longer - in the mining vendor. Reduces the drilling cost of all drills. - - rscadd: Adding 40+ new food and drink recipes, mostly using the newest plants. - Notably rice recipes, burritos, nachos, salads, pizzas. - - tweak: Opening the tablecrafting window can now also be done by dragging the mouse - from any food (that's on a table) onto you. - - rscadd: The kitchen cabinet starts with one rice pack. - - tweak: Glasses with unknown reagent will no longer be always brown but will take - the color of their reagents. + - tweak: The AI holopads now use a popup window just like computers and other machines. + - rscdel: + Nerfs kinetic accelerator and plasma cutters. Plasma cutter is no longer + in the mining vendor. Reduces the drilling cost of all drills. + - rscadd: + Adding 40+ new food and drink recipes, mostly using the newest plants. + Notably rice recipes, burritos, nachos, salads, pizzas. + - tweak: + Opening the tablecrafting window can now also be done by dragging the mouse + from any food (that's on a table) onto you. + - rscadd: The kitchen cabinet starts with one rice pack. + - tweak: + Glasses with unknown reagent will no longer be always brown but will take + the color of their reagents. 2015-04-13: AnturK: - - rscadd: 'Spacemen have learned the basics of martial arts: Boxing, unleash it''s - power by wearing Boxing Gloves.' - - rscadd: While boxing you can't grab or disarm, but you hit harder with a knockout - chance that scales off stamina damage above 50. - - rscadd: Rumors have been heard of powerful martial styles avaliable only to the - gods themselves. + - rscadd: + "Spacemen have learned the basics of martial arts: Boxing, unleash it's + power by wearing Boxing Gloves." + - rscadd: + While boxing you can't grab or disarm, but you hit harder with a knockout + chance that scales off stamina damage above 50. + - rscadd: + Rumors have been heard of powerful martial styles avaliable only to the + gods themselves. CosmicScientist: - - rscadd: Added a dehydrated space carp to traitor items, bought with telecrystals. - Use dehydrated space carp in hand to school them on loyalty. Add water to create - a vicious murder machine just for the halibut. - - tweak: The toy carp plushie now has attack verbs for fun, hit your friend with - one today. I put my sole into this mod. - - wip: If you can think of a better fish pun let minnow but I shouldn't leave it - to salmon else. + - rscadd: + Added a dehydrated space carp to traitor items, bought with telecrystals. + Use dehydrated space carp in hand to school them on loyalty. Add water to create + a vicious murder machine just for the halibut. + - tweak: + The toy carp plushie now has attack verbs for fun, hit your friend with + one today. I put my sole into this mod. + - wip: + If you can think of a better fish pun let minnow but I shouldn't leave it + to salmon else. Ikarrus: - - tweak: Gang bosses can no longer purchase certain potent traitor items but instead - have access to some of a nuke op's arsenal of weapons. + - tweak: + Gang bosses can no longer purchase certain potent traitor items but instead + have access to some of a nuke op's arsenal of weapons. Incoming5643: - - rscadd: 'Three new chemical types of blob can occur: Omnizine, Morphine and Space - Drugs.' + - rscadd: + "Three new chemical types of blob can occur: Omnizine, Morphine and Space + Drugs." MrPerson: - - experiment: New lighting system! Lighting now smoothly transfers from one lighting - level to the next. + - experiment: + New lighting system! Lighting now smoothly transfers from one lighting + level to the next. Xhuis: - - rscadd: There have been... odd sighting in Space Station 13's sector. Alien organisms - have appeared on stations 57, 23, and outlying. - - rscadd: Nanotrasen personnel have reason to believe that Space Station 13 is under - attack by shadowlings. We have little intel on these creatures, but be on the - lookout for odd behavior and dark areas. Use plenty of lights. + - rscadd: + There have been... odd sighting in Space Station 13's sector. Alien organisms + have appeared on stations 57, 23, and outlying. + - rscadd: + Nanotrasen personnel have reason to believe that Space Station 13 is under + attack by shadowlings. We have little intel on these creatures, but be on the + lookout for odd behavior and dark areas. Use plenty of lights. Zelacks: - - tweak: Defibs no longer have a minimum damage requirement for a successful revive. - Patients will have 150 total damage on a successful revive. - - tweak: Additional feedback is given for several failure states of the defib. + - tweak: + Defibs no longer have a minimum damage requirement for a successful revive. + Patients will have 150 total damage on a successful revive. + - tweak: Additional feedback is given for several failure states of the defib. xxalpha: - - wip: Airlock crushing damage increased. + - wip: Airlock crushing damage increased. 2015-04-16: AnturK: - - rscadd: Nanotrasen authorities are reporting sightings of unidentified space craft - near space station 13. Report any strange sightings or mental breakdowns to - central command. - - rscadd: 'PS : Abductions are not covered by health insurance.' - - rscadd: Shadowlings and their thralls now have HUD icons. - - rscadd: Thralls learn their master's objectives when enthralled. - - rscadd: Regenerate Chitin ability lets shadowlings re-equip their armor if lost. - - tweak: Loyalty implanted people take 25% longer to enthrall, but lose their implant - and become immune to re-implanting. - - experiment: Shadowlings now have a message in their spawning text which specifies - that cooperation is mandatory. - - bugfix: Veil now works on equipped lights. - - bugfix: Shadowlings now take correct amount of burn damage and in light and heal - clone and brain damage in darkness. - - bugfix: Fixes 'Round end code broke' displaying every round. - - bugfix: Shadowlings who ascend will nore greentext properly. + - rscadd: + Nanotrasen authorities are reporting sightings of unidentified space craft + near space station 13. Report any strange sightings or mental breakdowns to + central command. + - rscadd: "PS : Abductions are not covered by health insurance." + - rscadd: Shadowlings and their thralls now have HUD icons. + - rscadd: Thralls learn their master's objectives when enthralled. + - rscadd: Regenerate Chitin ability lets shadowlings re-equip their armor if lost. + - tweak: + Loyalty implanted people take 25% longer to enthrall, but lose their implant + and become immune to re-implanting. + - experiment: + Shadowlings now have a message in their spawning text which specifies + that cooperation is mandatory. + - bugfix: Veil now works on equipped lights. + - bugfix: + Shadowlings now take correct amount of burn damage and in light and heal + clone and brain damage in darkness. + - bugfix: Fixes 'Round end code broke' displaying every round. + - bugfix: Shadowlings who ascend will nore greentext properly. Gun Hog: - - rscadd: Thinktronic Systems, LTD. has increased the Value of the Value-PAK PDA - cartridge! Standard issue for Captain PDAs, it can now access security bots, - medibots, cleanbots, and floorbots ALL AT ONCE! In addition, it can also connect - to your station's Newscaster network at NO EXTRA CHARGE! As a Thank you for - our contract with them, they have thrown in Newscaster access for the HumanResources9001 - cartridge, Heads of Personnel rejoice! - - tweak: The Newscaster app has also gotten a free upgrade which allows it to display - images and comments inside of posts! - - bugfix: Nanotrasen has concurrently released a patch for bots which will allow - off-station bots to properly patrol. + - rscadd: + Thinktronic Systems, LTD. has increased the Value of the Value-PAK PDA + cartridge! Standard issue for Captain PDAs, it can now access security bots, + medibots, cleanbots, and floorbots ALL AT ONCE! In addition, it can also connect + to your station's Newscaster network at NO EXTRA CHARGE! As a Thank you for + our contract with them, they have thrown in Newscaster access for the HumanResources9001 + cartridge, Heads of Personnel rejoice! + - tweak: + The Newscaster app has also gotten a free upgrade which allows it to display + images and comments inside of posts! + - bugfix: + Nanotrasen has concurrently released a patch for bots which will allow + off-station bots to properly patrol. Incoming5643: - - rscadd: Changeling head slugs have been given player control, ventcrawling, and - a short escape period after egg laying. + - rscadd: + Changeling head slugs have been given player control, ventcrawling, and + a short escape period after egg laying. MrStonedOne: - - rscadd: Admin ghosts can now drag ghosts to mobs to put that ghost in control - of that mob. + - rscadd: + Admin ghosts can now drag ghosts to mobs to put that ghost in control + of that mob. Xhuis: - - rscadd: Nanotrasen scientists have recently observed a strange genome shift in - green slimes. Experiments have shown that injection of radium into an active - green slime extract will create a very unstable mutation toxin. Use with caution. + - rscadd: + Nanotrasen scientists have recently observed a strange genome shift in + green slimes. Experiments have shown that injection of radium into an active + green slime extract will create a very unstable mutation toxin. Use with caution. 2015-04-19: AnturK: - - bugfix: Observers can now see abductor hivemind messages. - - rscadd: 'Adds advanced baton for abductors: Stun, Sleep and Cuff in one tool.' - - rscadd: Abductor agents now have vest cameras. - - imageadd: New sprites for abductors and their gear made by Ausops. + - bugfix: Observers can now see abductor hivemind messages. + - rscadd: "Adds advanced baton for abductors: Stun, Sleep and Cuff in one tool." + - rscadd: Abductor agents now have vest cameras. + - imageadd: New sprites for abductors and their gear made by Ausops. Fayrik: - - rscadd: Added jobban options for Abductors and Deathsquads. - - tweak: Made admin antag spawning buttons more efficient and less prone to failure. + - rscadd: Added jobban options for Abductors and Deathsquads. + - tweak: Made admin antag spawning buttons more efficient and less prone to failure. Xhuis: - - rscadd: Recent sightings aboard space stations shows that spirits seem to be manifesting - as malevolent revenants and draining the life of crew. The chaplain may be helpful - in stopping this new threat. + - rscadd: + Recent sightings aboard space stations shows that spirits seem to be manifesting + as malevolent revenants and draining the life of crew. The chaplain may be helpful + in stopping this new threat. kingofkosmos: - - wip: Girder and machine frame construction protocols has been changed. They can - now be secured/unsecured with a wrench and disassembled with a welder. + - wip: + Girder and machine frame construction protocols has been changed. They can + now be secured/unsecured with a wrench and disassembled with a welder. 2015-04-20: Fayrik: - - rscadd: Abductors now get advanced camera consoles. - - tweak: Redesigned Centcom again. There's a bar at the thunderdome now. - - rscadd: Headsets can now be locked to a spesific frequency, this only occurs for - nuke ops and deathsquads. - - rscadd: The Centcom channel is now available over all z-levels, regardless of - telecomms status. - - tweak: The Deathsquad space suits have been upgraded to hardsuits. - - rscadd: The Deathsquad now have thermal imaging huds, which can swap which hud - they display on the fly. + - rscadd: Abductors now get advanced camera consoles. + - tweak: Redesigned Centcom again. There's a bar at the thunderdome now. + - rscadd: + Headsets can now be locked to a spesific frequency, this only occurs for + nuke ops and deathsquads. + - rscadd: + The Centcom channel is now available over all z-levels, regardless of + telecomms status. + - tweak: The Deathsquad space suits have been upgraded to hardsuits. + - rscadd: + The Deathsquad now have thermal imaging huds, which can swap which hud + they display on the fly. phil235: - - tweak: Reagents are now back to being metabolized every tick. Fixes frost oil - and capsaicin not working. - - tweak: Fixes not being able to make sterilizine. - - rscadd: Adding overdose to space drug, causing mild hallucination and toxin and - brain damage. - - tweak: Nerfed healing power of stimulant reagent. Buffed ephedrine a bit. - - rscadd: Nitroglycerin can now be stabilized with stabilizing agent, and explodes - when heated. + - tweak: + Reagents are now back to being metabolized every tick. Fixes frost oil + and capsaicin not working. + - tweak: Fixes not being able to make sterilizine. + - rscadd: + Adding overdose to space drug, causing mild hallucination and toxin and + brain damage. + - tweak: Nerfed healing power of stimulant reagent. Buffed ephedrine a bit. + - rscadd: + Nitroglycerin can now be stabilized with stabilizing agent, and explodes + when heated. 2015-04-21: Ikarrus: - - wip: Gang mode has had some considerable work done on it, including a new objective - and currency dynamic. - - rscadd: New objective: Claim half the station as territory by tagging it - with spray cans supplied to gang bosses, but usable by any member. - - wip: An area can only be tagged by one gang at a time, remove your opponent's - tag or spray over it. - - rscadd: New recruitment: Recruiment pens replace flashes, stab people to - recruit them. - - experiment: Recruitment is silent, but causes brief seizures and has a cooldown - that scales upwards with a gang's size. - - rscadd: New tool: The Gangtool is used by bosses and lieutenants to recall - the shuttle and purchase supplies. - - rscadd: Pistols, ammo, spraycans, recruitment pens and additional gangtools can - all be bought. - - tweak: Gangtools also alert the user of promotions, purchases and territory changes - within the gang. - - rscadd: Lieutenants are promoted from gang members when given their own gangtool; - they're immune to deconversion and able to do anything a boss can except promotion. - - rscadd: New currency: Influence is used to purchase with the gangtool and - is generated every 5 minutes by each territory owned by the gang. - - tweak: Thermite can be cleaned off walls now. + - wip: + Gang mode has had some considerable work done on it, including a new objective + and currency dynamic. + - rscadd: + New objective: Claim half the station as territory by tagging it + with spray cans supplied to gang bosses, but usable by any member. + - wip: + An area can only be tagged by one gang at a time, remove your opponent's + tag or spray over it. + - rscadd: + New recruitment: Recruiment pens replace flashes, stab people to + recruit them. + - experiment: + Recruitment is silent, but causes brief seizures and has a cooldown + that scales upwards with a gang's size. + - rscadd: + New tool: The Gangtool is used by bosses and lieutenants to recall + the shuttle and purchase supplies. + - rscadd: + Pistols, ammo, spraycans, recruitment pens and additional gangtools can + all be bought. + - tweak: + Gangtools also alert the user of promotions, purchases and territory changes + within the gang. + - rscadd: + Lieutenants are promoted from gang members when given their own gangtool; + they're immune to deconversion and able to do anything a boss can except promotion. + - rscadd: + New currency: Influence is used to purchase with the gangtool and + is generated every 5 minutes by each territory owned by the gang. + - tweak: Thermite can be cleaned off walls now. 2015-04-22: Incoming5643: - - rscadd: 'Adds a new fun button for admins: ''Set Round End Sound''. You can use - the set round end sound button to set the round end sound. Glad we cleared that - up!' + - rscadd: + "Adds a new fun button for admins: 'Set Round End Sound'. You can use + the set round end sound button to set the round end sound. Glad we cleared that + up!" Miauw62: - - wip: Very slightly expanded atmos and added an external airlock. + - wip: Very slightly expanded atmos and added an external airlock. Xhuis: - - bugfix: A few issues have been fixed for revenants. In addition, the Mind Blast/Mind - Spike sound effect has been removed. - - rscadd: Adds the Hypnotize ability to revenants. It will cause a target to fall - asleep after a short time. + - bugfix: + A few issues have been fixed for revenants. In addition, the Mind Blast/Mind + Spike sound effect has been removed. + - rscadd: + Adds the Hypnotize ability to revenants. It will cause a target to fall + asleep after a short time. xxalpha: - - rscadd: Added an Exosuit Mining Scanner to the robotics fabricator. - - tweak: Buffed Ripley's movement and drilling speed in low pressure environments. + - rscadd: Added an Exosuit Mining Scanner to the robotics fabricator. + - tweak: Buffed Ripley's movement and drilling speed in low pressure environments. 2015-04-25: Boggart: - - rscadd: Generalizes handheld instrument code and Ports Nienhaus's guitar, sounds - by BartNixon of Tau Ceti. - - rscadd: Fixes being unable to build disposal pipes on walls, makes changing the - RPD's settings not affect pipes that are currently building, makes the RPD use - the datum/browser ui, makes it use categories and makes it show the selected - mode. + - rscadd: + Generalizes handheld instrument code and Ports Nienhaus's guitar, sounds + by BartNixon of Tau Ceti. + - rscadd: + Fixes being unable to build disposal pipes on walls, makes changing the + RPD's settings not affect pipes that are currently building, makes the RPD use + the datum/browser ui, makes it use categories and makes it show the selected + mode. Gun Hog: - - rscadd: Nanotrasen has provided designs for fabrication of APC power control modules. - You may print them at any autolathe. + - rscadd: + Nanotrasen has provided designs for fabrication of APC power control modules. + You may print them at any autolathe. Ikarrus: - - rscadd: Gangs can now purchase switchblades, a relatively cheap and decently robust - melee weapon. - - tweak: Gangs now require at least 66% control of the station to win. - - tweak: Gang spraycan uses reduced to 15. - - tweak: Pistol cost increased to 30 Influence - - tweak: Promotions now start off cheap at 20 influence but get more expensive the - more people you promote. + - rscadd: + Gangs can now purchase switchblades, a relatively cheap and decently robust + melee weapon. + - tweak: Gangs now require at least 66% control of the station to win. + - tweak: Gang spraycan uses reduced to 15. + - tweak: Pistol cost increased to 30 Influence + - tweak: + Promotions now start off cheap at 20 influence but get more expensive the + more people you promote. Xhuis: - - rscadd: Added a Create Antagonist button for revenants. - - rscdel: Removed Mind Blast. - - bugfix: Revenants no longer get killed by explosions. - - tweak: Mind spike cooldown increased to 4 seconds. - - tweak: Harvest now takes 8 seconds and requires you to be adjacent to the target. - - tweak: Hypnotise sleeps targets for longer. - - tweak: Revenant now starts with 3 strikes. + - rscadd: Added a Create Antagonist button for revenants. + - rscdel: Removed Mind Blast. + - bugfix: Revenants no longer get killed by explosions. + - tweak: Mind spike cooldown increased to 4 seconds. + - tweak: Harvest now takes 8 seconds and requires you to be adjacent to the target. + - tweak: Hypnotise sleeps targets for longer. + - tweak: Revenant now starts with 3 strikes. phil235: - - tweak: Telecom machines are now deconstructed the same way as all other constructable - machines. - - tweak: You can no longer overdose on nicotine but you can get addicted (very mild - effects). + - tweak: + Telecom machines are now deconstructed the same way as all other constructable + machines. + - tweak: + You can no longer overdose on nicotine but you can get addicted (very mild + effects). 2015-04-29: AndroidSFV: - - tweak: Dehydrated carp now are friendly to both the imprinter of the plushie as - well as any coded-in allies (I.E. Nuke Ops team), and unfriendly to carp of - other origin othan than yourself or your coded-in allies. Dehydrated carp that - are not imprinted will still have the same behavior as regular carp. + - tweak: + Dehydrated carp now are friendly to both the imprinter of the plushie as + well as any coded-in allies (I.E. Nuke Ops team), and unfriendly to carp of + other origin othan than yourself or your coded-in allies. Dehydrated carp that + are not imprinted will still have the same behavior as regular carp. AnturK: - - rscadd: Advanced cameras now have all functionality of the abductor consoles. - - tweak: Pinpoint teleportation takes 8 seconds and spawns a flashy silhouette at - the target location. Can be used as distraction since it appears even if teleporter - is empty. - - bugfix: Abductors are now immune to viruses. - - bugfix: Dissection surgery ignores clothes. - - bugfix: Non-abductors can escape the ship by fiddling with consoles enough. - - rscadd: Three new negative glands. - - rscadd: Bloody glands spray blood everywhere and injure the host. - - rscadd: Bodysnatch glands turn the host into a cocoon that hatches doppelgangers. - - rscadd: Plasma glands cause the host to explode into a cloud of plasma. + - rscadd: Advanced cameras now have all functionality of the abductor consoles. + - tweak: + Pinpoint teleportation takes 8 seconds and spawns a flashy silhouette at + the target location. Can be used as distraction since it appears even if teleporter + is empty. + - bugfix: Abductors are now immune to viruses. + - bugfix: Dissection surgery ignores clothes. + - bugfix: Non-abductors can escape the ship by fiddling with consoles enough. + - rscadd: Three new negative glands. + - rscadd: Bloody glands spray blood everywhere and injure the host. + - rscadd: Bodysnatch glands turn the host into a cocoon that hatches doppelgangers. + - rscadd: Plasma glands cause the host to explode into a cloud of plasma. GoonOnMoon: - - rscadd: Added a new assault rifle to the game for use by Nanotrasen fighting forces - in special events. Also happens to be available in the Liberation Station vending - machine and the summon guns spell usable by the wizard and badminnery. + - rscadd: + Added a new assault rifle to the game for use by Nanotrasen fighting forces + in special events. Also happens to be available in the Liberation Station vending + machine and the summon guns spell usable by the wizard and badminnery. Iamgoofball: - - rscdel: Acid blob has been removed. - - tweak: Charcoal and Silver Sulf are more powerful now. - - tweak: Styptic power and Silver Sulf metabolize at the default rate. + - rscdel: Acid blob has been removed. + - tweak: Charcoal and Silver Sulf are more powerful now. + - tweak: Styptic power and Silver Sulf metabolize at the default rate. Ikarrus: - - rscadd: Spraycans and crayons can now draw Poseur Tags, aka Fake Gang Tags, as - grafiti. - - tweak: Influence income changed to provide weaker gangs a bigger boost, while - slowing down stronger gangs to promote opportunity for comebacks. - - tweak: Gangs only earn influence on territories they have held on to since the - previous Status Report (the income calculation every 5 minutes). This places - more significance on defending your existing territory. - - bugfix: You must be in the territory physically to tag it now. So no more tagging - everything from maint. - - tweak: Gang income delay reduced to 3 minutes intervals. - - tweak: Gang Capture goal reduced to 50% - - tweak: Gang spraycan use increased to 20 - - tweak: Gang Boss icon is now a red [G] icon to make it stand out better from regular - gang icons + - rscadd: + Spraycans and crayons can now draw Poseur Tags, aka Fake Gang Tags, as + grafiti. + - tweak: + Influence income changed to provide weaker gangs a bigger boost, while + slowing down stronger gangs to promote opportunity for comebacks. + - tweak: + Gangs only earn influence on territories they have held on to since the + previous Status Report (the income calculation every 5 minutes). This places + more significance on defending your existing territory. + - bugfix: + You must be in the territory physically to tag it now. So no more tagging + everything from maint. + - tweak: Gang income delay reduced to 3 minutes intervals. + - tweak: Gang Capture goal reduced to 50% + - tweak: Gang spraycan use increased to 20 + - tweak: + Gang Boss icon is now a red [G] icon to make it stand out better from regular + gang icons JJRcop: - - tweak: TED's kill duration has been halved. - - tweak: Escaping from the TED's field no longer kills you. + - tweak: TED's kill duration has been halved. + - tweak: Escaping from the TED's field no longer kills you. RemieRichards: - - rscadd: Adds Easels and canvases for custom drawings. - - imageadd: Place a canvas on an easel and draw on it with crayons, clean one pixel - with a rag or soap and activate it in-hand to erase the whole canvas. - - rscadd: Ports VG's Ventcrawling overhaul! - - tweak: Crawling through vents is no longer instant, you now have to move and navigate - manually - - rscadd: While inside pipes and other atmos machinery, you now see pipe vision + - rscadd: Adds Easels and canvases for custom drawings. + - imageadd: + Place a canvas on an easel and draw on it with crayons, clean one pixel + with a rag or soap and activate it in-hand to erase the whole canvas. + - rscadd: Ports VG's Ventcrawling overhaul! + - tweak: + Crawling through vents is no longer instant, you now have to move and navigate + manually + - rscadd: While inside pipes and other atmos machinery, you now see pipe vision phil235: - - bugfix: Podplants are no longer unharvestable. - - tweak: Choosing your clown, mime, cyborg and AI name as well as religion and deity - is now done in the preferences window. As a chaplain , your bible's icon is - now chosen by clicking the bible. + - bugfix: Podplants are no longer unharvestable. + - tweak: + Choosing your clown, mime, cyborg and AI name as well as religion and deity + is now done in the preferences window. As a chaplain , your bible's icon is + now chosen by clicking the bible. 2015-04-30: Fayrik: - - rscadd: Ported NanoUI to most atmospherics equipment. + - rscadd: Ported NanoUI to most atmospherics equipment. TheVekter: - - tweak: Hooch is now made with 2 parts Ethanol, 1 part Welder fuel and 1 part Universal - Enzyme as a catalyst. - - tweak: No-slip shoes are paintable, painting them doesn't remove no-slip properties. + - tweak: + Hooch is now made with 2 parts Ethanol, 1 part Welder fuel and 1 part Universal + Enzyme as a catalyst. + - tweak: No-slip shoes are paintable, painting them doesn't remove no-slip properties. 2015-05-01: Ikarrus: - - rscadd: Gang bosses can now rally their gang to their location with their gangtool. - - rscadd: Gangtools can no longer recall the shuttle if station integrity is lower - than 70% - - rscdel: Removed requirement to be in the territory to tag it. - - tweak: Recruitment Pen cost reduced to 40. - - bugfix: Communications console should now accurately print the (lack of a) location - of the last shuttle call. + - rscadd: Gang bosses can now rally their gang to their location with their gangtool. + - rscadd: + Gangtools can no longer recall the shuttle if station integrity is lower + than 70% + - rscdel: Removed requirement to be in the territory to tag it. + - tweak: Recruitment Pen cost reduced to 40. + - bugfix: + Communications console should now accurately print the (lack of a) location + of the last shuttle call. Xhuis: - - rscdel: Revenants will no longer spawn without admin intervention. They are pending - a remake. + - rscdel: + Revenants will no longer spawn without admin intervention. They are pending + a remake. 2015-05-02: Boggart: - - bugfix: Cryo tubes can no longer be used for ventcrawling. + - bugfix: Cryo tubes can no longer be used for ventcrawling. Ikarrus: - - rscadd: Admins can choose the strength and size of Centcom teams to send, ranging - from officials to deathsquads, with the 'Make Centcom Respone Team' button. + - rscadd: + Admins can choose the strength and size of Centcom teams to send, ranging + from officials to deathsquads, with the 'Make Centcom Respone Team' button. phil235: - - tweak: Space carps can no longer knock down anyone, but they now deal additional - stamina damage to humans. - - tweak: Radiation effects from uranium walls are nerfed to the level of uranium - floor. - - rscadd: You can no longer put an inactive MMI in a cyborg shell. Ghosted brains - now get an alert when someone puts their brain in a MMI. You can now examine - the MMI to see if its brain is active. + - tweak: + Space carps can no longer knock down anyone, but they now deal additional + stamina damage to humans. + - tweak: + Radiation effects from uranium walls are nerfed to the level of uranium + floor. + - rscadd: + You can no longer put an inactive MMI in a cyborg shell. Ghosted brains + now get an alert when someone puts their brain in a MMI. You can now examine + the MMI to see if its brain is active. 2015-05-03: AnturK: - - rscadd: Abductors can purchase spare gear with experimentation points. + - rscadd: Abductors can purchase spare gear with experimentation points. Ikarrus: - - rscadd: Admins can now adjust the pre-game delay time. + - rscadd: Admins can now adjust the pre-game delay time. MrStonedOne: - - experiment: MasterController and subsystem rejiggering! - - rscadd: The MC can now dynamcially change the rate a subsystem is triggered based - on how laggy it's being. This has been applied to atmos to allow for faster - air processing without lagging the server - - tweak: Pipes and atmos machinery now processes in tune with air, rather than seperately. - - bugfix: Fixed hotspots and fire causing more lag than they needed to - - bugfix: Fixed some objects not getting garbage collected because they didn't properly - clear references in Destory() - - tweak: The qdel subsystem will now limit its processing time to a 5th of a second - each tick to prevent lag when a lot of deletes happen - - bugfix: Fixed the ticker not showing a tip of the round if an admin forces the - round to start immediately + - experiment: MasterController and subsystem rejiggering! + - rscadd: + The MC can now dynamcially change the rate a subsystem is triggered based + on how laggy it's being. This has been applied to atmos to allow for faster + air processing without lagging the server + - tweak: Pipes and atmos machinery now processes in tune with air, rather than seperately. + - bugfix: Fixed hotspots and fire causing more lag than they needed to + - bugfix: + Fixed some objects not getting garbage collected because they didn't properly + clear references in Destory() + - tweak: + The qdel subsystem will now limit its processing time to a 5th of a second + each tick to prevent lag when a lot of deletes happen + - bugfix: + Fixed the ticker not showing a tip of the round if an admin forces the + round to start immediately 2015-05-04: Firecage: - - bugfix: Emagged windoors can now be deconstructed. + - bugfix: Emagged windoors can now be deconstructed. RemieRichards: - - rscadd: Adds Plasmamen, a species that breathes plasma and bursts into flames - if they don't wear special suits. - - imageadd: New burning icon for all humanoid mobs. - - imageadd: New sprite for Skeletons to match Plasmamen. + - rscadd: + Adds Plasmamen, a species that breathes plasma and bursts into flames + if they don't wear special suits. + - imageadd: New burning icon for all humanoid mobs. + - imageadd: New sprite for Skeletons to match Plasmamen. oranges: - - tweak: Thanks to recent advances in fork science, you no longer need to aim at - your eyes to eat the food off a fork + - tweak: + Thanks to recent advances in fork science, you no longer need to aim at + your eyes to eat the food off a fork xxalpha: - - rscadd: 'Adds a new barsign: ''The Net''.' + - rscadd: "Adds a new barsign: 'The Net'." 2015-05-05: Firecage: - - bugfix: Golems and skeletons no longer fall over when stepping on shards. + - bugfix: Golems and skeletons no longer fall over when stepping on shards. Gun Hog: - - bugfix: Mining borg diamond drill upgrade now functional. + - bugfix: Mining borg diamond drill upgrade now functional. Ikarrus: - - tweak: Doubled the initial charge of SMESs in Engineering. - - tweak: Influence cap for gangs has been increased. + - tweak: Doubled the initial charge of SMESs in Engineering. + - tweak: Influence cap for gangs has been increased. incoming5643: - - bugfix: All modes now select their antagonists before job selection, this means - that a player who prefers roles normally immune to being certain antagonists - (implanted roles/silicons) can still have a fair shot at every antagonist roll - they opt into. If they're selected they simply will not end up with an incompatible - job. - - bugfix: As an example if someone loved to play Head of Security (humor me here) - and had it set to high, and the only other jobs he had set were security officer - at medium and botanist at low but he was selected to be a traitor, he would - spawn as a botanist even if there ended up being no Head of Security. - - experiment: Please give playing security another chance if you'd written it off - because it affected your antag chances. + - bugfix: + All modes now select their antagonists before job selection, this means + that a player who prefers roles normally immune to being certain antagonists + (implanted roles/silicons) can still have a fair shot at every antagonist roll + they opt into. If they're selected they simply will not end up with an incompatible + job. + - bugfix: + As an example if someone loved to play Head of Security (humor me here) + and had it set to high, and the only other jobs he had set were security officer + at medium and botanist at low but he was selected to be a traitor, he would + spawn as a botanist even if there ended up being no Head of Security. + - experiment: + Please give playing security another chance if you'd written it off + because it affected your antag chances. xxalpha: - - bugfix: Hulks can now break windoors. - - bugfix: Fixed smoking pipe messages. Fixed emptying a smoking pipe with nothing - in it. + - bugfix: Hulks can now break windoors. + - bugfix: + Fixed smoking pipe messages. Fixed emptying a smoking pipe with nothing + in it. 2015-05-06: Jordie0608: - - bugfix: Borgs can now open lockers with the 'Toggle Open' verb. + - bugfix: Borgs can now open lockers with the 'Toggle Open' verb. Thunder12345: - - bugfix: Severed the cryo tube's connection to the spirit world. Ghosts will no - longer be able to eject people from cryo. Please report further instances of - poltergeist activity to your local exorcist. + - bugfix: + Severed the cryo tube's connection to the spirit world. Ghosts will no + longer be able to eject people from cryo. Please report further instances of + poltergeist activity to your local exorcist. Xhuis: - - tweak: Many minor technical changes have been made to cult. - - rscadd: Cultist communications now show the name of the person using them. Emergency - communications do not do this. - - rscadd: Emergency communication does less damage. + - tweak: Many minor technical changes have been made to cult. + - rscadd: + Cultist communications now show the name of the person using them. Emergency + communications do not do this. + - rscadd: Emergency communication does less damage. xxalpha: - - rscadd: Engineering cyborgs can now pick their cable coil color whenever they - want. + - rscadd: + Engineering cyborgs can now pick their cable coil color whenever they + want. 2015-05-07: Xhuis: - - rscadd: Emagged defibrillators will now do burn damage and stop the patient's - heart if used in harm intent. - - tweak: The previous stunning functionality of the emagged defibrillator has been - moved to disarm intent. + - rscadd: + Emagged defibrillators will now do burn damage and stop the patient's + heart if used in harm intent. + - tweak: + The previous stunning functionality of the emagged defibrillator has been + moved to disarm intent. phil235: - - tweak: Temperature effects from frost oil and capsaicin reagents and basilisk - have been buffed to be significant again. + - tweak: + Temperature effects from frost oil and capsaicin reagents and basilisk + have been buffed to be significant again. xxalpha: - - tweak: Hulks can now break windoors. + - tweak: Hulks can now break windoors. 2015-05-08: Firecage: - - tweak: Mobs can now be buckled to operating tables. + - tweak: Mobs can now be buckled to operating tables. Gun Hog: - - rscadd: 'Top scientists at Nanotrasen have made strong progress in Artificial - Intelligence technology, and have completed a design for replicating a human - mind: Positronic Brains. Prototypes produced on your research station should - be compatible with all Man-Machine Interface compliant machines, be it Mechs, - AIs, and even Cyborg bodies. Please note that Cyborgs created from artificial - brains are called Androids.' - - tweak: The pAI role preference and related jobbans have been renamed to properly - reflect that they are not soley for pAI, but include drones and positroinc prains. + - rscadd: + "Top scientists at Nanotrasen have made strong progress in Artificial + Intelligence technology, and have completed a design for replicating a human + mind: Positronic Brains. Prototypes produced on your research station should + be compatible with all Man-Machine Interface compliant machines, be it Mechs, + AIs, and even Cyborg bodies. Please note that Cyborgs created from artificial + brains are called Androids." + - tweak: + The pAI role preference and related jobbans have been renamed to properly + reflect that they are not soley for pAI, but include drones and positroinc prains. astralenigma: - - tweak: Cargo packages are now delivered with their manifests taped to the outside. - Click on them with an open hand to remove them. + - tweak: + Cargo packages are now delivered with their manifests taped to the outside. + Click on them with an open hand to remove them. optimumtact: - - tweak: Machine frame and girder deconstruction now uses a screwdriver instead - of welding tool. + - tweak: + Machine frame and girder deconstruction now uses a screwdriver instead + of welding tool. 2015-05-09: Firecage: - - tweak: Increased the manifestation chance of super powers. + - tweak: Increased the manifestation chance of super powers. Ikarrus: - - experiment: 'Loyalty implants will no longer survive deconverting a gangster. - Security now needs to use two of them if they want the permanent effects: The - first to deconvert them, and the second to make them loyal.' + - experiment: + "Loyalty implants will no longer survive deconverting a gangster. + Security now needs to use two of them if they want the permanent effects: The + first to deconvert them, and the second to make them loyal." KorPhaeron: - - tweak: Slime mutation chance now starts at 30%. - - rscadd: Baby slimes have a -5% to 5% difference of their parent's mutation chance, - allowing you to breed slimes that are more likely to mutate. - - rscdel: Plasma and epinephrine no longer affect mutation chance of slimes. - - rscadd: Red slime extract and plasma makes a potion that can increase mutation - chance, Blue slime extract and plasma potions will decrease it. + - tweak: Slime mutation chance now starts at 30%. + - rscadd: + Baby slimes have a -5% to 5% difference of their parent's mutation chance, + allowing you to breed slimes that are more likely to mutate. + - rscdel: Plasma and epinephrine no longer affect mutation chance of slimes. + - rscadd: + Red slime extract and plasma makes a potion that can increase mutation + chance, Blue slime extract and plasma potions will decrease it. 2015-05-10: AnturK: - - bugfix: Fixed borg's cells draining much faster than they're meant to. + - bugfix: Fixed borg's cells draining much faster than they're meant to. Gun Hog: - - tweak: Station bot performance greatly increased. - - rscadd: Captain PDA cartridge now includes nearly all utilities and functions, - including signaller and all bots! HoP now has janitor and quartermaster functions! - The RD and Roboticists now have access to Floor, Clean, and Medibots! - - tweak: Bot access on PDA is now one button across all PDAs. You will only see - what bots you can access, however. - - rscadd: Cartridges that include a signaller have been improved so they will work - on a larger frequency range. - - tweak: All bots now have Robotics access, so they may be set to patrol and released - once constructed. - - tweak: Roboticists now have access to bot navigation beacons. They are found under - the floor tiles as patrol route nodes. + - tweak: Station bot performance greatly increased. + - rscadd: + Captain PDA cartridge now includes nearly all utilities and functions, + including signaller and all bots! HoP now has janitor and quartermaster functions! + The RD and Roboticists now have access to Floor, Clean, and Medibots! + - tweak: + Bot access on PDA is now one button across all PDAs. You will only see + what bots you can access, however. + - rscadd: + Cartridges that include a signaller have been improved so they will work + on a larger frequency range. + - tweak: + All bots now have Robotics access, so they may be set to patrol and released + once constructed. + - tweak: + Roboticists now have access to bot navigation beacons. They are found under + the floor tiles as patrol route nodes. 2015-05-11: Firecage: - - imageadd: New icons for Industrial and Experimental welding tools. + - imageadd: New icons for Industrial and Experimental welding tools. Gun Hog: - - rscdel: The power mechanic for mining drills and the jackhammer has been removed. - They no longer require cells or recharging. - - bugfix: The diamond drill upgrade for mining cyborgs has been fixed. + - rscdel: + The power mechanic for mining drills and the jackhammer has been removed. + They no longer require cells or recharging. + - bugfix: The diamond drill upgrade for mining cyborgs has been fixed. Xhuis: - - rscadd: Adds the pneumatic cannon, attach an air tank and shoot anything out of - it. - - rscadd: Improvised pneumatic cannons can be tablecrafted with a wrench, 4 metal, - 2 pipes, a pipe manifold, a pipe valve and 8 package wrappers. + - rscadd: + Adds the pneumatic cannon, attach an air tank and shoot anything out of + it. + - rscadd: + Improvised pneumatic cannons can be tablecrafted with a wrench, 4 metal, + 2 pipes, a pipe manifold, a pipe valve and 8 package wrappers. spasticVerbalizer: - - bugfix: False walls no longer stackable. + - bugfix: False walls no longer stackable. 2015-05-13: Firecage: - - rscadd: Kudzu is now admin-logged in Investigate. + - rscadd: Kudzu is now admin-logged in Investigate. GunHog: - - tweak: Positronic brains are now entered by clicking on an empty one, in the same - manner as drones. - - rscadd: Ghosts are alerted when a new posibrain is made. + - tweak: + Positronic brains are now entered by clicking on an empty one, in the same + manner as drones. + - rscadd: Ghosts are alerted when a new posibrain is made. Jordie0608: - - rscadd: Borg reagent containers (beakers, spraybottles, shakers etc.) are no longer - emptied when stowed. - - bugfix: Fixes North and West Mining Outposts having empty SMESs. - - bugfix: Aliens and slimes can smash metal foam again. - - rscdel: Deconstructing reinforced walls no longer creates additional rods out - of nowhere. - - imageadd: Pepperspray now has inhand sprites. + - rscadd: + Borg reagent containers (beakers, spraybottles, shakers etc.) are no longer + emptied when stowed. + - bugfix: Fixes North and West Mining Outposts having empty SMESs. + - bugfix: Aliens and slimes can smash metal foam again. + - rscdel: + Deconstructing reinforced walls no longer creates additional rods out + of nowhere. + - imageadd: Pepperspray now has inhand sprites. Xhuis: - - bugfix: Fixes the recipe for pneumatic cannons; it now only requires a wrench, - 4 metal, 2 pipes and 8 package wrappers . + - bugfix: + Fixes the recipe for pneumatic cannons; it now only requires a wrench, + 4 metal, 2 pipes and 8 package wrappers . 2015-05-15: xxalpha: - - bugfix: Fixed emitter beams not being reflectable. + - bugfix: Fixed emitter beams not being reflectable. 2015-05-16: MartiUK: - - bugfix: Fixed a typo when cleaning a Microwave. - - bugfix: Fixed a typo when burning someone with a lighter. + - bugfix: Fixed a typo when cleaning a Microwave. + - bugfix: Fixed a typo when burning someone with a lighter. 2015-05-20: xxalpha: - - rscadd: Added three drone shells to the derelict. + - rscadd: Added three drone shells to the derelict. 2015-05-22: Jordie0608: - - tweak: Smothering someone with a damp rag when in harm intent will apply reagents - onto them, for acid-burning their face; otherwise it will inject them, for drugging - with chloral hydrate. - - imageadd: The healthdoll is now blue when at full health to make it more clear - when a body part is injured. + - tweak: + Smothering someone with a damp rag when in harm intent will apply reagents + onto them, for acid-burning their face; otherwise it will inject them, for drugging + with chloral hydrate. + - imageadd: + The healthdoll is now blue when at full health to make it more clear + when a body part is injured. 2015-05-25: spasticVerbalizer: - - tweak: Glass airlocks can now be made heat-proof by using a sheet of reinforced - glass to create the window, regular glass creates a normal glass airlock. + - tweak: + Glass airlocks can now be made heat-proof by using a sheet of reinforced + glass to create the window, regular glass creates a normal glass airlock. xxalpha: - - bugfix: You can no longer drop items inside mechas nor machinery (this includes - gas pipes, disposal pipes, cryopods, sleepers, etc.). - - bugfix: Fixed exploit of changelings being able to keep thermal vision after resetting - their powers. - - bugfix: Fixed being able to implant NODROP items with cavity implant surgery. + - bugfix: + You can no longer drop items inside mechas nor machinery (this includes + gas pipes, disposal pipes, cryopods, sleepers, etc.). + - bugfix: + Fixed exploit of changelings being able to keep thermal vision after resetting + their powers. + - bugfix: Fixed being able to implant NODROP items with cavity implant surgery. 2015-05-26: CosmicScientist: - - spellcheck: Corrected wording for the pAI, donksoft riot darts and some tip of - the round tips. + - spellcheck: + Corrected wording for the pAI, donksoft riot darts and some tip of + the round tips. xxalpha: - - bugfix: Fixed changeling revival. + - bugfix: Fixed changeling revival. 2015-05-30: duncathan: - - bugfix: Fixes passive gates not auto-coloring. + - bugfix: Fixes passive gates not auto-coloring. spasticVerbalizer: - - tweak: Players trying to speak but unable to will now get a message. + - tweak: Players trying to speak but unable to will now get a message. 2015-05-31: duncathan: - - tweak: Clarified the ability to retract changeling armblades. + - tweak: Clarified the ability to retract changeling armblades. 2015-06-04: Cuboos: - - rscadd: Added casting and firing sounds for wizard spells and staves. - - rscadd: A new title theme has been added. + - rscadd: Added casting and firing sounds for wizard spells and staves. + - rscadd: A new title theme has been added. Gun Hog: - - rscadd: Nanotrasen has approved the designs for destination taggers and hand labelers - in the autolathe. + - rscadd: + Nanotrasen has approved the designs for destination taggers and hand labelers + in the autolathe. Palpatine213: - - tweak: Allows sechuds to have their id locks removed via emag as well as EMP + - tweak: Allows sechuds to have their id locks removed via emag as well as EMP 2015-06-05: CandyClown: - - tweak: Ointments, bruise packs, and gauze are now stacked to 6 instead of 5. + - tweak: Ointments, bruise packs, and gauze are now stacked to 6 instead of 5. CorruptComputer: - - bugfix: Security lockers no longer spawn in front of each other on Box. - - bugfix: Hooked up the scrubbers in QM's office on Box. - - bugfix: Fixed bar disposals on Box - - bugfix: Fixed the stacked heater+freezer in expirementor maint on Box - - tweak: Made the turbine into Atmos and Engineering access only, and renamed the - doors to Turbine on Box. + - bugfix: Security lockers no longer spawn in front of each other on Box. + - bugfix: Hooked up the scrubbers in QM's office on Box. + - bugfix: Fixed bar disposals on Box + - bugfix: Fixed the stacked heater+freezer in expirementor maint on Box + - tweak: + Made the turbine into Atmos and Engineering access only, and renamed the + doors to Turbine on Box. Ikarrus: - - rscadd: Gang Bosses will now be able to discreetly send messages to everyone in - their gang for 5 influence a message. - - tweak: Conversion pens now use a flat 60sec cooldown rate. + - rscadd: + Gang Bosses will now be able to discreetly send messages to everyone in + their gang for 5 influence a message. + - tweak: Conversion pens now use a flat 60sec cooldown rate. KorPhaeron: - - rscadd: You can now lay tiles on the asteroid. Go nuts building forts. + - rscadd: You can now lay tiles on the asteroid. Go nuts building forts. 2015-06-06: Incoming5643: - - rscadd: Antagonists with escape alone can now escape with others on the shuttle, - so long as they are also antagonists. - - rscadd: Antagonists with escape alone can also win if non-antagonists are on the - shuttle provided they are locked in the brig. - - rscadd: Escaping to syndicate space on board the nuke op shuttle is now a valid - way to escape the station. + - rscadd: + Antagonists with escape alone can now escape with others on the shuttle, + so long as they are also antagonists. + - rscadd: + Antagonists with escape alone can also win if non-antagonists are on the + shuttle provided they are locked in the brig. + - rscadd: + Escaping to syndicate space on board the nuke op shuttle is now a valid + way to escape the station. Jordie0608: - - rscadd: Admin-delaying the round now works once it has finished. + - rscadd: Admin-delaying the round now works once it has finished. 2015-06-07: Aranclanos: - - rscadd: Malfunctioning AIs can preview placement of a Robotic Factory. + - rscadd: Malfunctioning AIs can preview placement of a Robotic Factory. Iamgoofball: - - rscadd: Bicardine, Dexalin, Kelotane, Anti-toxin, Inaprovaline and Tricordrazine - have been re-added. + - rscadd: + Bicardine, Dexalin, Kelotane, Anti-toxin, Inaprovaline and Tricordrazine + have been re-added. RemieRichards: - - rscadd: Lizards can now wag their tails, emote *wag to start and *stopwag to stop. + - rscadd: Lizards can now wag their tails, emote *wag to start and *stopwag to stop. kingofkosmos: - - tweak: Mops can now be wet from normal buckets and sinks. + - tweak: Mops can now be wet from normal buckets and sinks. 2015-06-08: AnturK: - - imageadd: Improved the interface of Spellbooks. + - imageadd: Improved the interface of Spellbooks. Cheridan: - - tweak: Push-force from Atmospherics now depends on an entity's weight, heavier - objects are less prone to being pushed. - - rscadd: Magboots and No-Slip shoes now prevent pushing from spacewind. + - tweak: + Push-force from Atmospherics now depends on an entity's weight, heavier + objects are less prone to being pushed. + - rscadd: Magboots and No-Slip shoes now prevent pushing from spacewind. Firecage: - - rscadd: Protolathes can now build Experimental Welding Tools. + - rscadd: Protolathes can now build Experimental Welding Tools. 2015-06-09: Aranclanos: - - wip: Structures and machines can now be built on shuttles. + - wip: Structures and machines can now be built on shuttles. Iamgoofball: - - rscadd: 'Adds the Bluespace Rapid Part Exchange Device: holds up to 400 stock - parts and can be used to upgrade machines at range without needing to open their - maintenance panel.' - - rscadd: A new tier of stock parts have been added, they're very expensive to produce - but provide ample improvements. - - experiment: Many machines can now also be upgraded. - - tweak: 'Emitter: Lasers decrease firing delay and Capacitors decrease power consumption.' - - tweak: 'Gibber: Matter Bins increase yield of meat and Manipulators speed up operation - time, at high level can gib creatures with clothes.' - - tweak: 'Seed Extractor: Matter Bins increase storage and Manipulators multiply - seed production.' - - tweak: 'Monkey Recycler: Matter Bins increase the amount of monkey cubes produced - and Manipulators reduce the monkey-to-cubes ratio to a minimum of 1-to-1.' - - tweak: 'Crusher: Matter Bins increase material yield and Manipulators increase - chance to yield materials, at high level there is a chance for rarer materials.' - - tweak: 'Holopad: Capacitors increase an AI''s traversal range from the holopad.' - - tweak: 'Smartfridge: Matter Bins increase storage.' - - tweak: 'Processor: Matter Bins increase yield and Manipulators speed up operation - time.' - - tweak: 'Microwave: Matter Bins increase storage.' - - tweak: 'Ore Redemption Machine: Matter Bins increase yield per ore, Lasers increase - points per ore and Manipulators speed up operation time.' - - tweak: 'Hydroponics Tray: Manipulators improve water and nutrients efficiency.' - - tweak: 'Biogenerator: Matter Bins increase storage.' + - rscadd: + "Adds the Bluespace Rapid Part Exchange Device: holds up to 400 stock + parts and can be used to upgrade machines at range without needing to open their + maintenance panel." + - rscadd: + A new tier of stock parts have been added, they're very expensive to produce + but provide ample improvements. + - experiment: Many machines can now also be upgraded. + - tweak: "Emitter: Lasers decrease firing delay and Capacitors decrease power consumption." + - tweak: + "Gibber: Matter Bins increase yield of meat and Manipulators speed up operation + time, at high level can gib creatures with clothes." + - tweak: + "Seed Extractor: Matter Bins increase storage and Manipulators multiply + seed production." + - tweak: + "Monkey Recycler: Matter Bins increase the amount of monkey cubes produced + and Manipulators reduce the monkey-to-cubes ratio to a minimum of 1-to-1." + - tweak: + "Crusher: Matter Bins increase material yield and Manipulators increase + chance to yield materials, at high level there is a chance for rarer materials." + - tweak: "Holopad: Capacitors increase an AI's traversal range from the holopad." + - tweak: "Smartfridge: Matter Bins increase storage." + - tweak: + "Processor: Matter Bins increase yield and Manipulators speed up operation + time." + - tweak: "Microwave: Matter Bins increase storage." + - tweak: + "Ore Redemption Machine: Matter Bins increase yield per ore, Lasers increase + points per ore and Manipulators speed up operation time." + - tweak: "Hydroponics Tray: Manipulators improve water and nutrients efficiency." + - tweak: "Biogenerator: Matter Bins increase storage." bananacreampie: - - rscadd: Added several new options to the ghostform sprites + - rscadd: Added several new options to the ghostform sprites 2015-06-11: Cheridan: - - rscdel: Removes the powerdrain for individiual active modules on cyborgs. + - rscdel: Removes the powerdrain for individiual active modules on cyborgs. 2015-06-12: Ikarrus: - - experiment: Gang Updates - - rscadd: 'New objective: To win, Gangs must now buy a Dominator machine (50 influence) - and defend it for a varying time frame.
      * The location of the dominator is - broadcasted to the entire station the moment it is activated
      * The more territories - the gang controls, the less time it will take
      * Gangs no longer win by capturing - territories' - - rscadd: A choice of gang outfits are now purchasable for 1 influence each - - rscadd: Thompson SMGs aka "tommy guns" are now purchasable for 50 influence - - rscadd: Bulletproof armor vests are now purchasable for 10 influence - - tweak: Gang messages are now free to send - - tweak: Prices of pistols and pens reduced to 20 and 30, respectively - - tweak: Gang spraycans have been made a lot less obvious. They look nearly identical - to regular ones, now. - - rscdel: Gangs will no longer be notified how much territory the enemy controls + - experiment: Gang Updates + - rscadd: + "New objective: To win, Gangs must now buy a Dominator machine (50 influence) + and defend it for a varying time frame.
      * The location of the dominator is + broadcasted to the entire station the moment it is activated
      * The more territories + the gang controls, the less time it will take
      * Gangs no longer win by capturing + territories" + - rscadd: A choice of gang outfits are now purchasable for 1 influence each + - rscadd: Thompson SMGs aka "tommy guns" are now purchasable for 50 influence + - rscadd: Bulletproof armor vests are now purchasable for 10 influence + - tweak: Gang messages are now free to send + - tweak: Prices of pistols and pens reduced to 20 and 30, respectively + - tweak: + Gang spraycans have been made a lot less obvious. They look nearly identical + to regular ones, now. + - rscdel: Gangs will no longer be notified how much territory the enemy controls Incoming5643: - - rscadd: Growing tired of reports of slain members, the Wizard Federation has cautiously - sactioned the dark path of lichdom. Beware of the powerful lich who hides his - phylactery well, for he is immortal! - - rscadd: The trick to defeating liches is to destroy either their body or their - phylactery item before they can ressurect to it. The more a lich is slain the - longer it will take him to make use of his phylactery and the more likely the - crew is to catch him during a vunerable moment. - - rscremove: Due to the addition of proper liching, skeletons as a choosable race - from magic mirrors has been discontinued. My apologies to the powergamers. A - special admin version of the mirror that allows for skeletons has also been - added to the code. + - rscadd: + Growing tired of reports of slain members, the Wizard Federation has cautiously + sactioned the dark path of lichdom. Beware of the powerful lich who hides his + phylactery well, for he is immortal! + - rscadd: + The trick to defeating liches is to destroy either their body or their + phylactery item before they can ressurect to it. The more a lich is slain the + longer it will take him to make use of his phylactery and the more likely the + crew is to catch him during a vunerable moment. + - rscremove: + Due to the addition of proper liching, skeletons as a choosable race + from magic mirrors has been discontinued. My apologies to the powergamers. A + special admin version of the mirror that allows for skeletons has also been + added to the code. Miauw: - - tweak: 'AIs have received several minor nerfs in order to increase antagonist - counterplay:' - - tweak: AI tracking is no longer instant, it takes an amount of time that increases - with distance from the AI eye, up to 4 seconds. The AI detector item will light - up when an AI begins tracking. - - tweak: A random camera failure event has been added, which will break one or two - random cameras. - - tweak: You can no longer keep tracking people that are outside of your camera - vision. - - tweak: Camera wires have been removed. Screwdriver a camera to open the panel, - then use wirecutters to disable it or a multitool to change the focus. - - tweak: You can now hit cameras with items to break them. To repair a camera, simply - open the panel and use wirecutters on it. - - tweak: Camera alerts now only happen after a camera is reactivated. + - tweak: + "AIs have received several minor nerfs in order to increase antagonist + counterplay:" + - tweak: + AI tracking is no longer instant, it takes an amount of time that increases + with distance from the AI eye, up to 4 seconds. The AI detector item will light + up when an AI begins tracking. + - tweak: + A random camera failure event has been added, which will break one or two + random cameras. + - tweak: + You can no longer keep tracking people that are outside of your camera + vision. + - tweak: + Camera wires have been removed. Screwdriver a camera to open the panel, + then use wirecutters to disable it or a multitool to change the focus. + - tweak: + You can now hit cameras with items to break them. To repair a camera, simply + open the panel and use wirecutters on it. + - tweak: Camera alerts now only happen after a camera is reactivated. RemieRichards: - - rscadd: New optional explosion effect ported from /vg/'s DeityLink, Explosions - that are affected by Walls and Doors + - rscadd: + New optional explosion effect ported from /vg/'s DeityLink, Explosions + that are affected by Walls and Doors 2015-06-14: Ikarrus: - - rscadd: White suits added to gang outfits - - tweak: Gang outfits are now free, but are now limited in stock (that replenishes - over time) - - tweak: While attempting a Hostile Takeover, gangs do not gain influence. Instead, - the takeover timer will be reduced by how many territories they control. - - tweak: Spraycan cost reduced to 5 influence. - - tweak: Recruitment Pen cooldown increased to 2 minutes, but is reduced if the - enemy gang has more members than yours. - - tweak: Tommy guns no longer deal stamina damage. - - rscdel: Gangtools can no longer recall the shuttle if the game mode is not Gang - War + - rscadd: White suits added to gang outfits + - tweak: + Gang outfits are now free, but are now limited in stock (that replenishes + over time) + - tweak: + While attempting a Hostile Takeover, gangs do not gain influence. Instead, + the takeover timer will be reduced by how many territories they control. + - tweak: Spraycan cost reduced to 5 influence. + - tweak: + Recruitment Pen cooldown increased to 2 minutes, but is reduced if the + enemy gang has more members than yours. + - tweak: Tommy guns no longer deal stamina damage. + - rscdel: + Gangtools can no longer recall the shuttle if the game mode is not Gang + War 2015-06-15: Incoming5643: - - rscadd: Lizards can now choose from a wide varity of physical appearances in character - creation! Sprites made by WJohn. Hiss Responsibly. + - rscadd: + Lizards can now choose from a wide varity of physical appearances in character + creation! Sprites made by WJohn. Hiss Responsibly. Kor: - - rscadd: A terrible new creature stalks the halls of SS13. - - rscadd: The wizard has a new artefact related to said creature. - - rscadd: Added a new sepia slime plasma reaction. Try it out! + - rscadd: A terrible new creature stalks the halls of SS13. + - rscadd: The wizard has a new artefact related to said creature. + - rscadd: Added a new sepia slime plasma reaction. Try it out! spasticVerbalizer: - - bugfix: Drones can now properly quick-equip. + - bugfix: Drones can now properly quick-equip. 2015-06-18: AnturK: - - rscadd: Added new photo-over-pda function. Apply the photo to PDA to send it with - your next message! + - rscadd: + Added new photo-over-pda function. Apply the photo to PDA to send it with + your next message! Ikarrus: - - rscadd: Department Management consoles have been added to Head of Staff offices. - These will enable heads to modify ID's access to their department, as well as - preform demotions. + - rscadd: + Department Management consoles have been added to Head of Staff offices. + These will enable heads to modify ID's access to their department, as well as + preform demotions. Miauw: - - tweak: Bullets can now damage cameras. - - tweak: Camera alarms now trigger 90 seconds after the first EMP pulse, instead - of when all EMP pulses run out. - - tweak: Makes the force required to damage cameras greater than or equal to ten - instead of greater than ten. - - tweak: Camera alarms now trigger when cameras are disabled with brute force or - bullets. + - tweak: Bullets can now damage cameras. + - tweak: + Camera alarms now trigger 90 seconds after the first EMP pulse, instead + of when all EMP pulses run out. + - tweak: + Makes the force required to damage cameras greater than or equal to ten + instead of greater than ten. + - tweak: + Camera alarms now trigger when cameras are disabled with brute force or + bullets. Xhuis: - - rscadd: Nanotrasen scientists have determined that a delaminating supermatter - shard combining with a gravitational singularity is an extremely bad idea. They - advise keeping the two as far apart as possible. + - rscadd: + Nanotrasen scientists have determined that a delaminating supermatter + shard combining with a gravitational singularity is an extremely bad idea. They + advise keeping the two as far apart as possible. phil235: - - rscdel: Nerfed the xray gun. Its range is now 15 tiles. + - rscdel: Nerfed the xray gun. Its range is now 15 tiles. 2015-06-20: Dorsisdwarf: - - tweak: Syndicate Bulldog Shotguns now use slug ammo instead of buckshot by default - - rscadd: Nuke Ops can now buy team grab-bags of bulldog ammo at a discount. + - tweak: Syndicate Bulldog Shotguns now use slug ammo instead of buckshot by default + - rscadd: Nuke Ops can now buy team grab-bags of bulldog ammo at a discount. Ikarrus: - - rscadd: Wearing your gang's outfit now increases influence and shortens takeover - time faster. - - rscadd: Added several more options for gang outfits - - rscadd: Pinpointers will now point at active dominators. - - tweak: Gang outfits are now slightly armored - - tweak: Gang tags are now named 'graffiti' to make them harder to detect - - tweak: Initial takeover timer is now capped at 5 minutes (50% control) - - tweak: 'Server Operators: The default Delta Alert texts have changed. Please check - if your game_options.txt is up to date.' - - rscdel: Loyalty implants now treat gangs as it treats cultists. Implants can no - longer deconvert gangsters, but it can still prevent recruitments. - - tweak: Replaced tommy guns with 9mm 2-burst 32 mag uzis that costs 40 influence. - Unlike tommy guns gangs will be able to purchase ammo for uzis. + - rscadd: + Wearing your gang's outfit now increases influence and shortens takeover + time faster. + - rscadd: Added several more options for gang outfits + - rscadd: Pinpointers will now point at active dominators. + - tweak: Gang outfits are now slightly armored + - tweak: Gang tags are now named 'graffiti' to make them harder to detect + - tweak: Initial takeover timer is now capped at 5 minutes (50% control) + - tweak: + "Server Operators: The default Delta Alert texts have changed. Please check + if your game_options.txt is up to date." + - rscdel: + Loyalty implants now treat gangs as it treats cultists. Implants can no + longer deconvert gangsters, but it can still prevent recruitments. + - tweak: + Replaced tommy guns with 9mm 2-burst 32 mag uzis that costs 40 influence. + Unlike tommy guns gangs will be able to purchase ammo for uzis. Jordie0608: - - tweak: 'For Admins: Jump-to-Mob (JMP) notification command replaced with Follow - (FLW).' - - rscadd: Message and Follow links added to many notifications. - - rscadd: New buttons to toggle nuke and set security level. - - spellcheck: Flamethrowers are logged in attack_log. + - tweak: + "For Admins: Jump-to-Mob (JMP) notification command replaced with Follow + (FLW)." + - rscadd: Message and Follow links added to many notifications. + - rscadd: New buttons to toggle nuke and set security level. + - spellcheck: Flamethrowers are logged in attack_log. Thunder12345: - - rscadd: Combat shotguns are now semi automatic, and will be pumped automatically - after firing. - - tweak: Combat shotgun capacity has been reduced to six shells. + - rscadd: + Combat shotguns are now semi automatic, and will be pumped automatically + after firing. + - tweak: Combat shotgun capacity has been reduced to six shells. Xhuis: - - rscadd: You will now trip over securitrons if you run over them whilst they are - chasing a target. - - rscadd: An admin-spawnable drone dispenser has been added that will automatically - create drone shells when supplied with materials. - - rscadd: Airlock charges are available to traitors and will cause a lethal explosion - on the next person to open the door. - - rscadd: Nuclear operatives can now buy drum magazines for their Bulldog shotguns - filled with lethal poison-filled darts. - - rscadd: When a malfunctioning AI declares Delta, all blue tiles in its core will - begin flashing red. - - rscadd: Back-worn cloaks have been added for all heads except the HoP. LARPers - rejoice! - - rscadd: More suicide messages have been added for a few items. + - rscadd: + You will now trip over securitrons if you run over them whilst they are + chasing a target. + - rscadd: + An admin-spawnable drone dispenser has been added that will automatically + create drone shells when supplied with materials. + - rscadd: + Airlock charges are available to traitors and will cause a lethal explosion + on the next person to open the door. + - rscadd: + Nuclear operatives can now buy drum magazines for their Bulldog shotguns + filled with lethal poison-filled darts. + - rscadd: + When a malfunctioning AI declares Delta, all blue tiles in its core will + begin flashing red. + - rscadd: + Back-worn cloaks have been added for all heads except the HoP. LARPers + rejoice! + - rscadd: More suicide messages have been added for a few items. 2015-06-21: GunHog: - - tweak: The Hostile Lockdown ability for Malfunctioning AIs has been nerfed. It - now costs 30 CPU, is much more obvious, and automatically resets in 90 seconds. - - tweak: Buffed the Upgrade Turrets Malfunction ability. Turrets will now fire heavy - lasers instead of simply shooting faster. - - rscadd: Nanotrasen has released an Artificial Intelligence firmware upgrade under - the ID 41ST0L3MYB1K3. It contains drivers for interacting with all variants - of exosuit technology, from the Ripley APLU design to even experimental Phazon - units. Simply upload your AI to the exosuit's internal computer via the InteliCard - device. Per safety regulations, the exosuit must have maintenance protocols - enabled in order to remove an AI from it. - - rscadd: Malfunctioning AIs may wirelessly steal mechs via a new power, Mech Domination. - For 30 CPU, a Malf AI may permanently upload itself to a mech, ejecting any - pilots. Malf AIs will still lose if they leave the Z-level, and the Malf will - be gibbed if the mech is destroyed - they cannot be carded out of the mech or - shunt to an APC. + - tweak: + The Hostile Lockdown ability for Malfunctioning AIs has been nerfed. It + now costs 30 CPU, is much more obvious, and automatically resets in 90 seconds. + - tweak: + Buffed the Upgrade Turrets Malfunction ability. Turrets will now fire heavy + lasers instead of simply shooting faster. + - rscadd: + Nanotrasen has released an Artificial Intelligence firmware upgrade under + the ID 41ST0L3MYB1K3. It contains drivers for interacting with all variants + of exosuit technology, from the Ripley APLU design to even experimental Phazon + units. Simply upload your AI to the exosuit's internal computer via the InteliCard + device. Per safety regulations, the exosuit must have maintenance protocols + enabled in order to remove an AI from it. + - rscadd: + Malfunctioning AIs may wirelessly steal mechs via a new power, Mech Domination. + For 30 CPU, a Malf AI may permanently upload itself to a mech, ejecting any + pilots. Malf AIs will still lose if they leave the Z-level, and the Malf will + be gibbed if the mech is destroyed - they cannot be carded out of the mech or + shunt to an APC. Iamgoofball: - - rscdel: Blobs can no longer have Morphine as their chemical. + - rscdel: Blobs can no longer have Morphine as their chemical. duncathan: - - tweak: Heat exchangers now update their color to match that of the pipe connected - to them. - - tweak: Heat exchangers are on longer dense. + - tweak: + Heat exchangers now update their color to match that of the pipe connected + to them. + - tweak: Heat exchangers are on longer dense. 2015-06-22: Iamgoofball: - - rscdel: Removed failure chance and delay when emagging an APC. + - rscdel: Removed failure chance and delay when emagging an APC. KorPhaeron: - - tweak: Rebalanced armor to be less effective, reducing the melee, bullet and/or - laser damage reduction of all armor suits. + - tweak: + Rebalanced armor to be less effective, reducing the melee, bullet and/or + laser damage reduction of all armor suits. LaharlMontogmmery: - - rscadd: You can now click and drag a storage container to empty it's contents - into another container, disposal bin or floor tile. + - rscadd: + You can now click and drag a storage container to empty it's contents + into another container, disposal bin or floor tile. Xhuis: - - experiment: Revenants have received a considerable overhaul. - - rscadd: Revenants will no longer share spawn points with space carp and will spawn - in locations like the morgue and prisoner transfer center. - - rscadd: Revenants can no longer cross tiles covered in holy water. - - rscadd: Revenants have a new ability called Defile for 30E. It will cause robots - to malfunction, holy water over tiles to evaporate, and a few other effects. - - rscadd: Upon death, revenants will appear and play a sound before rapidly fading - away and leaving behind glimmering residue as evidence of their demise. - - rscadd: This residue lingers with the essence of the revenant. If left unattended, - it may reform into a new revenant. Simply scattering it is enough to stop this, - but it also has high research levels. - - rscadd: Revenants now have fluff objectives as well as a set essence goal. - - tweak: Revenanants will be revealed for longer when using abilities and also receive - feedback on this revealing. - - tweak: Revenants can now only spawn via random event with a specific amount of - dead mobs on the station. The default for this is 10. - - bugfix: Revenants can no longer use abilities from inside walls. - - rscdel: Directly lethal abilities have been removed from revenants. In addition, - they can no longer harvest unconscious people, only the dead. + - experiment: Revenants have received a considerable overhaul. + - rscadd: + Revenants will no longer share spawn points with space carp and will spawn + in locations like the morgue and prisoner transfer center. + - rscadd: Revenants can no longer cross tiles covered in holy water. + - rscadd: + Revenants have a new ability called Defile for 30E. It will cause robots + to malfunction, holy water over tiles to evaporate, and a few other effects. + - rscadd: + Upon death, revenants will appear and play a sound before rapidly fading + away and leaving behind glimmering residue as evidence of their demise. + - rscadd: + This residue lingers with the essence of the revenant. If left unattended, + it may reform into a new revenant. Simply scattering it is enough to stop this, + but it also has high research levels. + - rscadd: Revenants now have fluff objectives as well as a set essence goal. + - tweak: + Revenanants will be revealed for longer when using abilities and also receive + feedback on this revealing. + - tweak: + Revenants can now only spawn via random event with a specific amount of + dead mobs on the station. The default for this is 10. + - bugfix: Revenants can no longer use abilities from inside walls. + - rscdel: + Directly lethal abilities have been removed from revenants. In addition, + they can no longer harvest unconscious people, only the dead. 2015-06-23: Fayrik: - - rscadd: NanoUI is now Telekenesis aware, but due to other constraints, NanoUI - interfaces are read only at a distance. - - tweak: Refactored all NanoUI interfaces to use a more universal proc. - - tweak: Adjusted the refresh time of the NanoUI SubSystem. All interfaces will - update less, but register mouse clicks faster. - - bugfix: Removed automatic updates on atmospheric pumps, canisters and tanks, making - them respond to button clicks much faster. - - bugfix: Atmos alarm reset buttons work now. Probably. + - rscadd: + NanoUI is now Telekenesis aware, but due to other constraints, NanoUI + interfaces are read only at a distance. + - tweak: Refactored all NanoUI interfaces to use a more universal proc. + - tweak: + Adjusted the refresh time of the NanoUI SubSystem. All interfaces will + update less, but register mouse clicks faster. + - bugfix: + Removed automatic updates on atmospheric pumps, canisters and tanks, making + them respond to button clicks much faster. + - bugfix: Atmos alarm reset buttons work now. Probably. Iamgoofball: - - rscadd: Adds a progress bar when performing actions. + - rscadd: Adds a progress bar when performing actions. Ikarrus: - - rscadd: New gang names with tags created by Joan - - rscadd: C4 explosive can be purchased by gangs for 10 influence. - - tweak: Recruitment pen cost increased to 50. - - rscadd: Lieutenants recieve one free recruitment pen. - - tweak: Recruitment pens are now stealthy and no longer give a tiny prick message. - - tweak: Increased chance of deconversion with head trauma - - tweak: Recalling the shuttle now takes about a minute to work, during which you - won't be able to use your gangtool. - - rscadd: Pinpointers no longer point at dominators. Instead, dominators will beep - while active. - - rscadd: Added puffer jackets and vests. - - tweak: Increased gang outfit armor. It is moderately resistant to bullets now. - - rscdel: Removed bulletproof vests from gangtool menu. + - rscadd: New gang names with tags created by Joan + - rscadd: C4 explosive can be purchased by gangs for 10 influence. + - tweak: Recruitment pen cost increased to 50. + - rscadd: Lieutenants recieve one free recruitment pen. + - tweak: Recruitment pens are now stealthy and no longer give a tiny prick message. + - tweak: Increased chance of deconversion with head trauma + - tweak: + Recalling the shuttle now takes about a minute to work, during which you + won't be able to use your gangtool. + - rscadd: + Pinpointers no longer point at dominators. Instead, dominators will beep + while active. + - rscadd: Added puffer jackets and vests. + - tweak: Increased gang outfit armor. It is moderately resistant to bullets now. + - rscdel: Removed bulletproof vests from gangtool menu. Jordie0608: - - rscadd: Admins can now flag ckeys to be alerted when they connect to the server. + - rscadd: Admins can now flag ckeys to be alerted when they connect to the server. MrStonedOne: - - rscadd: Admins can now reject poor adminhelps. This will tell the player how to - construct a useful adminhelp and give them back their adminhelp verb + - rscadd: + Admins can now reject poor adminhelps. This will tell the player how to + construct a useful adminhelp and give them back their adminhelp verb RemieRichards: - - tweak: Cumulative armour damage resistance is now capped at 90%, you will now - always take at bare minimum, 10% of the incoming damage. - - rscadd: Added a system for Armour Penetration to items, it works by temporarily - (It does NOT damage the armour or anything) reducing the armour values by the - AP value during the attack instance. - - rscadd: 'The formula for AP is Armour-ArmourPenetration = AdjustedArmour and AdjustedArmour - is used for all the remaining calculations instead of Armour (Eg: 80 Melee - - 15 AP = 65 Melee).' - - rscadd: The Ninja's Energy Katana has 15 AP, Xenomorphs have an inbuilt AP of - 10. - - tweak: You can now unwrench pipes who's internal pressures are greater than that - of their environment... - - rscadd: However it will throw you away from the pipe at extreme speed! (You are - warned beforehand if the pipe will do this, allowing you to cancel) + - tweak: + Cumulative armour damage resistance is now capped at 90%, you will now + always take at bare minimum, 10% of the incoming damage. + - rscadd: + Added a system for Armour Penetration to items, it works by temporarily + (It does NOT damage the armour or anything) reducing the armour values by the + AP value during the attack instance. + - rscadd: + "The formula for AP is Armour-ArmourPenetration = AdjustedArmour and AdjustedArmour + is used for all the remaining calculations instead of Armour (Eg: 80 Melee - + 15 AP = 65 Melee)." + - rscadd: + The Ninja's Energy Katana has 15 AP, Xenomorphs have an inbuilt AP of + 10. + - tweak: + You can now unwrench pipes who's internal pressures are greater than that + of their environment... + - rscadd: + However it will throw you away from the pipe at extreme speed! (You are + warned beforehand if the pipe will do this, allowing you to cancel) Vekter: - - bugfix: Finally fixed immovable rods! They will now properly bisect the station - (and crit anyone unlucky enough to be in their path). - - tweak: Increased Meteor activity detected in the vicinity of the station. Be advised - that many storms may be more violent than they once were. - - rscadd: Gravitational anomalies will now throw items at mobs in their vicinity. - Take care while scanning them. - - rscadd: Flux anomalies explode much more violently now. Get there and destroy - them, or risk losing half a department. + - bugfix: + Finally fixed immovable rods! They will now properly bisect the station + (and crit anyone unlucky enough to be in their path). + - tweak: + Increased Meteor activity detected in the vicinity of the station. Be advised + that many storms may be more violent than they once were. + - rscadd: + Gravitational anomalies will now throw items at mobs in their vicinity. + Take care while scanning them. + - rscadd: + Flux anomalies explode much more violently now. Get there and destroy + them, or risk losing half a department. xxalpha: - - rscadd: 'Added a new Reviver implant: now it revives you from unconsciousness - rather than death.' - - rscadd: Added cybernetic implants and a cybernetic implants bundle to the Nuke - Ops uplink. - - bugfix: Fixed Nutriment pump implant printing. - - tweak: Health Analyzers now have the ability to detect cybernetic implants. - - tweak: X-Ray implants are now much harder to unlock. + - rscadd: + "Added a new Reviver implant: now it revives you from unconsciousness + rather than death." + - rscadd: + Added cybernetic implants and a cybernetic implants bundle to the Nuke + Ops uplink. + - bugfix: Fixed Nutriment pump implant printing. + - tweak: Health Analyzers now have the ability to detect cybernetic implants. + - tweak: X-Ray implants are now much harder to unlock. 2015-06-24: Ikarrus: - - rscadd: Request Console message sent to major departments will now be broadcasted - on that department's radio. - - rscadd: Request Consoles can be used to quicly declare a security, medical, or - engineering emergency. + - rscadd: + Request Console message sent to major departments will now be broadcasted + on that department's radio. + - rscadd: + Request Consoles can be used to quicly declare a security, medical, or + engineering emergency. 2015-06-25: Iamgoofball: - - rscadd: Changes up how Explosive Implants work. - - rscadd: They have become Microbomb Implants. They cost 1 TC each. Each implant - you inject increases the size of the explosion. You gib on usage, regardless - of explosion size. - - rscadd: A Macrobomb implant was added for 20 TC. It is the equivalent of injecting - 20 microbombs. - - rscadd: Nuke Ops start with microbomb implants again. + - rscadd: Changes up how Explosive Implants work. + - rscadd: + They have become Microbomb Implants. They cost 1 TC each. Each implant + you inject increases the size of the explosion. You gib on usage, regardless + of explosion size. + - rscadd: + A Macrobomb implant was added for 20 TC. It is the equivalent of injecting + 20 microbombs. + - rscadd: Nuke Ops start with microbomb implants again. 2015-06-26: Ikarrus: - - imageadd: Added a couple of new gang tag resprites by Joan. + - imageadd: Added a couple of new gang tag resprites by Joan. Kor: - - tweak: Summon Guns has returned to its former glory. The spell will once again - create antagonists, now with the objective to steal as many guns as possible. - - tweak: Summon Guns once again costs a spell point, rather than granting one. + - tweak: + Summon Guns has returned to its former glory. The spell will once again + create antagonists, now with the objective to steal as many guns as possible. + - tweak: Summon Guns once again costs a spell point, rather than granting one. phil235: - - tweak: Buffs traitor stimpack (and adrenalin implant) to be more efficient against - stuns/knockdowns. + - tweak: + Buffs traitor stimpack (and adrenalin implant) to be more efficient against + stuns/knockdowns. pudl: - - rscadd: You can now play games of mastermind to unlock abandoned crates found - throughout space. + - rscadd: + You can now play games of mastermind to unlock abandoned crates found + throughout space. 2015-06-27: Ikarrus: - - rscadd: Some objects can be burned now. - - rscadd: Bombs will shred your clothes, with respect to their layering and armor - values. Exterior clothing will shield clothing underneath. Storage items will - drop their contents when bombed this way. + - rscadd: Some objects can be burned now. + - rscadd: + Bombs will shred your clothes, with respect to their layering and armor + values. Exterior clothing will shield clothing underneath. Storage items will + drop their contents when bombed this way. Laharl Montogmmery: - - rscadd: 'Storage Content Transfer : Bluespace Boogaloo! You can now transfer the - content of the BoH/BRPED into tiles/bins/bags out of your reach. Range is 7 - tiles.' + - rscadd: + "Storage Content Transfer : Bluespace Boogaloo! You can now transfer the + content of the BoH/BRPED into tiles/bins/bags out of your reach. Range is 7 + tiles." MrStonedOne: - - tweak: Admins will now receive a notification when one of them starts to reply - to an adminhelp to cut down on multiple responses to adminhelps and let admins - know when an adminhelp isn't getting replied to. - - rscadd: The keyword finder in admin helps (adds a (?) link next to player names - in the text of adminhelps) has been added for all player to admin pms, as well - as admin say. + - tweak: + Admins will now receive a notification when one of them starts to reply + to an adminhelp to cut down on multiple responses to adminhelps and let admins + know when an adminhelp isn't getting replied to. + - rscadd: + The keyword finder in admin helps (adds a (?) link next to player names + in the text of adminhelps) has been added for all player to admin pms, as well + as admin say. NullQuery: - - wip: Introduces html_interface, a module to streamline the management of browser - windows. - - rscadd: Adds playing cards that utilize a new HTML window management system. + - wip: + Introduces html_interface, a module to streamline the management of browser + windows. + - rscadd: Adds playing cards that utilize a new HTML window management system. Vekter: - - rscadd: Added a new military jacket to the Autodrobe and ClothesMate. + - rscadd: Added a new military jacket to the Autodrobe and ClothesMate. 2015-06-28: Ikarrus: - - rscadd: Gang Lieutenants can buy gang tools now, but at a higher cost than the - original boss - - rscadd: Gang leaders can register additional gangtools to themselves for use as - spares. - - tweak: Number of maximum lieutenants lowered to 2 - - tweak: Pistol cost increased to 25 influence - - tweak: Uzi cost increased to 50 influence - - tweak: Uzi Ammo decreased to 20 influence - - rscadd: Overcoats added to items the biogenerator can produce. - - rscdel: Micro and Macro bomb implants are now restricted to the Nuclear game mode. + - rscadd: + Gang Lieutenants can buy gang tools now, but at a higher cost than the + original boss + - rscadd: + Gang leaders can register additional gangtools to themselves for use as + spares. + - tweak: Number of maximum lieutenants lowered to 2 + - tweak: Pistol cost increased to 25 influence + - tweak: Uzi cost increased to 50 influence + - tweak: Uzi Ammo decreased to 20 influence + - rscadd: Overcoats added to items the biogenerator can produce. + - rscdel: Micro and Macro bomb implants are now restricted to the Nuclear game mode. phil235: - - tweak: Smoke (and foam) no longer distribute more reagents than they have. The - amount of clouds in a smoke now depends on the amount of smoke created. Acid - no longer melts items on a mob at low volume, and the chances to melt them increases - with the amount applied on the mob. Sprays can now contain acid again. + - tweak: + Smoke (and foam) no longer distribute more reagents than they have. The + amount of clouds in a smoke now depends on the amount of smoke created. Acid + no longer melts items on a mob at low volume, and the chances to melt them increases + with the amount applied on the mob. Sprays can now contain acid again. 2015-06-29: Ikarrus: - - rscadd: Clothing has been separated out of equipment lockers into wardrobes to - reduce clutter. + - rscadd: + Clothing has been separated out of equipment lockers into wardrobes to + reduce clutter. Incoming5643: - - rscadd: The secrets of the rainbow slimes have finally been revealed. To attain - this rare blob you must breed a slime with a 100% mutation chance! - - rscadd: Rainbow slime cores will generate a randomly colored slime when injected - with plasma. It's a good plan B if the slimes aren't cooperating in terms of - colors. You can get any color slime this way, pray to the RNG! + - rscadd: + The secrets of the rainbow slimes have finally been revealed. To attain + this rare blob you must breed a slime with a 100% mutation chance! + - rscadd: + Rainbow slime cores will generate a randomly colored slime when injected + with plasma. It's a good plan B if the slimes aren't cooperating in terms of + colors. You can get any color slime this way, pray to the RNG! Xhuis: - - rscadd: The Sleeping Carp clan has made its presence known on Space Station 13. - Some gangs will name themselves after this group and practice martial arts rather - than using traditional gang weaponry. These shadowboxers are not to be taken - lightly. + - rscadd: + The Sleeping Carp clan has made its presence known on Space Station 13. + Some gangs will name themselves after this group and practice martial arts rather + than using traditional gang weaponry. These shadowboxers are not to be taken + lightly. oranges: - - tweak: Thanks to a breakthrough in directed vector thrusting, all nanotrasen brand - jetpacks have been greatly improved in speed and handling + - tweak: + Thanks to a breakthrough in directed vector thrusting, all nanotrasen brand + jetpacks have been greatly improved in speed and handling 2015-07-01: Ikarrus: - - rscadd: Multiple gang leaders are spawned at round start, the number which depends - on server population - - rscdel: Gangsters can no longer be promoted mid-game. - - rscadd: Security can once again deconvert gangsters with loyalty implants - - rscadd: Added an Implant Breaker item to the gangtool as a purchasable item for - 10 influence each
      * They are a one-use item that destroys all implants in - the target, including loyalty implants
      * They will also attempt to recruit - the target before destroying itself - - rscdel: Implanters no longer work if the target is wearing headgear. Remove them - first. + - rscadd: + Multiple gang leaders are spawned at round start, the number which depends + on server population + - rscdel: Gangsters can no longer be promoted mid-game. + - rscadd: Security can once again deconvert gangsters with loyalty implants + - rscadd: + Added an Implant Breaker item to the gangtool as a purchasable item for + 10 influence each
      * They are a one-use item that destroys all implants in + the target, including loyalty implants
      * They will also attempt to recruit + the target before destroying itself + - rscdel: + Implanters no longer work if the target is wearing headgear. Remove them + first. NullQuery: - - tweak: The crew monitoring computer, AI crew monitoring popup and the handheld - crew monitor now update automatically. - - tweak: 'Crew monitoring: The health information has been turned into a health - indicator. It goes from green to red. Hovering over the icon shows detailed - information (if available).' - - tweak: 'Crew monitoring: The location coordinates have been hidden. You can see - them by hovering over the ''Location'' column.' - - rscadd: 'Crew monitoring: A minimap has been added so you can easily see where - people are.' - - tweak: 'Crew monitoring: Players who are not in range of a camera are not shown - on the minimap.' - - tweak: 'Crew monitoring: AI players can quickly move to other locations or track - players by clicking the minimap or items in the table.' - - tweak: 'Crew monitoring: For AI players, health information always shows a white - indicator instead of green-to-red. This is a deliberate limitation to prevent - the AI from becoming too omnipresent.' + - tweak: + The crew monitoring computer, AI crew monitoring popup and the handheld + crew monitor now update automatically. + - tweak: + "Crew monitoring: The health information has been turned into a health + indicator. It goes from green to red. Hovering over the icon shows detailed + information (if available)." + - tweak: + "Crew monitoring: The location coordinates have been hidden. You can see + them by hovering over the 'Location' column." + - rscadd: + "Crew monitoring: A minimap has been added so you can easily see where + people are." + - tweak: + "Crew monitoring: Players who are not in range of a camera are not shown + on the minimap." + - tweak: + "Crew monitoring: AI players can quickly move to other locations or track + players by clicking the minimap or items in the table." + - tweak: + "Crew monitoring: For AI players, health information always shows a white + indicator instead of green-to-red. This is a deliberate limitation to prevent + the AI from becoming too omnipresent." phil235: - - tweak: Space drug overdose no longer cause brute/brain damage but you hallucinate - more. Space Drug Blob now makes you hallucinate even if you don't overdose on - its space drug. + - tweak: + Space drug overdose no longer cause brute/brain damage but you hallucinate + more. Space Drug Blob now makes you hallucinate even if you don't overdose on + its space drug. xxalpha: - - rscadd: 'Added a new traitor objective: steal the station''s self-destruct nuke - plutonium core.' + - rscadd: + "Added a new traitor objective: steal the station's self-destruct nuke + plutonium core." 2015-07-02: Ikarrus: - - rscadd: Throwing reagent containers such as drinks or beakers may spill their - contents onto whatever they hit - - rscadd: Slipping while carrying items in your hand may cause ~accidents~ - - tweak: Mounted and portable flashers can now only be burned out from overuse, - similar to flashes. + - rscadd: + Throwing reagent containers such as drinks or beakers may spill their + contents onto whatever they hit + - rscadd: Slipping while carrying items in your hand may cause ~accidents~ + - tweak: + Mounted and portable flashers can now only be burned out from overuse, + similar to flashes. oranges: - - tweak: Thanks to department budget cuts we've had to remove the security cameras - built into officer helmets, Nanotrasen apologies for this inconvenience. + - tweak: + Thanks to department budget cuts we've had to remove the security cameras + built into officer helmets, Nanotrasen apologies for this inconvenience. 2015-07-03: Ikarrus: - - experiment: Added support for up to six gangs at a time. Admins may add additional - gangs to any round. - - experiment: Gang mode now has a chance to start with a third gang. - - rscadd: Promotion of lieutenants have been re-added - - rscadd: Every lieutenant promoted will lengthen the gang's recruitment cooldowns - by one minute. - - rscdel: Only gang bosses will be able to recall the shuttle from their gangtool. - - rscadd: A recruitment pen that has not been used for a while will accumilate charges, - so you are no longer punished for waiting to convert people. - - rscadd: Gangs are now fully functional outside of gang mode. + - experiment: + Added support for up to six gangs at a time. Admins may add additional + gangs to any round. + - experiment: Gang mode now has a chance to start with a third gang. + - rscadd: Promotion of lieutenants have been re-added + - rscadd: + Every lieutenant promoted will lengthen the gang's recruitment cooldowns + by one minute. + - rscdel: Only gang bosses will be able to recall the shuttle from their gangtool. + - rscadd: + A recruitment pen that has not been used for a while will accumilate charges, + so you are no longer punished for waiting to convert people. + - rscadd: Gangs are now fully functional outside of gang mode. Ricotez: - - rscadd: 'Added two categories of mutant bodyparts for humans with the same system - that lizards use: ears and tails. Right now only admins can edit these.' - - rscadd: Updated the system that checks for which jobs your character qualifies - to be species-dependant. At this moment you won't notice any differences, but - in the future coders can use this to be more specific about which jobs a species - is allowed in under which circumstances. - - imageadd: 'Added one option to both categories, taken from the kitty ears: a cat - tail and cat ears.' - - rscadd: 'Added a new button to the VV menu drop-down list for admins: Toggle Purrbation. - Putting a human on purrbation will give them cat ears and a cat tail, and send - them the message ''You suddenly feel valid.'' Using the button a second time - removes the effects.' - - wip: 'Adding categories for tattoos and scars is in the works. (Read: I need sprites!)' + - rscadd: + "Added two categories of mutant bodyparts for humans with the same system + that lizards use: ears and tails. Right now only admins can edit these." + - rscadd: + Updated the system that checks for which jobs your character qualifies + to be species-dependant. At this moment you won't notice any differences, but + in the future coders can use this to be more specific about which jobs a species + is allowed in under which circumstances. + - imageadd: + "Added one option to both categories, taken from the kitty ears: a cat + tail and cat ears." + - rscadd: + "Added a new button to the VV menu drop-down list for admins: Toggle Purrbation. + Putting a human on purrbation will give them cat ears and a cat tail, and send + them the message 'You suddenly feel valid.' Using the button a second time + removes the effects." + - wip: "Adding categories for tattoos and scars is in the works. (Read: I need sprites!)" oranges: - - tweak: Engineers in nanotrasen's safety equipment department announced the release - of a new and improved version of the X25 taser trigger, previous triggers, which - suffered from a long line of misfire problems were recalled enmasse. Nanotrasen - refused to comment on rumours that the previous trigger design was the work - of a saboteur. + - tweak: + Engineers in nanotrasen's safety equipment department announced the release + of a new and improved version of the X25 taser trigger, previous triggers, which + suffered from a long line of misfire problems were recalled enmasse. Nanotrasen + refused to comment on rumours that the previous trigger design was the work + of a saboteur. 2015-07-04: Gun Hog: - - tweak: The Ore Redemption Machine now allows users to release minerals without - having to insert an ID first. + - tweak: + The Ore Redemption Machine now allows users to release minerals without + having to insert an ID first. Ikarrus: - - bugfix: Fixed items that logically shouldn't spill, spilling their contents when - thrown - - bugfix: Fixed Bartender's non-spilling powers - - bugfix: Fixed thrown beakers not applying their contents onto floors - - bugfix: Fixed unable to transfer reagents between beakers you are holding - - bugfix: Fixed bombs shredding clothes that should have been protected by covering - clothes - - bugfix: Fixed gang mode. + - bugfix: + Fixed items that logically shouldn't spill, spilling their contents when + thrown + - bugfix: Fixed Bartender's non-spilling powers + - bugfix: Fixed thrown beakers not applying their contents onto floors + - bugfix: Fixed unable to transfer reagents between beakers you are holding + - bugfix: + Fixed bombs shredding clothes that should have been protected by covering + clothes + - bugfix: Fixed gang mode. MMMiracles: - - rscadd: Added patriotic underwear apparel due to the most god damn american holiday - being just around the corner. - - rscadd: Also adds some other stuff for those inferior countires too, I guess. + - rscadd: + Added patriotic underwear apparel due to the most god damn american holiday + being just around the corner. + - rscadd: Also adds some other stuff for those inferior countires too, I guess. 2015-07-05: AlexanderUlanH & Xhuis: - - rscadd: Shadowling Ascendants have a new ability to send messages to the world. - - bugfix: Glare now properly silences targets. - - bugfix: Veil now turns off held lights. - - tweak: Drain Thralls replaced with Drain Life, which targets all nearby humans. - - rscadd: Spatial Relocation replaced with Black Recuperation which lets you revive - a dead thrall every five minutes. - - rscdel: Removed Vortex. - - tweak: Shadowlings can now only enthrall five people before being forced to hatch; - Hatched shadowlings can continue to enthrall however non-hatched ones can't - pass the global limit. - - tweak: Enthralling sends a message to all nearby humans. - - tweak: Removed cooldown on Glacial Freeze. + - rscadd: Shadowling Ascendants have a new ability to send messages to the world. + - bugfix: Glare now properly silences targets. + - bugfix: Veil now turns off held lights. + - tweak: Drain Thralls replaced with Drain Life, which targets all nearby humans. + - rscadd: + Spatial Relocation replaced with Black Recuperation which lets you revive + a dead thrall every five minutes. + - rscdel: Removed Vortex. + - tweak: + Shadowlings can now only enthrall five people before being forced to hatch; + Hatched shadowlings can continue to enthrall however non-hatched ones can't + pass the global limit. + - tweak: Enthralling sends a message to all nearby humans. + - tweak: Removed cooldown on Glacial Freeze. Ikarrus: - - tweak: Reactive armor may now teleport user to space tiles. Be careful using it - around space. + - tweak: + Reactive armor may now teleport user to space tiles. Be careful using it + around space. Razharas: - - tweak: Firing pins can now be removed by tablecrafting a gun with a plasmacutter, - screwdriver and wirecutters. + - tweak: + Firing pins can now be removed by tablecrafting a gun with a plasmacutter, + screwdriver and wirecutters. RemieRichards: - - imageadd: Melee attacks with weapons now display and animation of the weapon over - the target. - - rscadd: Tablecrafting window now shows all recipies and has been split into categorized - tabs. - - rscdel: 30 item limit removed. + - imageadd: + Melee attacks with weapons now display and animation of the weapon over + the target. + - rscadd: + Tablecrafting window now shows all recipies and has been split into categorized + tabs. + - rscdel: 30 item limit removed. Sabbat: - - rscadd: Updated the cult armor rune to let you get additional equipment or abilities - based on what you're wearing or holding. Some nerfed versions of wizard spells - can be used by the cult in exchange for unique clothing, these spells require - the cult robes or armor in order to use. No armor choices are mandatory, you - will always have the option of the default choice. - - rscadd: Zealot - Default armor rune. If none of the required clothing is worn - this will be chosen automatically. Is the same as ever. - - rscadd: Summoner - If you are wearing the wizard robe and hat when using the armor - rune this choice will be available. User will receive magus robes and hat and - nerfed versions of the summon shard and summon shell spells. - - rscadd: Traveler - Available to people wearing EVA suit and helmet. Replaces the - EVA suit and helmet with the cult space suit and space helmet. Gives you a sword. - - rscadd: Marauder - Available to people wearing the captain's space suit and helmet. - Same as Traveler except user is given a spell of summon creature (two creatures). - They can and will attack the user. - - rscadd: Trickster - Available if wearing the RD's reactive teleport armor. Gives - you magus robes, a wand of doors, and a nerfed version of Blink. - - rscadd: Physician - Available if wearing the CMO's labcoat. Gives you a wand of - life. + - rscadd: + Updated the cult armor rune to let you get additional equipment or abilities + based on what you're wearing or holding. Some nerfed versions of wizard spells + can be used by the cult in exchange for unique clothing, these spells require + the cult robes or armor in order to use. No armor choices are mandatory, you + will always have the option of the default choice. + - rscadd: + Zealot - Default armor rune. If none of the required clothing is worn + this will be chosen automatically. Is the same as ever. + - rscadd: + Summoner - If you are wearing the wizard robe and hat when using the armor + rune this choice will be available. User will receive magus robes and hat and + nerfed versions of the summon shard and summon shell spells. + - rscadd: + Traveler - Available to people wearing EVA suit and helmet. Replaces the + EVA suit and helmet with the cult space suit and space helmet. Gives you a sword. + - rscadd: + Marauder - Available to people wearing the captain's space suit and helmet. + Same as Traveler except user is given a spell of summon creature (two creatures). + They can and will attack the user. + - rscadd: + Trickster - Available if wearing the RD's reactive teleport armor. Gives + you magus robes, a wand of doors, and a nerfed version of Blink. + - rscadd: + Physician - Available if wearing the CMO's labcoat. Gives you a wand of + life. TheVekter: - - rscadd: Ian now has a dog-bed in the HoP's office. + - rscadd: Ian now has a dog-bed in the HoP's office. nukeop: - - rscadd: Uplinks now have a syndicate surgery bag containing surgery tools, a muzzle, - a straightjacket and a syndicate MMI. - - rscadd: Syndicate MMIs can only be placed in cyborgs to create an unlinked cyborg - with syndicate laws. + - rscadd: + Uplinks now have a syndicate surgery bag containing surgery tools, a muzzle, + a straightjacket and a syndicate MMI. + - rscadd: + Syndicate MMIs can only be placed in cyborgs to create an unlinked cyborg + with syndicate laws. 2015-07-06: Ikarrus: - - tweak: Increased Uzi SMG cost to 60 influence. - - tweak: Increased Uzi ammo cost to 40 influence. - - tweak: Domination attempt limit is reduced to 1 per gang while the shuttle is - docked with the station. - - tweak: Gang bosses can promote and recall the shuttle using spare gangtools - - bugfix: Fixed Gang bosses getting deconverted with head trauma - - rscadd: Lizard characters can now get random names unique from humans. + - tweak: Increased Uzi SMG cost to 60 influence. + - tweak: Increased Uzi ammo cost to 40 influence. + - tweak: + Domination attempt limit is reduced to 1 per gang while the shuttle is + docked with the station. + - tweak: Gang bosses can promote and recall the shuttle using spare gangtools + - bugfix: Fixed Gang bosses getting deconverted with head trauma + - rscadd: Lizard characters can now get random names unique from humans. 2015-07-07: Ikarrus: - - bugfix: Fixed bug where gang messages would occasionally fail to send. - - bugfix: Fixed bug that prevented implant breakers from recruiting security. - - tweak: Implanters are now only blocked by helmets with THICKMATERIAL - - rscdel: Light severity explosions no longer shred clothes. + - bugfix: Fixed bug where gang messages would occasionally fail to send. + - bugfix: Fixed bug that prevented implant breakers from recruiting security. + - tweak: Implanters are now only blocked by helmets with THICKMATERIAL + - rscdel: Light severity explosions no longer shred clothes. MMMiracles: - - rscadd: Adds a new crate to cargo in the security section, for when desperate - times call for desperate measures. + - rscadd: + Adds a new crate to cargo in the security section, for when desperate + times call for desperate measures. NullQuery: - - bugfix: Crew monitoring computers now sort by department and rank again. - - tweak: 'Crew monitoring computer: Hovering over a dot on the minimap will now - jump to the appropriate entry in the table.' - - bugfix: sNPCs were given ID cards with blank assignments. + - bugfix: Crew monitoring computers now sort by department and rank again. + - tweak: + "Crew monitoring computer: Hovering over a dot on the minimap will now + jump to the appropriate entry in the table." + - bugfix: sNPCs were given ID cards with blank assignments. 2015-07-09: AlexanderUlanH: - - rscadd: Riot Shotguns now spawn loaded with rubber pellet shells that deal high - stamina damage. + - rscadd: + Riot Shotguns now spawn loaded with rubber pellet shells that deal high + stamina damage. kingofkosmos: - - tweak: Both beakers and drinking glasses can now be be drunk from, fed to mobs - and splashed on mobs, turfs and most objects with harm intent. + - tweak: + Both beakers and drinking glasses can now be be drunk from, fed to mobs + and splashed on mobs, turfs and most objects with harm intent. nukeop: - - tweak: RCDs have a larger storage and can be loaded with glass, metal and plasteel. - - rscadd: Grilles and Windows can be made with an RCD. - - rscadd: Engi-Vend machine now has three RCDs. - - rscdel: Removed RCD as a steal objective. + - tweak: RCDs have a larger storage and can be loaded with glass, metal and plasteel. + - rscadd: Grilles and Windows can be made with an RCD. + - rscadd: Engi-Vend machine now has three RCDs. + - rscdel: Removed RCD as a steal objective. 2015-07-10: Ikarrus: - - rscadd: 'New Changeling Ability: False Armblade Sting. It creates an undroppable - armblade on the target temporarily. It will appear exactly like a real one, - except you can''t do anything with it.' - - tweak: Transform stings are no longer stealthy. + - rscadd: + "New Changeling Ability: False Armblade Sting. It creates an undroppable + armblade on the target temporarily. It will appear exactly like a real one, + except you can't do anything with it." + - tweak: Transform stings are no longer stealthy. 2015-07-11: Dorsidwarf: - - tweak: Due to a new Syndicate budget, uplink implants are now only 14 TC. - - tweak: In order to facilitate inter-agent communication, Syndicate Encryption - Keys have been reduced to 2TC. They retain the ability to intercept all channels - and speak on a private frequency. + - tweak: Due to a new Syndicate budget, uplink implants are now only 14 TC. + - tweak: + In order to facilitate inter-agent communication, Syndicate Encryption + Keys have been reduced to 2TC. They retain the ability to intercept all channels + and speak on a private frequency. Ikarrus: - - tweak: Robotic augmentations have been made a bit more difficult to maintain. + - tweak: Robotic augmentations have been made a bit more difficult to maintain. 2015-07-13: Ikarrus: - - imageadd: Loyalty Implant HUD Icon has been updated. + - imageadd: Loyalty Implant HUD Icon has been updated. duncathan: - - tweak: Greatly shortened the time it takes to lay pipes with the RPD and to unwrench - pipes in general. - - rscadd: Added Optical T-Ray scanners to R&D and Atmospheric Technician closets. - Optical T-Ray Scanners function identically to a handheld scanner. + - tweak: + Greatly shortened the time it takes to lay pipes with the RPD and to unwrench + pipes in general. + - rscadd: + Added Optical T-Ray scanners to R&D and Atmospheric Technician closets. + Optical T-Ray Scanners function identically to a handheld scanner. 2015-07-14: AnturK: - - rscadd: New species of mimic was spotted in the wilderness of space. Watch out! + - rscadd: New species of mimic was spotted in the wilderness of space. Watch out! Jordie0608: - - rscadd: Added a Local Narrate verb for admins. + - rscadd: Added a Local Narrate verb for admins. 2015-07-17: Ikarrus: - - bugfix: Virology is no longer all-access. - - rscadd: Changelings now have the ability to swap forms with another being. - - tweak: Halved Domination Time. - - tweak: Reinforced windows and windoors are a bit more resistant to fires and blasts. + - bugfix: Virology is no longer all-access. + - rscadd: Changelings now have the ability to swap forms with another being. + - tweak: Halved Domination Time. + - tweak: Reinforced windows and windoors are a bit more resistant to fires and blasts. MrStonedOne: - - tweak: 'Scrubbers now use power: 10w + 10w for every gas its configured to filter. - (60w for siphon)' - - rscadd: Scrubbers can now be configured to operate on a 3x3 range via the air - alarm at a high cost (ranging from 100w to 1000w depending on how many tiles - are near it that aren't blocked and how much power it's using normally) - - tweak: Huge portable scrubbers (like in toxins storage) now use a 3x3 range rather - then a higher volume rate - - bugfix: Fixed issue with atmos not allowing low levels of plasma to spread - - bugfix: Fixed issue with atmos not adding or removing plasma overlays in some - cases - - tweak: Panic siphon now uses a 3x3 area range rather then increasing the scrubbers - intake rate by 8x - - tweak: Replace air uses 3x3 range for the first stage - - rscadd: 'Air alarms now have 3 new environmental modes:' - - rscadd: Siphon - Panic siphon without the panic, operates on a 1 tile range - - rscadd: Contaminated - Activates all gas filters and 3x3 scrubbing mode - - rscadd: Refill Air - 3 times the normal vent output + - tweak: + "Scrubbers now use power: 10w + 10w for every gas its configured to filter. + (60w for siphon)" + - rscadd: + Scrubbers can now be configured to operate on a 3x3 range via the air + alarm at a high cost (ranging from 100w to 1000w depending on how many tiles + are near it that aren't blocked and how much power it's using normally) + - tweak: + Huge portable scrubbers (like in toxins storage) now use a 3x3 range rather + then a higher volume rate + - bugfix: Fixed issue with atmos not allowing low levels of plasma to spread + - bugfix: + Fixed issue with atmos not adding or removing plasma overlays in some + cases + - tweak: + Panic siphon now uses a 3x3 area range rather then increasing the scrubbers + intake rate by 8x + - tweak: Replace air uses 3x3 range for the first stage + - rscadd: "Air alarms now have 3 new environmental modes:" + - rscadd: Siphon - Panic siphon without the panic, operates on a 1 tile range + - rscadd: Contaminated - Activates all gas filters and 3x3 scrubbing mode + - rscadd: Refill Air - 3 times the normal vent output 2015-07-18: AlexanderUlanH: - - tweak: Reduced stun duration of tabling to be closer to other stuns. + - tweak: Reduced stun duration of tabling to be closer to other stuns. Iamgoofball: - - tweak: The Bioterror Chemical Sprayer is now filled with a more deadly mix of - chemicals. + - tweak: + The Bioterror Chemical Sprayer is now filled with a more deadly mix of + chemicals. RemieRichards: - - tweak: Changelings now regenerate chemicals and geneticdamage while dead, but - only up to specific caps (50% of their max chem storage, and 50 geneticdamage) - - tweak: Fakedeath's length has been reduced from 80s dead (1 minute 20) to 40s - dead - - rscadd: Changelings now get to see the last 8 messages the person they absorbed - said, to allow them to better impersonate their victim's speech patterns + - tweak: + Changelings now regenerate chemicals and geneticdamage while dead, but + only up to specific caps (50% of their max chem storage, and 50 geneticdamage) + - tweak: + Fakedeath's length has been reduced from 80s dead (1 minute 20) to 40s + dead + - rscadd: + Changelings now get to see the last 8 messages the person they absorbed + said, to allow them to better impersonate their victim's speech patterns Steelpoint: - - tweak: Reduced weight of Sechailer, it now fits in boxes. + - tweak: Reduced weight of Sechailer, it now fits in boxes. phil: - - tweak: Smoke and foam touch reactions gets buffed. - - rscadd: Reagent dispensers (watertank, fueltank) tells you how much reagents they - have left when examined. - - tweak: Liquid dark matter blob spore smoke now cannot throw you. The effects of - sorium, blob sorium, liquid dark matter and blob liquid dark matter are now - scaled by their volume. Sorium/LDM blob's touch now throws the mobs who are - close but simply moves the mobs that are further away. + - tweak: Smoke and foam touch reactions gets buffed. + - rscadd: + Reagent dispensers (watertank, fueltank) tells you how much reagents they + have left when examined. + - tweak: + Liquid dark matter blob spore smoke now cannot throw you. The effects of + sorium, blob sorium, liquid dark matter and blob liquid dark matter are now + scaled by their volume. Sorium/LDM blob's touch now throws the mobs who are + close but simply moves the mobs that are further away. 2015-07-19: Gun Hog: - - rscadd: Nanotrasen advancements in cyborg technology now allow for integrated - headlamps! As such, the flashlight package normally used as a module is now - seamlessly merged with their systems! + - rscadd: + Nanotrasen advancements in cyborg technology now allow for integrated + headlamps! As such, the flashlight package normally used as a module is now + seamlessly merged with their systems! Ikarrus: - - rscadd: Asimov's subject of "human beings" can now be modified by uploaders. - - rscadd: Eaxmining AI modules while adjacent to them will show you what laws it - will upload. + - rscadd: Asimov's subject of "human beings" can now be modified by uploaders. + - rscadd: + Eaxmining AI modules while adjacent to them will show you what laws it + will upload. MMMiracles: - - soundadd: Adds a TWANG sound effect when hitting things with a guitar. + - soundadd: Adds a TWANG sound effect when hitting things with a guitar. 2015-07-20: AnturK: - - tweak: Lightning Bolt now always bounces 5 times and deals 15 to 50 burn damage - to each target depending on the chargeup + - tweak: + Lightning Bolt now always bounces 5 times and deals 15 to 50 burn damage + to each target depending on the chargeup KorPaheron: - - rscadd: Added the Multiverse Sword, a new wizard artifact that can summon clones - of yourself from other universes, allowing for dangerous amounts of recursion. + - rscadd: + Added the Multiverse Sword, a new wizard artifact that can summon clones + of yourself from other universes, allowing for dangerous amounts of recursion. phil235: - - tweak: Mechs no longer use object verbs and the exosuit interface tab. They now - use action buttons. Mechs now have a cycle equipment action button to change - weapon faster than by using the view stats window. Mechs get two special alerts - when their battery or health is low. Mechs now properly consume energy when - moving and having their lights on. Using a mech tool that takes time to act - now shows a progress bar (e.g. mech drill). - - rscadd: Mechs now have a cycle equipment action button to change weapon faster - than by using the view stats window. - - rscadd: Mechs get two special alerts when their battery or health is low. - - tweak: Mechs now properly consume energy when moving and having their lights on. - - rscadd: Using a mech tool that takes time to act now shows a progress bar (e.g. - mech drill). + - tweak: + Mechs no longer use object verbs and the exosuit interface tab. They now + use action buttons. Mechs now have a cycle equipment action button to change + weapon faster than by using the view stats window. Mechs get two special alerts + when their battery or health is low. Mechs now properly consume energy when + moving and having their lights on. Using a mech tool that takes time to act + now shows a progress bar (e.g. mech drill). + - rscadd: + Mechs now have a cycle equipment action button to change weapon faster + than by using the view stats window. + - rscadd: Mechs get two special alerts when their battery or health is low. + - tweak: Mechs now properly consume energy when moving and having their lights on. + - rscadd: + Using a mech tool that takes time to act now shows a progress bar (e.g. + mech drill). 2015-07-21: Fayrik: - - tweak: Syndicate Donksoft gear now costs less. + - tweak: Syndicate Donksoft gear now costs less. Xhuis: - - rscadd: Firelocks may now be constructed and deconstructed with standard tools. - Circuit boards can be produced at a standard autolathe. + - rscadd: + Firelocks may now be constructed and deconstructed with standard tools. + Circuit boards can be produced at a standard autolathe. phil235: - - tweak: Thrown things no longer bounces off walls, unless they're in no gravity. - Heavy items and mobs thrown can push the mobs and non anchored objects they - land on. Throwing a mob onto a mob in no gravity will push each one in opposite - direction. Thrown mobs landing on wall, or dense object or mob gets stunned - and a bit injured. The damage when mob hit a wall is nerfed. + - tweak: + Thrown things no longer bounces off walls, unless they're in no gravity. + Heavy items and mobs thrown can push the mobs and non anchored objects they + land on. Throwing a mob onto a mob in no gravity will push each one in opposite + direction. Thrown mobs landing on wall, or dense object or mob gets stunned + and a bit injured. The damage when mob hit a wall is nerfed. 2015-07-23: NullQuery: - - tweak: 'Crew monitoring: The minimap now supports scaling. You can zoom in and - out using the buttons. Hovering over an entry in the table centers the minimap - on that part of the screen.' - - tweak: 'Crew monitoring: If the window is wide enough the health indicator will - expand to show full health data (if available).' - - tweak: 'Crew monitoring: Clicking on the area name will now copy the coordinates - to your clipboard.' - - tweak: 'Crew monitoring: The AI can view health information again, but there is - a 5 second delay between updates for everyone watching.' + - tweak: + "Crew monitoring: The minimap now supports scaling. You can zoom in and + out using the buttons. Hovering over an entry in the table centers the minimap + on that part of the screen." + - tweak: + "Crew monitoring: If the window is wide enough the health indicator will + expand to show full health data (if available)." + - tweak: + "Crew monitoring: Clicking on the area name will now copy the coordinates + to your clipboard." + - tweak: + "Crew monitoring: The AI can view health information again, but there is + a 5 second delay between updates for everyone watching." freerealestate: - - rscadd: Added resist hotkeys for borgs and humans. With hotkeys mode, use CTRL+C - or C as a human and CTRL+C, C or END as a borg. With hotkeys mode off, use CTRL+C - as a human and END as a borg. + - rscadd: + Added resist hotkeys for borgs and humans. With hotkeys mode, use CTRL+C + or C as a human and CTRL+C, C or END as a borg. With hotkeys mode off, use CTRL+C + as a human and END as a borg. xxalpha: - - bugfix: Changeling augmented eyesight night vision is now working. + - bugfix: Changeling augmented eyesight night vision is now working. 2015-07-24: Incoming5643: - - rscadd: The spells disintegrate and flesh to stone have had their mechanics changed. - Using these spells will spawn a special touch weapon in a free hand (your dominant - hand if possible) that can then be used to inflict the spell on the target of - your choice. Having the touch weapon out is obvious, this is not a stealth based - change. Clicking the spell while the hand is out will let you return the charge - without using it. - - rscdel: The spell won't begin to recharge until the hand attack is either used - or returned. Additionally these changes mean you can no longer use these spells - while stunned or handcuffed. As a suggestion remember that the mutate spell - allows you to break out of cuffs very easily, and warping abilities will keep - you from getting cuffed to begin with! + - rscadd: + The spells disintegrate and flesh to stone have had their mechanics changed. + Using these spells will spawn a special touch weapon in a free hand (your dominant + hand if possible) that can then be used to inflict the spell on the target of + your choice. Having the touch weapon out is obvious, this is not a stealth based + change. Clicking the spell while the hand is out will let you return the charge + without using it. + - rscdel: + The spell won't begin to recharge until the hand attack is either used + or returned. Additionally these changes mean you can no longer use these spells + while stunned or handcuffed. As a suggestion remember that the mutate spell + allows you to break out of cuffs very easily, and warping abilities will keep + you from getting cuffed to begin with! 2015-07-25: Dorsisdwarf: - - tweak: Due to a fire sale at Syndicate HQ, many of the more interesting traitor - gadgets have been cut in price dramatically. Please take this opportunity to - make full use, as we cannot guarantee that the sale will last! + - tweak: + Due to a fire sale at Syndicate HQ, many of the more interesting traitor + gadgets have been cut in price dramatically. Please take this opportunity to + make full use, as we cannot guarantee that the sale will last! bgobandit: - - bugfix: Under pressure from the Animal Rights Consortium, Nanotrasen has improved - conditions at its cat and dog breeding facilities. Cats and pugs are now much - more responsive to their owners. + - bugfix: + Under pressure from the Animal Rights Consortium, Nanotrasen has improved + conditions at its cat and dog breeding facilities. Cats and pugs are now much + more responsive to their owners. duncathan: - - tweak: Restores RPD delay on disposals machines. + - tweak: Restores RPD delay on disposals machines. xxalpha: - - tweak: Agent IDs are now rewrittable. + - tweak: Agent IDs are now rewrittable. 2015-07-26: Phil235: - - rscadd: Sechailers will now break when used too often. - - imageadd: Mechs now have new action button sprites. + - rscadd: Sechailers will now break when used too often. + - imageadd: Mechs now have new action button sprites. Steelpoint: - - rscadd: Security Officers now spawn with a security breathmask in their internals - box. - - imageadd: Abductor's batons now changes color with modes. - - imageadd: Unique sprites for Abductor hand cuffs and paper. + - rscadd: + Security Officers now spawn with a security breathmask in their internals + box. + - imageadd: Abductor's batons now changes color with modes. + - imageadd: Unique sprites for Abductor hand cuffs and paper. goosefraba19: - - imageadd: Updated the Power Monitoring Console with better alignment and colorized - readouts. + - imageadd: + Updated the Power Monitoring Console with better alignment and colorized + readouts. 2015-07-27: Bgobandit: - - bugfix: Burgers can now be made from corgi meat again. + - bugfix: Burgers can now be made from corgi meat again. Ikarrus: - - rscadd: Added shutters to the armory to allow quick access when needed. - - bugfix: Security can now use the Brig external airlocks. - - rscadd: Added a join queue when the server has exceeded the population cap. - - tweak: Decreased the cost of Body Swap and removed it's genetic damage. + - rscadd: Added shutters to the armory to allow quick access when needed. + - bugfix: Security can now use the Brig external airlocks. + - rscadd: Added a join queue when the server has exceeded the population cap. + - tweak: Decreased the cost of Body Swap and removed it's genetic damage. kingofkosmos: - - rscadd: Added a link to re-enter corpse to alert when your body is placed in a - cloning scanner. + - rscadd: + Added a link to re-enter corpse to alert when your body is placed in a + cloning scanner. 2015-07-28: Anonus: - - imageadd: New gang tags for Omni and Prima gangs. + - imageadd: New gang tags for Omni and Prima gangs. Chiefwaffles: - - rscadd: After realizing how often AIs tend to 'disappear', Central Command has - authorized the shipment of the Automated Announcement System to take over the - AI's responsibility of announcing new arrivals. - - rscadd: In addition, users are able to configure the messages to their liking. - Early testing has shown that this feature may be vulnerable to malicious external - elements! - - rscadd: The station's R&D software has been updated so it can now succesfully - create its own prototype AAS board once the prerequisite levels have been met. + - rscadd: + After realizing how often AIs tend to 'disappear', Central Command has + authorized the shipment of the Automated Announcement System to take over the + AI's responsibility of announcing new arrivals. + - rscadd: + In addition, users are able to configure the messages to their liking. + Early testing has shown that this feature may be vulnerable to malicious external + elements! + - rscadd: + The station's R&D software has been updated so it can now succesfully + create its own prototype AAS board once the prerequisite levels have been met. Dorsisdwarf: - - tweak: Increased the cost of Bioterror darts to 6TC. + - tweak: Increased the cost of Bioterror darts to 6TC. Incoming5643: - - experiment: Double Agents no longer know they're Double Agents and not just standard - Traitors. + - experiment: + Double Agents no longer know they're Double Agents and not just standard + Traitors. xxalpha: - - rscdel: Removed Anti-Drop and Nutriment Pump implants from Nuclear Operative's - uplink. + - rscdel: + Removed Anti-Drop and Nutriment Pump implants from Nuclear Operative's + uplink. 2015-07-29: AnturK: - - rscadd: Aliens can now mine through asteroid rock. + - rscadd: Aliens can now mine through asteroid rock. GunHog: - - tweak: Cyborg headlamps have a short cooldown before reactivation when forcibly - deactivated. - - bugfix: Shadowling's Veil now shuts down headlamps for the ability's entire duration. + - tweak: + Cyborg headlamps have a short cooldown before reactivation when forcibly + deactivated. + - bugfix: Shadowling's Veil now shuts down headlamps for the ability's entire duration. Kor: - - rscadd: Eating the heart of a Slaughter Demon will grant you dark powers. + - rscadd: Eating the heart of a Slaughter Demon will grant you dark powers. freerealestate: - - bugfix: Fixed bug where copying with ctrl+C didn't work due to it being assigned - to resist. - - rscadd: Changed resist to B (hotkeys mode) and ctrl+B (either mode) instead. - - rscdel: Removed End resist from cyborgs. + - bugfix: + Fixed bug where copying with ctrl+C didn't work due to it being assigned + to resist. + - rscadd: Changed resist to B (hotkeys mode) and ctrl+B (either mode) instead. + - rscdel: Removed End resist from cyborgs. 2015-07-30: Gun Hog: - - tweak: The Reactivate Camera power for Malfunctining AIs now costs 10 CPU, and - works on the entire camera network, up to 30 cameras fixed. - - tweak: The Upgrade Cameras power now costs 35 CPU, upgrades all cameras in the - network to have EMP proofing, X-ray, and gives the AI night-vision. + - tweak: + The Reactivate Camera power for Malfunctining AIs now costs 10 CPU, and + works on the entire camera network, up to 30 cameras fixed. + - tweak: + The Upgrade Cameras power now costs 35 CPU, upgrades all cameras in the + network to have EMP proofing, X-ray, and gives the AI night-vision. Ikarrus: - - rscadd: Door Access buttons can now be emagged to remove access restrictions. + - rscadd: Door Access buttons can now be emagged to remove access restrictions. LordPidey: - - rscadd: Added a new medication, Miner's Salve. It heals brute/burn damage over - time, and has the side effect of making the patient think their wounds are fully - healed. It is mixed with water+iron+oil, or grind a twinkie, a sheet of metal, - and a sheet of plasma. - - rscadd: Added a grinder to the mining station. + - rscadd: + Added a new medication, Miner's Salve. It heals brute/burn damage over + time, and has the side effect of making the patient think their wounds are fully + healed. It is mixed with water+iron+oil, or grind a twinkie, a sheet of metal, + and a sheet of plasma. + - rscadd: Added a grinder to the mining station. Midaychi: - - rscadd: Random loot has been added to the derelict as salvage for drones. + - rscadd: Random loot has been added to the derelict as salvage for drones. Scones: - - rscadd: Adds a Rice Hat to the biogenerator. + - rscadd: Adds a Rice Hat to the biogenerator. 2015-08-02: Incoming5643: - - rscadd: Syndicate toolboxes now come with never before seen red insulated gloves. + - rscadd: Syndicate toolboxes now come with never before seen red insulated gloves. Steelpoint: - - bugfix: Fixed multiple mapping errors for Boxstation and the mining base. - - rscadd: A circuit imprinter and exosuit fabrication board have been added to tech - storage. + - bugfix: Fixed multiple mapping errors for Boxstation and the mining base. + - rscadd: + A circuit imprinter and exosuit fabrication board have been added to tech + storage. SvartaSvansen: - - rscadd: Our lizard engineers have worked hard and managed to improve Centcom airlocks - so they no longer disintegrate when the electronics are removed! - - tweak: Put a safety net in place so future airlocks without assemblies produce - the default assembly instead of disintegrating. + - rscadd: + Our lizard engineers have worked hard and managed to improve Centcom airlocks + so they no longer disintegrate when the electronics are removed! + - tweak: + Put a safety net in place so future airlocks without assemblies produce + the default assembly instead of disintegrating. 2015-08-04: Kor: - - rscadd: Soulstones will now attempt to pull ghosts from beyond if the targeted - corpse has no soul. + - rscadd: + Soulstones will now attempt to pull ghosts from beyond if the targeted + corpse has no soul. Summoner99: - - rscadd: Added the *roar emote back to Alien Larva - - bugfix: Fixed aliens not being able to do the *hiss and *screech emotes - - tweak: 'Changed how the plural emote system works and now some emotes have plural - versions, example is: *hiss and *hisses.' + - rscadd: Added the *roar emote back to Alien Larva + - bugfix: Fixed aliens not being able to do the *hiss and *screech emotes + - tweak: + "Changed how the plural emote system works and now some emotes have plural + versions, example is: *hiss and *hisses." 2015-08-05: CoreOverload: - - rscadd: Implants, implant cases and implanters got RnD levels and can be DA'ed - for science. - - rscadd: Surgically removed implant can be placed into an implant case. Remove - implant with empty implant case in inactive hand. - - rscadd: Surgical steps now got progress bars. - - rscadd: You can cancel a surgery by using drape on operable body part again. This - works only before you perform surgery's first step. - - rscadd: Operating computer shows next step for surgeries. No more alt-tabbing - to view next step on wiki while operating. - - tweak: You cannot start two surgeries on one body part at once. You can start - two multiloc surgeries (i.e. two augumentations) on diffirent body parts at - once. - - tweak: Monkey <-> Human transformations now keep your internal organs, cyberimplants - and xeno embryos included. + - rscadd: + Implants, implant cases and implanters got RnD levels and can be DA'ed + for science. + - rscadd: + Surgically removed implant can be placed into an implant case. Remove + implant with empty implant case in inactive hand. + - rscadd: Surgical steps now got progress bars. + - rscadd: + You can cancel a surgery by using drape on operable body part again. This + works only before you perform surgery's first step. + - rscadd: + Operating computer shows next step for surgeries. No more alt-tabbing + to view next step on wiki while operating. + - tweak: + You cannot start two surgeries on one body part at once. You can start + two multiloc surgeries (i.e. two augumentations) on diffirent body parts at + once. + - tweak: + Monkey <-> Human transformations now keep your internal organs, cyberimplants + and xeno embryos included. Ikarrus: - - rscdel: Head beatings no longer deconvert gangsters. + - rscdel: Head beatings no longer deconvert gangsters. LordPidey: - - rscadd: 'Added a new chemical. Spray tan. It is made by mixing orange juice with - oil or corn oil. Warning: overexposure may result in orange douchebaggery.' + - rscadd: + "Added a new chemical. Spray tan. It is made by mixing orange juice with + oil or corn oil. Warning: overexposure may result in orange douchebaggery." Xhuis: - - rscadd: Shadowling thralls can now be deconverted via surgery or borging. - - rscadd: Thralls can be revealed by examining them. They can hide this by wearing - a mask. - - rscadd: Thralls have a few minor abilities they can use in addition to night vision. - - rscadd: Hatch-exclusive abilities can no longer be used if you are not the shadowling - mutant race. - - rscadd: Ascendants are now immune to bombs and singularities. Honk. - - rscadd: A Centcom report has been added for shadowlings. - - tweak: Ascending no longer kills all shadowling thralls. This allows antagonists - who were enthralled to succeed along with the ascendants. - - tweak: Annihilate now has different sound and a shorter delay before the target - explodes. In addition, it now works on all mobs, instead of just humans. - - bugfix: Glacial Blast now properly has no cooldown if used while phase shifting. - - bugfix: Fixes a runtime if a target with no mind is enthralled. + - rscadd: Shadowling thralls can now be deconverted via surgery or borging. + - rscadd: + Thralls can be revealed by examining them. They can hide this by wearing + a mask. + - rscadd: Thralls have a few minor abilities they can use in addition to night vision. + - rscadd: + Hatch-exclusive abilities can no longer be used if you are not the shadowling + mutant race. + - rscadd: Ascendants are now immune to bombs and singularities. Honk. + - rscadd: A Centcom report has been added for shadowlings. + - tweak: + Ascending no longer kills all shadowling thralls. This allows antagonists + who were enthralled to succeed along with the ascendants. + - tweak: + Annihilate now has different sound and a shorter delay before the target + explodes. In addition, it now works on all mobs, instead of just humans. + - bugfix: Glacial Blast now properly has no cooldown if used while phase shifting. + - bugfix: Fixes a runtime if a target with no mind is enthralled. bgobandit: - - rscadd: Nanotrasen scientists have achieved the tremendous breakthrough of injecting - gold slime extracts with water. Pets ensued. + - rscadd: + Nanotrasen scientists have achieved the tremendous breakthrough of injecting + gold slime extracts with water. Pets ensued. 2015-08-06: AnturK: - - rscadd: Adds the voodoo doll as a mining treasure, link it with a victim with - an item previously held by them. - - rscadd: Once linked the voodoo doll can be used to injure, confuse and control - the victim. + - rscadd: + Adds the voodoo doll as a mining treasure, link it with a victim with + an item previously held by them. + - rscadd: + Once linked the voodoo doll can be used to injure, confuse and control + the victim. Core0verlad: - - tweak: Items can now be removed from storage containers inside storage containers. - - imageadd: Beds and bedsheets have new sprites. - - rscdel: MMIs are no longer ID locked. + - tweak: Items can now be removed from storage containers inside storage containers. + - imageadd: Beds and bedsheets have new sprites. + - rscdel: MMIs are no longer ID locked. KorPhaeron: - - tweak: Slaughter Demon's have had their health reduced to 200 and their speed - reduced but they get a speed boost when exiting blood. + - tweak: + Slaughter Demon's have had their health reduced to 200 and their speed + reduced but they get a speed boost when exiting blood. MrPerson: - - rscadd: Items stacks now automatically merge unless thrown when moved onto the - same tile. + - rscadd: + Items stacks now automatically merge unless thrown when moved onto the + same tile. 2015-08-07: KorPhaeron: - - rscadd: Added a new Guardian Mob that can be summoned to manifest inside a mob. - - rscadd: Guardians can communicate with their host and materialize themselves to - protect their host with magic powers. - - rscadd: Guardians are invincible but cannot live without or too far from their - host, they also relay injuries they suffer to the host. + - rscadd: Added a new Guardian Mob that can be summoned to manifest inside a mob. + - rscadd: + Guardians can communicate with their host and materialize themselves to + protect their host with magic powers. + - rscadd: + Guardians are invincible but cannot live without or too far from their + host, they also relay injuries they suffer to the host. Phil235: - - bugfix: Fixed being able to run into your own bullet. + - bugfix: Fixed being able to run into your own bullet. RemieRichards: - - rscadd: You no longer need to click on an item in a storage container to remove - it, clicking anywhere around the item works. + - rscadd: + You no longer need to click on an item in a storage container to remove + it, clicking anywhere around the item works. bustygoku: - - rscdel: Removed the chance for a disease to make you a carrier on transfer. + - rscdel: Removed the chance for a disease to make you a carrier on transfer. phil235: - - tweak: The plasma cutter's fire rate is now a bit lower but its projectile can - pierce multiple asteroid walls and its range isn't lowered in pressurized environment - anymore. + - tweak: + The plasma cutter's fire rate is now a bit lower but its projectile can + pierce multiple asteroid walls and its range isn't lowered in pressurized environment + anymore. 2015-08-09: RemieRichards: - - rscadd: 'Nanotrasen Mandatory FunCo Subsidiary: CoderbusGames, would like to announce - an update to Orion Trail!' - - rscadd: 'Spaceports: Buy/Sell Crew, Trade Fuel for Food, Trade Food for Fuel, - Buy Spare Electronics, Engine Parts and Hull Plates, or maybe you think you''re - tough enough to attack the spaceport?' - - rscadd: 'Changelings: Changelings can now sneak into your crew, Changelings eat - double the standard food ration and have a chance to Ambush the rest of the - crew!' - - rscadd: 'Kill Crewmembers: Do you suspect changelings? or dont feel you have enough - food rations? Just shoot somebody in the head, at any time!' + - rscadd: + "Nanotrasen Mandatory FunCo Subsidiary: CoderbusGames, would like to announce + an update to Orion Trail!" + - rscadd: + "Spaceports: Buy/Sell Crew, Trade Fuel for Food, Trade Food for Fuel, + Buy Spare Electronics, Engine Parts and Hull Plates, or maybe you think you're + tough enough to attack the spaceport?" + - rscadd: + "Changelings: Changelings can now sneak into your crew, Changelings eat + double the standard food ration and have a chance to Ambush the rest of the + crew!" + - rscadd: + "Kill Crewmembers: Do you suspect changelings? or dont feel you have enough + food rations? Just shoot somebody in the head, at any time!" 2015-08-12: CosmicScientist: - - rscadd: Added Space Carp costume to the code, get it from an autodrobe near you. - - rscadd: Added Ian costume to the code, take his place under the HoP's hand, get - it from an autodrobe or corgi hide, keep it away from washing machines or it'll - meat its end as clothing. - - rscadd: Added Space Carp spacesuit to the code, I know what I'm praying for. + - rscadd: Added Space Carp costume to the code, get it from an autodrobe near you. + - rscadd: + Added Ian costume to the code, take his place under the HoP's hand, get + it from an autodrobe or corgi hide, keep it away from washing machines or it'll + meat its end as clothing. + - rscadd: Added Space Carp spacesuit to the code, I know what I'm praying for. bgobandit: - - rscadd: After multiple complaints from WaffleCo food activists, Nanotrasen has - added real chocolate, berry juice and blue flavouring to its ice cream products. + - rscadd: + After multiple complaints from WaffleCo food activists, Nanotrasen has + added real chocolate, berry juice and blue flavouring to its ice cream products. 2015-08-13: CoreOverload: - - rscadd: 'Added a new 8TC traitor item: subspace storage implant. It allows you - to store two box-sized items in (almost) undetectable storage. ' - - tweak: Changed the way most of the surgical operations work. See wiki for new - steps. - - tweak: You can cancel step 2+ surgeries with drapes and cautery in inactive hand. - - tweak: Defib no longer works on humans who have no heart. Changeling/thrall/cult/strange - reagent revives are still working, and this is intended. - - rscadd: You can eat all organs raw now, with exception for brains and cyberimplants. - - rscadd: Some xenos abilities are linked to their organs. Play with xenos' guts - for fun and profit! + - rscadd: + "Added a new 8TC traitor item: subspace storage implant. It allows you + to store two box-sized items in (almost) undetectable storage. " + - tweak: + Changed the way most of the surgical operations work. See wiki for new + steps. + - tweak: You can cancel step 2+ surgeries with drapes and cautery in inactive hand. + - tweak: + Defib no longer works on humans who have no heart. Changeling/thrall/cult/strange + reagent revives are still working, and this is intended. + - rscadd: You can eat all organs raw now, with exception for brains and cyberimplants. + - rscadd: + Some xenos abilities are linked to their organs. Play with xenos' guts + for fun and profit! RemieRichards: - - rscadd: Modifying a string (Text) variable with View Variables or View Variables - Mass Modify now allows you to embed variables like real byond strings, For example - the variable real_name; you could set a text var to [real_name] and it would - be replaced with the actual contents of the var, This allows for Mass fixing - of certain variables but it's also useful for badmin gimmickery + - rscadd: + Modifying a string (Text) variable with View Variables or View Variables + Mass Modify now allows you to embed variables like real byond strings, For example + the variable real_name; you could set a text var to [real_name] and it would + be replaced with the actual contents of the var, This allows for Mass fixing + of certain variables but it's also useful for badmin gimmickery 2015-08-15: Miauw: - - rscadd: Changeling transformations have been upgraded to also include clothing - instead of just DNA. - - tweak: Patches no longer work on dead people. - - rscadd: Added 15-force edaggers that function like pens when off. + - rscadd: + Changeling transformations have been upgraded to also include clothing + instead of just DNA. + - tweak: Patches no longer work on dead people. + - rscadd: Added 15-force edaggers that function like pens when off. MrPerson: - - rscadd: Objects being dragged will no longer get shoved out of your grasp by space - wind. Retrieving dead bodies should be possible. + - rscadd: + Objects being dragged will no longer get shoved out of your grasp by space + wind. Retrieving dead bodies should be possible. RemieRichards: - - rscadd: Added Changeling Team Objectives, these are handed out to all lings, with - the chance of a round having one being 20*number_of_lings% (3 lings = 60%) - - rscadd: 'Impersonate Department (Team Objective): As many members of a department - as can reasonably be picked are chosen for the lings to kill, replace and escape - as' - - rscadd: 'Impersonate Heads (Team Objective): 3 to 6 Heads of Staff are chosen - for the lings to kill, replace and escape as' - - tweak: If the Changelings have a Team Objective, their usual Kill, Maroon, Etc. - objectives will not pick other changelings, to discourage backstabbing in teamling - - tweak: Changeling Engorged Glands is now the default storage and regen rate, Engorged - Glands remains for an extra boost - - rscadd: Armblades can now be used to open powered doors, however it takes 10 seconds - of the changeling standing still, Their ability to instantly open unpowered - doors remains unchanged - - rscdel: Debrain objective is no longer handed out to lings, it's as good as broken - these days - - rscadd: Changelings may now purchase a togglable version of the Chameleon Skin - genetics mutation, for 2 DNA + - rscadd: + Added Changeling Team Objectives, these are handed out to all lings, with + the chance of a round having one being 20*number_of_lings% (3 lings = 60%) + - rscadd: + "Impersonate Department (Team Objective): As many members of a department + as can reasonably be picked are chosen for the lings to kill, replace and escape + as" + - rscadd: + "Impersonate Heads (Team Objective): 3 to 6 Heads of Staff are chosen + for the lings to kill, replace and escape as" + - tweak: + If the Changelings have a Team Objective, their usual Kill, Maroon, Etc. + objectives will not pick other changelings, to discourage backstabbing in teamling + - tweak: + Changeling Engorged Glands is now the default storage and regen rate, Engorged + Glands remains for an extra boost + - rscadd: + Armblades can now be used to open powered doors, however it takes 10 seconds + of the changeling standing still, Their ability to instantly open unpowered + doors remains unchanged + - rscdel: + Debrain objective is no longer handed out to lings, it's as good as broken + these days + - rscadd: + Changelings may now purchase a togglable version of the Chameleon Skin + genetics mutation, for 2 DNA 2015-08-16: Joan: - - rscadd: Revenants will now occasionally spawn as an event. - - tweak: Revenants gain more energy from Harvesting, and can Harvest from people - in crit. - - tweak: Revenant powers are more effective, and no longer freeze you in place, - besides Harvest. - - tweak: Slain Revenants will respawn much faster. - - bugfix: Fixed a whole bunch of revenant bugs, including one that caused the objective - to always fail. + - rscadd: Revenants will now occasionally spawn as an event. + - tweak: + Revenants gain more energy from Harvesting, and can Harvest from people + in crit. + - tweak: + Revenant powers are more effective, and no longer freeze you in place, + besides Harvest. + - tweak: Slain Revenants will respawn much faster. + - bugfix: + Fixed a whole bunch of revenant bugs, including one that caused the objective + to always fail. Kor: - - rscadd: The wizard can now stop time. + - rscadd: The wizard can now stop time. MMMiracles: - - tweak: Revamps bioterror darts into a less-lethal, syringe form. Removed the coniine - and spore toxins to keep it solely for quiet take-downs. + - tweak: + Revamps bioterror darts into a less-lethal, syringe form. Removed the coniine + and spore toxins to keep it solely for quiet take-downs. 2015-08-18: CoreOverload: - - rscadd: Added a new low-tech eye cyberimplant in RnD - welding shield implant. - - rscadd: Implanter and empty implant case added to protolathe. - - rscadd: You can sell tech disks and maxed reliability design disks in cargo for - supply points. - - tweak: DA menu shows current research levels. - - tweak: You can print cyberimplants in updated mech fab. + - rscadd: Added a new low-tech eye cyberimplant in RnD - welding shield implant. + - rscadd: Implanter and empty implant case added to protolathe. + - rscadd: + You can sell tech disks and maxed reliability design disks in cargo for + supply points. + - tweak: DA menu shows current research levels. + - tweak: You can print cyberimplants in updated mech fab. Supermichael777: - - bugfix: Added an ooc hotkey for borgs = O. They simply didn't have one and it - was a consistency issue - - rscadd: Also added Ctrl+O as an any mode keycombo so you dont have to backspace - and type ooc. Added to hotkey mode to remain consistent with all other Ctrl - combos + - bugfix: + Added an ooc hotkey for borgs = O. They simply didn't have one and it + was a consistency issue + - rscadd: + Also added Ctrl+O as an any mode keycombo so you dont have to backspace + and type ooc. Added to hotkey mode to remain consistent with all other Ctrl + combos bustygoku: - - tweak: Most backpacks now have 21 or more slots, but are still weight restricted. - What this means is that you can have a lot of tiny weight items, but only 7 - medium items just like before. + - tweak: + Most backpacks now have 21 or more slots, but are still weight restricted. + What this means is that you can have a lot of tiny weight items, but only 7 + medium items just like before. phil235: - - tweak: Janicart rider no longer slip on wet floor or bananas. Moving on a floor - tile with lube while buckled (chair, roller bed, etc) will make you fall off. + - tweak: + Janicart rider no longer slip on wet floor or bananas. Moving on a floor + tile with lube while buckled (chair, roller bed, etc) will make you fall off. 2015-08-19: Joan: - - rscadd: Added a new revenant ability; Malfunction. It does bad stuff to machines. - - tweak: Defile and Overload Lights now briefly stun the revenant. - - tweak: You can now Harvest a target by clicking on them while next to them. - - bugfix: Harvesting no longer leaves you draining if the target is deleted mid-drain - attempt. - - rscdel: Defile no longer emags bots or disables cyborgs, Malfunction does that - now. + - rscadd: Added a new revenant ability; Malfunction. It does bad stuff to machines. + - tweak: Defile and Overload Lights now briefly stun the revenant. + - tweak: You can now Harvest a target by clicking on them while next to them. + - bugfix: + Harvesting no longer leaves you draining if the target is deleted mid-drain + attempt. + - rscdel: + Defile no longer emags bots or disables cyborgs, Malfunction does that + now. Kor: - - rscadd: The Ranged and Scout guardian types have been merged, and gained a new - surveillance snare ability. + - rscadd: + The Ranged and Scout guardian types have been merged, and gained a new + surveillance snare ability. SconesC: - - rscadd: Added Military Belts to traitor uplinks. + - rscadd: Added Military Belts to traitor uplinks. bgobandit: - - rscadd: CentComm now offers its cargo department toys, as well as detective gear - so their boss can figure out which tech wasted all the points on them. + - rscadd: + CentComm now offers its cargo department toys, as well as detective gear + so their boss can figure out which tech wasted all the points on them. phil235: - - rscadd: You can now partially protect yourself from blob attack effects by wearing - impermeable clothes like hardsuits, medical clothes, masks, etc. Max protection - effect is capped at 50%. - - rscdel: Splashing someone with chemicals no longer injects those chemicals in - their body. - - bugfix: Fixes splashing acid on items or floor with items not having any effect. + - rscadd: + You can now partially protect yourself from blob attack effects by wearing + impermeable clothes like hardsuits, medical clothes, masks, etc. Max protection + effect is capped at 50%. + - rscdel: + Splashing someone with chemicals no longer injects those chemicals in + their body. + - bugfix: Fixes splashing acid on items or floor with items not having any effect. 2015-08-28: bgobandit: - - bugfix: 'Overheard at CentComm: ''This burn kit said salicyclic acid would heal - my burns! WHO MADE THIS SHIT?'' A muffled honking is heard in the background. - (Burn first-aid kits now contain an appropriate burn pill.)' - - rscadd: Oxandrolone, a new burn healing medication, has been added to burn first-aid - kits and to chemistry. Ingesting 25 units or more causes burn and brute damage. + - bugfix: + "Overheard at CentComm: 'This burn kit said salicyclic acid would heal + my burns! WHO MADE THIS SHIT?' A muffled honking is heard in the background. + (Burn first-aid kits now contain an appropriate burn pill.)" + - rscadd: + Oxandrolone, a new burn healing medication, has been added to burn first-aid + kits and to chemistry. Ingesting 25 units or more causes burn and brute damage. 2015-09-01: Dorsidwarf: - - tweak: Changelings' Digital Camoflague ability now renders them totally invisible - to the AI + - tweak: + Changelings' Digital Camoflague ability now renders them totally invisible + to the AI ExcessiveUseOfCobblestone: - - rscadd: Added health analyzer to the autolathe. - - tweak: Moved Cloning board to Medical Machinery section. - - tweak: Moved Telesci stuff to Teleporter section. + - rscadd: Added health analyzer to the autolathe. + - tweak: Moved Cloning board to Medical Machinery section. + - tweak: Moved Telesci stuff to Teleporter section. Fox P McCloud: - - tweak: Adds the emitter board to to the circuit imprinter for R&D. + - tweak: Adds the emitter board to to the circuit imprinter for R&D. Gun Hog: - - tweak: The Disable RCD Malfunction power is now Destroy RCDs! It costs 25 CPU - (down from 50), causes RCDs to explode, can be used multiple times, and no longer - affects cyborgs. + - tweak: + The Disable RCD Malfunction power is now Destroy RCDs! It costs 25 CPU + (down from 50), causes RCDs to explode, can be used multiple times, and no longer + affects cyborgs. Kor: - - rscadd: Revheads and Gang leaders now spawn with chameleon security HUDs, for - keeping track of loyalty implanted crew. - - rscadd: Syndicate thermals now have a chameleon function as well, allowing you - to disguise the goggles to match your job. + - rscadd: + Revheads and Gang leaders now spawn with chameleon security HUDs, for + keeping track of loyalty implanted crew. + - rscadd: + Syndicate thermals now have a chameleon function as well, allowing you + to disguise the goggles to match your job. Miauw: - - tweak: Edaggers actually work now and have been buffed to 18 brute and 2 TC. + - tweak: Edaggers actually work now and have been buffed to 18 brute and 2 TC. Oisin100: - - rscadd: Nanotransen discover ancient human knowledge confirming that trees produce - Oxygen From Carbon Dioxide - - tweak: Trees now require Oxygen to live. And will die in extreme temperatures + - rscadd: + Nanotrasen discover ancient human knowledge confirming that trees produce + Oxygen From Carbon Dioxide + - tweak: Trees now require Oxygen to live. And will die in extreme temperatures Xhuis: - - rscadd: The arcade machines have been stocked with a xenomorph action figure that - comes with realistic sounds! - - rscadd: Darksight now has its own icon. - - rscadd: Empowered thralls have been added. While obvious, they are more powerful - and can resist dethralling while conscious. Only 5 can exist at one time. - - rscadd: Shadowlings can now change their night vision radius by using the action - button their eyes (glasses) now provide. - - tweak: Torches are dimmer, being as bright as flashlights, and no longer fit on - belts. - - tweak: Black Recuperation now has a 1 minute cooldown, down from 5. It can also - be used to empower living thralls. - - tweak: Guise can now be used outside of darkness and makes the user more invisible - than before. - - bugfix: Enthrall now functions properly when a shadowling is not hatched, allowing - them to enthrall up to 5 people before hatching. + - rscadd: + The arcade machines have been stocked with a xenomorph action figure that + comes with realistic sounds! + - rscadd: Darksight now has its own icon. + - rscadd: + Empowered thralls have been added. While obvious, they are more powerful + and can resist dethralling while conscious. Only 5 can exist at one time. + - rscadd: + Shadowlings can now change their night vision radius by using the action + button their eyes (glasses) now provide. + - tweak: + Torches are dimmer, being as bright as flashlights, and no longer fit on + belts. + - tweak: + Black Recuperation now has a 1 minute cooldown, down from 5. It can also + be used to empower living thralls. + - tweak: + Guise can now be used outside of darkness and makes the user more invisible + than before. + - bugfix: + Enthrall now functions properly when a shadowling is not hatched, allowing + them to enthrall up to 5 people before hatching. xxalpha: - - tweak: Blood crawling is now a spell. - - rscadd: Engineering cyborgs now have a constant magpulse. - - tweak: Changed foam spreading to be like gas spreading. + - tweak: Blood crawling is now a spell. + - rscadd: Engineering cyborgs now have a constant magpulse. + - tweak: Changed foam spreading to be like gas spreading. 2015-09-05: Shadowlight213: - - rscadd: The syndicate have taken notice of the camera bug's woeful underuse, and - have managed to combine all of its upgrades into one! + - rscadd: + The syndicate have taken notice of the camera bug's woeful underuse, and + have managed to combine all of its upgrades into one! 2015-09-06: Fox P McCloud: - - bugfix: Fixes gold sheets having plasma as their material. + - bugfix: Fixes gold sheets having plasma as their material. Xhuis: - - bugfix: Nanotrasen inspectors have discovered a fault in the buckles of chairs - and beds. This has been fixed and you are now able to buckle again. + - bugfix: + Nanotrasen inspectors have discovered a fault in the buckles of chairs + and beds. This has been fixed and you are now able to buckle again. 2015-09-07: xxalpha: - - tweak: Changed xeno weed spread to be like gas spread. + - tweak: Changed xeno weed spread to be like gas spread. 2015-09-09: Joan: - - rscadd: New blob chemical; Cryogenic Liquid. Cools down targets. - - tweak: Tweaked names, colors, and effects of remaining blob chemicals; - - tweak: Skin Ripper is now Ripping Tendrils and does minor stamina damage, in addition - to the brute damage. - - tweak: Toxic Goop is now Envenomed Filaments and injects targets with spore toxin - and causes hallucinations, in addition to the toxin damage. - - tweak: Lung Destroying Toxin is now Lexorin Jelly and does brute damage instead - of toxin damage. The oxygen loss it causes can also no longer crit you in one - hit. - - tweak: Explosive Gelatin is now Kinetic Gelatin and does random brute damage, - instead of randomly exploding targets. - - rscdel: Skin Melter, Radioactive Liquid, Omnizine, and Space Drugs blob chemicals - are gone. + - rscadd: New blob chemical; Cryogenic Liquid. Cools down targets. + - tweak: Tweaked names, colors, and effects of remaining blob chemicals; + - tweak: + Skin Ripper is now Ripping Tendrils and does minor stamina damage, in addition + to the brute damage. + - tweak: + Toxic Goop is now Envenomed Filaments and injects targets with spore toxin + and causes hallucinations, in addition to the toxin damage. + - tweak: + Lung Destroying Toxin is now Lexorin Jelly and does brute damage instead + of toxin damage. The oxygen loss it causes can also no longer crit you in one + hit. + - tweak: + Explosive Gelatin is now Kinetic Gelatin and does random brute damage, + instead of randomly exploding targets. + - rscdel: + Skin Melter, Radioactive Liquid, Omnizine, and Space Drugs blob chemicals + are gone. bgobandit: - - rscadd: Nanotrasen has commissioned two new corporate motivational posters for - your perusal and edification. - - rscadd: Nanotrasen also wishes to remind the crew that non-authorized posters - ARE CONTRABAND. Especially those new ones with Rule 34. Perverts. + - rscadd: + Nanotrasen has commissioned two new corporate motivational posters for + your perusal and edification. + - rscadd: + Nanotrasen also wishes to remind the crew that non-authorized posters + ARE CONTRABAND. Especially those new ones with Rule 34. Perverts. 2015-09-11: CosmicScientist: - - tweak: Drone dispenser now has a var for its cooldown, get var editing. + - tweak: Drone dispenser now has a var for its cooldown, get var editing. 2015-09-13: Fox P McCloud: - - bugfix: Fixes an exploit and inconsistency issue with a few material amounts on - a few items and designs. - - bugfix: Fixes Bibles/holy books not properly revealing runes. - - bugfix: fixes stimulants not properly applying its speedbuff. + - bugfix: + Fixes an exploit and inconsistency issue with a few material amounts on + a few items and designs. + - bugfix: Fixes Bibles/holy books not properly revealing runes. + - bugfix: fixes stimulants not properly applying its speedbuff. Gun Hog: - - tweak: Nanotrasen scientists have proposed a refined prototype design for the - nuclear powered Advanced Energy guns to include a taser function along with - the disable and kill modes. Addtionally, they have modified the chassis blueprint - to include a hardpoint for attachable seclites. + - tweak: + Nanotrasen scientists have proposed a refined prototype design for the + nuclear powered Advanced Energy guns to include a taser function along with + the disable and kill modes. Addtionally, they have modified the chassis blueprint + to include a hardpoint for attachable seclites. Iamgoofball: - - tweak: Reduced the cost of changeling armor to 1 and increased it's armor values. + - tweak: Reduced the cost of changeling armor to 1 and increased it's armor values. Jordie0608: - - rscadd: You can now view the reason of a jobban from character setup. + - rscadd: You can now view the reason of a jobban from character setup. xxalpha: - - rscadd: Drying agent splashed on galoshes will turn them into absorbent galoshes - that dry wet floors they walk on. - - rscadd: Drying agent can be made with ethanol, sodium and stable plasma. + - rscadd: + Drying agent splashed on galoshes will turn them into absorbent galoshes + that dry wet floors they walk on. + - rscadd: Drying agent can be made with ethanol, sodium and stable plasma. 2015-09-14: Fox P McCloud: - - tweak: Adds a mining voucher to the Quartermaster's locker. + - tweak: Adds a mining voucher to the Quartermaster's locker. Thunder12345: - - rscadd: The captain has been issued with a new jacket for formal occasions. - - tweak: Research has shown that is is possible to build technological shotshells - without the need for silver. The design blueprints supplied to your station - have been updated accordingly. + - rscadd: The captain has been issued with a new jacket for formal occasions. + - tweak: + Research has shown that is is possible to build technological shotshells + without the need for silver. The design blueprints supplied to your station + have been updated accordingly. xxalpha: - - bugfix: Fixed not being able to grab things from storage while inside aliens. - - bugfix: Fixed two progress bars when devouring. - - rscadd: Shields will now block alien hunter pounces. - - tweak: Alien hunters health reduced to 125 from 150. Alien sentinels health increased - to 150 from 125. - - tweak: Alien hunters will no longer be transparent when stalking, this ability - was given to alien sentinels. - - tweak: Alien slashing now deals constant 20 damage but has a chance to miss. - - tweak: Reduced alien disarm stun duration vs cyborgs, from 7 seconds to 2 seconds. - - tweak: Alien sentinels now move as fast as humans. - - tweak: Facehuggers and alien eggs layers increased to be higher than resin walls. + - bugfix: Fixed not being able to grab things from storage while inside aliens. + - bugfix: Fixed two progress bars when devouring. + - rscadd: Shields will now block alien hunter pounces. + - tweak: + Alien hunters health reduced to 125 from 150. Alien sentinels health increased + to 150 from 125. + - tweak: + Alien hunters will no longer be transparent when stalking, this ability + was given to alien sentinels. + - tweak: Alien slashing now deals constant 20 damage but has a chance to miss. + - tweak: Reduced alien disarm stun duration vs cyborgs, from 7 seconds to 2 seconds. + - tweak: Alien sentinels now move as fast as humans. + - tweak: Facehuggers and alien eggs layers increased to be higher than resin walls. 2015-09-16: Razharas: - - tweak: Replaces the space cube with space torus. Space levels are now each round - randomly placed on the grid with at least one neigbour, any side of the space - level that doesnt have neigbour will loop either onto itself or onto the opposite - side of the furthest straight-connected space level on the same axis. + - tweak: + Replaces the space cube with space torus. Space levels are now each round + randomly placed on the grid with at least one neigbour, any side of the space + level that doesnt have neigbour will loop either onto itself or onto the opposite + side of the furthest straight-connected space level on the same axis. Supermichael777: - - tweak: The detomax pda cartridge no longer blows its user up. + - tweak: The detomax pda cartridge no longer blows its user up. Xhuis: - - experimental: Cultists will now be able to create all runes without needing to - research or collect words. This is subject to change. - - tweak: Cult code has been significantly improved and will run much faster and - be more responsive. - - tweak: Conversion runes can now be invoked with less than three cultists, but - take a small amount of time to convert the target. - - tweak: Armor runes will only outfit the user with standard armor, rather than - having different loadouts for different worn clothing items. - - tweak: Astral Journey runes will now pull the user back to the rune if they are - moved. The user also has a different color while on the rune. - - tweak: Free Cultist has been removed. Summon Cultist now works even if the target - is restrained. - - tweak: Sacrifice and Raise Dead runes now offer more precise target selection. - - soundadd: Sacrifice runes now have different sounds, and gib rather than dust - (assuming the target is not a silicon). - - tweak: There is no longer a maximum cap on active runes. - - tweak: Runes have been renamed to Rites. For instance, the Teleport rune is now - the Rite of Translocation. The only exception to this is the rune to summon - Nar-Sie, which is a Ritual. - - tweak: Nar-Sie now has a new summon sound. - - tweak: The Nar-Sie summon rune has a new 3x3 sprite. - - tweak: The stun rune no longer stuns cultists. - - rscadd: The Rite of False Truths had been added, that will make all nearby runes - appear as if they were drawn in crayon. - - rscadd: Runes can now be examined by cultists to determine their name, function, - and words. + - experimental: + Cultists will now be able to create all runes without needing to + research or collect words. This is subject to change. + - tweak: + Cult code has been significantly improved and will run much faster and + be more responsive. + - tweak: + Conversion runes can now be invoked with less than three cultists, but + take a small amount of time to convert the target. + - tweak: + Armor runes will only outfit the user with standard armor, rather than + having different loadouts for different worn clothing items. + - tweak: + Astral Journey runes will now pull the user back to the rune if they are + moved. The user also has a different color while on the rune. + - tweak: + Free Cultist has been removed. Summon Cultist now works even if the target + is restrained. + - tweak: Sacrifice and Raise Dead runes now offer more precise target selection. + - soundadd: + Sacrifice runes now have different sounds, and gib rather than dust + (assuming the target is not a silicon). + - tweak: There is no longer a maximum cap on active runes. + - tweak: + Runes have been renamed to Rites. For instance, the Teleport rune is now + the Rite of Translocation. The only exception to this is the rune to summon + Nar-Sie, which is a Ritual. + - tweak: Nar-Sie now has a new summon sound. + - tweak: The Nar-Sie summon rune has a new 3x3 sprite. + - tweak: The stun rune no longer stuns cultists. + - rscadd: + The Rite of False Truths had been added, that will make all nearby runes + appear as if they were drawn in crayon. + - rscadd: + Runes can now be examined by cultists to determine their name, function, + and words. phil235: - - tweak: Riot and energy shield users now have a chance to block things thrown at - them as well as xeno leaping at them. + - tweak: + Riot and energy shield users now have a chance to block things thrown at + them as well as xeno leaping at them. 2015-09-17: bgobandit: - - rscadd: Meatspikes can now be constructed and deconstructed with metal and rods, - as well as wrenched and unwrenched! Humans and corgis can be used on them as - well. + - rscadd: + Meatspikes can now be constructed and deconstructed with metal and rods, + as well as wrenched and unwrenched! Humans and corgis can be used on them as + well. xxalpha: - - tweak: 'Reworked nuke deconstruction: Standardized steps, partial reparation (use - metal) to contain radiation.' - - rscadd: New portable nuke, self-destruct terminal, syndie screwdriver sprites - by WJohnston. + - tweak: + "Reworked nuke deconstruction: Standardized steps, partial reparation (use + metal) to contain radiation." + - rscadd: + New portable nuke, self-destruct terminal, syndie screwdriver sprites + by WJohnston. 2015-09-19: Xhuis: - - rscadd: Shadowlings are now able to sacrifice a thrall to extend the shuttle timer - by 15 minutes. This will not stack. - - bugfix: Additional abilities granted by Collective Mind will now properly have - icons. - - bugfix: Shadowlings now have their antagonism removed if turned into a silicon. - - tweak: The order of abilities unlocked by Collective Mind has been changed. It - now starts with Sonic Screech. - - tweak: Veil now destroys glowshrooms in a much larger radius than before. + - rscadd: + Shadowlings are now able to sacrifice a thrall to extend the shuttle timer + by 15 minutes. This will not stack. + - bugfix: + Additional abilities granted by Collective Mind will now properly have + icons. + - bugfix: Shadowlings now have their antagonism removed if turned into a silicon. + - tweak: + The order of abilities unlocked by Collective Mind has been changed. It + now starts with Sonic Screech. + - tweak: Veil now destroys glowshrooms in a much larger radius than before. 2015-09-20: Xhuis: - - tweak: Rites have been renamed to their old runes, which reflect their functionality. - - tweak: Examining a talisman no longer opens the paper GUI. - - tweak: Armor talismans have been re-added. - - tweak: EMP talismans now have the same range as their rune counterpart. - - tweak: Some talismans now cost health to use, costing more or less depending on - their effect. - - tweak: Scribing runes now deals 0.1 brute damage instead of 1. - - tweak: Bind Talisman runes no longer deal 5 brute damage when invoking. - - tweak: Rune shapes and colors are now identical to their old versions. - - tweak: Conversion runes can no longer be used by yourself, and require a static - 2 cultists. + - tweak: Rites have been renamed to their old runes, which reflect their functionality. + - tweak: Examining a talisman no longer opens the paper GUI. + - tweak: Armor talismans have been re-added. + - tweak: EMP talismans now have the same range as their rune counterpart. + - tweak: + Some talismans now cost health to use, costing more or less depending on + their effect. + - tweak: Scribing runes now deals 0.1 brute damage instead of 1. + - tweak: Bind Talisman runes no longer deal 5 brute damage when invoking. + - tweak: Rune shapes and colors are now identical to their old versions. + - tweak: + Conversion runes can no longer be used by yourself, and require a static + 2 cultists. 2015-09-22: Kor: - - rscadd: A new admin command, Offer Control to Ghosts, can be found in the view - variables menu. It will randomly select a willing candidate from among dead - players, providing a fair method of replacing antagonists. + - rscadd: + A new admin command, Offer Control to Ghosts, can be found in the view + variables menu. It will randomly select a willing candidate from among dead + players, providing a fair method of replacing antagonists. Xhuis: - - tweak: When a morph changes form, a message is shown to nearby people. This also - happens upon undisguising. - - tweak: Morphs now have an attack sound and message. - - tweak: The Spawn Morph event now plays a sound to the chosen candidate. - - tweak: Slaughter demons (and other creatures with blood crawl) now take two seconds - to emerge from blood pools. Entering is still instantaneous. - - tweak: The demon heart's sprite has been updated. - - tweak: Eating a demon heart now surgically implants the heart into your chest. - If the heart is removed from you, you lose the ability. Someone else can eat - the heart to gain the ability. - - tweak: Blood Crawl no longer has a 1-second cooldown, instead having none. - - tweak: You can no longer hold items when attempting to Blood Crawl, nor can you - use any items while Blood Crawling. - - tweak: Creatures that can Blood Crawl now take two seconds to emerge from blood - pools. - - tweak: Slaughter demons now store devoured creatures, and will drop them upon - death. - - tweak: Revenants now have the ability to speak to the dead. - - tweak: Revenant abilities now have icons. - - tweak: Malfunction no longer EMPs a specific area - it will instead EMP nearby - machines directly and stun cyborgs. Dominators are immune to this. - - tweak: Revenants now have directional sprites. - - tweak: Overload Lights now has a smaller radius. - - tweak: Defile no longer corrupts tiles. - - tweak: When glimmering residue reforms, the game will attempt to place the old - revenant in control of the new one. If this cannot be done, it will find a random - candidate. - - tweak: Revenants can no longer see ghosts. They can see other revenants, however, - and ghosts can still see revenants. - - tweak: The Spawn Slaughter Demon event now plays a sound to the chosen candidate. + - tweak: + When a morph changes form, a message is shown to nearby people. This also + happens upon undisguising. + - tweak: Morphs now have an attack sound and message. + - tweak: The Spawn Morph event now plays a sound to the chosen candidate. + - tweak: + Slaughter demons (and other creatures with blood crawl) now take two seconds + to emerge from blood pools. Entering is still instantaneous. + - tweak: The demon heart's sprite has been updated. + - tweak: + Eating a demon heart now surgically implants the heart into your chest. + If the heart is removed from you, you lose the ability. Someone else can eat + the heart to gain the ability. + - tweak: Blood Crawl no longer has a 1-second cooldown, instead having none. + - tweak: + You can no longer hold items when attempting to Blood Crawl, nor can you + use any items while Blood Crawling. + - tweak: + Creatures that can Blood Crawl now take two seconds to emerge from blood + pools. + - tweak: + Slaughter demons now store devoured creatures, and will drop them upon + death. + - tweak: Revenants now have the ability to speak to the dead. + - tweak: Revenant abilities now have icons. + - tweak: + Malfunction no longer EMPs a specific area - it will instead EMP nearby + machines directly and stun cyborgs. Dominators are immune to this. + - tweak: Revenants now have directional sprites. + - tweak: Overload Lights now has a smaller radius. + - tweak: Defile no longer corrupts tiles. + - tweak: + When glimmering residue reforms, the game will attempt to place the old + revenant in control of the new one. If this cannot be done, it will find a random + candidate. + - tweak: + Revenants can no longer see ghosts. They can see other revenants, however, + and ghosts can still see revenants. + - tweak: The Spawn Slaughter Demon event now plays a sound to the chosen candidate. phil235: - - rscdel: Lizards and other non human species can no longer acquire the hulk mutation. - Hulks no longer have red eyes - - bugfix: Monkeys now always have dna and a blood type (compatible with humans). - - bugfix: Monkey transformation no longer deletes the human's clothes. - - bugfix: Space Retrovirus now correctly transfers dna SE to the infected human. - - bugfix: Changeling's Anatomic Panacea removes alien embryo again. - - bugfix: Cloning someone now correctly sets up their dna UE. - - bugfix: Fixes the laser eyes mutation not giving glowing red eyes to the human. - - bugfix: Using changeling readaptation now properly removes all evolutions bought - (arm blade, chameleon skin, organic suit). + - rscdel: + Lizards and other non human species can no longer acquire the hulk mutation. + Hulks no longer have red eyes + - bugfix: Monkeys now always have dna and a blood type (compatible with humans). + - bugfix: Monkey transformation no longer deletes the human's clothes. + - bugfix: Space Retrovirus now correctly transfers dna SE to the infected human. + - bugfix: Changeling's Anatomic Panacea removes alien embryo again. + - bugfix: Cloning someone now correctly sets up their dna UE. + - bugfix: Fixes the laser eyes mutation not giving glowing red eyes to the human. + - bugfix: + Using changeling readaptation now properly removes all evolutions bought + (arm blade, chameleon skin, organic suit). xxalpha: - - rscadd: Added a researchable cyborg self-repair module to the robotics fabricator. + - rscadd: Added a researchable cyborg self-repair module to the robotics fabricator. 2015-09-23: Xhuis: - - rscadd: Syndicate medical cyborgs have been added. - - rscadd: The Dart Pistol is now available from the uplink for 4 telecrystals. It - functions as a pocket-sized syringe gun with a quieter firing sound. - - tweak: Boxes of riot foam darts now cost 2 telecrystals, down from 10, and are - available to traitors. - - tweak: Foam dart pistols now cost 3 telecrystals, down from 6. - - tweak: Syndicate cyborg teleporters now allow a choice between Assault and Medical - cyborgs. - - tweak: Syndicate cyborgs are now distinguished as Syndicate Assault. - - tweak: Syndicate cyborg energy swords now cost 50 energy per use, down from 500. - - tweak: Airlock charges now cost 2 telecrystals, down from 5. - - tweak: Airlock charges are much more powerful. - - tweak: There is no longer a 25% chance to detonate an airlock charge while removing - it. - - tweak: The description of many uplink items has been changed to better reflect - their use. + - rscadd: Syndicate medical cyborgs have been added. + - rscadd: + The Dart Pistol is now available from the uplink for 4 telecrystals. It + functions as a pocket-sized syringe gun with a quieter firing sound. + - tweak: + Boxes of riot foam darts now cost 2 telecrystals, down from 10, and are + available to traitors. + - tweak: Foam dart pistols now cost 3 telecrystals, down from 6. + - tweak: + Syndicate cyborg teleporters now allow a choice between Assault and Medical + cyborgs. + - tweak: Syndicate cyborgs are now distinguished as Syndicate Assault. + - tweak: Syndicate cyborg energy swords now cost 50 energy per use, down from 500. + - tweak: Airlock charges now cost 2 telecrystals, down from 5. + - tweak: Airlock charges are much more powerful. + - tweak: + There is no longer a 25% chance to detonate an airlock charge while removing + it. + - tweak: + The description of many uplink items has been changed to better reflect + their use. 2015-09-24: Jordie0608: - - tweak: Advanced energy guns now only critically fail after successive minor failures. - Cease firing after multiple recent minor failures to avoid critical ones. + - tweak: + Advanced energy guns now only critically fail after successive minor failures. + Cease firing after multiple recent minor failures to avoid critical ones. Kor: - - rscadd: Guardian Spirit types and powers have been heavily reworked. Full details - of each type are available on the wiki. - - rscadd: Guardian damage transfer to users now deals cloneloss if their user is - in crit. - - rscadd: Guardians are now undergoing a trial run in the traitor uplink, under - the name of Holoparasites. - - rscadd: You can now hang human mobs (dead or alive) from meatspikes. Escaping - the meatspike will further damage the victim. - - rscdel: You can no longer slam humans into the meatspike as an attack. + - rscadd: + Guardian Spirit types and powers have been heavily reworked. Full details + of each type are available on the wiki. + - rscadd: + Guardian damage transfer to users now deals cloneloss if their user is + in crit. + - rscadd: + Guardians are now undergoing a trial run in the traitor uplink, under + the name of Holoparasites. + - rscadd: + You can now hang human mobs (dead or alive) from meatspikes. Escaping + the meatspike will further damage the victim. + - rscdel: You can no longer slam humans into the meatspike as an attack. 2015-09-25: Xhuis: - - rscadd: Changelings have a new ablity, Biodegrade. Costing 30 chemicals and having - an unlock cost of 1, it allows them to dissolve handcuffs and straight jackets - in 3 seconds, and escape from lockers in 7. - - tweak: Fleshmend's effectiveness is now halved each time it is used in a short - time span. - - tweak: Last Resort now blinds and confuses nearby humans and briefly disables - silicons upon use. - - tweak: Headslugs now have 50 health, up from 20. + - rscadd: + Changelings have a new ablity, Biodegrade. Costing 30 chemicals and having + an unlock cost of 1, it allows them to dissolve handcuffs and straight jackets + in 3 seconds, and escape from lockers in 7. + - tweak: + Fleshmend's effectiveness is now halved each time it is used in a short + time span. + - tweak: + Last Resort now blinds and confuses nearby humans and briefly disables + silicons upon use. + - tweak: Headslugs now have 50 health, up from 20. 2015-09-26: MMMiracles: - - rscadd: Nanotrasen's genetic researchers have rediscovered the inactive dwarfism - genetic defect inside all bipedal humanoids. Suffer not the short to live. + - rscadd: + Nanotrasen's genetic researchers have rediscovered the inactive dwarfism + genetic defect inside all bipedal humanoids. Suffer not the short to live. WJohnston: - - tweak: Repiped the entire station. Atmosia and the disposals loop were not touched. - - tweak: Moved mulebot delivery from misc lab to RnD. + - tweak: Repiped the entire station. Atmosia and the disposals loop were not touched. + - tweak: Moved mulebot delivery from misc lab to RnD. 2015-09-28: Feemjmeem: - - bugfix: Rechargers can now be wrenched and unwrenched by cyborgs. - - bugfix: Rechargers no longer stop working forever if you move them from an unpowered - area to a powered area, and now actually look powered off when they are. - - bugfix: Guns and batons can no longer be placed in unwrenched chargers. + - bugfix: Rechargers can now be wrenched and unwrenched by cyborgs. + - bugfix: + Rechargers no longer stop working forever if you move them from an unpowered + area to a powered area, and now actually look powered off when they are. + - bugfix: Guns and batons can no longer be placed in unwrenched chargers. Razharas: - - rscadd: Added button to preferences menu that kills all currently playing sounds - when pressed, now you can kill midis and any other sounds for real. + - rscadd: + Added button to preferences menu that kills all currently playing sounds + when pressed, now you can kill midis and any other sounds for real. phil235: - - bugfix: Fixed the syndicate cyborg's grenade launcher. - - tweak: You can modify the dna of corpses again. + - bugfix: Fixed the syndicate cyborg's grenade launcher. + - tweak: You can modify the dna of corpses again. 2015-09-29: Kor: - - bugfix: The Chaos holoparasite can now actually set people on fire properly. - - tweak: Guardian powers are now used via alt+click rather than shift+click. - - tweak: Added an alert chime for ghosts when someone is summoning a Guardian. + - bugfix: The Chaos holoparasite can now actually set people on fire properly. + - tweak: Guardian powers are now used via alt+click rather than shift+click. + - tweak: Added an alert chime for ghosts when someone is summoning a Guardian. 2015-10-04: Fox P McCloud: - - tweak: Adds a bar of soap to the janitor's locker. - - rscadd: Re-adds the advanced mop as a researchable R&D item. - - rscadd: Adds a bluespace trashbag as a researchable R&D item; can hold large quantities - of garbage. + - tweak: Adds a bar of soap to the janitor's locker. + - rscadd: Re-adds the advanced mop as a researchable R&D item. + - rscadd: + Adds a bluespace trashbag as a researchable R&D item; can hold large quantities + of garbage. Jordie0608: - - rscadd: Added Special Verb 'Create Poll', an in-game interface to create server - polls for admins with +permissions. + - rscadd: + Added Special Verb 'Create Poll', an in-game interface to create server + polls for admins with +permissions. MrPerson: - - rscdel: Removed NTSL. Sorry. People could write scripts that crashed the server, - and this is the only thing that can be done to prevent them from doing that. + - rscdel: + Removed NTSL. Sorry. People could write scripts that crashed the server, + and this is the only thing that can be done to prevent them from doing that. MrStonedOne: - - rscdel: Removed feature where quick consecutive ghost orbits while moving could - be used to fuck with your sprite - - bugfix: Fixed ghosts losing floating animation when returning from an orbit - - bugfix: Fixed logic error that prevented orbit's automatic cancel when the orbiting - thing moved in certain situations. - - rscadd: Ghost Orbit size now changes based on the icon size of the thing they - are orbiting (for that sweet sweet singulo orbiting action) - - tweak: Removed needless checks in ghost orbit, you can now orbit yourself and - restart an orbit around the thing you are already orbiting + - rscdel: + Removed feature where quick consecutive ghost orbits while moving could + be used to fuck with your sprite + - bugfix: Fixed ghosts losing floating animation when returning from an orbit + - bugfix: + Fixed logic error that prevented orbit's automatic cancel when the orbiting + thing moved in certain situations. + - rscadd: + Ghost Orbit size now changes based on the icon size of the thing they + are orbiting (for that sweet sweet singulo orbiting action) + - tweak: + Removed needless checks in ghost orbit, you can now orbit yourself and + restart an orbit around the thing you are already orbiting Xhuis: - - rscadd: Syndicate Medical cyborgs now have cryptographic sequencers. - - rscdel: Syndicate Medical cyborgs no longer have syringes. - - tweak: Restorative Nanites now heal much more damage per type. - - bugfix: Operative pinpointers now actually point toward the nearest operative. - - bugfix: Syndicate Assault cyborgs no longer start with medical supplies. - - bugfix: Energy saws now have a proper icon. - - bugfix: Non-operatives can now longer use operative pinpointers or Syndicate cyborg - teleporters. - - tweak: Doctor's Delight now requires cryoxadone in its recipe instead of omnizine. - - tweak: Doctor's Delight now restores half a point of brute, burn, toxin, and oxygen - damage per tick. - - tweak: Doctor's Delight now drains nutrition while it's in your system (that is, - unless you're a doctor). - - bugfix: Syndicate roboticists have given Syndicate medical cyborgs sharper hypospray - needles - they are now able to penetrate armor. + - rscadd: Syndicate Medical cyborgs now have cryptographic sequencers. + - rscdel: Syndicate Medical cyborgs no longer have syringes. + - tweak: Restorative Nanites now heal much more damage per type. + - bugfix: Operative pinpointers now actually point toward the nearest operative. + - bugfix: Syndicate Assault cyborgs no longer start with medical supplies. + - bugfix: Energy saws now have a proper icon. + - bugfix: + Non-operatives can now longer use operative pinpointers or Syndicate cyborg + teleporters. + - tweak: Doctor's Delight now requires cryoxadone in its recipe instead of omnizine. + - tweak: + Doctor's Delight now restores half a point of brute, burn, toxin, and oxygen + damage per tick. + - tweak: + Doctor's Delight now drains nutrition while it's in your system (that is, + unless you're a doctor). + - bugfix: + Syndicate roboticists have given Syndicate medical cyborgs sharper hypospray + needles - they are now able to penetrate armor. 2015-10-06: Gun Hog, for WJohnston: - - rscadd: 'Add new Xenomorph caste: The Praetorian. Drones may become this on their - way to growing into a full queen, and a queen may promote one if there is not - one already.' - - tweak: Xenomorph queens are now GIGANTIC, along with the new Praetorian. Together, - they are considered royals. - - tweak: Queens are now significantly tougher to make up for their huge size. - - bugfix: All forms of dead xenomorph may now be grabbed and placed on a surgery - table for organ harvesting! + - rscadd: + "Add new Xenomorph caste: The Praetorian. Drones may become this on their + way to growing into a full queen, and a queen may promote one if there is not + one already." + - tweak: + Xenomorph queens are now GIGANTIC, along with the new Praetorian. Together, + they are considered royals. + - tweak: Queens are now significantly tougher to make up for their huge size. + - bugfix: + All forms of dead xenomorph may now be grabbed and placed on a surgery + table for organ harvesting! Xhuis: - - rscadd: Maintenance drones now have a more descriptive message when examined. - - tweak: A recent Nanotrasen firmware update to drones has increased vulnerability - to foreign influences. Please periodically check drones for abnormal behavior - or status LED malfunction. Note, however, that cryptographic sequencers will - not incur this behavior. - - tweak: In response to complaints about rogue drones, Nanotrasen engineers have - allowed factory resets on all drones by simply using a wrench. - - experiment: Central Command reminds drones to immediately retreat, if possible, - when a law override is begun. Not doing so may anger the gods and incur their - wrath! - - rscadd: Some virus symptoms that had no messages now have them. - - rscadd: 'New virology symptom: Weakness. This will cause stamina damage and fainting - spells.' - - tweak: Many virus symptom messages have been changed to be more threatening. + - rscadd: Maintenance drones now have a more descriptive message when examined. + - tweak: + A recent Nanotrasen firmware update to drones has increased vulnerability + to foreign influences. Please periodically check drones for abnormal behavior + or status LED malfunction. Note, however, that cryptographic sequencers will + not incur this behavior. + - tweak: + In response to complaints about rogue drones, Nanotrasen engineers have + allowed factory resets on all drones by simply using a wrench. + - experiment: + Central Command reminds drones to immediately retreat, if possible, + when a law override is begun. Not doing so may anger the gods and incur their + wrath! + - rscadd: Some virus symptoms that had no messages now have them. + - rscadd: + "New virology symptom: Weakness. This will cause stamina damage and fainting + spells." + - tweak: Many virus symptom messages have been changed to be more threatening. 2015-10-07: Kor: - - rscadd: The alien queen can now perform a tail sweep attack, throwing back and - stunning all nearby foes. + - rscadd: + The alien queen can now perform a tail sweep attack, throwing back and + stunning all nearby foes. 2015-10-13: AnturK: - - rscadd: Display cases can now be built using 5 wood planks and 10 glass sheets. - - rscadd: Add airlock electronics to open it with id later, otherwise you'll have - to use crowbar - - tweak: Broken display cases can be fixed with glass sheets or removed using crowbar - - tweak: Added start_showpiece_type variable for mappers to create custom displays - - rscadd: Syndicate Lone Operatives spotted near the nanotrasen stations! Keep the - disk safe! - - tweak: Admin spawned nuclear operatives will now have access to nukeop equipment + - rscadd: Display cases can now be built using 5 wood planks and 10 glass sheets. + - rscadd: + Add airlock electronics to open it with id later, otherwise you'll have + to use crowbar + - tweak: Broken display cases can be fixed with glass sheets or removed using crowbar + - tweak: Added start_showpiece_type variable for mappers to create custom displays + - rscadd: + Syndicate Lone Operatives spotted near the nanotrasen stations! Keep the + disk safe! + - tweak: Admin spawned nuclear operatives will now have access to nukeop equipment Gun Hog: - - rscadd: Nanotrasen's research team has released a new, high tech design for Science - Goggles, which previously did nothing! They new come fitted with a portable - scanning module which will display the potential research data gained from experimenting - with an object. Nanotrasen has also released drivers which shall enable the - prototype hardsuit's built in scan visor. - - rscadd: Supporting this new design, Nanotrasen has seen fit to provide blueprints - for Science Goggles to the station's protolathe. + - rscadd: + Nanotrasen's research team has released a new, high tech design for Science + Goggles, which previously did nothing! They new come fitted with a portable + scanning module which will display the potential research data gained from experimenting + with an object. Nanotrasen has also released drivers which shall enable the + prototype hardsuit's built in scan visor. + - rscadd: + Supporting this new design, Nanotrasen has seen fit to provide blueprints + for Science Goggles to the station's protolathe. Kor: - - tweak: Gang implanters now only break implants/deconvert gangsters, meaning you - will have to use a pen to convert them afterwards. - - rscadd: An important function, accessible via alt+click, has been restored to - the detectives hat. - - sounddel: When Nar-Sie is created, they now use the old sound effect. + - tweak: + Gang implanters now only break implants/deconvert gangsters, meaning you + will have to use a pen to convert them afterwards. + - rscadd: + An important function, accessible via alt+click, has been restored to + the detectives hat. + - sounddel: When Nar-Sie is created, they now use the old sound effect. Steelpoint: - - rscadd: The Chief Medical Officers 'Medical Hardsuit' has been added to the CMO's - office. Boasts the usage of lightweight materials allowing fast movement while - wearing the suit as well as complete biological protection to airborne and similar - pathogens. - - rscadd: The Head of Security's personal 'HoS Hardsuit' has been added to the HoS's - office. This Hardsuit is slightly more armored than the regular Security Hardsuit. - - rscadd: The Research Directors 'Prototype Hardsuit' has been added to the RD's - office. This Hardsuit offers the highest levels of protection against explosive, - as well as biological, attacks, as well as fireproofing. - - rscdel: The Command EVA space suits, due to budget concerns, have been removed - and reloacted to another space station. + - rscadd: + The Chief Medical Officers 'Medical Hardsuit' has been added to the CMO's + office. Boasts the usage of lightweight materials allowing fast movement while + wearing the suit as well as complete biological protection to airborne and similar + pathogens. + - rscadd: + The Head of Security's personal 'HoS Hardsuit' has been added to the HoS's + office. This Hardsuit is slightly more armored than the regular Security Hardsuit. + - rscadd: + The Research Directors 'Prototype Hardsuit' has been added to the RD's + office. This Hardsuit offers the highest levels of protection against explosive, + as well as biological, attacks, as well as fireproofing. + - rscdel: + The Command EVA space suits, due to budget concerns, have been removed + and reloacted to another space station. Xhuis: - - rscdel: All instances of autorifles have been removed from Security. - - rscadd: The armory has been re-mapped. - - tweak: The spell book has received a rebalancing! There are now ten uses by default, - but most spells cost two uses. Some underused spells, like Blind, Smoke, and - Forcewall, only cost a single use. - - experiment: After searching through the Sleeping Carp's ancient monastery in deep - space, more secrets have been uncovered of their traditional fighting techniques. - - tweak: Members of the Sleeping Carp gang are now able to deflect all ranged projectiles. - - tweak: Members of the Sleeping Carp gang are now uanble to use any type of ranged - weaponry. Doing so would be dishonorable. - - tweak: The Sleeping Carp martial art's effects are more damaging, and many stuns - have been increased in duration. + - rscdel: All instances of autorifles have been removed from Security. + - rscadd: The armory has been re-mapped. + - tweak: + The spell book has received a rebalancing! There are now ten uses by default, + but most spells cost two uses. Some underused spells, like Blind, Smoke, and + Forcewall, only cost a single use. + - experiment: + After searching through the Sleeping Carp's ancient monastery in deep + space, more secrets have been uncovered of their traditional fighting techniques. + - tweak: Members of the Sleeping Carp gang are now able to deflect all ranged projectiles. + - tweak: + Members of the Sleeping Carp gang are now uanble to use any type of ranged + weaponry. Doing so would be dishonorable. + - tweak: + The Sleeping Carp martial art's effects are more damaging, and many stuns + have been increased in duration. phil235: - - bugfix: Fixes critical bug causing multiple hits from single projectile. - - bugfix: Fixes not being able to shoot a mob on same tile as the shooter. - - bugfix: Clicking your mob (without targeting your mouth) no longer causes you - to shoot yourself. - - bugfix: Fixes not being able to shoot non human mobs at point blank. - - rscdel: Morphs no longer automatically drop the things they swallowed, you have - to butcher their corpse to retrieve their contents. - - bugfix: butchering a corpse no longer also attacks it. - - rscdel: Dipping cigarette (to asbsorb liquids) in a glass can now only be done - with an unlit cigarette. Lit cigarette now heats up the glass content (like - other heat sources). - - bugfix: Fixes trashbag not being able to pickup drinks and ammo casings. - - tweak: Slimes now attaches themselves to mobs via buckling. + - bugfix: Fixes critical bug causing multiple hits from single projectile. + - bugfix: Fixes not being able to shoot a mob on same tile as the shooter. + - bugfix: + Clicking your mob (without targeting your mouth) no longer causes you + to shoot yourself. + - bugfix: Fixes not being able to shoot non human mobs at point blank. + - rscdel: + Morphs no longer automatically drop the things they swallowed, you have + to butcher their corpse to retrieve their contents. + - bugfix: butchering a corpse no longer also attacks it. + - rscdel: + Dipping cigarette (to asbsorb liquids) in a glass can now only be done + with an unlit cigarette. Lit cigarette now heats up the glass content (like + other heat sources). + - bugfix: Fixes trashbag not being able to pickup drinks and ammo casings. + - tweak: Slimes now attaches themselves to mobs via buckling. 2015-10-16: MrStonedOne: - - rscadd: Added a reconnect option to the file menu. This will allow you to reconnect - to the game server without closing and re-opening the game window. This should - also prevent another byond ad from playing during reconnections. + - rscadd: + Added a reconnect option to the file menu. This will allow you to reconnect + to the game server without closing and re-opening the game window. This should + also prevent another byond ad from playing during reconnections. Xhuis: - - rscadd: A gamebreaking bug has been fixed with buckets. You can now wear them - on your head. + - rscadd: + A gamebreaking bug has been fixed with buckets. You can now wear them + on your head. bgobandit: - - rscadd: The Grape Growers Consortium has complained that Nanotrasen kitchens do - not use their products enough. HQ has come up with a few recipes to pacify them. - Goddamn winos. + - rscadd: + The Grape Growers Consortium has complained that Nanotrasen kitchens do + not use their products enough. HQ has come up with a few recipes to pacify them. + Goddamn winos. 2015-10-19: AnturK: - - rscadd: Handheld T-Ray Scanners now detect critters in pipes. + - rscadd: Handheld T-Ray Scanners now detect critters in pipes. Kor: - - tweak: Weapons and projectiles that are armour piercing now have an increased - chance to bypass riot shields. - - tweak: Slipping on lube now deals slightly more damage, but is concentrated on - a random body part, rather than spread to your entire body. - - tweak: Slipping on water no longer deals damage - - rscadd: You can now attach grenades and C4 to spears to create explosive lances. - This is done via table crafting. Alt+click the spear to set a war cry. + - tweak: + Weapons and projectiles that are armour piercing now have an increased + chance to bypass riot shields. + - tweak: + Slipping on lube now deals slightly more damage, but is concentrated on + a random body part, rather than spread to your entire body. + - tweak: Slipping on water no longer deals damage + - rscadd: + You can now attach grenades and C4 to spears to create explosive lances. + This is done via table crafting. Alt+click the spear to set a war cry. Shadowlight213: - - rscadd: In response to reports of stranded drones, Nanotrasen has added magnets - to drone legs. They are no longer affected by lack of gravity or spacewind! - - bugfix: Drones can now set Airlock access on RCDs. + - rscadd: + In response to reports of stranded drones, Nanotrasen has added magnets + to drone legs. They are no longer affected by lack of gravity or spacewind! + - bugfix: Drones can now set Airlock access on RCDs. bgobandit: - - rscadd: Nanotrasen loves recycling! In the highly unlikely occasion that your - space station accumulates gibs, scoop 'em up and bring them to chemistry to - recycle into soap, candles, or even delicious meat product! - - rscadd: L3 biohazard closets now contain bio-bag satchels for the safe collection - of biowaste products, such as slime extracts. + - rscadd: + Nanotrasen loves recycling! In the highly unlikely occasion that your + space station accumulates gibs, scoop 'em up and bring them to chemistry to + recycle into soap, candles, or even delicious meat product! + - rscadd: + L3 biohazard closets now contain bio-bag satchels for the safe collection + of biowaste products, such as slime extracts. phil235: - - rscdel: Removing Smile, Swedish, Chav and Elvis mutations from genetics. These - mutation can still be acquired via adminspawned dna injector. - - rscadd: Added a dna injector for laser eyes mutation for admin use. - - bugfix: Fixes winter coat hood sprite appearing as a bucket. - - bugfix: Fixes using razor on non human shaving non existent hair. - - bugfix: Fixes chair deconstruction dropping too much metal. - - bugfix: Fixes snapcorn not giving seeds. - - bugfix: Fixes portable chem dispenser. - - tweak: Changing the transfer amount of all reagent containers (beaker, bucket, - glass) is now done by clicking them, similar to spray. Reagent dispensers (watertank, - fueltank, pepperspray dispenser) no longer have their own transfer amounts and - use the reagent container's transfer amount instead (except for sprays which - get 50u for faster refilling). + - rscdel: + Removing Smile, Swedish, Chav and Elvis mutations from genetics. These + mutation can still be acquired via adminspawned dna injector. + - rscadd: Added a dna injector for laser eyes mutation for admin use. + - bugfix: Fixes winter coat hood sprite appearing as a bucket. + - bugfix: Fixes using razor on non human shaving non existent hair. + - bugfix: Fixes chair deconstruction dropping too much metal. + - bugfix: Fixes snapcorn not giving seeds. + - bugfix: Fixes portable chem dispenser. + - tweak: + Changing the transfer amount of all reagent containers (beaker, bucket, + glass) is now done by clicking them, similar to spray. Reagent dispensers (watertank, + fueltank, pepperspray dispenser) no longer have their own transfer amounts and + use the reagent container's transfer amount instead (except for sprays which + get 50u for faster refilling). 2015-10-23: Incoming5643: - - rscadd: 'Syndicate bomb payloads will now detonate if set on fire long enough. - Note that the casings for the bombs is fireproof, so if you want to set fire - to a bombcore you''ll need to remove it from the case first (cut all wires, - then crowbar it out). A reassurance from our explosives department: it is, and - always has been, impossible to detonate a syndicate bomb that isn''t ticking - with wirecutters alone.' + - rscadd: + "Syndicate bomb payloads will now detonate if set on fire long enough. + Note that the casings for the bombs is fireproof, so if you want to set fire + to a bombcore you'll need to remove it from the case first (cut all wires, + then crowbar it out). A reassurance from our explosives department: it is, and + always has been, impossible to detonate a syndicate bomb that isn't ticking + with wirecutters alone." Xhuis: - - rscadd: Geiger counters have been added and are obtainable from autolathes and - EngiVends. They will measure the severity of radiation pulses while in your - pockets, belt, or hands. One can scan a mob's radiation level by switching to - Help intent and clicking on it. These counters never really discard the radiation - they store, and rumor has it this can be used in nefarious ways... - - tweak: When a mob is impacted by radiation, the radiation is now relayed to all - items on the mob. + - rscadd: + Geiger counters have been added and are obtainable from autolathes and + EngiVends. They will measure the severity of radiation pulses while in your + pockets, belt, or hands. One can scan a mob's radiation level by switching to + Help intent and clicking on it. These counters never really discard the radiation + they store, and rumor has it this can be used in nefarious ways... + - tweak: + When a mob is impacted by radiation, the radiation is now relayed to all + items on the mob. 2015-10-24: Kor: - - rscadd: The friendly gold slime reaction now spawns three mobs. + - rscadd: The friendly gold slime reaction now spawns three mobs. phil235: - - tweak: Changed the effects of alcohol to be more realistic. The effects of alcohol - now appear twice as fast. Drunkenness now scales with how much alcohol is in - you, not how long you've been drinking. This means drinking very little but - continuously no longer makes you very drunk, or confused/slurring for a long - time or give you alcohol poisoning. The dizziness and slurring effects now properly - scale with how drunk you are (and dizziness is generally more pronounced). + - tweak: + Changed the effects of alcohol to be more realistic. The effects of alcohol + now appear twice as fast. Drunkenness now scales with how much alcohol is in + you, not how long you've been drinking. This means drinking very little but + continuously no longer makes you very drunk, or confused/slurring for a long + time or give you alcohol poisoning. The dizziness and slurring effects now properly + scale with how drunk you are (and dizziness is generally more pronounced). 2015-10-25: Incoming5643: - - rscadd: The spell Charge has been added to the spellbook. It can be used to extend - the life of magic and energy weapons and even reset the cooldowns of held wizards! - It cannot reset your own cooldowns. - - rscadd: The Staff of Healing has been added to the spellbook. Heals all damage - and raises the dead! Can't be used on yourself however. - - bugfix: The exploit that allowed you to use the staff of healing on yourself by - suicide has been fixed. + - rscadd: + The spell Charge has been added to the spellbook. It can be used to extend + the life of magic and energy weapons and even reset the cooldowns of held wizards! + It cannot reset your own cooldowns. + - rscadd: + The Staff of Healing has been added to the spellbook. Heals all damage + and raises the dead! Can't be used on yourself however. + - bugfix: + The exploit that allowed you to use the staff of healing on yourself by + suicide has been fixed. Jordie0608: - - rscadd: You can now selectively mute non-admin players from OOC with the Ignore - verb in the OOC tab. + - rscadd: + You can now selectively mute non-admin players from OOC with the Ignore + verb in the OOC tab. Tkdrg: - - rscadd: Added chainsaws. They can be tablecrafted using a circular saw, a plasteel - sheet, some cable coil, and a welding tool. Don't forget to turn it on! + - rscadd: + Added chainsaws. They can be tablecrafted using a circular saw, a plasteel + sheet, some cable coil, and a welding tool. Don't forget to turn it on! 2015-10-26: Fox P McCloud: - - tweak: Standardizes the slowdown of most spacesuits to 1 as opposed to 2. + - tweak: Standardizes the slowdown of most spacesuits to 1 as opposed to 2. Incoming5643: - - rscadd: 48x48 pixel mode (x1.5 zoom) has been added to the Icons menu (top left). - While playing in 32x32 or 64x64 will still provide a clearer looking station, - for those of us with resolutions that fall into the gap between the two zooms - this can provide a more consistant looking station than stretch to fit. - - rscadd: 96x96 pixel mode (x3 zoom) has also been added for our players who enjoy - looking at spacemen on their 4k monitors at a crisp and consistent scale. - - tweak: The lich spell has been subjected to some gentle nerfing. When you die - a string of energy will tie your new body to your old body for a short time, - aiding others in determining your location. The duration of this beam scales - with the number of deaths you've avoided. - - tweak: Additionally the post revival stun now also scales in this way. - - tweak: The spell will also fail if the item and the wizard don't share the same - z level, though the nature of space means the odds of the item (or the wizard) - looping around back to the station is pretty high. - - rscadd: The spell is still really good. + - rscadd: + 48x48 pixel mode (x1.5 zoom) has been added to the Icons menu (top left). + While playing in 32x32 or 64x64 will still provide a clearer looking station, + for those of us with resolutions that fall into the gap between the two zooms + this can provide a more consistant looking station than stretch to fit. + - rscadd: + 96x96 pixel mode (x3 zoom) has also been added for our players who enjoy + looking at spacemen on their 4k monitors at a crisp and consistent scale. + - tweak: + The lich spell has been subjected to some gentle nerfing. When you die + a string of energy will tie your new body to your old body for a short time, + aiding others in determining your location. The duration of this beam scales + with the number of deaths you've avoided. + - tweak: Additionally the post revival stun now also scales in this way. + - tweak: + The spell will also fail if the item and the wizard don't share the same + z level, though the nature of space means the odds of the item (or the wizard) + looping around back to the station is pretty high. + - rscadd: The spell is still really good. 2015-10-27: Joan: - - bugfix: You can now click on things under timestop effects, instead of clicking - the effect and looking like a fool. + - bugfix: + You can now click on things under timestop effects, instead of clicking + the effect and looking like a fool. Kor: - - rscadd: Added a zombie mob that turns its kills into more zombies. Currently adminspawn - and xenobio only. - - rscadd: Using water with a red slime extract will now yield a speed potion. Using - the speed potion on an item of clothing will paint it red and remove its slowdown. + - rscadd: + Added a zombie mob that turns its kills into more zombies. Currently adminspawn + and xenobio only. + - rscadd: + Using water with a red slime extract will now yield a speed potion. Using + the speed potion on an item of clothing will paint it red and remove its slowdown. MrStonedOne: - - rscadd: You may now access the setup character screen when not in the lobby via - the game preferences verb in the preferences tab - - rscadd: The round end restart delay can now be configured by server operators. - New servers will default to 90 seconds while old servers will default to the - old 25 seconds until they import the config option to their server. + - rscadd: + You may now access the setup character screen when not in the lobby via + the game preferences verb in the preferences tab + - rscadd: + The round end restart delay can now be configured by server operators. + New servers will default to 90 seconds while old servers will default to the + old 25 seconds until they import the config option to their server. 2015-10-28: Tkdrg: - - rscadd: Added a Ghost On-screen HUD. It can be toggled using the "Toggle Ghost - HUD" verb. Thank you Razharas for the sprites! - - rscadd: Ghosts can now use the "Toggle med/sec HUD" verb to see the basic secHUD - (jobs only) or the medHUD of humans. - - rscadd: Ghost will now get clickable icon alerts from events such as being put - in a cloner, drones being created, Nar-sie being summoned, among others. The - older chat messages were kept. These alerts can not be toggled. + - rscadd: + Added a Ghost On-screen HUD. It can be toggled using the "Toggle Ghost + HUD" verb. Thank you Razharas for the sprites! + - rscadd: + Ghosts can now use the "Toggle med/sec HUD" verb to see the basic secHUD + (jobs only) or the medHUD of humans. + - rscadd: + Ghost will now get clickable icon alerts from events such as being put + in a cloner, drones being created, Nar-sie being summoned, among others. The + older chat messages were kept. These alerts can not be toggled. 2015-10-29: Kor: - - tweak: Slightly changed what items spawn on the captain vs in his locker, hopefully - saving some annoying inventory shuffle at roundstart. + - tweak: + Slightly changed what items spawn on the captain vs in his locker, hopefully + saving some annoying inventory shuffle at roundstart. 2015-10-30: Incoming5643: - - rscadd: Slimepeople can now split if they contain 200 units of slime jelly, and - slimepeople will now slowly generate slime jelly up to 200 units provided they - are very well fed. Split slimepeople are NOT player controlled, but rather the - original slime person can swap between the two mobs at will. If one of the slimepeople - should die under player control, the player won't be able to swap back to their - living body. Splitting only creates a new body, any items you have on you are - not duplicated. - - rscadd: Slimepeople now take half damage from sources of heat, but double damage - from sources of cold. Lasers good, Space bad. + - rscadd: + Slimepeople can now split if they contain 200 units of slime jelly, and + slimepeople will now slowly generate slime jelly up to 200 units provided they + are very well fed. Split slimepeople are NOT player controlled, but rather the + original slime person can swap between the two mobs at will. If one of the slimepeople + should die under player control, the player won't be able to swap back to their + living body. Splitting only creates a new body, any items you have on you are + not duplicated. + - rscadd: + Slimepeople now take half damage from sources of heat, but double damage + from sources of cold. Lasers good, Space bad. 2015-11-01: Gun Hog: - - rscadd: Nanotrasen listens! After numerous complaints and petitions from Security - personnel regarding energy weapon upkeep, we have authorized the construction - and maintenance of your station's weapon rechargers. As an added bonus, we have - also provided a more modular design for the devices, allowing for greater recharge - rates if fitted with a more efficient capacitor! - - rscadd: Added Diagnostic HUDs! They can be used to view the health and cell status - of borgs and mechs. Silicons have them built in, Roboticists get two in their - locker, and the RD's hardsuit has one built in. + - rscadd: + Nanotrasen listens! After numerous complaints and petitions from Security + personnel regarding energy weapon upkeep, we have authorized the construction + and maintenance of your station's weapon rechargers. As an added bonus, we have + also provided a more modular design for the devices, allowing for greater recharge + rates if fitted with a more efficient capacitor! + - rscadd: + Added Diagnostic HUDs! They can be used to view the health and cell status + of borgs and mechs. Silicons have them built in, Roboticists get two in their + locker, and the RD's hardsuit has one built in. Incoming5643: - - rscadd: The number of roundstart head revolutionaries nows depends on the roundstart - security force as well as the roundstart heads - - rscadd: The maximum number of head revs is 3, the minimum is 1. If there is fewer - than three station heads there will never be more than that number of head revs - at roundstart. For every three vacant security roles (Head of Security/Warden/Security - Officer/Detective) at roundstart the number of starting head revs will be reduced - by 1. - - rscadd: Head revolutionaries can be gained during play if the security/head roles - are filled. They are drawn from existing revolutionaries. - - rscadd: Added dental implant surgery. While targeting the mouth drill a hole in - a tooth then stick a pill in there for hands free later use. + - rscadd: + The number of roundstart head revolutionaries nows depends on the roundstart + security force as well as the roundstart heads + - rscadd: + The maximum number of head revs is 3, the minimum is 1. If there is fewer + than three station heads there will never be more than that number of head revs + at roundstart. For every three vacant security roles (Head of Security/Warden/Security + Officer/Detective) at roundstart the number of starting head revs will be reduced + by 1. + - rscadd: + Head revolutionaries can be gained during play if the security/head roles + are filled. They are drawn from existing revolutionaries. + - rscadd: + Added dental implant surgery. While targeting the mouth drill a hole in + a tooth then stick a pill in there for hands free later use. Kor: - - rscadd: Added an experimental control console for Xenobiology. Ask the admins - if you'd like to try it out. It may not work on maps other than Box if they - have renamed the Xenobiology Lab. - - rscadd: Injecting blood into a cerulean slime will yield a special one use set - of blueprints that will allow you to expand the territory your camera can cover. + - rscadd: + Added an experimental control console for Xenobiology. Ask the admins + if you'd like to try it out. It may not work on maps other than Box if they + have renamed the Xenobiology Lab. + - rscadd: + Injecting blood into a cerulean slime will yield a special one use set + of blueprints that will allow you to expand the territory your camera can cover. Kor and Remie: - - rscadd: Added as series of laser reflector structures, the frame of which can - be built with 5 metal sheets. - - rscadd: Completing the frame with 5 glass sheets creates a mirror that will reflect - lasers at a 90 degree angle. - - rscadd: Completing the frame with 10 reinforced glass sheets creates a double - sided mirror that reflects lasers at a 90 degree angle. - - rscadd: Completing the frame with a single diamond sheet creates a box that will - redirect all lasers that hit it from any angle in a single direction. + - rscadd: + Added as series of laser reflector structures, the frame of which can + be built with 5 metal sheets. + - rscadd: + Completing the frame with 5 glass sheets creates a mirror that will reflect + lasers at a 90 degree angle. + - rscadd: + Completing the frame with 10 reinforced glass sheets creates a double + sided mirror that reflects lasers at a 90 degree angle. + - rscadd: + Completing the frame with a single diamond sheet creates a box that will + redirect all lasers that hit it from any angle in a single direction. MMMiracles: - - tweak: Energy Swords can now embed when thrown for a 75% chance. Embedding + - tweak: Energy Swords can now embed when thrown for a 75% chance. Embedding 2015-11-05: AnturK: - - rscadd: Added wild shapeshift spell for wizards. + - rscadd: Added wild shapeshift spell for wizards. 2015-11-08: Cuboos: - - soundadd: Added a new and better sounding flashbang sound and a ringing sound - for flashbang deaf effect + - soundadd: + Added a new and better sounding flashbang sound and a ringing sound + for flashbang deaf effect JJRcop: - - tweak: Chronosuits have had their movement revised, they now take time to teleport - depending on how far you've traveled, and don't teleport automatically anymore - unless you stop moving for a short moment, or press the new ' Teleport Now' - button. - - rscadd: Added new outfit that allows admins to dress people up in the chrono equipment - easier. + - tweak: + Chronosuits have had their movement revised, they now take time to teleport + depending on how far you've traveled, and don't teleport automatically anymore + unless you stop moving for a short moment, or press the new ' Teleport Now' + button. + - rscadd: + Added new outfit that allows admins to dress people up in the chrono equipment + easier. Jalleo: - - tweak: Due to a recently discovered report it turns out The Wizard Federation - has devised a way for CEOs to stop having some teas from their Smartfridges - due to this change all smartfridges will temporarily be unable to stack contents. + - tweak: + Due to a recently discovered report it turns out The Wizard Federation + has devised a way for CEOs to stop having some teas from their Smartfridges + due to this change all smartfridges will temporarily be unable to stack contents. Joan: - - tweak: Revenant draining now takes about 5 seconds to complete and can be interrupted - by dragging the target away. - - tweak: Revenants can now tell if they are currently visible. - - tweak: Revenant ability costs tweaked; Defile now costs 40 essence to cast, Overload - Lights now costs 45 essence to cast, and Malfunction now costs 50 essence to - cast. - - tweak: Malfunction now affects non-machine objects, even if they're not being - held by a human. - - tweak: Defile does an extremely low amount of toxin damage to humans and confuses, - but does much less stamina damage and stuns the revenant for slightly longer. - - tweak: Overload Lights will no longer shock if the light is broken after a light - is chosen to shock an area. + - tweak: + Revenant draining now takes about 5 seconds to complete and can be interrupted + by dragging the target away. + - tweak: Revenants can now tell if they are currently visible. + - tweak: + Revenant ability costs tweaked; Defile now costs 40 essence to cast, Overload + Lights now costs 45 essence to cast, and Malfunction now costs 50 essence to + cast. + - tweak: + Malfunction now affects non-machine objects, even if they're not being + held by a human. + - tweak: + Defile does an extremely low amount of toxin damage to humans and confuses, + but does much less stamina damage and stuns the revenant for slightly longer. + - tweak: + Overload Lights will no longer shock if the light is broken after a light + is chosen to shock an area. Kor: - - rscadd: Using water on a dark blue slime extract will now yield a new potion capable - of completely fireproofing clothing items. - - rscadd: You can once again click+drag mobs into disposal units. Xenobiologists - rejoice. + - rscadd: + Using water on a dark blue slime extract will now yield a new potion capable + of completely fireproofing clothing items. + - rscadd: + You can once again click+drag mobs into disposal units. Xenobiologists + rejoice. Xhuis: - - tweak: Shadowling abilities now require the user to be human. - - tweak: Enthralling now takes 21 seconds (down from 30). - - tweak: Regenerate Chitin has been renamed to Rapid Re-Hatch. - - tweak: Dethralling surgery's final step now requires a flash, penlight, or flashlight. - - tweak: Dethralling surgery now produces a black tumor, which has a high biological - tech origin but dies quickly in the light. - - rscdel: Shadowlings no longer have Enthrall before hatching. - - rscadd: Shadowling clothing now has icons to better reflect its existence. - - rscdel: Ascendant Broadcast has been removed. - - rscdel: Destroy Engines is now removed from the user after it is used once. + - tweak: Shadowling abilities now require the user to be human. + - tweak: Enthralling now takes 21 seconds (down from 30). + - tweak: Regenerate Chitin has been renamed to Rapid Re-Hatch. + - tweak: Dethralling surgery's final step now requires a flash, penlight, or flashlight. + - tweak: + Dethralling surgery now produces a black tumor, which has a high biological + tech origin but dies quickly in the light. + - rscdel: Shadowlings no longer have Enthrall before hatching. + - rscadd: Shadowling clothing now has icons to better reflect its existence. + - rscdel: Ascendant Broadcast has been removed. + - rscdel: Destroy Engines is now removed from the user after it is used once. 2015-11-11: AnturK: - - tweak: DNA Injectors now grant temporary powers on every use. Duration dependent - on activated powers and machine upgrades - - rscadd: 'Delayed Transfer added to DNA Scanner - It will activate on the next - closing of scanner door ' - - rscadd: 'UI+UE injectors/buffer transfers added for convinience ' - - tweak: Injector creation timeout cut in half + - tweak: + DNA Injectors now grant temporary powers on every use. Duration dependent + on activated powers and machine upgrades + - rscadd: + "Delayed Transfer added to DNA Scanner - It will activate on the next + closing of scanner door " + - rscadd: "UI+UE injectors/buffer transfers added for convinience " + - tweak: Injector creation timeout cut in half Firecage: - - rscadd: NanoTrasen specialists has developed a new type of operating table. You - can now make one yourself with only some rods and a sheet of silver! + - rscadd: + NanoTrasen specialists has developed a new type of operating table. You + can now make one yourself with only some rods and a sheet of silver! Kor: - - rscadd: Adds immovable and indestructible reflector structures for badmin use. - - rscadd: The Mjolnir has been added to the wizards spellbook. - - rscadd: The Singularity Hammer has been added to the wizards spellbook. - - rscadd: The Supermatter Sword has been added to the wizards spellbook. - - rscadd: The Veil Render has been added to the wizards spellbook. - - rscadd: Trigger Multiverse War (give the entire crew multiswords) has been added - to the wizards spellbook, at a cost of 8 points. - - rscadd: Converting (to cultist, rev, or gangster) a jobbaned player will now automatically - offer control of their character to ghosts. - - rscadd: Emergency Response Teams and Deathsquads no longer accept non-human members - if the server is configured to bar mutants from being heads of staff. + - rscadd: Adds immovable and indestructible reflector structures for badmin use. + - rscadd: The Mjolnir has been added to the wizards spellbook. + - rscadd: The Singularity Hammer has been added to the wizards spellbook. + - rscadd: The Supermatter Sword has been added to the wizards spellbook. + - rscadd: The Veil Render has been added to the wizards spellbook. + - rscadd: + Trigger Multiverse War (give the entire crew multiswords) has been added + to the wizards spellbook, at a cost of 8 points. + - rscadd: + Converting (to cultist, rev, or gangster) a jobbaned player will now automatically + offer control of their character to ghosts. + - rscadd: + Emergency Response Teams and Deathsquads no longer accept non-human members + if the server is configured to bar mutants from being heads of staff. LordPidey: - - rscadd: Nanotransen doctors have re-approved Saline-Glucose Solution for usage - in IV drips, when blood supplies are low. Simple pills will not suffice. + - rscadd: + Nanotrasen doctors have re-approved Saline-Glucose Solution for usage + in IV drips, when blood supplies are low. Simple pills will not suffice. MMMiracles: - - tweak: Water slips have been nerfed to a more reasonable duration. It is still - a guaranteed way to disarm an opponent and obtain their weapon, but you can - no longer manage to cuff/choke everyone who manages to slip without a problem. + - tweak: + Water slips have been nerfed to a more reasonable duration. It is still + a guaranteed way to disarm an opponent and obtain their weapon, but you can + no longer manage to cuff/choke everyone who manages to slip without a problem. MrStonedOne: - - bugfix: Fixes the smartfridge not stacking items. + - bugfix: Fixes the smartfridge not stacking items. Xhuis: - - soundadd: The emergency shuttle now plays unique sounds (thanks to Cuboos for - creating them) when launching from the station and arriving at Central Command. + - soundadd: + The emergency shuttle now plays unique sounds (thanks to Cuboos for + creating them) when launching from the station and arriving at Central Command. torger597: - - rscadd: Added a syringe to boxed poison kits. + - rscadd: Added a syringe to boxed poison kits. 2015-11-12: Dunc: - - rscdel: DNA injectors have been restored to their original permanent RNG state - from the impermanent guaranteed state. + - rscdel: + DNA injectors have been restored to their original permanent RNG state + from the impermanent guaranteed state. Xhuis: - - rscadd: Reagents can no longer be determined by examining a reagent container - without the proper apparatus. Silicons and ghosts can always see reagents. - - rscadd: Science goggles now allow reagents to be seen on examine. In addition, - chemists now start wearing them. The bartender has a pair that looks and functions - like sunglasses. + - rscadd: + Reagents can no longer be determined by examining a reagent container + without the proper apparatus. Silicons and ghosts can always see reagents. + - rscadd: + Science goggles now allow reagents to be seen on examine. In addition, + chemists now start wearing them. The bartender has a pair that looks and functions + like sunglasses. 2015-11-13: as334: - - rscadd: Nanotrasen has hired a brand new supply of ~~expendable labor~~ *LOYAL - CREW MEMBERS* please welcome them with open arms. - - rscadd: Plasmamen are now a playable race. They require plasma gas to survive - and will ignite in oxygen environments. + - rscadd: + Nanotrasen has hired a brand new supply of ~~expendable labor~~ *LOYAL + CREW MEMBERS* please welcome them with open arms. + - rscadd: + Plasmamen are now a playable race. They require plasma gas to survive + and will ignite in oxygen environments. 2015-11-15: CosmicScientist: - - tweak: Hopefully made the dehydrated carp's uplink description 100% clear. - - tweak: Made the dehydrated carp cost 1 TC (instead of 3) to help with your traitor - gear combos. + - tweak: Hopefully made the dehydrated carp's uplink description 100% clear. + - tweak: + Made the dehydrated carp cost 1 TC (instead of 3) to help with your traitor + gear combos. Incoming5643: - - tweak: The supermatter sword was being far too kind in the hands of men. They - should now have the desired effect when swung at people. + - tweak: + The supermatter sword was being far too kind in the hands of men. They + should now have the desired effect when swung at people. Joan: - - tweak: Anomalies move more often, are resistant to explosions and will only be - destroyed if they are in devastation range. You shouldn't bomb them, though. - - tweak: Hyper-energetic flux anomaly will shock mobs that run into it, or if it - runs into them. - - tweak: Bluespace anomaly will occasionally teleport mobs away from it in a small - radius. - - tweak: Vortex anomalies will sometimes throw objects at nearby living mobs. - - tweak: Pyroclastic anomalies will produce bigger, hotter fires, and if not disabled, - it will release an additional burst of flame. In addition, the resulting slime - will be rabid and thus attack much more aggressively. - - bugfix: Gravitational anomalies will now properly throw objects at nearby living - things. + - tweak: + Anomalies move more often, are resistant to explosions and will only be + destroyed if they are in devastation range. You shouldn't bomb them, though. + - tweak: + Hyper-energetic flux anomaly will shock mobs that run into it, or if it + runs into them. + - tweak: + Bluespace anomaly will occasionally teleport mobs away from it in a small + radius. + - tweak: Vortex anomalies will sometimes throw objects at nearby living mobs. + - tweak: + Pyroclastic anomalies will produce bigger, hotter fires, and if not disabled, + it will release an additional burst of flame. In addition, the resulting slime + will be rabid and thus attack much more aggressively. + - bugfix: + Gravitational anomalies will now properly throw objects at nearby living + things. MrStonedOne: - - bugfix: Away mission loading will no longer improperly expand the width of the - game world to two times the size of the away mission map. - - tweak: This should also improve the speed of loading away missions, since the - game doesn't have to resize the world + - bugfix: + Away mission loading will no longer improperly expand the width of the + game world to two times the size of the away mission map. + - tweak: + This should also improve the speed of loading away missions, since the + game doesn't have to resize the world RemieRichards: - - rscadd: Deities now start off with the ability to place 1 free turret - - tweak: HoG Claymores now do 30 Brute (Down from 40) but now have 15 Armour Penetration - (Up from 0) - - bugfix: Killing the other god objective is fixed - - tweak: Turrets will no longer attack handcuffed people - - rscadd: Followers are now informed of their god's death - - rscadd: Followers are now informed of the location of their god's nexus when it - is placed - - tweak: Gods can no longer place structures near the enemy god's nexus + - rscadd: Deities now start off with the ability to place 1 free turret + - tweak: + HoG Claymores now do 30 Brute (Down from 40) but now have 15 Armour Penetration + (Up from 0) + - bugfix: Killing the other god objective is fixed + - tweak: Turrets will no longer attack handcuffed people + - rscadd: Followers are now informed of their god's death + - rscadd: + Followers are now informed of the location of their god's nexus when it + is placed + - tweak: Gods can no longer place structures near the enemy god's nexus 2015-11-16: Gun Hog: - - tweak: The Combat tech requirement for Loyalty Firing Pins has been reduced from - 6 to 5. + - tweak: + The Combat tech requirement for Loyalty Firing Pins has been reduced from + 6 to 5. Joan: - - tweak: Plasmamen can now man the bar. - - tweak: Defile no longer directly affects mobs. Instead, it rips up floors and - opens most machines and lockers. - - rscadd: Blight added. Blight infects humans with a virus that does a set amount - of damage over time and is relatively easily cured. Blight also badly affects - nonhuman mobs and other living things. - - experiment: While the cure to Blight is simple, it's not in this changelog. Use - a medical analyzer to find the cure. - - tweak: Tweaked costs and stuntimes of abilities; - - tweak: Defile now costs 30 essence and stuns for about a second. - - tweak: Overload Lights now costs 40 essence. - - tweak: Malfunction now costs 45 essence. - - rscadd: Blight costs 50 essence and 200 essence to unlock. - - imageadd: Transmit has a new, spookier icon. - - bugfix: Revenant abilities can be given to non-revenants, and will work as normal - spells instead of runtiming. + - tweak: Plasmamen can now man the bar. + - tweak: + Defile no longer directly affects mobs. Instead, it rips up floors and + opens most machines and lockers. + - rscadd: + Blight added. Blight infects humans with a virus that does a set amount + of damage over time and is relatively easily cured. Blight also badly affects + nonhuman mobs and other living things. + - experiment: + While the cure to Blight is simple, it's not in this changelog. Use + a medical analyzer to find the cure. + - tweak: Tweaked costs and stuntimes of abilities; + - tweak: Defile now costs 30 essence and stuns for about a second. + - tweak: Overload Lights now costs 40 essence. + - tweak: Malfunction now costs 45 essence. + - rscadd: Blight costs 50 essence and 200 essence to unlock. + - imageadd: Transmit has a new, spookier icon. + - bugfix: + Revenant abilities can be given to non-revenants, and will work as normal + spells instead of runtiming. bgobandit: - - rscadd: Blood packs can now be labeled with a pen. + - rscadd: Blood packs can now be labeled with a pen. 2015-11-17: Xhuis: - - tweak: Many medicines have received rebalancing. Expect underused chemicals like - Oxandralone to be much more effective in restoring damage. - - tweak: Many toxins are now more or less efficient. - - tweak: The descriptions of many reagents have been made more accurate. - - rscadd: 'New poison: Heparin. Made from Formaldehyde, Sodium, Chlorine, and Lithium. - Functions as an anticoagulant, inducing uncontrollable bleeding and small amounts - of bruising.' - - rscadd: 'New poison: Teslium. Made from Plasma, Silver, and Black Powder, heated - to 400K. Modifies examine text and induces periodic shocks in the victim as - well as making all shocks against them more damaging.' - - rscadd: Two Chemistry books have been placed in the lab. When used, they will - link to the wiki page for chemistry in the same vein as other wiki books. + - tweak: + Many medicines have received rebalancing. Expect underused chemicals like + Oxandralone to be much more effective in restoring damage. + - tweak: Many toxins are now more or less efficient. + - tweak: The descriptions of many reagents have been made more accurate. + - rscadd: + "New poison: Heparin. Made from Formaldehyde, Sodium, Chlorine, and Lithium. + Functions as an anticoagulant, inducing uncontrollable bleeding and small amounts + of bruising." + - rscadd: + "New poison: Teslium. Made from Plasma, Silver, and Black Powder, heated + to 400K. Modifies examine text and induces periodic shocks in the victim as + well as making all shocks against them more damaging." + - rscadd: + Two Chemistry books have been placed in the lab. When used, they will + link to the wiki page for chemistry in the same vein as other wiki books. 2015-11-18: oranges: - - tweak: Nanotrasen apologies for a recent bad batch of synthflesh that was shipped - to the station, any rumours of death or serious injury are false and should - be reported to your nearest political officer. At most, only light burns would - result. + - tweak: + Nanotrasen apologies for a recent bad batch of synthflesh that was shipped + to the station, any rumours of death or serious injury are false and should + be reported to your nearest political officer. At most, only light burns would + result. phil235: - - bugfix: Remotely detonating a planted c4 with a signaler now works again. + - bugfix: Remotely detonating a planted c4 with a signaler now works again. 2015-11-19: Joan: - - rscadd: Constructs have action buttons for their spells. - - imageadd: The Juggernaut forcewall now has a new, more cult-appropriate sprite. - - imageadd: Cult floors and walls now have a glow effect when being created. - - bugfix: Nar-Sie and Artificers will properly produce cult flooring. - - spellcheck: Nar-Sie is a she. + - rscadd: Constructs have action buttons for their spells. + - imageadd: The Juggernaut forcewall now has a new, more cult-appropriate sprite. + - imageadd: Cult floors and walls now have a glow effect when being created. + - bugfix: Nar-Sie and Artificers will properly produce cult flooring. + - spellcheck: Nar-Sie is a she. 2015-11-20: AnturK: - - tweak: Staff of Doors now creates random types of doors. + - tweak: Staff of Doors now creates random types of doors. Incoming5643: - - bugfix: Setting your species to something other than human (if available) once - again saves properly. Note that if you join a round where your species setting - is no longer valid it will be reset to human. + - bugfix: + Setting your species to something other than human (if available) once + again saves properly. Note that if you join a round where your species setting + is no longer valid it will be reset to human. PKPenguin321: - - tweak: Healing Fountains in Hand of God now give cultists a better and more culty - healing chemical instead of Doctor's Delight. + - tweak: + Healing Fountains in Hand of God now give cultists a better and more culty + healing chemical instead of Doctor's Delight. kingofkosmos: - - rscadd: Added the ability to upgrade your grab by clicking the grabbed mob repeatedly. + - rscadd: Added the ability to upgrade your grab by clicking the grabbed mob repeatedly. octareenroon91: - - rscadd: Add the four-color pen, which writes in black, red, green, and blue. - - rscadd: Adds two such pens to the Bureaucracy supply pack. + - rscadd: Add the four-color pen, which writes in black, red, green, and blue. + - rscadd: Adds two such pens to the Bureaucracy supply pack. 2015-11-21: Joan: - - rscadd: Blobs now have a hud, with jump to node, create storage blob, create resource - blob, create node blob, create factory blob, readapt chemical, relocate core, - and jump to core buttons. - - tweak: Manual blob expansion is now triggered by clicking anything next to a blob - tile, instead of by ctrl-click. - - tweak: 'Rally Spores no longer has a cost. Reminder: You can middle-click anything - you can see to rally spores to it.' - - tweak: Creating a Shield Blob with hotkeys is now ctrl-click instead of alt-click. - - rscadd: Removing a blob now refunds some points based on the blob type, usually - around 40% of initial cost. Hotkey for removal is alt-click. - - rscadd: Blobs now have the *Blob Help* verb which will pull up useful information, - including what your reagent does. - - tweak: Storage Blobs now cost 20, from 40. Storage Blobs also cannot be removed - by blob removal. - - tweak: Readapt Chemical now costs 40, from 50. + - rscadd: + Blobs now have a hud, with jump to node, create storage blob, create resource + blob, create node blob, create factory blob, readapt chemical, relocate core, + and jump to core buttons. + - tweak: + Manual blob expansion is now triggered by clicking anything next to a blob + tile, instead of by ctrl-click. + - tweak: + "Rally Spores no longer has a cost. Reminder: You can middle-click anything + you can see to rally spores to it." + - tweak: Creating a Shield Blob with hotkeys is now ctrl-click instead of alt-click. + - rscadd: + Removing a blob now refunds some points based on the blob type, usually + around 40% of initial cost. Hotkey for removal is alt-click. + - rscadd: + Blobs now have the *Blob Help* verb which will pull up useful information, + including what your reagent does. + - tweak: + Storage Blobs now cost 20, from 40. Storage Blobs also cannot be removed + by blob removal. + - tweak: Readapt Chemical now costs 40, from 50. octareenroon91: - - rscadd: Add numbers and a star graffiti to crayon/spraycan designs. + - rscadd: Add numbers and a star graffiti to crayon/spraycan designs. 2015-11-23: octareenroon91: - - rscadd: Spilling oxygen or nitrogen will obtain a release of the corresponding - atmospheric gas in the effected tile. - - rscadd: 'Carbon Dioxide has been added as a reagent. Recipe: 2:1 carbon:oxygen, - heated to 777K.' - - rscadd: Spilling CO2 will produce CO2 gas. + - rscadd: + Spilling oxygen or nitrogen will obtain a release of the corresponding + atmospheric gas in the effected tile. + - rscadd: + "Carbon Dioxide has been added as a reagent. Recipe: 2:1 carbon:oxygen, + heated to 777K." + - rscadd: Spilling CO2 will produce CO2 gas. 2015-11-24: Kor: - - rscadd: Added a lava turf. Expect to see it in away missions or in admin 'events' + - rscadd: Added a lava turf. Expect to see it in away missions or in admin 'events' 2015-11-25: Incoming5643: - - experiment: A number of popular stunning spells have undergone balance changes. - Note that for the most part the stuns themselves are untouched. - - experiment: 'Lightning Bolt Changes:' - - rscdel: You can no longer throw the bolt whenever you want, it will fire itself - once it's done charging. - - rscadd: Getting hit by a bolt will do a flat 30 burn now, as opposed to scaling - with how long the wizard spent charging the spell. Unless said wizard made a - habit of charging lightning bolt to near maximum every time this is a buff to - damage. - - rscdel: Every time the bolt jumps the next shock will do five less burn damage. - - rscadd: Lightning bolts can still jump back to the same body, so the maximum number - of bolts you can be hit by in a single casting is three, and the maximum amount - of damage you could take for that is 60 burn. - - experiment: 'Magic Missile Changes:' - - rscdel: Cooldown raised to 20 seconds, up from 15 - - rscadd: Cooldown reduction from taking the spell multiple times raised from 1.5 - seconds to 3.5 seconds. Rank 5 magic missile now has a cooldown of 6 seconds, - down from 9, and is effectively a permastun. - - experiment: 'Time Stop Changes:' - - rscadd: Time Stop field now persists for 10 seconds, up from 9 - - rscdel: Cooldown raised to 50 seconds, up from 40 - - rscadd: Cooldown reduction from taking the spell multiple times raised from 7.75 - seconds to 10 seconds. Rank 5 time stop now has a cooldown of 10 seconds, up - from 9, and is effectively a permastun. + - experiment: + A number of popular stunning spells have undergone balance changes. + Note that for the most part the stuns themselves are untouched. + - experiment: "Lightning Bolt Changes:" + - rscdel: + You can no longer throw the bolt whenever you want, it will fire itself + once it's done charging. + - rscadd: + Getting hit by a bolt will do a flat 30 burn now, as opposed to scaling + with how long the wizard spent charging the spell. Unless said wizard made a + habit of charging lightning bolt to near maximum every time this is a buff to + damage. + - rscdel: Every time the bolt jumps the next shock will do five less burn damage. + - rscadd: + Lightning bolts can still jump back to the same body, so the maximum number + of bolts you can be hit by in a single casting is three, and the maximum amount + of damage you could take for that is 60 burn. + - experiment: "Magic Missile Changes:" + - rscdel: Cooldown raised to 20 seconds, up from 15 + - rscadd: + Cooldown reduction from taking the spell multiple times raised from 1.5 + seconds to 3.5 seconds. Rank 5 magic missile now has a cooldown of 6 seconds, + down from 9, and is effectively a permastun. + - experiment: "Time Stop Changes:" + - rscadd: Time Stop field now persists for 10 seconds, up from 9 + - rscdel: Cooldown raised to 50 seconds, up from 40 + - rscadd: + Cooldown reduction from taking the spell multiple times raised from 7.75 + seconds to 10 seconds. Rank 5 time stop now has a cooldown of 10 seconds, up + from 9, and is effectively a permastun. Kor: - - rscadd: Escape pods can now be launched to the asteroid during red and delta level - security alerts. Pods launched in this manner will not travel to Centcomm at - the end of the round. - - rscadd: Each pod is now equipped with a safe that contains two emergency space - suits and mining pickaxes. This safe will only open during red or delta level - security alerts. + - rscadd: + Escape pods can now be launched to the asteroid during red and delta level + security alerts. Pods launched in this manner will not travel to Centcomm at + the end of the round. + - rscadd: + Each pod is now equipped with a safe that contains two emergency space + suits and mining pickaxes. This safe will only open during red or delta level + security alerts. MrStonedOne: - - bugfix: fixes interfaces (like the "ready" button) being unresponsive for the - first minute or two after connecting. - - tweak: Burn related code has been changed - - tweak: This will give a small buff to fires by making them burn for longer - - tweak: This will give a massive nerf to plasma related bombs - - tweak: I am actively seeking feedback, if the nerf to bombs is too bad we can - still tweak stuff + - bugfix: + fixes interfaces (like the "ready" button) being unresponsive for the + first minute or two after connecting. + - tweak: Burn related code has been changed + - tweak: This will give a small buff to fires by making them burn for longer + - tweak: This will give a massive nerf to plasma related bombs + - tweak: + I am actively seeking feedback, if the nerf to bombs is too bad we can + still tweak stuff PKPenguin321: - - rscadd: Chainsaws (both arm-mounted and not arm-mounted) can now be used in surgeries - as a ghetto sawing tool. Arm-mounted chainsaws are a teeny bit more precise - than regular ol' everyday chainsaws. + - rscadd: + Chainsaws (both arm-mounted and not arm-mounted) can now be used in surgeries + as a ghetto sawing tool. Arm-mounted chainsaws are a teeny bit more precise + than regular ol' everyday chainsaws. YotaXP: - - tweak: Spruced up the preview icons on the Character Setup dialog. + - tweak: Spruced up the preview icons on the Character Setup dialog. incoming5643: - - rscdel: Citing shenanigan quality concerns the wizard federation has withdrawn - supermatter swords and veil renderers from spellbooks. + - rscdel: + Citing shenanigan quality concerns the wizard federation has withdrawn + supermatter swords and veil renderers from spellbooks. neersighted: - - bugfix: Make Airlock Electronics use standard ID checks, allowing Drones to use - them. + - bugfix: + Make Airlock Electronics use standard ID checks, allowing Drones to use + them. 2015-11-26: neersighted: - - tweak: Cyborg Toner is now refilled by recharging stations. + - tweak: Cyborg Toner is now refilled by recharging stations. oranges: - - tweak: Removed the 'gloves' from the sailor dress which looked weird since it - was a blouse basically - - tweak: Made the skirt on the blue/red skirts less blocky, - - tweak: Made the striped dress consistent at every direction + - tweak: + Removed the 'gloves' from the sailor dress which looked weird since it + was a blouse basically + - tweak: Made the skirt on the blue/red skirts less blocky, + - tweak: Made the striped dress consistent at every direction 2015-11-27: AnturK: - - rscadd: Turret control panels can now be made through frames available at autolathe. - - rscadd: Unlocked turrets can be linked with built controls with multiool + - rscadd: Turret control panels can now be made through frames available at autolathe. + - rscadd: Unlocked turrets can be linked with built controls with multiool JJRcop: - - bugfix: Restores golem shock immunity. + - bugfix: Restores golem shock immunity. Kor and Ausops: - - rscadd: Added four different suits of medieval plate armour. - - rscadd: The Chaplain starts with a suit of Templar armour in his locker. God wills - it! - - rscadd: Rumour has it that Nanotrasen is now training a new elite unit of soldiers - to deal with paranormal threats. Corporate was unable to be reached for comment. + - rscadd: Added four different suits of medieval plate armour. + - rscadd: + The Chaplain starts with a suit of Templar armour in his locker. God wills + it! + - rscadd: + Rumour has it that Nanotrasen is now training a new elite unit of soldiers + to deal with paranormal threats. Corporate was unable to be reached for comment. MMMiracles: - - rscadd: Adds a brand new away mission for the gateway called 'Caves'. - - rscadd: The away mission has multiple levels to explore and could be quite dangerous, - running in without proper preparation is unadvised. + - rscadd: Adds a brand new away mission for the gateway called 'Caves'. + - rscadd: + The away mission has multiple levels to explore and could be quite dangerous, + running in without proper preparation is unadvised. YotaXP: - - bugfix: Drones can now use the pick-up verb, and watertanks no longer get jammed - in their internal storage. + - bugfix: + Drones can now use the pick-up verb, and watertanks no longer get jammed + in their internal storage. bgobandit: - - rscadd: Due to changes in Nanotrasen's mining supply chain, ore redemption machines - now offer a variety of upgraded items! However, certain items are more expensive. - Point values for minerals have been adjusted to reflect their scarcity. - - rscadd: Nanotrasen R&D has discovered how to improve upon the resonator and kinetic - accelerator. - - rscadd: After a colossal tectonic event on Nanotrasen's asteroid, ores are distributed - more randomly. - - rscadd: Bluespace crystals have been discovered to be ore. They will now fit into - satchels and ore boxes. - - rscadd: Mech advanced mining scanners now include meson functionality. + - rscadd: + Due to changes in Nanotrasen's mining supply chain, ore redemption machines + now offer a variety of upgraded items! However, certain items are more expensive. + Point values for minerals have been adjusted to reflect their scarcity. + - rscadd: + Nanotrasen R&D has discovered how to improve upon the resonator and kinetic + accelerator. + - rscadd: + After a colossal tectonic event on Nanotrasen's asteroid, ores are distributed + more randomly. + - rscadd: + Bluespace crystals have been discovered to be ore. They will now fit into + satchels and ore boxes. + - rscadd: Mech advanced mining scanners now include meson functionality. neersighted: - - bugfix: Wooden Barricades now take bullet damage. - - tweak: Rebalance Wooden Barricade damage. + - bugfix: Wooden Barricades now take bullet damage. + - tweak: Rebalance Wooden Barricade damage. 2015-11-28: TechnoAlchemisto: - - tweak: Cloaks are now worn in your exosuit slot! + - tweak: Cloaks are now worn in your exosuit slot! 2015-11-29: Firecage: - - rscadd: Hand tools now have variable operating speeds. + - rscadd: Hand tools now have variable operating speeds. GunHog: - - tweak: Nanotrasen has improved the interface for the hand-held teleportation device. - It will now provide the user with the name of the destination tracking beacon. + - tweak: + Nanotrasen has improved the interface for the hand-held teleportation device. + It will now provide the user with the name of the destination tracking beacon. JJRcop: - - bugfix: Fixes changeling Hive Absorb DNA ability runtime. + - bugfix: Fixes changeling Hive Absorb DNA ability runtime. Joan: - - imageadd: When sacrificing a target with the sacrifice rune, Nar-Sie herself will - briefly appear to consume them. - - imageadd: When an artificer repairs a construct, there is a visible beam between - it and the target. - - imageadd: When reviving a target with the raise dead rune, there is a visible - beam between the two corpses used. - - imageadd: When draining a target with the blood drain rune, there is a visible - beam between you and the rune. - - imageadd: Construct sprites are now consistent and all bob in the air. - - rscadd: Most cult messages now use the cult span classes, though visible messages - from cult things generally do not. - - bugfix: Examining a cultist talisman as a cultist no longer causes the paper popup - to appear. - - bugfix: You no longer need to press two buttons to read a cultist tome. - - spellcheck: Cult should have a few less typos and grammatical errors. - - spellcheck: The sacrifice rune now uses the proper invocation. + - imageadd: + When sacrificing a target with the sacrifice rune, Nar-Sie herself will + briefly appear to consume them. + - imageadd: + When an artificer repairs a construct, there is a visible beam between + it and the target. + - imageadd: + When reviving a target with the raise dead rune, there is a visible + beam between the two corpses used. + - imageadd: + When draining a target with the blood drain rune, there is a visible + beam between you and the rune. + - imageadd: Construct sprites are now consistent and all bob in the air. + - rscadd: + Most cult messages now use the cult span classes, though visible messages + from cult things generally do not. + - bugfix: + Examining a cultist talisman as a cultist no longer causes the paper popup + to appear. + - bugfix: You no longer need to press two buttons to read a cultist tome. + - spellcheck: Cult should have a few less typos and grammatical errors. + - spellcheck: The sacrifice rune now uses the proper invocation. KorPhaeron: - - rscadd: Guardians and holoparasites can now be manually recalled by their master. - - rscadd: The ghost controlling a guardian or holoparasite can be repicked by their - master, only one use which is removed when a new ghost is chosen. + - rscadd: Guardians and holoparasites can now be manually recalled by their master. + - rscadd: + The ghost controlling a guardian or holoparasite can be repicked by their + master, only one use which is removed when a new ghost is chosen. MrStonedOne: - - rscadd: Re-adds 100% chance timed injectors, as it was removed over a misunderstanding. - - bugfix: Fixes bug with injectors having a 100% power chance despite not being - timed - - bugfix: Fixes the excessive amount of time it took the game to initialize. - - bugfix: Fixes some interface bugs. - - rscadd: when an interface window has to send a lot of resources before it can - open, it will now tell you with a "sending resources" line so you know why it's - not opening right away. + - rscadd: Re-adds 100% chance timed injectors, as it was removed over a misunderstanding. + - bugfix: + Fixes bug with injectors having a 100% power chance despite not being + timed + - bugfix: Fixes the excessive amount of time it took the game to initialize. + - bugfix: Fixes some interface bugs. + - rscadd: + when an interface window has to send a lot of resources before it can + open, it will now tell you with a "sending resources" line so you know why it's + not opening right away. PKPenguin321: - - rscadd: Teleprods can now be constructed. Make them via tablecrafting, or by putting - a bluespace crystal onto a stunprod. They warp the target to a random nearby - area (which may include space/the inside of a wall) in addition to giving the - victim a brief stun. Like stunprods, they require a power cell to function. - - rscadd: Teleprods can have their crystal removed and be made back into stunprods - by using them in your hand when they have no cell installed. - - imageadd: Mounted chainsaws now have a unique inhand sprite. + - rscadd: + Teleprods can now be constructed. Make them via tablecrafting, or by putting + a bluespace crystal onto a stunprod. They warp the target to a random nearby + area (which may include space/the inside of a wall) in addition to giving the + victim a brief stun. Like stunprods, they require a power cell to function. + - rscadd: + Teleprods can have their crystal removed and be made back into stunprods + by using them in your hand when they have no cell installed. + - imageadd: Mounted chainsaws now have a unique inhand sprite. Remie + Kor: - - tweak: Holopads now use AltClick to request the AI + - tweak: Holopads now use AltClick to request the AI Shadowlight213: - - tweak: Syndie melee mobs have been buffed. + - tweak: Syndie melee mobs have been buffed. TheNightingale: - - rscadd: Nuclear operatives can now buy the Elite Syndicate Hardsuit for 8 TC that - has better armor and fireproofing. - - tweak: Added throwing stars and Syndicate playing cards to nuclear operative's - uplink. + - rscadd: + Nuclear operatives can now buy the Elite Syndicate Hardsuit for 8 TC that + has better armor and fireproofing. + - tweak: + Added throwing stars and Syndicate playing cards to nuclear operative's + uplink. Yolopanther12: - - rscadd: Added the ability to use a box of lights on a light replacer to more quickly - refill it to capacity. + - rscadd: + Added the ability to use a box of lights on a light replacer to more quickly + refill it to capacity. incoming5643: - - rscadd: OOC will now take steps to try and prevent accidental IC from people who - mistakenly use OOC instead of say. This doesn't catch all mistakes, so please - don't test it. + - rscadd: + OOC will now take steps to try and prevent accidental IC from people who + mistakenly use OOC instead of say. This doesn't catch all mistakes, so please + don't test it. ktccd: - - bugfix: Blob pieces on some areas no longer count for blob mode victory (Such - as space or asteroid). - - bugfix: Blobcode no longer spawns and destroys blobs uselessly, which fixes other - stuff too. - - bugfix: Asteroid areas are no longer valid gang territory. + - bugfix: + Blob pieces on some areas no longer count for blob mode victory (Such + as space or asteroid). + - bugfix: + Blobcode no longer spawns and destroys blobs uselessly, which fixes other + stuff too. + - bugfix: Asteroid areas are no longer valid gang territory. neersighted: - - experiment: Nanotrasen would like to announce NanoUI 2.0, now being rolled out - across all our stations. Existing NanoUI devices have been updated, and more - will be added soon. Please report any bugs to Nanotrasen Support. - - tweak: Many NanoUI interfaces have had +/- buttons replaced with input fields. - - tweak: Some NanoUI interfaces have had more information added. - - bugfix: Drones can now interact with NanoUI windows. + - experiment: + Nanotrasen would like to announce NanoUI 2.0, now being rolled out + across all our stations. Existing NanoUI devices have been updated, and more + will be added soon. Please report any bugs to Nanotrasen Support. + - tweak: Many NanoUI interfaces have had +/- buttons replaced with input fields. + - tweak: Some NanoUI interfaces have had more information added. + - bugfix: Drones can now interact with NanoUI windows. swankcookie: - - bugfix: Fixes issue of space-Christians forgetting about the true, humbling values - of space-Christmas. - - rscadd: Adds snowmen outfits + - bugfix: + Fixes issue of space-Christians forgetting about the true, humbling values + of space-Christmas. + - rscadd: Adds snowmen outfits 2015-11-30: neersighted: - - bugfix: Nanotrasen would like to apologize for Chemistry being stuck on NanoUI - 1.0... Please report any further bugs to Nanotrasen Support. - - tweak: NanoUI becomes... difficult to operate with brain damage. Who would have - guessed? - - tweak: Telekinesis enables you to use NanoUI at a distance. - - bugfix: Canisters require physical proximity to actuate... - - bugfix: NanoUI no longer leaks memory on click. + - bugfix: + Nanotrasen would like to apologize for Chemistry being stuck on NanoUI + 1.0... Please report any further bugs to Nanotrasen Support. + - tweak: + NanoUI becomes... difficult to operate with brain damage. Who would have + guessed? + - tweak: Telekinesis enables you to use NanoUI at a distance. + - bugfix: Canisters require physical proximity to actuate... + - bugfix: NanoUI no longer leaks memory on click. 2015-12-01: Kor: - - rscadd: The away mission Listening Post, originally mapped by Petethegoat, has - removed as a mission. It is now present in normal deep space. + - rscadd: + The away mission Listening Post, originally mapped by Petethegoat, has + removed as a mission. It is now present in normal deep space. neersighted: - - tweak: Attack animations are now directional! - - rscadd: Nanotrasen brand Airlock Electronics now sport our latest NanoUI interface! - Upgrade your electronics today! - - bugfix: Cryo now knocks you out. - - bugfix: Resisting out of cryo has a delay. - - rscadd: Cryo auto-ejection can now be configured. - - rscdel: Remove Cryo eject verb (resist out). - - bugfix: Cryo works... Love, neersighted + - tweak: Attack animations are now directional! + - rscadd: + Nanotrasen brand Airlock Electronics now sport our latest NanoUI interface! + Upgrade your electronics today! + - bugfix: Cryo now knocks you out. + - bugfix: Resisting out of cryo has a delay. + - rscadd: Cryo auto-ejection can now be configured. + - rscdel: Remove Cryo eject verb (resist out). + - bugfix: Cryo works... Love, neersighted swankcookie: - - tweak: Switches cloak usage to overclothing slot + - tweak: Switches cloak usage to overclothing slot 2015-12-02: GunHog: - - bugfix: Nanotrasen has discovered a flaw in the weapon recharging station's design - that makes it incompatible with the Rapid Part Exchange Device. This has been - corrected. + - bugfix: + Nanotrasen has discovered a flaw in the weapon recharging station's design + that makes it incompatible with the Rapid Part Exchange Device. This has been + corrected. neersighted: - - tweak: You can now stop pulling by trying to pull the same object again. - - rscadd: Nanotrasen is proud to announce that even the dead can use our state of - the art NanoUI technology. + - tweak: You can now stop pulling by trying to pull the same object again. + - rscadd: + Nanotrasen is proud to announce that even the dead can use our state of + the art NanoUI technology. 2015-12-03: Joan: - - rscadd: Artificers now have feedback when healing other constructs, showing how - much health the target has. - - tweak: Constructs can move in space. - - imageadd: Fixes cult flooring not lining up with normal floors. - - imageadd: Fixes a juggernaut back spine not glowing where it should. + - rscadd: + Artificers now have feedback when healing other constructs, showing how + much health the target has. + - tweak: Constructs can move in space. + - imageadd: Fixes cult flooring not lining up with normal floors. + - imageadd: Fixes a juggernaut back spine not glowing where it should. Spudboy: - - tweak: Realigned the librarian's PDA. + - tweak: Realigned the librarian's PDA. Swankcookie: - - bugfix: Cakehat now creates light + - bugfix: Cakehat now creates light YotaXP: - - rscadd: Rolled out a new line of space heaters around the station. This new model - has the functionality to cool down the environment, as well as heat it. Additionally, - they can be built and upgraded like any other machine. + - rscadd: + Rolled out a new line of space heaters around the station. This new model + has the functionality to cool down the environment, as well as heat it. Additionally, + they can be built and upgraded like any other machine. neersighted: - - bugfix: Dominator now shows the correct area name on non-Box maps. - - bugfix: Unwrenching atmos pipes is less... nuts... - - bugfix: You don't get hopelessly spun when standing on a unwrenched pipe... Don't - try it, though. - - tweak: You can now cancel pulling by Ctrl+Clicking anything else - - tweak: Chemistry Dispensers now have a built-in drain! + - bugfix: Dominator now shows the correct area name on non-Box maps. + - bugfix: Unwrenching atmos pipes is less... nuts... + - bugfix: + You don't get hopelessly spun when standing on a unwrenched pipe... Don't + try it, though. + - tweak: You can now cancel pulling by Ctrl+Clicking anything else + - tweak: Chemistry Dispensers now have a built-in drain! 2015-12-05: Joan: - - rscdel: Magic missiles no longer do damage. + - rscdel: Magic missiles no longer do damage. 2015-12-06: Gun Hog: - - rscadd: Nanotrasen is proud to announce that it has improved its Diagnostic HUD - firmware to include the station's automated robot population! New features include - integrity tracking, Off/On status, and mode tracking! If your little robot friend - suddenly manages to acquire free will, you will be able to track that as well! - - tweak: Artificial Intelligence units may find that their bot management interface - now shows when a robot gains free will. This is also displayed on the Personal - Data Assistant's bot control interface. + - rscadd: + Nanotrasen is proud to announce that it has improved its Diagnostic HUD + firmware to include the station's automated robot population! New features include + integrity tracking, Off/On status, and mode tracking! If your little robot friend + suddenly manages to acquire free will, you will be able to track that as well! + - tweak: + Artificial Intelligence units may find that their bot management interface + now shows when a robot gains free will. This is also displayed on the Personal + Data Assistant's bot control interface. neersighted: - - bugfix: Cryo now properly checks it is on before healing... + - bugfix: Cryo now properly checks it is on before healing... 2015-12-07: octareenroon91: - - rscadd: Wallets now use the access of all IDs stored inside them. - - rscadd: As the accesses of all IDs are merged, two IDs in a wallet may grant access - to a door that neither one alone would open. - - bugfix: Wallets used to be useless for access if the first ID card put into it - was taken out, until another ID card was put back in. That should not happen - anymore. + - rscadd: Wallets now use the access of all IDs stored inside them. + - rscadd: + As the accesses of all IDs are merged, two IDs in a wallet may grant access + to a door that neither one alone would open. + - bugfix: + Wallets used to be useless for access if the first ID card put into it + was taken out, until another ID card was put back in. That should not happen + anymore. 2015-12-08: Joan: - - experiment: Revenants can no longer move through walls and windows while revealed, - though they can move through tables, plastic flaps, mobs, and other similarly - thin objects. - - tweak: Defile now reveals for 4 seconds, from 8. - - tweak: Overload lights now reveals for 10 seconds, from 8. - - tweak: Blight now reveals for 6 seconds, from 8. - - rscadd: Blight has a higher chance of applying stamina damage to the infected. + - experiment: + Revenants can no longer move through walls and windows while revealed, + though they can move through tables, plastic flaps, mobs, and other similarly + thin objects. + - tweak: Defile now reveals for 4 seconds, from 8. + - tweak: Overload lights now reveals for 10 seconds, from 8. + - tweak: Blight now reveals for 6 seconds, from 8. + - rscadd: Blight has a higher chance of applying stamina damage to the infected. Kor: - - rscadd: The blocking system has been completely overhauled. Any held item, exosuit, - or jumpsuit can now have a chance to block, or a custom on hit effect. Different - shields can now have different block chances. - - rscadd: The clowns jumpsuit now honks when you beat the owner. - - rscadd: There is a new (admin only for now) suit of reactive armour that ignites - attackers instead of warping you. - - rscadd: Shields will no longer block hugs. Give peace a chance. + - rscadd: + The blocking system has been completely overhauled. Any held item, exosuit, + or jumpsuit can now have a chance to block, or a custom on hit effect. Different + shields can now have different block chances. + - rscadd: The clowns jumpsuit now honks when you beat the owner. + - rscadd: + There is a new (admin only for now) suit of reactive armour that ignites + attackers instead of warping you. + - rscadd: Shields will no longer block hugs. Give peace a chance. neersighted: - - tweak: MC tab reworked, more items made available. - - rscadd: Admins can now click entries in the MC tab to debug. + - tweak: MC tab reworked, more items made available. + - rscadd: Admins can now click entries in the MC tab to debug. 2015-12-09: GunHog: - - tweak: Nanotrasen has discovered new strains of Xenomorph which resist penetration - by known injection devices, including syringes. This seems to only extend to - the large 'Royal' strains, designed 'Queen' and 'Praetorian'. Extreme caution - is advised should these specimens escape containment. - - rscadd: Ghosts may now use Diagnostic HUD. - - tweak: Feedback added for which HUD is active. + - tweak: + Nanotrasen has discovered new strains of Xenomorph which resist penetration + by known injection devices, including syringes. This seems to only extend to + the large 'Royal' strains, designed 'Queen' and 'Praetorian'. Extreme caution + is advised should these specimens escape containment. + - rscadd: Ghosts may now use Diagnostic HUD. + - tweak: Feedback added for which HUD is active. Kor: - - rscadd: Security barricades now block gunfire 80% of the time while deployed. - - rscadd: Standing adjacent to barricades will allow you to shoot over them. + - rscadd: Security barricades now block gunfire 80% of the time while deployed. + - rscadd: Standing adjacent to barricades will allow you to shoot over them. MrStonedOne: - - rscadd: noslip floors make you slightly faster + - rscadd: noslip floors make you slightly faster Shadowlight213: - - rscadd: Admins can now interact with mos of the station's machinery as if they - were an AI when ghosting. + - rscadd: + Admins can now interact with mos of the station's machinery as if they + were an AI when ghosting. incoming5643: - - rscadd: a mutation of glowshrooms, glowcaps, have recently been discovered in - botany. + - rscadd: + a mutation of glowshrooms, glowcaps, have recently been discovered in + botany. ktccd: - - bugfix: Blobs now require the correct amount of blobs to win that scales depending - on number of blobs, instead of a set value of 700. + - bugfix: + Blobs now require the correct amount of blobs to win that scales depending + on number of blobs, instead of a set value of 700. 2015-12-12: Joan: - - tweak: The blob Split Consciousness ability now requires a node under the overmind's - selector, instead of picking the oldest living node to spawn a core on. - - bugfix: Revenant antagonist preference can once again be toggled from the Game - Preferences menu. + - tweak: + The blob Split Consciousness ability now requires a node under the overmind's + selector, instead of picking the oldest living node to spawn a core on. + - bugfix: + Revenant antagonist preference can once again be toggled from the Game + Preferences menu. Kor: - - rscadd: You now have a chance to flip while attacking with a dualsaber. - - rscadd: Bluespace survival capsules have been added to escape pod safes. - - rscadd: Standing between activating shield generators now has disastrous consequences. + - rscadd: You now have a chance to flip while attacking with a dualsaber. + - rscadd: Bluespace survival capsules have been added to escape pod safes. + - rscadd: Standing between activating shield generators now has disastrous consequences. Lo6a4evskiy: - - bugfix: Ninja drains power properly, no more infinite stealth. + - bugfix: Ninja drains power properly, no more infinite stealth. RemieRichards: - - rscadd: Adds a Synth Species - - rscadd: Species can now react to being force set by admins, used for Synth species + - rscadd: Adds a Synth Species + - rscadd: Species can now react to being force set by admins, used for Synth species 2015-12-13: Kor: - - rscadd: Adds reactive stealth armor. Admin spawn only. + - rscadd: Adds reactive stealth armor. Admin spawn only. 2015-12-15: Incoming5643: - - rscadd: The summon events... event "RPG loot" now allows for items to have bonuses - of up to +15! - - rscadd: The "RPG loot" event now also improves the damage reduction of armor! - - rscadd: Check out the item mall for new item fortification scrolls! + - rscadd: + The summon events... event "RPG loot" now allows for items to have bonuses + of up to +15! + - rscadd: The "RPG loot" event now also improves the damage reduction of armor! + - rscadd: Check out the item mall for new item fortification scrolls! as334: - - rscadd: New research has shown that when when plasma reaches a high enough temperature - in the presence of a carbon catalyst, it undergoes a violent and powerful fusion - reaction. - - rscadd: Adds a new gas reaction, fusion. Heat up plasma and carbon dioxide in - order to produce large amounts of energy and heat. + - rscadd: + New research has shown that when when plasma reaches a high enough temperature + in the presence of a carbon catalyst, it undergoes a violent and powerful fusion + reaction. + - rscadd: + Adds a new gas reaction, fusion. Heat up plasma and carbon dioxide in + order to produce large amounts of energy and heat. oranges: - - tweak: hulk no longer stuns - - tweak: John Cena + - tweak: hulk no longer stuns + - tweak: John Cena 2015-12-16: AnturK: - - rscadd: Medical Beam Gun now available for Nuclear Operatives and ERT Medics. + - rscadd: Medical Beam Gun now available for Nuclear Operatives and ERT Medics. Joan: - - tweak: Revenant Overload Lights reveal time lowered from 10 seconds to 8 seconds, - shock damage increased from 18 to 20. - - tweak: Revenant Blight reveal time lowered from 6 seconds to 5 seconds. + - tweak: + Revenant Overload Lights reveal time lowered from 10 seconds to 8 seconds, + shock damage increased from 18 to 20. + - tweak: Revenant Blight reveal time lowered from 6 seconds to 5 seconds. Kor: - - rscadd: Styptic once again works in patches. - - rscadd: Nuke Op team leaders can now activate challenge mode if more than 50 players - are online. - - rscadd: Xenobio mobs will no longer spontaneously murder their friends if you - give them sentience + - rscadd: Styptic once again works in patches. + - rscadd: + Nuke Op team leaders can now activate challenge mode if more than 50 players + are online. + - rscadd: + Xenobio mobs will no longer spontaneously murder their friends if you + give them sentience The-Albinobigfoot: - - bugfix: The Wishgranter now displays its faith in humans with curbed enthusiasm. + - bugfix: The Wishgranter now displays its faith in humans with curbed enthusiasm. Tkdrg: - - experiment: Cult has been overhauled in an attempt to make the gamemode more fun. - - rscdel: Cult onversion and stunpapers have been removed. So have most cult objectives. - - tweak: The cult's single objective is now defend and feed a large construct shell - in order to summon the Geometer. - - tweak: The cult must sacrifice souls in order to acquire summoning orbs, which - must be inserted inside said shell. - - tweak: The large construct shell can be procured by using a summoning orb in hand, - but it is vulnerable to attack. - - tweak: Once enough orbs are inserted, the station will go Delta. After three minutes, - the cult will have won. - - rscadd: Cult communications now no longer damage you when done without a tome. - - rscadd: Cultists now start with a sacrificial dagger, with bleeding effects and - high throwing damage. - - rscadd: Most existing runes were buffed, merged, or removed. A Immolate rune and - a Time Stop rune were added. Experiment! - - experiment: Each cultist now gets a random set of runes in their tomes. Pool together - your knowledge in order to thrive. + - experiment: Cult has been overhauled in an attempt to make the gamemode more fun. + - rscdel: Cult onversion and stunpapers have been removed. So have most cult objectives. + - tweak: + The cult's single objective is now defend and feed a large construct shell + in order to summon the Geometer. + - tweak: + The cult must sacrifice souls in order to acquire summoning orbs, which + must be inserted inside said shell. + - tweak: + The large construct shell can be procured by using a summoning orb in hand, + but it is vulnerable to attack. + - tweak: + Once enough orbs are inserted, the station will go Delta. After three minutes, + the cult will have won. + - rscadd: Cult communications now no longer damage you when done without a tome. + - rscadd: + Cultists now start with a sacrificial dagger, with bleeding effects and + high throwing damage. + - rscadd: + Most existing runes were buffed, merged, or removed. A Immolate rune and + a Time Stop rune were added. Experiment! + - experiment: + Each cultist now gets a random set of runes in their tomes. Pool together + your knowledge in order to thrive. neersighted: - - experiment: NanoUI 3.0 - - experiment: Completely rewrite NanoUI frontend; rework backend. - - tweak: Re-design NanoUI interface to be much more attractive. - - tweak: Reduce NanoUI LOC count/resource size. - - tweak: Reduce NanoUI tickrate; make UIs update properly. - - rscadd: Add chromeless NanoUI mode. - - rscadd: NanoUI's chromeless mode can be toggled with the 'Fancy NanoUI' preference. - - bugfix: Allow NanoUI to work on IE8-IE11, and Edge. - - bugfix: Close holes that allow NanoUI href spoofing. + - experiment: NanoUI 3.0 + - experiment: Completely rewrite NanoUI frontend; rework backend. + - tweak: Re-design NanoUI interface to be much more attractive. + - tweak: Reduce NanoUI LOC count/resource size. + - tweak: Reduce NanoUI tickrate; make UIs update properly. + - rscadd: Add chromeless NanoUI mode. + - rscadd: NanoUI's chromeless mode can be toggled with the 'Fancy NanoUI' preference. + - bugfix: Allow NanoUI to work on IE8-IE11, and Edge. + - bugfix: Close holes that allow NanoUI href spoofing. 2015-12-17: Kor: - - rscadd: Security barricades are now deployed via grenade. You can no longer move - them after they've been deployed, you must destroy them. - - rscadd: You can now shoot through wooden barricades while adjacent, while any - other gunfire has a 50% chance of being blocked. - - rscadd: There are no longer restrictions against implanting the nuclear disk in - people. - - rscadd: If the station is destroyed in a nuclear blast, any surviving traitors - will complete their "escape alive" objective regardless of their location. - - rscadd: Hulks now lose hulk when going into crit, rather than at 25 health. - - rscadd: Shuttles will no longer drag random tiles of space with them. This means - you can be thrown out of partially destroyed escape shuttles very easily. - - rscadd: The people and objects on destroyed tiles won't be along for the ride - when the shuttle moves either. - - rscadd: Adds hardsuits with built in energy shielding. CTF and security versions - are admin only. - - rscadd: Nuclear operatives can buy a shielded hardsuit for 30tc. - - rscadd: Traitors can now buy a Mulligan for 4 telecrystals, a syringe that completely - randomizes your name and appearance. - - rscadd: The spy bundle now includes a switchblade and Mulligan. + - rscadd: + Security barricades are now deployed via grenade. You can no longer move + them after they've been deployed, you must destroy them. + - rscadd: + You can now shoot through wooden barricades while adjacent, while any + other gunfire has a 50% chance of being blocked. + - rscadd: + There are no longer restrictions against implanting the nuclear disk in + people. + - rscadd: + If the station is destroyed in a nuclear blast, any surviving traitors + will complete their "escape alive" objective regardless of their location. + - rscadd: Hulks now lose hulk when going into crit, rather than at 25 health. + - rscadd: + Shuttles will no longer drag random tiles of space with them. This means + you can be thrown out of partially destroyed escape shuttles very easily. + - rscadd: + The people and objects on destroyed tiles won't be along for the ride + when the shuttle moves either. + - rscadd: + Adds hardsuits with built in energy shielding. CTF and security versions + are admin only. + - rscadd: Nuclear operatives can buy a shielded hardsuit for 30tc. + - rscadd: + Traitors can now buy a Mulligan for 4 telecrystals, a syringe that completely + randomizes your name and appearance. + - rscadd: The spy bundle now includes a switchblade and Mulligan. MMMiracles: - - rscadd: A set of coordinates have recently reappeared on the Nanotrasen gateway - project. Ask your local central official about participation. + - rscadd: + A set of coordinates have recently reappeared on the Nanotrasen gateway + project. Ask your local central official about participation. MrStonedOne: - - tweak: 'Ghosts can now double click on ANY movable thing (ie: not a turf) to orbit - it' + - tweak: + "Ghosts can now double click on ANY movable thing (ie: not a turf) to orbit + it" PKPenguin321: - - rscadd: Dope golden necklaces have been added. They're a jumpsuit attachment like - ties and are completely cosmetic. - - rscadd: Dope necklaces can be bought from the clothesmate with a coin. Three are - in the clothesmate by default, so you can get your posse going. Gangs that aren't - Sleeping Carp can also purchase necklaces for 1 influence each. Dope. + - rscadd: + Dope golden necklaces have been added. They're a jumpsuit attachment like + ties and are completely cosmetic. + - rscadd: + Dope necklaces can be bought from the clothesmate with a coin. Three are + in the clothesmate by default, so you can get your posse going. Gangs that aren't + Sleeping Carp can also purchase necklaces for 1 influence each. Dope. xxalpha: - - tweak: Restores the ability to bolt and unbolt operating airlocks. + - tweak: Restores the ability to bolt and unbolt operating airlocks. 2015-12-18: Incoming5643: - - rscadd: Soon to be blobs in blob mode can now burst at their choosing. However - they will still burst if they wait too long. - - rscadd: Burst responsibly. + - rscadd: + Soon to be blobs in blob mode can now burst at their choosing. However + they will still burst if they wait too long. + - rscadd: Burst responsibly. Joan: - - rscadd: 'New blob chemicals:' - - rscadd: Pressurized Slime, which is grey, does low brute, oxygen, and stamina - damage, but releases water when damaged or destroyed. - - rscadd: Energized Fibers, which is light yellow, does low burn damage, high stamina - damage, and heals if hit with stamina damage. - - rscadd: Hallucinogenic Nectar, which is pink, does low toxin damage, causes vivid - hallucinations, and does some bonus toxin damage over time. - - tweak: Replaces Kinetic Gelatin with Reactive Gelatin, which does less brute damage, - but if hit with brute damage in melee, damages all nearby objects. - - wip: 'Changes three of the old blob chemicals:' - - tweak: Ripping Tendrils does slightly more stamina damage - - tweak: Envenomed Filaments no longer causes hallucinations, but does some stamina - damage in addition to toxin damage over time. - - tweak: Cryogenic Liquid will freeze targets more effectively. + - rscadd: "New blob chemicals:" + - rscadd: + Pressurized Slime, which is grey, does low brute, oxygen, and stamina + damage, but releases water when damaged or destroyed. + - rscadd: + Energized Fibers, which is light yellow, does low burn damage, high stamina + damage, and heals if hit with stamina damage. + - rscadd: + Hallucinogenic Nectar, which is pink, does low toxin damage, causes vivid + hallucinations, and does some bonus toxin damage over time. + - tweak: + Replaces Kinetic Gelatin with Reactive Gelatin, which does less brute damage, + but if hit with brute damage in melee, damages all nearby objects. + - wip: "Changes three of the old blob chemicals:" + - tweak: Ripping Tendrils does slightly more stamina damage + - tweak: + Envenomed Filaments no longer causes hallucinations, but does some stamina + damage in addition to toxin damage over time. + - tweak: Cryogenic Liquid will freeze targets more effectively. Kor: - - rscadd: Shooting someone who is holding a grenade has a chance to set the grenade - off. - - rscadd: Shooting someone who is holding a flamethrower has a chance to rupture - the fuel tank. - - tweak: Shields have a bonus against blocking thrown projectiles. + - rscadd: + Shooting someone who is holding a grenade has a chance to set the grenade + off. + - rscadd: + Shooting someone who is holding a flamethrower has a chance to rupture + the fuel tank. + - tweak: Shields have a bonus against blocking thrown projectiles. Swankcookie: - - rscadd: lanterns no longer turn into flashlights when you pick them up. + - rscadd: lanterns no longer turn into flashlights when you pick them up. bgobandit: - - rscadd: Lizard tails can now be severed by surgeons with a circular saw and cautery, - and attached the same way augmented limbs are. - - rscadd: The Animal Rights Consortium is horrified by Nanotrasen stations' sudden - rise of illegal lizard tail trade, with such atrocities as lizardskin hats, - lizard whips, lizard clubs and even lizard kebab! + - rscadd: + Lizard tails can now be severed by surgeons with a circular saw and cautery, + and attached the same way augmented limbs are. + - rscadd: + The Animal Rights Consortium is horrified by Nanotrasen stations' sudden + rise of illegal lizard tail trade, with such atrocities as lizardskin hats, + lizard whips, lizard clubs and even lizard kebab! neersighted: - - tweak: NanoUI should now load much faster, as the filesize and file count have - been reduced + - tweak: + NanoUI should now load much faster, as the filesize and file count have + been reduced 2015-12-20: Joan: - - tweak: Reduces Lexorin Jelly's oxygen damage significantly. - - experiment: Blobbernaut chemical application on attack is back, but much less - absurd this time; blobbernauts with an overmind will do 70% of the normal chem - damage(plus 4) and attack at a much slower rate than the blob itself can. - - wip: As an example, a blobbernaut with the Ripping Tendrils chemical would do - 14.5 brute and 10.5 stamina damage per hit. + - tweak: Reduces Lexorin Jelly's oxygen damage significantly. + - experiment: + Blobbernaut chemical application on attack is back, but much less + absurd this time; blobbernauts with an overmind will do 70% of the normal chem + damage(plus 4) and attack at a much slower rate than the blob itself can. + - wip: + As an example, a blobbernaut with the Ripping Tendrils chemical would do + 14.5 brute and 10.5 stamina damage per hit. Kor: - - rscadd: Adds reactive tesla armour. Adminspawn only. - - rscadd: Adds the legendary spear, Grey Tide. Admin only. - - rscadd: Nuke Ops can now purchase penetrator rounds for their sniper rifles. - - rscadd: Nuke ops can now purchase additional team members for 25 telecrystals. - They don't come with any gear other than a pistol however, so remember to save - some points for them. - - rscadd: Nuke Ops now have an assault pod. A 30tc targeting device will allow you - to select any area on the station as its landing zone. The pod is one way, so - don't forget your nuke. - - rscdel: The teleporter board is no longer available for purchase in the uplink. - - rscdel: After finding absolutely nothing of value, Nanotrasen away teams placed - charges and scuttled the abandoned space hotel. - - rscadd: Metastation now has xenobiology computers. - - rscadd: Metastation now has escape pod computers. - - rscadd: A distress signal has been detected broadcasting in an asteroid field - near Space Station 13. - - rscadd: Clicking the (F) follow link for AI speech will now make you orbit their - camera eye. + - rscadd: Adds reactive tesla armour. Adminspawn only. + - rscadd: Adds the legendary spear, Grey Tide. Admin only. + - rscadd: Nuke Ops can now purchase penetrator rounds for their sniper rifles. + - rscadd: + Nuke ops can now purchase additional team members for 25 telecrystals. + They don't come with any gear other than a pistol however, so remember to save + some points for them. + - rscadd: + Nuke Ops now have an assault pod. A 30tc targeting device will allow you + to select any area on the station as its landing zone. The pod is one way, so + don't forget your nuke. + - rscdel: The teleporter board is no longer available for purchase in the uplink. + - rscdel: + After finding absolutely nothing of value, Nanotrasen away teams placed + charges and scuttled the abandoned space hotel. + - rscadd: Metastation now has xenobiology computers. + - rscadd: Metastation now has escape pod computers. + - rscadd: + A distress signal has been detected broadcasting in an asteroid field + near Space Station 13. + - rscadd: + Clicking the (F) follow link for AI speech will now make you orbit their + camera eye. MMMiracles: - - tweak: The SAW has been revamped slightly. It now requires a free hand to fire, - but includes 4 new ammo variants along with a TC cost decrease for both the - gun and the ammo boxes. + - tweak: + The SAW has been revamped slightly. It now requires a free hand to fire, + but includes 4 new ammo variants along with a TC cost decrease for both the + gun and the ammo boxes. MrStonedOne: - - bugfix: Fixes ghost orbit breaking ghost floating - - bugfix: Fixes orbiting ever breaking golem spawning - - bugfix: 'Fixes orbiting ever preventing that ghost from showing up in pictures - taken by ghost cameras resdel: Fixes being able to break your ghost sprite by - multiple quick consecutive orbits (FINAL SOLUTION, PROVE ME WRONG YOU CAN''T)' + - bugfix: Fixes ghost orbit breaking ghost floating + - bugfix: Fixes orbiting ever breaking golem spawning + - bugfix: + "Fixes orbiting ever preventing that ghost from showing up in pictures + taken by ghost cameras resdel: Fixes being able to break your ghost sprite by + multiple quick consecutive orbits (FINAL SOLUTION, PROVE ME WRONG YOU CAN'T)" Remie: - - rscadd: 'Byond members can now choose how their ghost orbits things, their choices - are: Circle, Triangle, Square, Pentagon and Hexagon!' - - tweak: orbit() should be much cheaper for clients now, allowing those of you with - potato PCs to survive mega ghost swirling better. + - rscadd: + "Byond members can now choose how their ghost orbits things, their choices + are: Circle, Triangle, Square, Pentagon and Hexagon!" + - tweak: + orbit() should be much cheaper for clients now, allowing those of you with + potato PCs to survive mega ghost swirling better. incoming5643: - - bugfix: the terror of double tailed lizards and featureless clones should now - be over - - rscdel: the emote *stopwag no longer works, just *wag again to stop instead + - bugfix: + the terror of double tailed lizards and featureless clones should now + be over + - rscdel: the emote *stopwag no longer works, just *wag again to stop instead 2015-12-21: AnturK: - - tweak: Ghost HUD and Ghost Inquisitiveness toggles are now persistent between - rounds. + - tweak: + Ghost HUD and Ghost Inquisitiveness toggles are now persistent between + rounds. Kor: - - rscadd: Malfunctioning AIs have been merged with traitor AIs. They no longer appear - in their own mode. - - rscadd: Hacking APCs now gives you points to spend on your modules. Save up enough - points and you can buy a doomsday device on a 450 second timer. - - rscadd: The detectives revolver reskins on alt click now. - - rscadd: You can now dual wield guns. Firing a gun will automatically fire the - gun held in your off hand if you are on harm intent. + - rscadd: + Malfunctioning AIs have been merged with traitor AIs. They no longer appear + in their own mode. + - rscadd: + Hacking APCs now gives you points to spend on your modules. Save up enough + points and you can buy a doomsday device on a 450 second timer. + - rscadd: The detectives revolver reskins on alt click now. + - rscadd: + You can now dual wield guns. Firing a gun will automatically fire the + gun held in your off hand if you are on harm intent. LanCartwright: - - tweak: The TC costs for nuke ops have been rebalanced. Guns, viscerators and mechs - are cheaper, ammo and borgs are more expensive. - - rscadd: Most guns can now be bought in bundles, together with some ammo and freebies - for a special discount. + - tweak: + The TC costs for nuke ops have been rebalanced. Guns, viscerators and mechs + are cheaper, ammo and borgs are more expensive. + - rscadd: + Most guns can now be bought in bundles, together with some ammo and freebies + for a special discount. The-Albinobigfoot: - - rscadd: Nuclear Operative families may once again requisition ultra-adhesive footwear. + - rscadd: Nuclear Operative families may once again requisition ultra-adhesive footwear. 2015-12-22: Iamgoofball: - - rscadd: Tesla engine has been added alongside the singularity engine to all maps. + - rscadd: Tesla engine has been added alongside the singularity engine to all maps. Joan: - - wip: 'Adds three new blob chemicals:' - - rscadd: Replicating Foam, which is brown, does brute damage, has bonus expansion, - and has a chance to expand when damaged. - - rscadd: Sporing Pods, which is light orange, does low toxin damage, and has a - chance to produce weak spores when expanding or killed. - - rscadd: Synchronous Mesh, which is teal, does brute damage and bonus damage for - each blob tile near the target, and splits damage taken between nearby blobs. - - experiment: Synchronous Mesh blobs take 25% more damage, to compensate for the - spread damage. + - wip: "Adds three new blob chemicals:" + - rscadd: + Replicating Foam, which is brown, does brute damage, has bonus expansion, + and has a chance to expand when damaged. + - rscadd: + Sporing Pods, which is light orange, does low toxin damage, and has a + chance to produce weak spores when expanding or killed. + - rscadd: + Synchronous Mesh, which is teal, does brute damage and bonus damage for + each blob tile near the target, and splits damage taken between nearby blobs. + - experiment: + Synchronous Mesh blobs take 25% more damage, to compensate for the + spread damage. Kor: - - rscadd: Cayenne will no longer be targeted by the syndicate turrets. - - tweak: Energy shields now only reflect energy projectiles. - - rscadd: Added accelerator sniper rounds to uplink, a weak projectile that ramps - up damage the farther it flies. + - rscadd: Cayenne will no longer be targeted by the syndicate turrets. + - tweak: Energy shields now only reflect energy projectiles. + - rscadd: + Added accelerator sniper rounds to uplink, a weak projectile that ramps + up damage the farther it flies. MMMiracles: - - bugfix: Saber magazines have been dropped to 21 per magazine. When asked, Nanotrasens - official ballistic department replied "There is indeed such a thing as too much - bullet." + - bugfix: + Saber magazines have been dropped to 21 per magazine. When asked, Nanotrasens + official ballistic department replied "There is indeed such a thing as too much + bullet." Xhuis: - - tweak: Stun batons can now be blocked by shields, blocked hits don't deduct charge. + - tweak: Stun batons can now be blocked by shields, blocked hits don't deduct charge. xxalpha: - - rscadd: Janitor cyborgs now have a bottle of drying agent. + - rscadd: Janitor cyborgs now have a bottle of drying agent. 2015-12-25: Joan: - - rscdel: The blob Split Consciousness ability has been removed. - - tweak: The blob mode now spawns more roundstart blobs, instead. + - rscdel: The blob Split Consciousness ability has been removed. + - tweak: The blob mode now spawns more roundstart blobs, instead. Kor: - - rscadd: AI holograms no longer drift in zero gravity + - rscadd: AI holograms no longer drift in zero gravity LanCartwright: - - tweak: Shotguns shells now have one extra pellet. + - tweak: Shotguns shells now have one extra pellet. MrStonedOne: - - bugfix: Screen shakes will no longer allow you to see through walls - - tweak: Screen shakes will now move with you when moving rather than lag your client - behind your mob - - tweak: Screen shakes are now less laggy in higher tickrates + - bugfix: Screen shakes will no longer allow you to see through walls + - tweak: + Screen shakes will now move with you when moving rather than lag your client + behind your mob + - tweak: Screen shakes are now less laggy in higher tickrates 2015-12-26: Buggy123: - - tweak: Salicyclic Acid now rapidly heals severe bruising and slowly heals minor - ones. + - tweak: + Salicyclic Acid now rapidly heals severe bruising and slowly heals minor + ones. Iamgoofball: - - tweak: Telsa energy ball now shoots only a single, powerful beam of lightning - that can arc between mobs. - - soundadd: Energy ball can now be heard when near-by. + - tweak: + Telsa energy ball now shoots only a single, powerful beam of lightning + that can arc between mobs. + - soundadd: Energy ball can now be heard when near-by. Incoming5643: - - tweak: Animated objects now revert if they have no one to attack for a while. - - rscadd: Added Golden revolver, a powerful sounding gun with large recoil. + - tweak: Animated objects now revert if they have no one to attack for a while. + - rscadd: Added Golden revolver, a powerful sounding gun with large recoil. Kor: - - rscadd: Transform Sting is now actually functional. + - rscadd: Transform Sting is now actually functional. MrStonedOne: - - tweak: Movement in no gravity now allows you to push off of things only dense - to some mobs if it is dense to you (such as tables/blob tiles) rather than just - objects that are only dense to all mobs. - - bugfix: Long/timed actions will now cancel properly if you move and quickly move - back to the right location. + - tweak: + Movement in no gravity now allows you to push off of things only dense + to some mobs if it is dense to you (such as tables/blob tiles) rather than just + objects that are only dense to all mobs. + - bugfix: + Long/timed actions will now cancel properly if you move and quickly move + back to the right location. 2015-12-27: Joan: - - rscadd: Overmind-created blobbernauts are now player-controlled if possible. - - tweak: Creating a blobbernaut no longer destroys the factory, instead doing heavy - damage to it and preventing it from spawning spores for one minute. - - tweak: You cannot spawn blobbernauts from overly damaged factories. - - rscadd: Procedure 5-6 may be issued for biohazard containment under certain situations. - - tweak: Blobs will now burst slightly later on average, and the nuke report with - the nuke code will arrive slightly earlier. + - rscadd: Overmind-created blobbernauts are now player-controlled if possible. + - tweak: + Creating a blobbernaut no longer destroys the factory, instead doing heavy + damage to it and preventing it from spawning spores for one minute. + - tweak: You cannot spawn blobbernauts from overly damaged factories. + - rscadd: Procedure 5-6 may be issued for biohazard containment under certain situations. + - tweak: + Blobs will now burst slightly later on average, and the nuke report with + the nuke code will arrive slightly earlier. Kor: - - soundadd: Spacemen now announce when they are changing magazines. - - rscadd: Command headsets now have a toggle to let you have larger radio speech. + - soundadd: Spacemen now announce when they are changing magazines. + - rscadd: Command headsets now have a toggle to let you have larger radio speech. LanCartwright: - - rscdel: The Syndicate Ship no longer spawns with Bulldog shotguns, operative have - been given 10 extra telecrystals instead. + - rscdel: + The Syndicate Ship no longer spawns with Bulldog shotguns, operative have + been given 10 extra telecrystals instead. MrStonedOne: - - bugfix: Flashes that were emp'ed were incorrectly flashing people in range of - the emper, not in range of the flash. - - tweak: Flashes in a mob's inventory that are emp'ed will only aoe stun if it is - not inside of a container like a backpack/box + - bugfix: + Flashes that were emp'ed were incorrectly flashing people in range of + the emper, not in range of the flash. + - tweak: + Flashes in a mob's inventory that are emp'ed will only aoe stun if it is + not inside of a container like a backpack/box 2015-12-28: AnturK: - - rscadd: You can now write an entire word with crayons by setting it as a buffer - and then clicking the target tiles in the right order. + - rscadd: + You can now write an entire word with crayons by setting it as a buffer + and then clicking the target tiles in the right order. Joan: - - rscdel: Blobbernauts can no longer smash walls of any type. + - rscdel: Blobbernauts can no longer smash walls of any type. MrStonedOne: - - tweak: Progress bars now have 20 states instead of 5. - - bugfix: Bump mining should be fixed. - - tweak: Long actions now checks for movement/changed hands/etc more often to prevent - edge cases. - - tweak: Multiple progress bars will now stack properly, rather than fight each - other for focus. + - tweak: Progress bars now have 20 states instead of 5. + - bugfix: Bump mining should be fixed. + - tweak: + Long actions now checks for movement/changed hands/etc more often to prevent + edge cases. + - tweak: + Multiple progress bars will now stack properly, rather than fight each + other for focus. Ressler: - - rscadd: Adds the reagent Haloperidol. - - rscadd: It is an anti-drug reagent, good for stopping assistants hyped up on meth, - bath salts, and equally illegal drugs. - - rscadd: It can be made with Chlorine, Fluorine, Aluminum, Potassium Iodide, and - Oil. + - rscadd: Adds the reagent Haloperidol. + - rscadd: + It is an anti-drug reagent, good for stopping assistants hyped up on meth, + bath salts, and equally illegal drugs. + - rscadd: + It can be made with Chlorine, Fluorine, Aluminum, Potassium Iodide, and + Oil. neersighted: - - bugfix: Make NanoUIs transfer upon (un)ghosting. - - bugfix: Fix NanoUIs jumping when resized/dragged. - - bugfix: Lots of other NanoUI bugs. + - bugfix: Make NanoUIs transfer upon (un)ghosting. + - bugfix: Fix NanoUIs jumping when resized/dragged. + - bugfix: Lots of other NanoUI bugs. 2015-12-31: Bawhoppen: - - rscadd: Nanotrasen has opened the availability of tactical SWAT gear to station's - cargo department - - rscadd: Due to a new trade agreement with Chinese space suit manufacturers, Nanotrasen - can now obtain basic space suits much cheaper; This has been reflected in the - cargo prices - - rscadd: Amateur medieval enthusiasts have found a quick way to easily make wooden - bucklers. + - rscadd: + Nanotrasen has opened the availability of tactical SWAT gear to station's + cargo department + - rscadd: + Due to a new trade agreement with Chinese space suit manufacturers, Nanotrasen + can now obtain basic space suits much cheaper; This has been reflected in the + cargo prices + - rscadd: + Amateur medieval enthusiasts have found a quick way to easily make wooden + bucklers. Joan: - - imageadd: Replaced every book sprite in the game with new, consistent versions. - - imageadd: Except the one-use wizard spellbooks, which already got new sprites. + - imageadd: Replaced every book sprite in the game with new, consistent versions. + - imageadd: Except the one-use wizard spellbooks, which already got new sprites. PKPenguin321: - - rscadd: Chest implants have been added that allow you to morph your arms into - a gun and back at will. There are two variants, a taser version and a laser - version. Both versions are self-charging. Getting EMPed with one of these implants - results in the implant breaking and loads of fire damage. The implants are currently - admin-only. - - tweak: The telecrystal price for thermal imaging goggles has been lowered from - 6 to 4. + - rscadd: + Chest implants have been added that allow you to morph your arms into + a gun and back at will. There are two variants, a taser version and a laser + version. Both versions are self-charging. Getting EMPed with one of these implants + results in the implant breaking and loads of fire damage. The implants are currently + admin-only. + - tweak: + The telecrystal price for thermal imaging goggles has been lowered from + 6 to 4. incoming5643: - - rscadd: The wizard federation has finally updated their assortment of guns for - the summon guns event. Look forward to getting shot in the face with a whole - new batch of interesting and rarely seen weaponry! + - rscadd: + The wizard federation has finally updated their assortment of guns for + the summon guns event. Look forward to getting shot in the face with a whole + new batch of interesting and rarely seen weaponry! 2016-01-01: Iamgoofball: - - experiment: Redid how objectives are assigned, they're now a lot more random in - terms of what you can get. + - experiment: + Redid how objectives are assigned, they're now a lot more random in + terms of what you can get. Incoming5643: - - tweak: Removed gender restrictions from socks. + - tweak: Removed gender restrictions from socks. Joan: - - rscdel: Storage Blobs are gone; they were effectively a waste of resources, as - there are more or less no points at which you should need them, unless you were - winning excessively hard. - - rscdel: Blobs can no longer burst early; instead, the button gives some early - help and serves to indicate you're a blob. - - wip: Blobbernauts now poll candidates instead of grabbing a candidate immediately. - The poll is 5 seconds, so that there's no significant pause between making a - blobbernaut and it doing stuff. - - rscadd: Blobbernaut creation replaces Storage Blob creation on the blob HUD. - - tweak: Overmind communication is now much larger and easier to see, and blob mobs, - such as blobbernauts, will hear it. + - rscdel: + Storage Blobs are gone; they were effectively a waste of resources, as + there are more or less no points at which you should need them, unless you were + winning excessively hard. + - rscdel: + Blobs can no longer burst early; instead, the button gives some early + help and serves to indicate you're a blob. + - wip: + Blobbernauts now poll candidates instead of grabbing a candidate immediately. + The poll is 5 seconds, so that there's no significant pause between making a + blobbernaut and it doing stuff. + - rscadd: Blobbernaut creation replaces Storage Blob creation on the blob HUD. + - tweak: + Overmind communication is now much larger and easier to see, and blob mobs, + such as blobbernauts, will hear it. Kor: - - rscadd: The wizard has a new spell, Lesser Summon Guns. This summons an unending - stream of single shot bolt action rifles into his hands, automatically replacing - themselves as you fire. - - bugfix: Fixes successive generations of grey tide clones not despawning. - - tweak: Using challenge ops now delays shuttle refuel. - - rscadd: Added a new wizard event, Advanced Darkness. + - rscadd: + The wizard has a new spell, Lesser Summon Guns. This summons an unending + stream of single shot bolt action rifles into his hands, automatically replacing + themselves as you fire. + - bugfix: Fixes successive generations of grey tide clones not despawning. + - tweak: Using challenge ops now delays shuttle refuel. + - rscadd: Added a new wizard event, Advanced Darkness. MrStonedOne: - - experiment: GHOST POPUP RE-WORK - - bugfix: Ghost popups will no longer steal focus - - bugfix: Ghost popups will no longer submit on key press (regardless of focus) - unless you tab to a button first - - tweak: Ghost popups will close themselves after the time out has ended - - rscadd: Ghost popups are now themed. - - tweak: Long actions (like resisting out of handcuffs) will no longer count space/nograv - drifting as the user moving. - - tweak: This does not apply to the target of a long action if that target isn't - you. Pulling something while space drifting and working on it intentionally - won't work. + - experiment: GHOST POPUP RE-WORK + - bugfix: Ghost popups will no longer steal focus + - bugfix: + Ghost popups will no longer submit on key press (regardless of focus) + unless you tab to a button first + - tweak: Ghost popups will close themselves after the time out has ended + - rscadd: Ghost popups are now themed. + - tweak: + Long actions (like resisting out of handcuffs) will no longer count space/nograv + drifting as the user moving. + - tweak: + This does not apply to the target of a long action if that target isn't + you. Pulling something while space drifting and working on it intentionally + won't work. 2016-01-02: Kor: - - rscadd: Guardians/Parasites are now named after constellations, and have new sprites - from Ausops. + - rscadd: + Guardians/Parasites are now named after constellations, and have new sprites + from Ausops. Kor and GunHog: - - rscadd: Malfunctioning AIs can now purchase Enhanced Surveillance for 30 points, - which allows them to "hear" with their camera eye. + - rscadd: + Malfunctioning AIs can now purchase Enhanced Surveillance for 30 points, + which allows them to "hear" with their camera eye. MMMiracles: - - rscadd: A distress signal was recently discovered with gateway coordinates attached - to a far-off research facility owned by Nanotrasen. The signal was sent out - in hopes of someone competent receiving it, unfortunately, your station was - the only one to respond. Local security forces may not be welcoming your arrival - group with open arms. + - rscadd: + A distress signal was recently discovered with gateway coordinates attached + to a far-off research facility owned by Nanotrasen. The signal was sent out + in hopes of someone competent receiving it, unfortunately, your station was + the only one to respond. Local security forces may not be welcoming your arrival + group with open arms. 2016-01-07: KorPhaeron: - - tweak: Doubled cost of Lesser Summon Guns to 4 and increased charge time to 75 - seconds. + - tweak: + Doubled cost of Lesser Summon Guns to 4 and increased charge time to 75 + seconds. TrustyGun: - - rscadd: 'Added two new UI styles: black and green Operative and pale green Slimecore.' + - rscadd: "Added two new UI styles: black and green Operative and pale green Slimecore." 2016-01-09: Wjohnston: - - wip: AI Satellite has been remapped to make it more secure. + - wip: AI Satellite has been remapped to make it more secure. 2016-01-11: Joan: - - rscdel: Blob cores and nodes no longer cause normal pulsed blobs to animate. Factories - and resource nodes will still animate. - - imageadd: Holoparasite sprites have been updated again, are now named after silvery - metals and flowers and can also be colored purple, blue or yellow. + - rscdel: + Blob cores and nodes no longer cause normal pulsed blobs to animate. Factories + and resource nodes will still animate. + - imageadd: + Holoparasite sprites have been updated again, are now named after silvery + metals and flowers and can also be colored purple, blue or yellow. xxalpha: - - tweak: Pipes and cables under walls, intact floors, grilles and reinforced windows - will now be shielded from explosions until exposed. + - tweak: + Pipes and cables under walls, intact floors, grilles and reinforced windows + will now be shielded from explosions until exposed. 2016-01-13: Joan: - - imageadd: Alien whisper ability has a new icon + - imageadd: Alien whisper ability has a new icon MrStonedOne: - - tweak: Control clicking on the thing you are pulling will no longer unpull, instead - control clicking on anything too far away to be pulled will unpull. (reminder - that the delete key also unpulls) + - tweak: + Control clicking on the thing you are pulling will no longer unpull, instead + control clicking on anything too far away to be pulled will unpull. (reminder + that the delete key also unpulls) OneArmedYeti: - - imageadd: To help with colorblindness, gang HUDs have been changed so leaders - have a border and normal gangster icons are smaller. + - imageadd: + To help with colorblindness, gang HUDs have been changed so leaders + have a border and normal gangster icons are smaller. 2016-01-15: Joan: - - bugfix: Holoparasites can no longer beat their owner to death while inside of - them. - - spellcheck: Updates traitor holoparasite descriptions for accuracy. - - spellcheck: Adds 8 additional silvery metals to the holoparasite name pool. - - imageadd: Adds two new holoparasite colors, light purple and red. - - imageadd: Holoparasite HUD buttons now have new sprites. - - imageadd: Adds glow effects when guardians teleport or recall, including fire - guardian teleporting and support guardian teleporting. + - bugfix: + Holoparasites can no longer beat their owner to death while inside of + them. + - spellcheck: Updates traitor holoparasite descriptions for accuracy. + - spellcheck: Adds 8 additional silvery metals to the holoparasite name pool. + - imageadd: Adds two new holoparasite colors, light purple and red. + - imageadd: Holoparasite HUD buttons now have new sprites. + - imageadd: + Adds glow effects when guardians teleport or recall, including fire + guardian teleporting and support guardian teleporting. Kor: - - rscadd: Washing machines are activated via alt+click rather than a right click - verb. + - rscadd: + Washing machines are activated via alt+click rather than a right click + verb. 2016-01-16: Joan: - - imageadd: Alien queens and praetorians have suitably large speechbubbles. - - imageadd: Syndicate cyborgs and syndrones have suitably evil robotic speechbubbles. - - imageadd: Blob mobs have suitably uncomfortable-looking speechbubbles. - - imageadd: Holoparasites and guardians have suitably robotic and magical speechbubbles. - - imageadd: Swarmers have suitably holographic speechbubbles. - - imageadd: Slimes have suitably slimy speechbubbles. + - imageadd: Alien queens and praetorians have suitably large speechbubbles. + - imageadd: Syndicate cyborgs and syndrones have suitably evil robotic speechbubbles. + - imageadd: Blob mobs have suitably uncomfortable-looking speechbubbles. + - imageadd: Holoparasites and guardians have suitably robotic and magical speechbubbles. + - imageadd: Swarmers have suitably holographic speechbubbles. + - imageadd: Slimes have suitably slimy speechbubbles. 2016-01-17: Joan: - - bugfix: You can once again repair a hacked APC by using an APC frame on it instead - of welding it off the wall, at the same stage as you'd weld it off the wall. + - bugfix: + You can once again repair a hacked APC by using an APC frame on it instead + of welding it off the wall, at the same stage as you'd weld it off the wall. MrStonedOne: - - bugfix: Control clicking on a turf now un-pulls + - bugfix: Control clicking on a turf now un-pulls 2016-01-19: neersighted: - - rscadd: Many many interfaces have been ported to tgui; uplinks and MULEbots being - the most important - - rscadd: You can now tune radios by entering a frequency - - bugfix: Air Alarms now support any gas + - rscadd: + Many many interfaces have been ported to tgui; uplinks and MULEbots being + the most important + - rscadd: You can now tune radios by entering a frequency + - bugfix: Air Alarms now support any gas 2016-01-23: neersighted: - - experiment: Refactor wires; port wire interface to tgui. - - rscadd: Wire colors are now fully randomized. - - rscdel: Remove pizza bombs, as the code and sprites were terrible. - - rscadd: Add pizza bomb cores, which can be combined with a pizza box to make a - pizza bomb. + - experiment: Refactor wires; port wire interface to tgui. + - rscadd: Wire colors are now fully randomized. + - rscdel: Remove pizza bombs, as the code and sprites were terrible. + - rscadd: + Add pizza bomb cores, which can be combined with a pizza box to make a + pizza bomb. octareenroon91: - - bugfix: Chemistry machinery should now all equally accept beakers, drinking glasses, - etc. + - bugfix: + Chemistry machinery should now all equally accept beakers, drinking glasses, + etc. 2016-01-27: Joan: - - tweak: Golems have about a 40% chance to stun with punches, from about 60%. - - tweak: Millitary Synths have about a 50% chance to stun with punches, from literally - 100%. - - wip: Blobbernaut creation costs 30 points, and does much more damage to the factory. - - rscdel: Blob factories regenerate at half normal rate. - - tweak: Blob reagents tweaked; - - rscadd: Ripping Tendrils does slightly more brute damage, but less stamina damage. - - rscdel: Lexorin Jelly does less brute damage. - - rscadd: Energized Fibers does slightly more burn damage. - - rscadd: Sporing Pods does slightly more toxin damage. - - rscadd: Replicating Foam will try to replicate when hit more often. - - rscadd: Hallucinogenic Nectar does slightly more toxin damage and causes hallucinations - for longer. - - rscadd: Cryogenic Liquid does more burn damage. - - experiment: Synchronous Mesh does slightly less damage with one blob but massive - damage with more than one nearby blob. - - rscdel: Dark Matter does less brute damage. - - rscdel: Sorium does slightly less brute damage. - - rscdel: Pressurized Slime has a lower chance to emit water when killed and when - attacking targets. - - tweak: Supermatter explosion is no longer capped, and under normal conditions - will produce a 8/16/24 explosion when delaminating. - - imageadd: Blob tiles now do an attack animation when failing to expand into a - turf. - - imageadd: Overmind-directed expansion is more visible than automatic expansion. + - tweak: Golems have about a 40% chance to stun with punches, from about 60%. + - tweak: + Millitary Synths have about a 50% chance to stun with punches, from literally + 100%. + - wip: Blobbernaut creation costs 30 points, and does much more damage to the factory. + - rscdel: Blob factories regenerate at half normal rate. + - tweak: Blob reagents tweaked; + - rscadd: Ripping Tendrils does slightly more brute damage, but less stamina damage. + - rscdel: Lexorin Jelly does less brute damage. + - rscadd: Energized Fibers does slightly more burn damage. + - rscadd: Sporing Pods does slightly more toxin damage. + - rscadd: Replicating Foam will try to replicate when hit more often. + - rscadd: + Hallucinogenic Nectar does slightly more toxin damage and causes hallucinations + for longer. + - rscadd: Cryogenic Liquid does more burn damage. + - experiment: + Synchronous Mesh does slightly less damage with one blob but massive + damage with more than one nearby blob. + - rscdel: Dark Matter does less brute damage. + - rscdel: Sorium does slightly less brute damage. + - rscdel: + Pressurized Slime has a lower chance to emit water when killed and when + attacking targets. + - tweak: + Supermatter explosion is no longer capped, and under normal conditions + will produce a 8/16/24 explosion when delaminating. + - imageadd: + Blob tiles now do an attack animation when failing to expand into a + turf. + - imageadd: Overmind-directed expansion is more visible than automatic expansion. Kor: - - rscadd: Capture the flag has been added in space near central command. The spawners - are disabled by default, so be sure to harass admins when you die until they - let you play. The arena was mapped by Ausops. - - rscadd: Nuke ops can purchase mosin nagants for 2 telecrystals. + - rscadd: + Capture the flag has been added in space near central command. The spawners + are disabled by default, so be sure to harass admins when you die until they + let you play. The arena was mapped by Ausops. + - rscadd: Nuke ops can purchase mosin nagants for 2 telecrystals. MrStonedOne: - - bugfix: Fixes the powersink drawing less power than the smeses put out. - - tweak: Made the powersink hold significantly more power before overloading and - going boom. - - tweak: Buffed the explosion of the power sink when it overloads. You are suggested - to think twice about wiring the engine to the grid. + - bugfix: Fixes the powersink drawing less power than the smeses put out. + - tweak: + Made the powersink hold significantly more power before overloading and + going boom. + - tweak: + Buffed the explosion of the power sink when it overloads. You are suggested + to think twice about wiring the engine to the grid. PKPenguin321: - - rscadd: The Autoimplanter, a device that can insert cyberimplants into humans - instantly and without the need of surgery, has been added to the game. It is - currently only obtainable by nuke ops, by way of being included in the Box of - Implants. + - rscadd: + The Autoimplanter, a device that can insert cyberimplants into humans + instantly and without the need of surgery, has been added to the game. It is + currently only obtainable by nuke ops, by way of being included in the Box of + Implants. 2016-01-28: Joan: - - rscadd: Blobs can communicate before bursting to allow for more coordination. + - rscadd: Blobs can communicate before bursting to allow for more coordination. Kor: - - rscadd: Butchering mobs by attacking them with sharp objects will only happen - on harm intent. This means it is possible to do surgery on aliens again. + - rscadd: + Butchering mobs by attacking them with sharp objects will only happen + on harm intent. This means it is possible to do surgery on aliens again. 2016-01-29: Joan: - - rscadd: Holoparasites can now see their summoner's health at all times. The health - displayed is a percentage, with 0 being dead. - - imageadd: Holoparasites now have visual flashes on the summoner's location when - recalled due to range limits and when manifesting. + - rscadd: + Holoparasites can now see their summoner's health at all times. The health + displayed is a percentage, with 0 being dead. + - imageadd: + Holoparasites now have visual flashes on the summoner's location when + recalled due to range limits and when manifesting. Kor: - - rscadd: Red xenobio potions now work on vehicles (janitor cart, ATV, secway, etc), - causing them to go faster. - - rscadd: Stuffing people in bins uses clickdrag instead of grab. + - rscadd: + Red xenobio potions now work on vehicles (janitor cart, ATV, secway, etc), + causing them to go faster. + - rscadd: Stuffing people in bins uses clickdrag instead of grab. 2016-01-30: Boredone: - - tweak: Due to an experiment gone wrong, the Research Director's Teleport Armor - now causes some mild radiation poisoning on teleportation to the wearer. + - tweak: + Due to an experiment gone wrong, the Research Director's Teleport Armor + now causes some mild radiation poisoning on teleportation to the wearer. Francinum: - - rscadd: Added two new female underwear styles. + - rscadd: Added two new female underwear styles. Kor: - - rscadd: You can now use the abandoned white ship as an escape route at round end. - This is possible on Box, Meta, and Dream. - - rscadd: Added support so that mappers can make any shuttle function as an escape - shuttle. + - rscadd: + You can now use the abandoned white ship as an escape route at round end. + This is possible on Box, Meta, and Dream. + - rscadd: + Added support so that mappers can make any shuttle function as an escape + shuttle. MMMiracles: - - rscadd: Three new bra sets have been added for the ladies out there who want to - show their patriotism. + - rscadd: + Three new bra sets have been added for the ladies out there who want to + show their patriotism. xxalpha: - - rscadd: Blueprints will now allow the expansion of an existing area by giving - its name to a new adjacent area. - - rscadd: Added a no power warning cyborg verb to Robot Commands. + - rscadd: + Blueprints will now allow the expansion of an existing area by giving + its name to a new adjacent area. + - rscadd: Added a no power warning cyborg verb to Robot Commands. 2016-01-31: Kor: - - rscadd: Added a special AI upgrade disk that allows normal AIs to use malf modules - and hack APCs. It is admin only. - - rscadd: Added an AI upgrade disk that grants AIs the lipreading power. It is admin - only. + - rscadd: + Added a special AI upgrade disk that allows normal AIs to use malf modules + and hack APCs. It is admin only. + - rscadd: + Added an AI upgrade disk that grants AIs the lipreading power. It is admin + only. 2016-02-01: Erwgd: - - rscadd: The Kitchen Vending machine now stocks salt shakers and pepper mills! - - rscadd: The NutriMax now stocks spades, cultivators and plant analyzers. - - rscadd: Rice seeds are now stocked in the MegaSeed Servitor, and the seeds supply - crate now contains a pack of rice seeds. - - rscdel: Botanists should be aware that wheat stalks can no longer mutate into - rice. + - rscadd: The Kitchen Vending machine now stocks salt shakers and pepper mills! + - rscadd: The NutriMax now stocks spades, cultivators and plant analyzers. + - rscadd: + Rice seeds are now stocked in the MegaSeed Servitor, and the seeds supply + crate now contains a pack of rice seeds. + - rscdel: + Botanists should be aware that wheat stalks can no longer mutate into + rice. Fayrik: - - rscadd: pAI cards can now be inserted into simple robots, to allow for more robust - robot personalities. + - rscadd: + pAI cards can now be inserted into simple robots, to allow for more robust + robot personalities. PKPenguin321: - - rscadd: You can now store knives, pens, switchblades, and energy daggers in certain - types of shoes (such as jackboots, workboots, winter boots, combat boots, or - no-slips). - - rscadd: Horns can now be stored in clown shoes. Honk. + - rscadd: + You can now store knives, pens, switchblades, and energy daggers in certain + types of shoes (such as jackboots, workboots, winter boots, combat boots, or + no-slips). + - rscadd: Horns can now be stored in clown shoes. Honk. TrustyGun: - - rscadd: Adds gag handcuffs to the prize pool for arcade machines. They act like - regular handcuffs, but you break out of them in a second. + - rscadd: + Adds gag handcuffs to the prize pool for arcade machines. They act like + regular handcuffs, but you break out of them in a second. WJohnston: - - rscadd: Adds missing booze & soda dispenser, library console, fixes door access - and a few other minor things to Efficiency Station - - rscadd: Also adds direction tags so people can find their way around better. + - rscadd: + Adds missing booze & soda dispenser, library console, fixes door access + and a few other minor things to Efficiency Station + - rscadd: Also adds direction tags so people can find their way around better. bgobandit: - - rscadd: On Valentine's Day, all spacemen will receive candy hearts and valentines - for their special someones! Label valentines with a pen. - - rscadd: Note that today is not Valentine's Day. + - rscadd: + On Valentine's Day, all spacemen will receive candy hearts and valentines + for their special someones! Label valentines with a pen. + - rscadd: Note that today is not Valentine's Day. 2016-02-05: Joan: - - experiment: Blob expansion is faster near the expanding blob, but slower further - away from it. - - tweak: Blob spores produce a slightly larger smoke cloud when dying. Sporing Pods - spores and blob zombies produce the current small cloud. - - rscdel: Blobbernauts can no longer pull anything at all. - - tweak: Blobbernauts health reduced to 200, but blobbernauts now take half brute - damage. - - tweak: Blobbernauts now take massive damage from fire. - - tweak: Blobbernauts do approximately 3 more damage when attacking. - - wip: Replicating Foam will expand more actively when damaged. - - rscadd: Adds Electromagnetic Web, which is light blue, does burn damage and EMPs - targets, and causes a small EMP when dying. - - rscadd: Electromagnetic Web takes more damage; a normal blob that hasn't been - near a node or the core for 6~ seconds can be oneshotted by a laser. - - rscadd: Anomalies, such as pyroclastic and vortex anomalies, now appear at the - bottom of the ghost orbit and observe menus. + - experiment: + Blob expansion is faster near the expanding blob, but slower further + away from it. + - tweak: + Blob spores produce a slightly larger smoke cloud when dying. Sporing Pods + spores and blob zombies produce the current small cloud. + - rscdel: Blobbernauts can no longer pull anything at all. + - tweak: + Blobbernauts health reduced to 200, but blobbernauts now take half brute + damage. + - tweak: Blobbernauts now take massive damage from fire. + - tweak: Blobbernauts do approximately 3 more damage when attacking. + - wip: Replicating Foam will expand more actively when damaged. + - rscadd: + Adds Electromagnetic Web, which is light blue, does burn damage and EMPs + targets, and causes a small EMP when dying. + - rscadd: + Electromagnetic Web takes more damage; a normal blob that hasn't been + near a node or the core for 6~ seconds can be oneshotted by a laser. + - rscadd: + Anomalies, such as pyroclastic and vortex anomalies, now appear at the + bottom of the ghost orbit and observe menus. Kor: - - rscadd: Nuke ops can purchase sentience potions for 4tc + - rscadd: Nuke ops can purchase sentience potions for 4tc MMMiracles: - - tweak: Bulldog now starts with stun-slugs instead of its usual 60-brute slugs. - Slugs now cost 3 TC instead of 2. - - tweak: Most SAW ammo has been slightly buffed in damage so maybe it'll be worth - buying now along with a slight cost decrease for the gun itself. - - tweak: Incen shells for the shotgun now apply extra firestacks on hit so it actually - sets people on fire instead of turning them into a light show. - - tweak: Incen rounds for the SAW now leave a fire trail similar to the bulldog's - dragonsbreath round. - - rscadd: Nuke Ops now have the ability to purchase breaching shells, a weaker variant - of the meteorslugs that can still push back people/airlocks/mechs/corgis. - - bugfix: SAW should now use its in-hand sprites for an open-closed magazine + - tweak: + Bulldog now starts with stun-slugs instead of its usual 60-brute slugs. + Slugs now cost 3 TC instead of 2. + - tweak: + Most SAW ammo has been slightly buffed in damage so maybe it'll be worth + buying now along with a slight cost decrease for the gun itself. + - tweak: + Incen shells for the shotgun now apply extra firestacks on hit so it actually + sets people on fire instead of turning them into a light show. + - tweak: + Incen rounds for the SAW now leave a fire trail similar to the bulldog's + dragonsbreath round. + - rscadd: + Nuke Ops now have the ability to purchase breaching shells, a weaker variant + of the meteorslugs that can still push back people/airlocks/mechs/corgis. + - bugfix: SAW should now use its in-hand sprites for an open-closed magazine PKPenguin321: - - rscadd: You can now sharpen carrots into shivs by using a knife or hatchet on - them. + - rscadd: + You can now sharpen carrots into shivs by using a knife or hatchet on + them. bgobandit: - - rscadd: Seven new emoji have been added to hasten the death of the English language. + - rscadd: Seven new emoji have been added to hasten the death of the English language. octareenroon91: - - rscadd: Player-controlled medibots can examine a patient to know what chems are - in the patient's body. - - bugfix: autolathes have been showing extra copies of the hacked designs, but no - more. + - rscadd: + Player-controlled medibots can examine a patient to know what chems are + in the patient's body. + - bugfix: + autolathes have been showing extra copies of the hacked designs, but no + more. 2016-02-06: LordPidey: - - rscadd: Added suicide command for pipe valves. It's quite messy. + - rscadd: Added suicide command for pipe valves. It's quite messy. Lzimann: - - tweak: Combat Mechas now have a increased chance of destroying a wall with punches - (40% for walls and 20% for reinforced walls)! - - rscadd: Combat mechas can now destroy tables and racks with a punch! + - tweak: + Combat Mechas now have a increased chance of destroying a wall with punches + (40% for walls and 20% for reinforced walls)! + - rscadd: Combat mechas can now destroy tables and racks with a punch! neersighted: - - rscadd: The Syndicate has stolen the latest tgui improvements from Nanotrasen! - All uplinks now feature filtering/search. - - rscadd: Nanotrasen is proud to announce its next generation sleepers, featuring - tgui! - - rscadd: Portable atmospheric components have been overhauled to use the latest - interface technology. - - rscdel: The Area Atmosphere Computer has been removed. - - rscadd: Huge scrubbers now require power. - - rscdel: Borg jetpacks are now refilled from a recharger and not a canister. - - rscadd: Power monitors now have a state of the art graph. Hopefully they're actually - useful to someone. - - rscadd: Cargo consoles have been redesigned and now feature search and a shopping - cart! + - rscadd: + The Syndicate has stolen the latest tgui improvements from Nanotrasen! + All uplinks now feature filtering/search. + - rscadd: + Nanotrasen is proud to announce its next generation sleepers, featuring + tgui! + - rscadd: + Portable atmospheric components have been overhauled to use the latest + interface technology. + - rscdel: The Area Atmosphere Computer has been removed. + - rscadd: Huge scrubbers now require power. + - rscdel: Borg jetpacks are now refilled from a recharger and not a canister. + - rscadd: + Power monitors now have a state of the art graph. Hopefully they're actually + useful to someone. + - rscadd: + Cargo consoles have been redesigned and now feature search and a shopping + cart! 2016-02-08: Incoming5643: - - rscadd: Poly will now speak a line or emote when pet. - - rscadd: Poly now responds to getting fed crackers by becoming more annoying for - the round. - - experiment: Every day he is growing stronger + - rscadd: Poly will now speak a line or emote when pet. + - rscadd: + Poly now responds to getting fed crackers by becoming more annoying for + the round. + - experiment: Every day he is growing stronger Kor: - - rscadd: A certain hygiene obsessed alien is now obtainable via xenobiology gold - cores. - - rscadd: Add laserguns with swappable, rechargeable magazines. They are adminspawn - only. - - rscadd: Operatives now get their pinpointers in their pocket when they spawn, - meaning reinforcements automatically come with them (and hopefully people stop - forgetting them in general). - - rscadd: Capture the flag now features a high speed instagib mode, with guns courtesy - of MMMiracles. + - rscadd: + A certain hygiene obsessed alien is now obtainable via xenobiology gold + cores. + - rscadd: + Add laserguns with swappable, rechargeable magazines. They are adminspawn + only. + - rscadd: + Operatives now get their pinpointers in their pocket when they spawn, + meaning reinforcements automatically come with them (and hopefully people stop + forgetting them in general). + - rscadd: + Capture the flag now features a high speed instagib mode, with guns courtesy + of MMMiracles. phil235: - - tweak: The vision updates for mobs are now instantaneous (e.g. you don't have - to wait one second to see again when removing your welding helmet) - - tweak: Your vision is now affected when you're inside something or viewing through - a camera. You can no longer see mobs or objects when ventcrawling (unless you - have xray for example), an xray user viewing through a camera do not see through - walls around the camera. On the other hand, cameras with an xray upgrade let - you see through walls. Unfocused camera now give you the same effect as when - you are nearsighted. Being inside closets, morgue container and disposal bins - give you some vision impairments. - - rscadd: The ability to toggle your hud on and off (with f12) is now available - to all mobs not just humans. + - tweak: + The vision updates for mobs are now instantaneous (e.g. you don't have + to wait one second to see again when removing your welding helmet) + - tweak: + Your vision is now affected when you're inside something or viewing through + a camera. You can no longer see mobs or objects when ventcrawling (unless you + have xray for example), an xray user viewing through a camera do not see through + walls around the camera. On the other hand, cameras with an xray upgrade let + you see through walls. Unfocused camera now give you the same effect as when + you are nearsighted. Being inside closets, morgue container and disposal bins + give you some vision impairments. + - rscadd: + The ability to toggle your hud on and off (with f12) is now available + to all mobs not just humans. 2016-02-09: AnturK: - - rscadd: Syndicate Operatives can now buy bags full of plastic explosives for 9 - TC. + - rscadd: + Syndicate Operatives can now buy bags full of plastic explosives for 9 + TC. Gun Hog: - - rscadd: '"Nanotrasen has drafted a design for an exosuit version of the medical - nanite projector normally issued to its Emergency Response Personnel. With sufficient - research, a prototype may be fabricated for field testing!"' + - rscadd: + '"Nanotrasen has drafted a design for an exosuit version of the medical + nanite projector normally issued to its Emergency Response Personnel. With sufficient + research, a prototype may be fabricated for field testing!"' incoming5643: - - rscadd: The wizard spell wild shapeshift has been made less terrible. + - rscadd: The wizard spell wild shapeshift has been made less terrible. neersighted: - - rscadd: Internals tanks now provide an action button - - rscadd: Jetpacks now emit the gas consumed for propulsion onto their turf - - rscdel: Jetpacks no longer have object verbs - - rscdel: tgui no longer has internals buttons - - bugfix: Malf AI's flood ability now correctly sets vent pressure bounds -- the - results are devastating... Try it! + - rscadd: Internals tanks now provide an action button + - rscadd: Jetpacks now emit the gas consumed for propulsion onto their turf + - rscdel: Jetpacks no longer have object verbs + - rscdel: tgui no longer has internals buttons + - bugfix: + Malf AI's flood ability now correctly sets vent pressure bounds -- the + results are devastating... Try it! 2016-02-10: Joan: - - rscadd: Blob mobs now heal for 2.5% of their maxhealth when blob_act()ed, basically - whenever they're on blobs near a node or the core. - - tweak: Blob expansion no longer has a chance to fail inversely proportional with - the expanding blob's health. Blobs still, however, expand at roughly the same - rate as they do currently. - - experiment: Adds five new blob chemicals. - - rscadd: Adds Penetrating Spines, which is sea green and does brute damage through - armor. The damage can still be reduced by bio protection. - - rscadd: Adds Explosive Lattice, which is dark orange and does brute damage to - all mobs near the target. Explosive Lattice is very resistant to explosions. - - rscadd: Adds Cyclonic Grid, which is a light blueish green and does oxygen damage, - in addition to randomly throwing or pulling nearby objects. - - rscadd: Adds Zombifying Feelers, which is a fleshy zombie color and does toxin - damage, in addition to killing and reviving unconscious humans as blob zombies. - - rscadd: Adds Regenerative Materia, which is light pink and does toxin damage, - in addition to making the attacked mob think it is at full health. - - wip: Tweaks some of the existing blob chemicals slightly. - - rscadd: Sporing Pods can produce spores when killed by damage less than 21, from - less than 20. This means lasers can produce spores. - - rscadd: Reactive Gelatin has a slightly higher maximum damage and will attack - the nearby area when hit with brute damage projectiles, from just when attacked - by brute damage in melee. - - tweak: Sorium, Dark Matter, and the new Cyclonic Grid will not throw mobs with - the 'blob' faction, such as blobbernauts and spores. + - rscadd: + Blob mobs now heal for 2.5% of their maxhealth when blob_act()ed, basically + whenever they're on blobs near a node or the core. + - tweak: + Blob expansion no longer has a chance to fail inversely proportional with + the expanding blob's health. Blobs still, however, expand at roughly the same + rate as they do currently. + - experiment: Adds five new blob chemicals. + - rscadd: + Adds Penetrating Spines, which is sea green and does brute damage through + armor. The damage can still be reduced by bio protection. + - rscadd: + Adds Explosive Lattice, which is dark orange and does brute damage to + all mobs near the target. Explosive Lattice is very resistant to explosions. + - rscadd: + Adds Cyclonic Grid, which is a light blueish green and does oxygen damage, + in addition to randomly throwing or pulling nearby objects. + - rscadd: + Adds Zombifying Feelers, which is a fleshy zombie color and does toxin + damage, in addition to killing and reviving unconscious humans as blob zombies. + - rscadd: + Adds Regenerative Materia, which is light pink and does toxin damage, + in addition to making the attacked mob think it is at full health. + - wip: Tweaks some of the existing blob chemicals slightly. + - rscadd: + Sporing Pods can produce spores when killed by damage less than 21, from + less than 20. This means lasers can produce spores. + - rscadd: + Reactive Gelatin has a slightly higher maximum damage and will attack + the nearby area when hit with brute damage projectiles, from just when attacked + by brute damage in melee. + - tweak: + Sorium, Dark Matter, and the new Cyclonic Grid will not throw mobs with + the 'blob' faction, such as blobbernauts and spores. Kor: - - rscadd: The chaplain can now transform the null rod into a holy weapon of his - choice by using it in hand. Each one has different strengths and drawbacks. + - rscadd: + The chaplain can now transform the null rod into a holy weapon of his + choice by using it in hand. Each one has different strengths and drawbacks. MrStonedOne: - - tweak: Tesla balance changes - - tweak: Tesla will now require increasingly more energy to trigger new orbiting - balls. First ball comes with 32 energy (down from 300), fourth requires 256 - (down from 1200), and so on and on, doubling with each new ball. Balls after - 7 are increasingly harder to get than before, whereas balls before 6 are easier - to get. - - rscadd: MULTIBOLT IS BACK! - - tweak: Be warned that in multibolt all but 1 primary bolt now have a random shocking - range, meaning they may still target a close human over a far away grounding - rod as the rod may be out of range. - - tweak: Power output of tesla massively dropped, it should no longer put out almost - twice the power of a stage 3 singulo with maxed collectors without any balls, - you'll need at least 3 balls for that now. - - tweak: Tesla can now lose power, causing ball count to drop. Tesla will never - shrink out of existence, just lose its balls. - - tweak: Tesla is now more likely to head in the direction of the thing it last - zapped. + - tweak: Tesla balance changes + - tweak: + Tesla will now require increasingly more energy to trigger new orbiting + balls. First ball comes with 32 energy (down from 300), fourth requires 256 + (down from 1200), and so on and on, doubling with each new ball. Balls after + 7 are increasingly harder to get than before, whereas balls before 6 are easier + to get. + - rscadd: MULTIBOLT IS BACK! + - tweak: + Be warned that in multibolt all but 1 primary bolt now have a random shocking + range, meaning they may still target a close human over a far away grounding + rod as the rod may be out of range. + - tweak: + Power output of tesla massively dropped, it should no longer put out almost + twice the power of a stage 3 singulo with maxed collectors without any balls, + you'll need at least 3 balls for that now. + - tweak: + Tesla can now lose power, causing ball count to drop. Tesla will never + shrink out of existence, just lose its balls. + - tweak: + Tesla is now more likely to head in the direction of the thing it last + zapped. PKPenguin321: - - rscadd: Chameleon Jumpsuits now have slight melee, bullet, and laser protection. - - tweak: The armor values for security helmets, caps, and berets have all been brought - in line. Consequently, helmets and berets are a teeny bit better, and caps now - have the slight bomb protection that the other two had. - - experiment: The time needed to complete most tablecrafting recipes has been cut - in half to make tablecrafting less annoying to use. + - rscadd: Chameleon Jumpsuits now have slight melee, bullet, and laser protection. + - tweak: + The armor values for security helmets, caps, and berets have all been brought + in line. Consequently, helmets and berets are a teeny bit better, and caps now + have the slight bomb protection that the other two had. + - experiment: + The time needed to complete most tablecrafting recipes has been cut + in half to make tablecrafting less annoying to use. Shadowlight213: - - rscadd: pAI controlled mulebots can now run people over. - - tweak: Mulebot health has been greatly decreased. + - rscadd: pAI controlled mulebots can now run people over. + - tweak: Mulebot health has been greatly decreased. neersighted: - - rscadd: Horizontal (lying) mobs now fit into crates - - rscadd: Mobs may now be stuffed into crates, as with lockers - - rscadd: Stuffing into a locker deals a mild stun (the same as tabling) + - rscadd: Horizontal (lying) mobs now fit into crates + - rscadd: Mobs may now be stuffed into crates, as with lockers + - rscadd: Stuffing into a locker deals a mild stun (the same as tabling) octareenroon91: - - rscadd: New designs can now be added to Autolathes via a design disk. Simply use - a disk containing a suitable design on your autolathe. + - rscadd: + New designs can now be added to Autolathes via a design disk. Simply use + a disk containing a suitable design on your autolathe. 2016-02-11: neersighted: - - rscdel: Remove all cyborg jetpacks... They were awful... - - rscadd: Adds borg ion thrusters, which are available as an upgrade module for - any borg. - - rscdel: Jetpack stabilizers are always on, but now we have... - - rscadd: Jetpack turbo mode, to move at sanic speed in space. + - rscdel: Remove all cyborg jetpacks... They were awful... + - rscadd: + Adds borg ion thrusters, which are available as an upgrade module for + any borg. + - rscdel: Jetpack stabilizers are always on, but now we have... + - rscadd: Jetpack turbo mode, to move at sanic speed in space. 2016-02-12: Kor: - - rscadd: Malf AIs can now get the objective to have a robot army by the end of - the round. - - rscadd: Malf AIs can now get the objective to ensure only human crew (no mutants) - are on the shuttle at round end. - - rscadd: Malf AIs can now get the objective to prevent a crewmember from escaping - the station, while requiring that crewmember still be alive. + - rscadd: + Malf AIs can now get the objective to have a robot army by the end of + the round. + - rscadd: + Malf AIs can now get the objective to ensure only human crew (no mutants) + are on the shuttle at round end. + - rscadd: + Malf AIs can now get the objective to prevent a crewmember from escaping + the station, while requiring that crewmember still be alive. neersighted: - - rscadd: Cybernetic implants purchased from the uplink now include a free autoimplanter! + - rscadd: Cybernetic implants purchased from the uplink now include a free autoimplanter! octareenroon91: - - rscdel: You can no longer kill yourself with the SORD - - rscadd: Suicide attempts with the SORD will inflict 200 stamina damage. You will - only die of shame. - - bugfix: Cleanup to suicide verb code. + - rscdel: You can no longer kill yourself with the SORD + - rscadd: + Suicide attempts with the SORD will inflict 200 stamina damage. You will + only die of shame. + - bugfix: Cleanup to suicide verb code. 2016-02-13: Buggy123: - - rscadd: You can now build cable coils using the autolathe. + - rscadd: You can now build cable coils using the autolathe. Fox McCloud: - - bugfix: Fixes the sleeping carp martial arts grab not being an instant aggressive - grab + - bugfix: + Fixes the sleeping carp martial arts grab not being an instant aggressive + grab KazeEspada: - - rscadd: 'New backpack options available! New options include: Department Bags, - Leather Satchels, and Dufflebags!' + - rscadd: + "New backpack options available! New options include: Department Bags, + Leather Satchels, and Dufflebags!" Kor: - - rscadd: Chainsaw sword, force weapon, and war hammer have all been added as Chaplain - weapon options. + - rscadd: + Chainsaw sword, force weapon, and war hammer have all been added as Chaplain + weapon options. Malkevin: - - tweak: Tracking implants have been upgraded. The old clunky manually adjusted - number system has been replaced with an automated ID scanner, this will show - the implant carrier's name on both the Prisoner Management Console and the hand - tracker. Happy deep striking! + - tweak: + Tracking implants have been upgraded. The old clunky manually adjusted + number system has been replaced with an automated ID scanner, this will show + the implant carrier's name on both the Prisoner Management Console and the hand + tracker. Happy deep striking! PKPenguin321: - - tweak: 'Traitor EMP kits have had their cost reduced from 5 to 2, and no longer - contain the EMP flashlight. rcsadd: EMP flashlights can now be bought separately - for 2 TCs.' + - tweak: + "Traitor EMP kits have had their cost reduced from 5 to 2, and no longer + contain the EMP flashlight. rcsadd: EMP flashlights can now be bought separately + for 2 TCs." Zerrien: - - rscadd: Conveyor pieces can be placed as corner pieces when building in non-cardinal - directions. - - rscadd: Using a wrench on a conveyor rotates it while in place. + - rscadd: + Conveyor pieces can be placed as corner pieces when building in non-cardinal + directions. + - rscadd: Using a wrench on a conveyor rotates it while in place. neersighted: - - tweak: Gibtonite can now be pulled. - - tweak: Slowdown factors are ignored when in zero gravity. + - tweak: Gibtonite can now be pulled. + - tweak: Slowdown factors are ignored when in zero gravity. phil235: - - rscadd: Brains can no longer be blinded. - - bugfix: Fixes brain being immortal. They are immune to everything but melee weapon - attacks. Brains not inside a MMI can now be attacked just like MMIs. Damaged - brain can't be put into a robot, they can still be put inside a brainless humanoid - corpse and cloned, but deffibing the corpse always fails (can't revive someone - with a brain beaten to a pulp). + - rscadd: Brains can no longer be blinded. + - bugfix: + Fixes brain being immortal. They are immune to everything but melee weapon + attacks. Brains not inside a MMI can now be attacked just like MMIs. Damaged + brain can't be put into a robot, they can still be put inside a brainless humanoid + corpse and cloned, but deffibing the corpse always fails (can't revive someone + with a brain beaten to a pulp). 2016-02-14: Joan: - - rscadd: Blobbernauts can now speak to overminds and other blobbernauts with :b - - rscadd: Blobs can now expand onto lattices and catwalks. - - rscdel: Blob expansion on space tiles with no supports is much slower. - - tweak: Blob Sorium and Dark Matter now have less range on targets with bio protection. - - tweak: Blob Sorium does slightly less damage. + - rscadd: Blobbernauts can now speak to overminds and other blobbernauts with :b + - rscadd: Blobs can now expand onto lattices and catwalks. + - rscdel: Blob expansion on space tiles with no supports is much slower. + - tweak: Blob Sorium and Dark Matter now have less range on targets with bio protection. + - tweak: Blob Sorium does slightly less damage. 2016-02-17: Fox McCloud: - - tweak: Laser eyes mutation no longer drains nutrition + - tweak: Laser eyes mutation no longer drains nutrition Joan: - - rscdel: The sleeping carp gang no longer has special equipment and an inability - to use pneumatic cannons. + - rscdel: + The sleeping carp gang no longer has special equipment and an inability + to use pneumatic cannons. PKPenguin321: - - tweak: The traitor surgery bag now costs 3 TC, down from 4. + - tweak: The traitor surgery bag now costs 3 TC, down from 4. Zerrien: - - rscadd: adds unique icons for the two medical patch types + - rscadd: adds unique icons for the two medical patch types 2016-02-18: Kor: - - rscadd: 'Four more chaplain weapon options have been added: hanzo steel, light - energy sword, dark energy sword, and monk''s staff.' + - rscadd: + "Four more chaplain weapon options have been added: hanzo steel, light + energy sword, dark energy sword, and monk's staff." 2016-02-19: AnturK: - - rscadd: Chairs and stools can now be picked up and used as weapons by dragging - them over your character. + - rscadd: + Chairs and stools can now be picked up and used as weapons by dragging + them over your character. PKPenguin321: - - rscadd: The cleanbot uprising has begun. - - rscadd: Emagged cleanbots are much scarier now. Standing on top of one will yield - very devastating results, namely in the form of powerful flesh-eating acid. + - rscadd: The cleanbot uprising has begun. + - rscadd: + Emagged cleanbots are much scarier now. Standing on top of one will yield + very devastating results, namely in the form of powerful flesh-eating acid. 2016-02-20: CPTANT: - - tweak: Due to new crystals Nanotrasen lasers weapons may now set you on FIRE. + - tweak: Due to new crystals Nanotrasen lasers weapons may now set you on FIRE. Joan: - - imageadd: Blobbernauts and blob spores now have a visual healing effect when being - healed by the blob. + - imageadd: + Blobbernauts and blob spores now have a visual healing effect when being + healed by the blob. xxalpha: - - rscadd: 'New event: Portal Storm.' - - rscadd: Kinetic accelerators now reload automatically. + - rscadd: "New event: Portal Storm." + - rscadd: Kinetic accelerators now reload automatically. 2016-02-24: CPTANT: - - tweak: stamina regeneration is now 50% faster. + - tweak: stamina regeneration is now 50% faster. Joan: - - rscadd: Revenants now have an essence display on their HUD - - rscadd: Revenants retain the essence cap from the previous revenant when reforming, - minus any perfect souls. - - rscadd: Revenants can now toggle their night vision. - - tweak: Revenant Defile has one tile more of range, but does less damage to windows. - - tweak: Revenant Blight kills space vines and glowshrooms slightly more rapidly. - - tweak: Delays before appearing when harvesting are slightly randomized. - - tweak: Revenant fluff objectives have been changed to be slightly more interesting. + - rscadd: Revenants now have an essence display on their HUD + - rscadd: + Revenants retain the essence cap from the previous revenant when reforming, + minus any perfect souls. + - rscadd: Revenants can now toggle their night vision. + - tweak: Revenant Defile has one tile more of range, but does less damage to windows. + - tweak: Revenant Blight kills space vines and glowshrooms slightly more rapidly. + - tweak: Delays before appearing when harvesting are slightly randomized. + - tweak: Revenant fluff objectives have been changed to be slightly more interesting. RemieRichards: - - rscadd: Cursed heart item for wizards, allows them to heal themselves in exchange - for having to MANUALLY beat their heart every 6 seconds. Heals 25 brute/burn/oxy - damage per correctly timed pump. + - rscadd: + Cursed heart item for wizards, allows them to heal themselves in exchange + for having to MANUALLY beat their heart every 6 seconds. Heals 25 brute/burn/oxy + damage per correctly timed pump. Steelpoint: - - tweak: Syndicate engineers have reinforced the exterior of their stealth attack - ships. Nuclear Operative ship hull walls are now, once again, indestructible. - - tweak: In addition Syndicate engineers had the opportunity to revamp the interior - of stealth attack ships. The inside of Op ships now has a slightly new layout, - including a expanded medbay, as well as additional medical and explosive equipment. - - rscadd: Thanks to covert Syndicate operatives, strike teams can now bring the - stealth attack ship within very close proximity to the station codenamed 'Boxstation'. - A new ship destination labeled 'south maintenance airlock' is now available - to Op strike teams. + - tweak: + Syndicate engineers have reinforced the exterior of their stealth attack + ships. Nuclear Operative ship hull walls are now, once again, indestructible. + - tweak: + In addition Syndicate engineers had the opportunity to revamp the interior + of stealth attack ships. The inside of Op ships now has a slightly new layout, + including a expanded medbay, as well as additional medical and explosive equipment. + - rscadd: + Thanks to covert Syndicate operatives, strike teams can now bring the + stealth attack ship within very close proximity to the station codenamed 'Boxstation'. + A new ship destination labeled 'south maintenance airlock' is now available + to Op strike teams. phil235: - - rscadd: Holo tape is replaced by holo barriers. - - rscadd: The action button of gas tanks and jetpacks now turn green when you turn - your internals on. + - rscadd: Holo tape is replaced by holo barriers. + - rscadd: + The action button of gas tanks and jetpacks now turn green when you turn + your internals on. 2016-02-26: Iamgoofball: - - rscadd: Adds the Chameleon Kit to uplinks for 4 telecrystals containing a Chameleon - Jumpsuit/Exosuit/Gloves/Shoes/Glasses/Hat/Mask/Backpack/Radio/Stamp/Gun/PDA. - - rscadd: The chameleon gun fires no-damage lasers regardless of what it looks like. - - rscadd: The Voice Changer has been merged into the Chameleon Mask. - - rscadd: No-slip shoes have been combined into Chameleon Shoes. - - rscdel: Space Ninjas no longer have voice changing capabilities. - - rscdel: The Chameleon Jumpsuit has been replaced by the Chameleon Kit in the uplink - for the same price. - - tweak: All chameleon clothing items have lost EMP vulnerability. - - tweak: Chameleon equipment provides very minor armor. - - experimental: Agent ID Cards can now use chameleon technology to look like any - other ID card. - - bugfix: The Chameleon Kit is actually purchasable now. It doesn't give a single - chameleon jumpsuit anymore. + - rscadd: + Adds the Chameleon Kit to uplinks for 4 telecrystals containing a Chameleon + Jumpsuit/Exosuit/Gloves/Shoes/Glasses/Hat/Mask/Backpack/Radio/Stamp/Gun/PDA. + - rscadd: The chameleon gun fires no-damage lasers regardless of what it looks like. + - rscadd: The Voice Changer has been merged into the Chameleon Mask. + - rscadd: No-slip shoes have been combined into Chameleon Shoes. + - rscdel: Space Ninjas no longer have voice changing capabilities. + - rscdel: + The Chameleon Jumpsuit has been replaced by the Chameleon Kit in the uplink + for the same price. + - tweak: All chameleon clothing items have lost EMP vulnerability. + - tweak: Chameleon equipment provides very minor armor. + - experimental: + Agent ID Cards can now use chameleon technology to look like any + other ID card. + - bugfix: + The Chameleon Kit is actually purchasable now. It doesn't give a single + chameleon jumpsuit anymore. PKPenguin321: - - rscadd: The kitchen vendor now contains two sharpening blocks. - - rscadd: Only items that are already sharp (such as fire axes, knives, etc) can - be sharpened. Items used on sharpening blocks become sharper and deadlier. The - sharpening blocks themselves can only be used once, and you can only sharpen - items once. - - tweak: The EMP kit has been buffed. It now contains five EMP grenades, up from - two. - - tweak: The EMP implant found in the EMP kit has been buffed. It now has three - uses, up from two. + - rscadd: The kitchen vendor now contains two sharpening blocks. + - rscadd: + Only items that are already sharp (such as fire axes, knives, etc) can + be sharpened. Items used on sharpening blocks become sharper and deadlier. The + sharpening blocks themselves can only be used once, and you can only sharpen + items once. + - tweak: + The EMP kit has been buffed. It now contains five EMP grenades, up from + two. + - tweak: + The EMP implant found in the EMP kit has been buffed. It now has three + uses, up from two. 2016-03-02: CoreOverload: - - rscadd: A new "breathing tube" mouth implant. It allows you to use internals without - a mask and protects you from being choked. It doesn't protect you from the grab - itself. - - tweak: Arm cannon implants are now actually implanted into the arms, not into - the chest. - - bugfix: Arm cannons have an action button again. - - tweak: Heart removal is no longer instakill. It puts you in condition similar - to heart attack instead. You can fix it by installing a new heart and applying - defibrillator if it wasn't beating. - - rscadd: You can now make a stopped heart beat again by squeezing it. It will stop - beating very soon, so you better be quick if you want to install it without - using defibrillator. - - rscadd: There is now a chance to recover some of the internal organs when butchering - aliens or monkeys. - - rscadd: A new organ - lungs. When removed, it will give you breathing and speaking - troubles. - - rscadd: Human burgers are, once again, named after the generous meat donors that - made them possible. + - rscadd: + A new "breathing tube" mouth implant. It allows you to use internals without + a mask and protects you from being choked. It doesn't protect you from the grab + itself. + - tweak: + Arm cannon implants are now actually implanted into the arms, not into + the chest. + - bugfix: Arm cannons have an action button again. + - tweak: + Heart removal is no longer instakill. It puts you in condition similar + to heart attack instead. You can fix it by installing a new heart and applying + defibrillator if it wasn't beating. + - rscadd: + You can now make a stopped heart beat again by squeezing it. It will stop + beating very soon, so you better be quick if you want to install it without + using defibrillator. + - rscadd: + There is now a chance to recover some of the internal organs when butchering + aliens or monkeys. + - rscadd: + A new organ - lungs. When removed, it will give you breathing and speaking + troubles. + - rscadd: + Human burgers are, once again, named after the generous meat donors that + made them possible. Fox McCloud: - - rscadd: Gibbing mobs will now throw their internal organs + - rscadd: Gibbing mobs will now throw their internal organs Gun Hog: - - rscadd: Ghost security HUDs now show arrest status and implants. - - tweak: The Alien queen, upon her death, will now severely weaken the remaining - alien forces. + - rscadd: Ghost security HUDs now show arrest status and implants. + - tweak: + The Alien queen, upon her death, will now severely weaken the remaining + alien forces. Joan: - - tweak: Replicating Foam has a lower chance to expand when hit. - - tweak: Penetrating Spines is now purple instead of sea green. - - imageadd: Blobbernauts now have a brief animation when produced. - - experiment: Adds five new blob chemicals. This is a total of 25 blob chemicals. - Will it ever stop? - - rscadd: Draining Spikes, which is reddish pink and does medium brute damage, and - drains blood from targets. - - rscadd: Shifting Fragments, which is tan and does medium brute damage, and shifts - position when attacked. - - rscadd: Flammable Goo, which is reddish orange and does low burn and toxin damage, - and when hit with burn damage, emits a burst of flame. It takes more damage - from burn, though. - - rscadd: Poisonous Strands, which is lavender and does burn, fire, and toxin damage - over a few seconds, instead of instantly. - - rscadd: Adaptive Nexuses, which is dark blue and does medium brute damage, and - reaps 5-10 resources from unconscious humans, killing them in the process. - - wip: Confused about what the chemical you're fighting does? Look at https://tgstation13.org/wiki/Blob#Blob_Chemicals - - rscadd: Adds 'Support and Mechanized Exosuits' and 'Space Suits and Hardsuits' - categories to the syndicate uplink. - - rscadd: Nuke op reinforcements and mechs have been moved to the first category. - Syndicate space suits and hardsuits have been moved to the second category. - - bugfix: Traitors can now properly buy the blood-red hardsuit for 8 TC. - - tweak: Nuke ops can no longer buy the blood-red hardsuit, as the elite hardsuit - costs the same amount while being absolutely better. + - tweak: Replicating Foam has a lower chance to expand when hit. + - tweak: Penetrating Spines is now purple instead of sea green. + - imageadd: Blobbernauts now have a brief animation when produced. + - experiment: + Adds five new blob chemicals. This is a total of 25 blob chemicals. + Will it ever stop? + - rscadd: + Draining Spikes, which is reddish pink and does medium brute damage, and + drains blood from targets. + - rscadd: + Shifting Fragments, which is tan and does medium brute damage, and shifts + position when attacked. + - rscadd: + Flammable Goo, which is reddish orange and does low burn and toxin damage, + and when hit with burn damage, emits a burst of flame. It takes more damage + from burn, though. + - rscadd: + Poisonous Strands, which is lavender and does burn, fire, and toxin damage + over a few seconds, instead of instantly. + - rscadd: + Adaptive Nexuses, which is dark blue and does medium brute damage, and + reaps 5-10 resources from unconscious humans, killing them in the process. + - wip: Confused about what the chemical you're fighting does? Look at https://tgstation13.org/wiki/Blob#Blob_Chemicals + - rscadd: + Adds 'Support and Mechanized Exosuits' and 'Space Suits and Hardsuits' + categories to the syndicate uplink. + - rscadd: + Nuke op reinforcements and mechs have been moved to the first category. + Syndicate space suits and hardsuits have been moved to the second category. + - bugfix: Traitors can now properly buy the blood-red hardsuit for 8 TC. + - tweak: + Nuke ops can no longer buy the blood-red hardsuit, as the elite hardsuit + costs the same amount while being absolutely better. Kor: - - rscadd: Added door control remotes. Clicking on doors while holding them will - let you open/bolt/toggle emergency access depending on the mode. They will not - work on doors that have their IDscan disabled (rogue AIs take note!) - - rscadd: The Captain, RD, CE, HoS, CMO, and QM all now have door control remotes - in their lockers. + - rscadd: + Added door control remotes. Clicking on doors while holding them will + let you open/bolt/toggle emergency access depending on the mode. They will not + work on doors that have their IDscan disabled (rogue AIs take note!) + - rscadd: + The Captain, RD, CE, HoS, CMO, and QM all now have door control remotes + in their lockers. LanCartwright: - - rscadd: Adds Uranium to Virus reaction. Will create a random symptom between 5 - and 6 when mixed with blood. - - rscadd: Adds Virus rations, which creates a level 1 symptom when mixed with blood. - - rscadd: Adds Mutagenic agar, which creates a level 3 symptom. - - rscadd: Adds Sucrose agar which creates a level 4 symptom. - - rscadd: Adds Weak virus plasma, which creates a level 5 symptom. - - rscadd: Adds Virus plasma, which creates a level 6 symptom. - - rscadd: Adds Virus food and Mutagen reaction, creating Mutagenic agar. - - rscadd: Adds Virus food and Synaptizine reaction, creating Virus rations. - - rscadd: Adds Virus food and Plasma reaction, creating Virus plasma. - - rscadd: Adds Synaptizine and Virus plasma reaction, creating weakened virus plasma. - - rscadd: Adds Sugar and Mutagenic agar reaction, creating sucrose agar. - - rscadd: Adds Saline glucose solution and Mutagenic agar reaction, creating sucrose - agar. - - rscadd: Adds Viral self-adaptation symptom, which boosts stealth and resistance, - but lowers stage speed. - - rscadd: Adds Viral evolutionary acceleration, which bosts stage speed and transmittability, - but lowers stealth and resistance. - - rscadd: Flypeople now vomit when they eat nutriment. - - rscadd: Flypeople can now suck the vomit off the floor to gain it's nutritional - content. - - rscadd: Flypeople now must suck puke chunks and vomit to fill themselves of food - content. + - rscadd: + Adds Uranium to Virus reaction. Will create a random symptom between 5 + and 6 when mixed with blood. + - rscadd: Adds Virus rations, which creates a level 1 symptom when mixed with blood. + - rscadd: Adds Mutagenic agar, which creates a level 3 symptom. + - rscadd: Adds Sucrose agar which creates a level 4 symptom. + - rscadd: Adds Weak virus plasma, which creates a level 5 symptom. + - rscadd: Adds Virus plasma, which creates a level 6 symptom. + - rscadd: Adds Virus food and Mutagen reaction, creating Mutagenic agar. + - rscadd: Adds Virus food and Synaptizine reaction, creating Virus rations. + - rscadd: Adds Virus food and Plasma reaction, creating Virus plasma. + - rscadd: Adds Synaptizine and Virus plasma reaction, creating weakened virus plasma. + - rscadd: Adds Sugar and Mutagenic agar reaction, creating sucrose agar. + - rscadd: + Adds Saline glucose solution and Mutagenic agar reaction, creating sucrose + agar. + - rscadd: + Adds Viral self-adaptation symptom, which boosts stealth and resistance, + but lowers stage speed. + - rscadd: + Adds Viral evolutionary acceleration, which bosts stage speed and transmittability, + but lowers stealth and resistance. + - rscadd: Flypeople now vomit when they eat nutriment. + - rscadd: + Flypeople can now suck the vomit off the floor to gain it's nutritional + content. + - rscadd: + Flypeople now must suck puke chunks and vomit to fill themselves of food + content. Malkevin: - - tweak: Sec officers have two sets of cuffs again (one on spawn, one in locker) - - tweak: Done some optimisation of sec spawn equipment lists and lockers to remove - some of the repetitive clicking, sec belts are now preloaded with equipment. - - tweak: HoS has a full baton instead of the collapsible one - - tweak: Detective has a classic police baton and pepper spray instead of the collapsible - baton (someone made police batons shit, so don't get overly happy) - - bugfix: pop scaled additional lockers spawned were the wrong type, changed them - to the right type which has batons now (actually belts now that I've changed - them). + - tweak: Sec officers have two sets of cuffs again (one on spawn, one in locker) + - tweak: + Done some optimisation of sec spawn equipment lists and lockers to remove + some of the repetitive clicking, sec belts are now preloaded with equipment. + - tweak: HoS has a full baton instead of the collapsible one + - tweak: + Detective has a classic police baton and pepper spray instead of the collapsible + baton (someone made police batons shit, so don't get overly happy) + - bugfix: + pop scaled additional lockers spawned were the wrong type, changed them + to the right type which has batons now (actually belts now that I've changed + them). MrStonedOne: - - tweak: Suit sensors will now favor higher levels for starting amount with the - exception of the max level, that remains unchanged. - - tweak: 'Old odds: 25% off 25% binary lifesigns 25% full lifesigns 25% coordinates' - - tweak: 'New odds: 12.5% off 25% binary lifesigns 37.5% full lifesigns 25% coordinates' + - tweak: + Suit sensors will now favor higher levels for starting amount with the + exception of the max level, that remains unchanged. + - tweak: "Old odds: 25% off 25% binary lifesigns 25% full lifesigns 25% coordinates" + - tweak: "New odds: 12.5% off 25% binary lifesigns 37.5% full lifesigns 25% coordinates" PKPenguin321: - - rscadd: Bolas are now in the game. They're a simple device fashioned from a cable - and two weights on the end, designed to entangle enemies by wrapping around - their legs upon being thrown at them. The victim can remove them rather quickly, - however. - - rscadd: Bolas can be crafted by applying 6 metal sheets to cablecuffs. They can - also be tablecrafted. + - rscadd: + Bolas are now in the game. They're a simple device fashioned from a cable + and two weights on the end, designed to entangle enemies by wrapping around + their legs upon being thrown at them. The victim can remove them rather quickly, + however. + - rscadd: + Bolas can be crafted by applying 6 metal sheets to cablecuffs. They can + also be tablecrafted. Sestren413: - - rscadd: Botanists have access to a new banana mutation now, bluespace bananas. - These will teleport anyone unfortunate enough to slip on their peel. + - rscadd: + Botanists have access to a new banana mutation now, bluespace bananas. + These will teleport anyone unfortunate enough to slip on their peel. Shadowlight213: - - rscadd: A wave of dark energy has been detected in the area. Corgi births may - be affected. + - rscadd: + A wave of dark energy has been detected in the area. Corgi births may + be affected. Shadowlight213 and Robustin: - - rscadd: '"Old Cult is back baby!"' - - tweak: '"Cult survival objective disabled"' - - tweak: '"Imbuing talismans now consumes the imbue rune"' - - tweak: '"Invoking the stun talisman now hurts the cultist more"' - - tweak: '"The stun talisman duration is nerfed by 10%, mute is nerfed by 60% but - a stutter and special new slur effect will last much longer"' - - tweak: '"The old cult has retained the rune of time stop, now requiring 3 cultists - to invoke"' - - rscdel: '"New Cult is removed!"' + - rscadd: '"Old Cult is back baby!"' + - tweak: '"Cult survival objective disabled"' + - tweak: '"Imbuing talismans now consumes the imbue rune"' + - tweak: '"Invoking the stun talisman now hurts the cultist more"' + - tweak: + '"The stun talisman duration is nerfed by 10%, mute is nerfed by 60% but + a stutter and special new slur effect will last much longer"' + - tweak: + '"The old cult has retained the rune of time stop, now requiring 3 cultists + to invoke"' + - rscdel: '"New Cult is removed!"' bgobandit: - - rscadd: CentComm has been informed that cargo is receiving new forms of contraband - in crates. Remember, Nanotrasen has a zero-tolerance contraband policy! + - rscadd: + CentComm has been informed that cargo is receiving new forms of contraband + in crates. Remember, Nanotrasen has a zero-tolerance contraband policy! lordpidey: - - rscadd: New virology symptom, projectile vomiting. It is a level four symptom. + - rscadd: New virology symptom, projectile vomiting. It is a level four symptom. 2016-03-03: Joan: - - tweak: Blobbernauts now die slowly when not near a blob. - - rscadd: Blobbernauts can now see their health and the core health of the overmind - that created them. + - tweak: Blobbernauts now die slowly when not near a blob. + - rscadd: + Blobbernauts can now see their health and the core health of the overmind + that created them. 2016-03-05: CoreOverload: - - imageadd: Cyborg tools (screwdriver, crowbar, wrench, etc) now have new fancy - sprites. - - tweak: Said cyborg tools have received a buff and are now two times faster than - their non-cyborg counterparts. + - imageadd: + Cyborg tools (screwdriver, crowbar, wrench, etc) now have new fancy + sprites. + - tweak: + Said cyborg tools have received a buff and are now two times faster than + their non-cyborg counterparts. Joan: - - tweak: Replicating Foam has lower expand chances when hit and on normal expand. - - bugfix: Shifting Fragments will no longer try and fail to swap with invalid blobs - when hit. - - tweak: Electromagnetic Web no longer always EMPs targets, instead doing it at - a 25% chance. - - tweak: Synchronous Mesh now only takes bonus damage from fire, bombs, and flashbangs. - - tweak: Synchronous Mesh no longer tries to split damage to blob cores or nodes. - Cores and nodes still split damage to nearby blobs, however. - - tweak: Blobbernauts now attack much slower. - - tweak: Blobbernauts are now maximum one per factory, reduce that factory's health - drastically, and die slowly if that factory is destroyed. - - experiment: Factories must still have above 50% health to produce blobbernauts. + - tweak: Replicating Foam has lower expand chances when hit and on normal expand. + - bugfix: + Shifting Fragments will no longer try and fail to swap with invalid blobs + when hit. + - tweak: + Electromagnetic Web no longer always EMPs targets, instead doing it at + a 25% chance. + - tweak: Synchronous Mesh now only takes bonus damage from fire, bombs, and flashbangs. + - tweak: + Synchronous Mesh no longer tries to split damage to blob cores or nodes. + Cores and nodes still split damage to nearby blobs, however. + - tweak: Blobbernauts now attack much slower. + - tweak: + Blobbernauts are now maximum one per factory, reduce that factory's health + drastically, and die slowly if that factory is destroyed. + - experiment: Factories must still have above 50% health to produce blobbernauts. 2016-03-07: WJohnston: - - tweak: Queens and praetorians have new sprites! + - tweak: Queens and praetorians have new sprites! 2016-03-09: Joan: - - rscadd: Blobs can now attack people that end up on top of blob tiles with Left-Click - or the Expand/Attack Blob verb. - - tweak: The Toxin Filter virology symptom now heals 4-8 toxin damage instead of - 8-14. - - tweak: The Damage Converter virology symptom will now do toxin damage for each - limb healed. + - rscadd: + Blobs can now attack people that end up on top of blob tiles with Left-Click + or the Expand/Attack Blob verb. + - tweak: + The Toxin Filter virology symptom now heals 4-8 toxin damage instead of + 8-14. + - tweak: + The Damage Converter virology symptom will now do toxin damage for each + limb healed. MrStonedOne: - - tweak: Centcom has improved the the tesla generator! The generated tesla energy - balls should now be more stable! Growing quicker and dissipating slower. It - seems to also move around a touch more but that shouldn't be an issue as the - the tesla escaping containment is unheard of! + - tweak: + Centcom has improved the the tesla generator! The generated tesla energy + balls should now be more stable! Growing quicker and dissipating slower. It + seems to also move around a touch more but that shouldn't be an issue as the + the tesla escaping containment is unheard of! 2016-03-10: Joan: - - rscadd: The blob can now be shocked by the tesla. - - tweak: Strong blobs are now much more resistant to brute damage. - - wip: Tweaks blob reagents; - - rscdel: Removes Ripping Tendrils. - - rscdel: Removes Draining Spikes. - - tweak: Cryogenic Liquid does less burn damage. - - tweak: Pressurized Slime does less brute damage. - - tweak: Reactive Gelatin now has a lower minimum damage. - - tweak: Poisonous Strands applies its damage over a longer period of time. - - tweak: Sporing Pods now does much less damage, and is less likely to produce spores - when killed. - - tweak: Regenerative Materia, Hallucinogenic Nectar, and Envenomed Filaments do - less toxin damage. - - rscadd: Energized Fibers no longer heals when hit with stamina damage, and is - instead immune to the tesla. - - rscadd: Boiling Oil now takes damage from extinguisher blasts. Boiling Oil blobbernauts, - however, do not. - - tweak: Replicating Foam now takes increased brute damage and when expanding from - damage, will not expand again. - - tweak: Flammable Goo takes 50% increased burn damage, from 30%. - - tweak: Explosive Lattice now takes much higher damage from fire, flashbangs, and - the tesla. - - experiment: Electromagnetic Web takes full brute damage, lasers will now one-hit - normal blobs, and the death EMP is smaller. + - rscadd: The blob can now be shocked by the tesla. + - tweak: Strong blobs are now much more resistant to brute damage. + - wip: Tweaks blob reagents; + - rscdel: Removes Ripping Tendrils. + - rscdel: Removes Draining Spikes. + - tweak: Cryogenic Liquid does less burn damage. + - tweak: Pressurized Slime does less brute damage. + - tweak: Reactive Gelatin now has a lower minimum damage. + - tweak: Poisonous Strands applies its damage over a longer period of time. + - tweak: + Sporing Pods now does much less damage, and is less likely to produce spores + when killed. + - tweak: + Regenerative Materia, Hallucinogenic Nectar, and Envenomed Filaments do + less toxin damage. + - rscadd: + Energized Fibers no longer heals when hit with stamina damage, and is + instead immune to the tesla. + - rscadd: + Boiling Oil now takes damage from extinguisher blasts. Boiling Oil blobbernauts, + however, do not. + - tweak: + Replicating Foam now takes increased brute damage and when expanding from + damage, will not expand again. + - tweak: Flammable Goo takes 50% increased burn damage, from 30%. + - tweak: + Explosive Lattice now takes much higher damage from fire, flashbangs, and + the tesla. + - experiment: + Electromagnetic Web takes full brute damage, lasers will now one-hit + normal blobs, and the death EMP is smaller. 2016-03-12: Joan: - - bugfix: Blobbernauts and blob spores can now move near blob tiles in no gravity. - - tweak: Boiling Oil does slightly more damage and takes slightly less damage when - extinguished. - - rscadd: Flammable Goo now applies firestacks to targets, but does not ignite them. + - bugfix: Blobbernauts and blob spores can now move near blob tiles in no gravity. + - tweak: + Boiling Oil does slightly more damage and takes slightly less damage when + extinguished. + - rscadd: Flammable Goo now applies firestacks to targets, but does not ignite them. Jordie0608: - - rscadd: Show Server Revision will now tell you if a PR is test merged currently. + - rscadd: Show Server Revision will now tell you if a PR is test merged currently. PKPenguin321: - - rscadd: Added reinforced bolas. They do a very short stun in addition to normal - functions, and take twice as long to break out of when compared to regular bolas. - - tweak: The traitor's Throwing Star Box has been made into the Throwing Weapons - Box. It now contains two reinforced bolas in addition to its old contents. It - also costs 5 TCs, down from 6. + - rscadd: + Added reinforced bolas. They do a very short stun in addition to normal + functions, and take twice as long to break out of when compared to regular bolas. + - tweak: + The traitor's Throwing Star Box has been made into the Throwing Weapons + Box. It now contains two reinforced bolas in addition to its old contents. It + also costs 5 TCs, down from 6. tkdrg: - - tweak: The detective's revolver now takes three full seconds to reload. + - tweak: The detective's revolver now takes three full seconds to reload. xxalpha: - - rscadd: Detective can be a Traitor/Double Agent. - - tweak: Removed Detective's access to security lockers and secbots. - - tweak: Removed bowman's headset from Detective's locker. - - tweak: Box Brig Security Office and Locker Room require a higher access level - (Security Officer level). + - rscadd: Detective can be a Traitor/Double Agent. + - tweak: Removed Detective's access to security lockers and secbots. + - tweak: Removed bowman's headset from Detective's locker. + - tweak: + Box Brig Security Office and Locker Room require a higher access level + (Security Officer level). 2016-03-13: Dorsisdwarf: - - rscadd: 'Adds Robo-Doctor board (The Hippocratic Oath: Now on your beepbot)' - - rscadd: Adds Reporter board (The truth will set ye free (termsandconditionsmayapply)) - - rscadd: Adds Live and Let Live board - - rscadd: Adds Thermodynamics as a dangerous board. + - rscadd: "Adds Robo-Doctor board (The Hippocratic Oath: Now on your beepbot)" + - rscadd: Adds Reporter board (The truth will set ye free (termsandconditionsmayapply)) + - rscadd: Adds Live and Let Live board + - rscadd: Adds Thermodynamics as a dangerous board. Impisi: - - tweak: Improvised shells now deal more far more damage but are more inaccurate. - - tweak: Overloaded shells now require liquid plasma in addition to black powder. - Shells now fire explosive pellets that are good at hurting you and everything - in front of you. + - tweak: Improvised shells now deal more far more damage but are more inaccurate. + - tweak: + Overloaded shells now require liquid plasma in addition to black powder. + Shells now fire explosive pellets that are good at hurting you and everything + in front of you. Joan: - - rscdel: Blob gamemode blobs will no longer burst from people. - - rscadd: Instead, the blob gamemode spawns overminds, which can place their blob - core underneath them in an unobserved area. - - rscadd: The overminds can, until they have placed a blob core, move to any non-space, - non-shuttle tile. - - rscadd: If the overminds fail to place a blob core within a time limit, it will - be automatically placed for them at a random blob spawnpoint. - - tweak: The time before the overmind automatically places the core is slightly - lower than the previous average time it'd take a blob to burst. + - rscdel: Blob gamemode blobs will no longer burst from people. + - rscadd: + Instead, the blob gamemode spawns overminds, which can place their blob + core underneath them in an unobserved area. + - rscadd: + The overminds can, until they have placed a blob core, move to any non-space, + non-shuttle tile. + - rscadd: + If the overminds fail to place a blob core within a time limit, it will + be automatically placed for them at a random blob spawnpoint. + - tweak: + The time before the overmind automatically places the core is slightly + lower than the previous average time it'd take a blob to burst. 2016-03-15: Cuboos: - - soundadd: Modded the current door sound and added a few new ones, unique sound - for closing, bolting up/down and a nifty denied sound. + - soundadd: + Modded the current door sound and added a few new ones, unique sound + for closing, bolting up/down and a nifty denied sound. Isratosh: - - rscadd: Security flashlights can now be attached to the bulletproof helmets. + - rscadd: Security flashlights can now be attached to the bulletproof helmets. Joan: - - tweak: Resource blobs produce resources for their overmind slightly slower for - each resource blob their overmind has. - - rscadd: Blob overminds get one free chemical reroll. - - rscadd: Blob overminds can no longer place resource and factory blobs out of range - of cores and nodes, unless they Toggle Node Requirement off. It is on by default. - - rscadd: Blob UI buttons now have tooltips. - - tweak: Cores and nodes will expand slightly slower. - - tweak: Blob Chemicals no longer trigger effects on dead mobs. - - tweak: Shifting Fragments has a lower chance to move shields with normal expansion - and will no longer shift blobs to the location of a dying blob. - - tweak: Flammable Goo no longer applies fire to tiles with blobs. - - tweak: Electromagnetic Web has a slightly higher EMP range. + - tweak: + Resource blobs produce resources for their overmind slightly slower for + each resource blob their overmind has. + - rscadd: Blob overminds get one free chemical reroll. + - rscadd: + Blob overminds can no longer place resource and factory blobs out of range + of cores and nodes, unless they Toggle Node Requirement off. It is on by default. + - rscadd: Blob UI buttons now have tooltips. + - tweak: Cores and nodes will expand slightly slower. + - tweak: Blob Chemicals no longer trigger effects on dead mobs. + - tweak: + Shifting Fragments has a lower chance to move shields with normal expansion + and will no longer shift blobs to the location of a dying blob. + - tweak: Flammable Goo no longer applies fire to tiles with blobs. + - tweak: Electromagnetic Web has a slightly higher EMP range. Kor: - - rscadd: Hunger was accidentally disabled sometime back in October 2015. We finally - noticed and fixed it. + - rscadd: + Hunger was accidentally disabled sometime back in October 2015. We finally + noticed and fixed it. Kor (And all the lovely maintainers and spriters who helped me along the way): - - rscadd: Adds a new, lava themed planet to mine on,with randomly generated rivers - of lava and islands of volcanic rock. This mine is used on Box and Metastation. - Other mappers may enable it at their discretion. - - rscadd: Added deadly ash storms to mining. - - rscadd: Added slightly deadlier variants of mining mobs to lavaland, with sprites - done by my girlfriend. - - rscadd: Added portable survival capsules to mining equipment lockers. Don't forget - these, or you might get caught out by a storm. You may purchase more at the - venders. - - rscadd: Added randomly loaded ruins to mining. These maps contain new and unique - items not seen elsewhere in thegame. There are around a dozen of them added - with the "release" of lavaland, though I plan for many more. - - rscadd: Some ruins contain sleepers which allow you to spawn as various roles, - such as survivors of a shuttle crash stranded in the wilderness. You can find - these sleepers in the orbit list. - - rscadd: You can now fly the abandoned white ship to lavaland. + - rscadd: + Adds a new, lava themed planet to mine on,with randomly generated rivers + of lava and islands of volcanic rock. This mine is used on Box and Metastation. + Other mappers may enable it at their discretion. + - rscadd: Added deadly ash storms to mining. + - rscadd: + Added slightly deadlier variants of mining mobs to lavaland, with sprites + done by my girlfriend. + - rscadd: + Added portable survival capsules to mining equipment lockers. Don't forget + these, or you might get caught out by a storm. You may purchase more at the + venders. + - rscadd: + Added randomly loaded ruins to mining. These maps contain new and unique + items not seen elsewhere in thegame. There are around a dozen of them added + with the "release" of lavaland, though I plan for many more. + - rscadd: + Some ruins contain sleepers which allow you to spawn as various roles, + such as survivors of a shuttle crash stranded in the wilderness. You can find + these sleepers in the orbit list. + - rscadd: You can now fly the abandoned white ship to lavaland. LanCartwright: - - tweak: Choking now deals damage based on virus' Stage speed and virus Stealth. - - tweak: Fever heats the body based on Transmittability and Stage speed. - - tweak: Spontaneous Combustion now adjusts firestacks based on stage speed minus - Stealth. - - tweak: Necrotizing Fasciitis now deals damage based on lower Stealth values. - - tweak: Toxic Filter now heals based on Stage speed. - - tweak: Deoxyribonucleic Acid Restoration now heals brain damage based on Stage - speed minus Stealth. - - tweak: Shivering now chills based on Stealth and Resistance. - - rscadd: Proc for the total stage speed of a virus' symptoms. - - rscadd: Proc for the total stealth of a virus' symptoms. - - rscadd: Proc for the total resistance of a virus' symptoms. - - rscadd: Proc for the total transmittance speed of a virus' symptoms. + - tweak: Choking now deals damage based on virus' Stage speed and virus Stealth. + - tweak: Fever heats the body based on Transmittability and Stage speed. + - tweak: + Spontaneous Combustion now adjusts firestacks based on stage speed minus + Stealth. + - tweak: Necrotizing Fasciitis now deals damage based on lower Stealth values. + - tweak: Toxic Filter now heals based on Stage speed. + - tweak: + Deoxyribonucleic Acid Restoration now heals brain damage based on Stage + speed minus Stealth. + - tweak: Shivering now chills based on Stealth and Resistance. + - rscadd: Proc for the total stage speed of a virus' symptoms. + - rscadd: Proc for the total stealth of a virus' symptoms. + - rscadd: Proc for the total resistance of a virus' symptoms. + - rscadd: Proc for the total transmittance speed of a virus' symptoms. MrStonedOne: - - rscdel: 'Lag has been removed from the following systems: mob life()/virus process, - machine/object/event processing, atmos, deletion subsystem, lighting, explosions, - singularity''s eat(), timers, wall smoothing, mass var edit, mass proc calls(and - all of sdql2), map loader, and the away mission loader.' - - rscdel: Removed limit on bomb cap of 32,64,128, it can now go to the MOON. - - tweak: Minimap generation is now a config option that defaults to off so coders - don't have to wait for it to generate to test their code, server operators should - note that they need to enable it on production servers that want minimap generation. - - wip: if you find any things that still lag, please report them to MrStonedOne - for lag removal. - - experiment: I'm gonna take this time to shill out that, Lummox JR, byond's only - dev, coded the tool that made this change possible, he lives off of byond membership - donations, if you like the lag removal, become a byond member or at least throw - 5 bucks byond's way for doing this. - - experiment: Feel free to ask for bomb cap removals when solo antag, but remember, - the later in the round it is, the more likely you'll get it. + - rscdel: + "Lag has been removed from the following systems: mob life()/virus process, + machine/object/event processing, atmos, deletion subsystem, lighting, explosions, + singularity's eat(), timers, wall smoothing, mass var edit, mass proc calls(and + all of sdql2), map loader, and the away mission loader." + - rscdel: Removed limit on bomb cap of 32,64,128, it can now go to the MOON. + - tweak: + Minimap generation is now a config option that defaults to off so coders + don't have to wait for it to generate to test their code, server operators should + note that they need to enable it on production servers that want minimap generation. + - wip: + if you find any things that still lag, please report them to MrStonedOne + for lag removal. + - experiment: + I'm gonna take this time to shill out that, Lummox JR, byond's only + dev, coded the tool that made this change possible, he lives off of byond membership + donations, if you like the lag removal, become a byond member or at least throw + 5 bucks byond's way for doing this. + - experiment: + Feel free to ask for bomb cap removals when solo antag, but remember, + the later in the round it is, the more likely you'll get it. PKPenguin321: - - rscadd: Scooters and skateboards have been added. - - rscadd: Use rods to make a scooter frame. From there, apply metal to make wheels, - creating a skateboard. Apply a few more rods to make a full scooter. You can - also use tablecrafting to create them, their recipes can be found under the - Misc. category. - - rscadd: Each step of scooter deconstruction is performed with either a wrench - or a screwdriver, depending on the step. + - rscadd: Scooters and skateboards have been added. + - rscadd: + Use rods to make a scooter frame. From there, apply metal to make wheels, + creating a skateboard. Apply a few more rods to make a full scooter. You can + also use tablecrafting to create them, their recipes can be found under the + Misc. category. + - rscadd: + Each step of scooter deconstruction is performed with either a wrench + or a screwdriver, depending on the step. xxalpha: - - rscadd: Scrubber clog event now ejects cockroaches. + - rscadd: Scrubber clog event now ejects cockroaches. 2016-03-17: CoreOverload: - - rscdel: The recent jetpacks nerf is finally reverted. Turbo mode is dead and stabilization - is once again can be toggled on and off. - - rscadd: 'Added a new chest cyberimplant: implantable thrusters set. This implant - is a built-in jetpack that has no stabilization mode at all and can use gas - from environment (if 30+ kPa) or from internals. It can also use plasma from - plasma vessel organ, if you have one.' + - rscdel: + The recent jetpacks nerf is finally reverted. Turbo mode is dead and stabilization + is once again can be toggled on and off. + - rscadd: + "Added a new chest cyberimplant: implantable thrusters set. This implant + is a built-in jetpack that has no stabilization mode at all and can use gas + from environment (if 30+ kPa) or from internals. It can also use plasma from + plasma vessel organ, if you have one." Joan: - - tweak: Moved the security hud's icons down slightly to allow it to coexist with - medical and antag huds. + - tweak: + Moved the security hud's icons down slightly to allow it to coexist with + medical and antag huds. Shadowlight213: - - rscadd: HOG deity can now be heard by all of its followers! - - tweak: The prophet no longer needs to wear his hat to speak with his deity. - - rscadd: The prophet's hat and staff have a new functionality! Use the staff inhand - to reveal hidden structures. - - rscadd: Deities can now hide their structures from view! Pretend to be a book - club when sec bursts in. experiment:Only enemy prophets or your own deity can - reveal these structures and they are disabled when hidden. + - rscadd: HOG deity can now be heard by all of its followers! + - tweak: The prophet no longer needs to wear his hat to speak with his deity. + - rscadd: + The prophet's hat and staff have a new functionality! Use the staff inhand + to reveal hidden structures. + - rscadd: + Deities can now hide their structures from view! Pretend to be a book + club when sec bursts in. experiment:Only enemy prophets or your own deity can + reveal these structures and they are disabled when hidden. 2016-03-19: Joan: - - imageadd: Xray lasers now have unique inhands. - - imageadd: Xray lasers have been recolored to match R&D equipment. + - imageadd: Xray lasers now have unique inhands. + - imageadd: Xray lasers have been recolored to match R&D equipment. Zombehz: - - rscadd: Adds 'chicken' nuggets* in 4 shapes, including regular, star, corgi, and - lizard. it. They are made with one cutlet of meat. + - rscadd: + Adds 'chicken' nuggets* in 4 shapes, including regular, star, corgi, and + lizard. it. They are made with one cutlet of meat. 2016-03-20: Joan: - - rscadd: Nar-Sie will now corrupt airlocks, tables, windows, and windoors. - - rscadd: Corrupted airlocks have no access restrictions. - - tweak: Nar-Sie no longer causes destruction while moving around in favor of additional - corruption. - - tweak: The surplus crate is less likely to give you eight space suits. - - bugfix: Nukeops can once again buy noslips. The nuke op magboots are still better - than noslips, buy them instead. + - rscadd: Nar-Sie will now corrupt airlocks, tables, windows, and windoors. + - rscadd: Corrupted airlocks have no access restrictions. + - tweak: + Nar-Sie no longer causes destruction while moving around in favor of additional + corruption. + - tweak: The surplus crate is less likely to give you eight space suits. + - bugfix: + Nukeops can once again buy noslips. The nuke op magboots are still better + than noslips, buy them instead. Kor: - - rscadd: Runtime now has a chance to spawn with a more classic look. - - rscadd: Killing a necropolis tendril will now drop a chest full of spooky loot. - - rscadd: Killing a necropolis tendril will now cause the ground to collapse around - it after 5 seconds. + - rscadd: Runtime now has a chance to spawn with a more classic look. + - rscadd: Killing a necropolis tendril will now drop a chest full of spooky loot. + - rscadd: + Killing a necropolis tendril will now cause the ground to collapse around + it after 5 seconds. 2016-03-21: CoreOverload: - - rscadd: You can now construct and deconstruct wall mounted flashes by using a - wrench on empty wall flash. A crate with four linked "flash frame - flash controller" - pairs is added to cargo. + - rscadd: + You can now construct and deconstruct wall mounted flashes by using a + wrench on empty wall flash. A crate with four linked "flash frame - flash controller" + pairs is added to cargo. Joan: - - rscadd: Explosive Holoparasites now have a 33% chance to explosively teleport - attacked targets, doing damage to everyone near the target's appearance point. - - tweak: Explosive Holoparasite bombs can now detonate when living mobs bump them. - - rscadd: Adds lightning holoparasites, which have medium damage resist, a weak - attack, have a lightning chain to their summoner, and apply lightning chains - when attacking targets. - - rscadd: Lightning chains shock everyone nearby, doing low burn damage. This is - excluding the parasite and summoner; chains will shock enemies they're attached - to. - - tweak: Holoparasites can now smash tables and lockers. + - rscadd: + Explosive Holoparasites now have a 33% chance to explosively teleport + attacked targets, doing damage to everyone near the target's appearance point. + - tweak: Explosive Holoparasite bombs can now detonate when living mobs bump them. + - rscadd: + Adds lightning holoparasites, which have medium damage resist, a weak + attack, have a lightning chain to their summoner, and apply lightning chains + when attacking targets. + - rscadd: + Lightning chains shock everyone nearby, doing low burn damage. This is + excluding the parasite and summoner; chains will shock enemies they're attached + to. + - tweak: Holoparasites can now smash tables and lockers. PKPenguin321 && !JJRcop: - - rscadd: Milk, which is good for your bones, is now extra beneficial to species - that are mostly comprised of bones. + - rscadd: + Milk, which is good for your bones, is now extra beneficial to species + that are mostly comprised of bones. kingofkosmos: - - rscdel: The backpack close-button has got a visual overhaul. - - rscadd: All storage items can be closed by clicking on them again. + - rscdel: The backpack close-button has got a visual overhaul. + - rscadd: All storage items can be closed by clicking on them again. 2016-03-23: Iamgoofball: - - rscadd: Cargo now works off of Credits. - - rscadd: Cargo now plays the Stock Market. - - rscadd: Buy Low, Sell High + - rscadd: Cargo now works off of Credits. + - rscadd: Cargo now plays the Stock Market. + - rscadd: Buy Low, Sell High 2016-03-24: Iamgoofball: - - rscadd: CLF3 now melts, burns, and destroys floors a lot more often, as it should - be. - - rscadd: CLF3 now makes 3x3 fireballs on tiles it touches now, instead of a single - fireball. + - rscadd: + CLF3 now melts, burns, and destroys floors a lot more often, as it should + be. + - rscadd: + CLF3 now makes 3x3 fireballs on tiles it touches now, instead of a single + fireball. Joan: - - tweak: Lightning Holoparasites will actually shock relatively often instead of - 'sometimes, maybe, if you're really lucky' + - tweak: + Lightning Holoparasites will actually shock relatively often instead of + 'sometimes, maybe, if you're really lucky' PKPenguin321: - - tweak: Sand now fits in your pockets - - rscadd: Sand can now be thrown into people's eyes, doing slight stamina damage, - making their vision slightly blurry, and making them stumble when they walk - for a short time. + - tweak: Sand now fits in your pockets + - rscadd: + Sand can now be thrown into people's eyes, doing slight stamina damage, + making their vision slightly blurry, and making them stumble when they walk + for a short time. RemieRichards: - - rscadd: BEES - - rscadd: Hydroponics can now manage bee colonies, bees produce honeycombs that - can be grinded to obtain honey, a decent nutriment+healing chemical - - rscadd: Hydroponics can inject a queen bee with a syringe of a reagent to alter - her DNA to match that reagent, meaning all honeycombs produced will contain - that reagent in small amounts - - rscadd: Bees with reagents will attack with that reagent + - rscadd: BEES + - rscadd: + Hydroponics can now manage bee colonies, bees produce honeycombs that + can be grinded to obtain honey, a decent nutriment+healing chemical + - rscadd: + Hydroponics can inject a queen bee with a syringe of a reagent to alter + her DNA to match that reagent, meaning all honeycombs produced will contain + that reagent in small amounts + - rscadd: Bees with reagents will attack with that reagent Xhuis: - - experiment: Alcohol has received multiple tweaks. - - tweak: Drunkenness will now be displayed on examine as long as the target's face - is not hidden, ranging from a slight flush to being a completely drunken wreck. - This also helps to measure alcohol poisoning, although the appearance will remain - for thirty seconds after the alcohol leaves the imbiber's bloodstream. - - tweak: Alcohol poisoning now has different effects. It begins with standard things - such as confusion, dizziness, and slurring, but eventually escalates to constant - vomiting, blacking out, and toxin damage. - - tweak: Drinks now have a wide variety of alcoholism. Grog is barely a drink whatsoever, - for instance, but Manly Dorf will completely floor you with too much consumption. - Note that drinks based off of whiskey and vodka are the hardest, whereas beer - and wine are the softest. - - tweak: The speed of alcohol poisoning has been slightly reduced. - - rscadd: Some drinks have received unique effects. Experiment! - - rscadd: A new base alcohol joins the lineup! Absinthe has been added, and is very - strong. - - rscadd: Whiskey Sour, made with Whiskey, Lemon Juice, and Sugar, simply expands - the existing whiskey-based lineup. - - rscadd: Fetching Fizz, made with Nuka-Cola and Iron, will pull all nearby ores - in the direction of the imbiber. - - rscadd: Hearty Punch, made with Brave Bull, Syndicate Bomb, and Absinthe, will - provide extreme healing in critical condition. - - rscadd: Bacchus' Blessing, made with four of the most powerful alcohols on the - station, is over three times stronger than any other alcohol on the station. - Consume in small amounts or risk death. + - experiment: Alcohol has received multiple tweaks. + - tweak: + Drunkenness will now be displayed on examine as long as the target's face + is not hidden, ranging from a slight flush to being a completely drunken wreck. + This also helps to measure alcohol poisoning, although the appearance will remain + for thirty seconds after the alcohol leaves the imbiber's bloodstream. + - tweak: + Alcohol poisoning now has different effects. It begins with standard things + such as confusion, dizziness, and slurring, but eventually escalates to constant + vomiting, blacking out, and toxin damage. + - tweak: + Drinks now have a wide variety of alcoholism. Grog is barely a drink whatsoever, + for instance, but Manly Dorf will completely floor you with too much consumption. + Note that drinks based off of whiskey and vodka are the hardest, whereas beer + and wine are the softest. + - tweak: The speed of alcohol poisoning has been slightly reduced. + - rscadd: Some drinks have received unique effects. Experiment! + - rscadd: + A new base alcohol joins the lineup! Absinthe has been added, and is very + strong. + - rscadd: + Whiskey Sour, made with Whiskey, Lemon Juice, and Sugar, simply expands + the existing whiskey-based lineup. + - rscadd: + Fetching Fizz, made with Nuka-Cola and Iron, will pull all nearby ores + in the direction of the imbiber. + - rscadd: + Hearty Punch, made with Brave Bull, Syndicate Bomb, and Absinthe, will + provide extreme healing in critical condition. + - rscadd: + Bacchus' Blessing, made with four of the most powerful alcohols on the + station, is over three times stronger than any other alcohol on the station. + Consume in small amounts or risk death. 2016-03-26: CPTANT: - - tweak: Nanotrasen found a new taser supplier. The new tasers hold 12 shots, down - people with 2 hits and hybrid tasers now have a light laser attached. + - tweak: + Nanotrasen found a new taser supplier. The new tasers hold 12 shots, down + people with 2 hits and hybrid tasers now have a light laser attached. CoreOverload: - - tweak: Sorting junctions now support multiple sorting tags. + - tweak: Sorting junctions now support multiple sorting tags. Fox McCloud: - - bugfix: Fixes Shadowlings not being spaceproof to pressure - - bugfix: Fixes being able to receive multiple spells as a Lesser Shadowling + - bugfix: Fixes Shadowlings not being spaceproof to pressure + - bugfix: Fixes being able to receive multiple spells as a Lesser Shadowling Joan: - - rscadd: Adds assassin holoparasites, which do low damage and take full damage, - but can go invisible, causing their next attack to do massive damage and ignore - armor. - - rscadd: Assassin holoparasite stealth will be broken by attacking or taking damage, - which will briefly prevent the parasite from recalling. - - rscadd: Traitor holoparasite injectors include this parasite type. + - rscadd: + Adds assassin holoparasites, which do low damage and take full damage, + but can go invisible, causing their next attack to do massive damage and ignore + armor. + - rscadd: + Assassin holoparasite stealth will be broken by attacking or taking damage, + which will briefly prevent the parasite from recalling. + - rscadd: Traitor holoparasite injectors include this parasite type. Kor: - - rscadd: There are a couple new lavaland ruins, including one with a new ghost - role. + - rscadd: + There are a couple new lavaland ruins, including one with a new ghost + role. PKPenguin321: - - tweak: The RD's reactive teleport armor now has a cooldown between teleports. - EMPing it will cause it to shut down and have a longer cooldown applied. - - imageadd: Bolas, both reinforced and regular, now have newer, sexier sprites. + - tweak: + The RD's reactive teleport armor now has a cooldown between teleports. + EMPing it will cause it to shut down and have a longer cooldown applied. + - imageadd: Bolas, both reinforced and regular, now have newer, sexier sprites. 2016-03-29: Bawhoppen: - - tweak: Bruisepacks, ointment, and gauze now will apply significanty faster. - - rscdel: SWAT crates no longer contain combat knives. - - rscadd: SWAT crates now contain combat gloves. - - rscadd: Combat knives now can be ordered in their own crate. + - tweak: Bruisepacks, ointment, and gauze now will apply significanty faster. + - rscdel: SWAT crates no longer contain combat knives. + - rscadd: SWAT crates now contain combat gloves. + - rscadd: Combat knives now can be ordered in their own crate. Iamsaltball: - - rscadd: GRAB SUPER NERFED - - rscadd: IT'S WAY EASIER TO ESCAPE GRABS NOW - - rscadd: IT TAKES WAY LONGER TO UPGRADE GRABS NOW - - rscadd: 'YOU CAN ACTUALLY FUCKING ESCAPE GRABS NOW TOO #WOW #WHOA' - - rscadd: GRAB TEXT IS ALL BIG BOLD AND RED MUCH LIKE YOUR MOM LAST NIGHT - - experiment: GIT GUDDERS GO FUCK YOURSELVES YOU CAN'T GET GOOD AGAINST "LOL INSTANT - PERMASTUN THAT ISN'T OBVIOUS IN CHAT LIKE THE REST OF THE STUNS" + - rscadd: GRAB SUPER NERFED + - rscadd: IT'S WAY EASIER TO ESCAPE GRABS NOW + - rscadd: IT TAKES WAY LONGER TO UPGRADE GRABS NOW + - rscadd: "YOU CAN ACTUALLY FUCKING ESCAPE GRABS NOW TOO #WOW #WHOA" + - rscadd: GRAB TEXT IS ALL BIG BOLD AND RED MUCH LIKE YOUR MOM LAST NIGHT + - experiment: + GIT GUDDERS GO FUCK YOURSELVES YOU CAN'T GET GOOD AGAINST "LOL INSTANT + PERMASTUN THAT ISN'T OBVIOUS IN CHAT LIKE THE REST OF THE STUNS" Joan: - - tweak: Ghost revival/body creation alerts now use the ghost's hud style. - - imageadd: Support holoparasites now have a healing effect with their color when - successfully healing a target. - - tweak: Ranged holoparasite projectiles now take on the color of the holoparasite. - - bugfix: Holoparasite communication(holo->summoner) now sends the message to all - holoparasites the summoner has. - - bugfix: If you have multiple holoparasites for some reason, Reset Guardian allows - you to choose which to reset. - - tweak: Resetting a holoparasite also resets its color and name, to make it more - obvious it's a new player. - - rscadd: Holoparasites can now see their summoner's health and various ability - cooldowns from the status panel. - - rscadd: Blobbernauts are now alerted when their factory is destroyed. + - tweak: Ghost revival/body creation alerts now use the ghost's hud style. + - imageadd: + Support holoparasites now have a healing effect with their color when + successfully healing a target. + - tweak: Ranged holoparasite projectiles now take on the color of the holoparasite. + - bugfix: + Holoparasite communication(holo->summoner) now sends the message to all + holoparasites the summoner has. + - bugfix: + If you have multiple holoparasites for some reason, Reset Guardian allows + you to choose which to reset. + - tweak: + Resetting a holoparasite also resets its color and name, to make it more + obvious it's a new player. + - rscadd: + Holoparasites can now see their summoner's health and various ability + cooldowns from the status panel. + - rscadd: Blobbernauts are now alerted when their factory is destroyed. KazeEspada: - - bugfix: Blob Mobs no longer swap with other mobs. + - bugfix: Blob Mobs no longer swap with other mobs. RemieRichards: - - rscadd: Added the ability to make Apiaries and Honey frames with wood - - rscadd: Added the ability to make Royal Bee Jelly from 10 Mutagen and 40 Honey - - rscadd: Added the ability to make more Queen Bees from Royal Bee Jelly by using - it on an existing Queen, to split her into two Queens - - tweak: Made homeless bees more obvious - - bugfix: Fixed a typo that made almost all bees homeless, severely reducing the - odds of getting honeycomb - - tweak: Made bee progress reports (50% towards new honeycomb, etc.) always show, - even if it's 0% - - tweak: Made some feedback text more obvious - - bugfix: Fixed being able to duplicate the bee holder object, this was not exploity, - just weird - - bugfix: Fixed being able to put two (or more) queens in the same apiary - - bugfix: Fixed some runtimes from hydro code assuming a plant gene exists - - bugfix: Fixed runtime when you use a honeycomb in your hand - - tweak: It now takes and uses 5u of a reagent to give a bee that reagent - - rscdel: Removed unused icon file + - rscadd: Added the ability to make Apiaries and Honey frames with wood + - rscadd: Added the ability to make Royal Bee Jelly from 10 Mutagen and 40 Honey + - rscadd: + Added the ability to make more Queen Bees from Royal Bee Jelly by using + it on an existing Queen, to split her into two Queens + - tweak: Made homeless bees more obvious + - bugfix: + Fixed a typo that made almost all bees homeless, severely reducing the + odds of getting honeycomb + - tweak: + Made bee progress reports (50% towards new honeycomb, etc.) always show, + even if it's 0% + - tweak: Made some feedback text more obvious + - bugfix: + Fixed being able to duplicate the bee holder object, this was not exploity, + just weird + - bugfix: Fixed being able to put two (or more) queens in the same apiary + - bugfix: Fixed some runtimes from hydro code assuming a plant gene exists + - bugfix: Fixed runtime when you use a honeycomb in your hand + - tweak: It now takes and uses 5u of a reagent to give a bee that reagent + - rscdel: Removed unused icon file Ricotez: - - imageadd: The default white ghost form now has directional sprites. - - rscadd: The default white ghost form now also has (your) hair! Here's how it works. - - experiment: If you ghost from a body, you'll get the hair from that body. If it - has hair. - - experiment: If you hit Observe, you'll get the hair from the character you had - active in your setup window. If they had hair. - - wip: This only works with the default white ghost form right now (because the - other forms have the wrong shape or lack directional sprites), and with human - bodies since they're the only ones that have hair. Sorry lizards and plasmamen! - You'll get your turn next time. - - rscadd: A new preference called Ghost Accessories. This lets you configure if - you want your ghost sprite to show both hair and directional sprites, only directional - sprites or just use its original default version without directional sprites. - - rscadd: 'A new preference called Ghosts of Others. This preference is clientside - and lets you configure how other ghosts appear to you: as their own setting, - as the form they chose but without any hair or directional sprites, or as the - simple white ghost sprite if you''re sick of those premium users with their - rainbow ghosts.' - - experiment: The layout of the ghost preference buttons has slightly changed. The - old Choose Ghost Form and Choose Ghost Orbit are now a part of Ghost Customization, - which also contains the new Ghost Accessories button. Clicking Ghost Customization - will send you directly to Ghost Accessories if you don't have premium. The Preferences - tab now also contains the Ghost Display button, which lets you configure how - other ghosts appear to you. - - bugfix: Fixed a bug where the toggles for Ghost Accessories and Ghosts of Others - in the Preferences menu wouldn't save your preference update to your save file. - - bugfix: Renamed the "Ghost Display Settings" preference toggle button to "Ghosts - of Others", so it fits with the name the preference has everywhere else. + - imageadd: The default white ghost form now has directional sprites. + - rscadd: The default white ghost form now also has (your) hair! Here's how it works. + - experiment: + If you ghost from a body, you'll get the hair from that body. If it + has hair. + - experiment: + If you hit Observe, you'll get the hair from the character you had + active in your setup window. If they had hair. + - wip: + This only works with the default white ghost form right now (because the + other forms have the wrong shape or lack directional sprites), and with human + bodies since they're the only ones that have hair. Sorry lizards and plasmamen! + You'll get your turn next time. + - rscadd: + A new preference called Ghost Accessories. This lets you configure if + you want your ghost sprite to show both hair and directional sprites, only directional + sprites or just use its original default version without directional sprites. + - rscadd: + "A new preference called Ghosts of Others. This preference is clientside + and lets you configure how other ghosts appear to you: as their own setting, + as the form they chose but without any hair or directional sprites, or as the + simple white ghost sprite if you're sick of those premium users with their + rainbow ghosts." + - experiment: + The layout of the ghost preference buttons has slightly changed. The + old Choose Ghost Form and Choose Ghost Orbit are now a part of Ghost Customization, + which also contains the new Ghost Accessories button. Clicking Ghost Customization + will send you directly to Ghost Accessories if you don't have premium. The Preferences + tab now also contains the Ghost Display button, which lets you configure how + other ghosts appear to you. + - bugfix: + Fixed a bug where the toggles for Ghost Accessories and Ghosts of Others + in the Preferences menu wouldn't save your preference update to your save file. + - bugfix: + Renamed the "Ghost Display Settings" preference toggle button to "Ghosts + of Others", so it fits with the name the preference has everywhere else. TehZombehz: - - rscadd: Paper sacks are now craftable by tablecrafting with 5 sheets of paper. - - rscadd: 'Comes in 5 different designs: Use a pen on a paper sack to change the - design.' - - rscadd: Certain paper sack designs can be modified with a sharp object to craft - a (creepy) paper sack hat. + - rscadd: Paper sacks are now craftable by tablecrafting with 5 sheets of paper. + - rscadd: + "Comes in 5 different designs: Use a pen on a paper sack to change the + design." + - rscadd: + Certain paper sack designs can be modified with a sharp object to craft + a (creepy) paper sack hat. Xhuis: - - bugfix: Portal storm messages now use the station name rather than the world name. - - bugfix: Shadowlings can no longer glare while shadow walking. - - bugfix: Progress bars are now properly shown when reloading revolvers. - - bugfix: Cyborgs and AIs are no longer knocked out when being stuffed into lockers. - - bugfix: Plasmamen can no longer be the patient zero of the space retrovirus. - - bugfix: Cyborgs and AIs now properly display death messages. - - bugfix: Revenants can no longer be closed into lockers. - - bugfix: Airlocks no longer play sounds or flash lights when denying access if - the airlock has no power. - - bugfix: Job spawn icons in mapping have been fixed. - - bugfix: Gibtonite's disarm message no longer include the outside viewer. - - bugfix: Cult walls and girders are now more streamlined and can be built with - runed metal. - - bugfix: Positronic brains and MMIs can no longer see ghosts. - - rscadd: When someone is turned into a statue, the statue now appears as a greyscale - version of them. - - rscadd: Returning from a statue to a human now knocks you down. - - rscdel: Flesh to Stone no longer works on dead mobs. - - bugfix: Wall-mounted flasher crates now have the proper price. - - bugfix: Wall-mounted flasher frames now have icons. - - bugfix: Upgraded resonators now have an inhand sprite. + - bugfix: Portal storm messages now use the station name rather than the world name. + - bugfix: Shadowlings can no longer glare while shadow walking. + - bugfix: Progress bars are now properly shown when reloading revolvers. + - bugfix: Cyborgs and AIs are no longer knocked out when being stuffed into lockers. + - bugfix: Plasmamen can no longer be the patient zero of the space retrovirus. + - bugfix: Cyborgs and AIs now properly display death messages. + - bugfix: Revenants can no longer be closed into lockers. + - bugfix: + Airlocks no longer play sounds or flash lights when denying access if + the airlock has no power. + - bugfix: Job spawn icons in mapping have been fixed. + - bugfix: Gibtonite's disarm message no longer include the outside viewer. + - bugfix: + Cult walls and girders are now more streamlined and can be built with + runed metal. + - bugfix: Positronic brains and MMIs can no longer see ghosts. + - rscadd: + When someone is turned into a statue, the statue now appears as a greyscale + version of them. + - rscadd: Returning from a statue to a human now knocks you down. + - rscdel: Flesh to Stone no longer works on dead mobs. + - bugfix: Wall-mounted flasher crates now have the proper price. + - bugfix: Wall-mounted flasher frames now have icons. + - bugfix: Upgraded resonators now have an inhand sprite. 2016-03-30: Coiax: - - rscadd: Geiger counters can now be stored in the suit storage of radiation suits + - rscadd: Geiger counters can now be stored in the suit storage of radiation suits RemieRichards: - - bugfix: fixes shift-clicking action buttons not instantly resetting their location. - (I'm only making a changelog for this because apparently barely noone even knows - you can move the buttons, let alone reset them...) + - bugfix: + fixes shift-clicking action buttons not instantly resetting their location. + (I'm only making a changelog for this because apparently barely noone even knows + you can move the buttons, let alone reset them...) TehZombehz: - - rscadd: Honey buns and honey nut bars are now craftable using honey. - - tweak: Brewing mead now requires actual honey. + - rscadd: Honey buns and honey nut bars are now craftable using honey. + - tweak: Brewing mead now requires actual honey. 2016-04-01: Erwgd: - - bugfix: Weed Killer bottles and Pest Killer bottles now contain 50 units. - - rscadd: The biogenerator can now make empty bottles and black pepper. + - bugfix: Weed Killer bottles and Pest Killer bottles now contain 50 units. + - rscadd: The biogenerator can now make empty bottles and black pepper. Isratosh: - - rscadd: Added an admin jump button to explosion logs. + - rscadd: Added an admin jump button to explosion logs. Joan: - - rscadd: Traitors can now buy charger holoparasites. - - rscadd: Charger holoparasites move extremely fast, do medium damage, and can charge - at a location, damaging the first target it hits and forcing them to drop any - items they're holding. + - rscadd: Traitors can now buy charger holoparasites. + - rscadd: + Charger holoparasites move extremely fast, do medium damage, and can charge + at a location, damaging the first target it hits and forcing them to drop any + items they're holding. Kor: - - rscadd: Mechas are now storm proof - - rscadd: Kinetic Accelerators now require two hands to fire, but are free standard - gear for miners. - - rscadd: All mining scanners are now automatic, with the advanced version having - longer range. - - rscadd: The QM and HoP no longer have spare vouchers. - - rscadd: You can buy a pack of two survival capsules with your mining voucher. - - rscadd: Mining Bots will no longer cause friendly fire incidents. They'll hold - fire if you are between them and their target - - rscadd: There are now four different mining drone upgrades available in the vendor. - - rscadd: Resonators can now have more fields and deal more melee damage. - - rscadd: Lavaland miners now have explorer's suits instead of hardsuits. Sprites - by Ausops. - - rscadd: You can now butcher Goliath's for their meat. It cooks well in lava. + - rscadd: Mechas are now storm proof + - rscadd: + Kinetic Accelerators now require two hands to fire, but are free standard + gear for miners. + - rscadd: + All mining scanners are now automatic, with the advanced version having + longer range. + - rscadd: The QM and HoP no longer have spare vouchers. + - rscadd: You can buy a pack of two survival capsules with your mining voucher. + - rscadd: + Mining Bots will no longer cause friendly fire incidents. They'll hold + fire if you are between them and their target + - rscadd: There are now four different mining drone upgrades available in the vendor. + - rscadd: Resonators can now have more fields and deal more melee damage. + - rscadd: + Lavaland miners now have explorer's suits instead of hardsuits. Sprites + by Ausops. + - rscadd: You can now butcher Goliath's for their meat. It cooks well in lava. Shadowlight213: - - rscadd: Clients now have a volume preference for admin-played sounds. + - rscadd: Clients now have a volume preference for admin-played sounds. TehZombehz: - - rscadd: The 'Plasteel Chef' program has provided station chefs with complimentary - ingredient packages. There are several package themes, and chefs are provided - a random package on arrival. + - rscadd: + The 'Plasteel Chef' program has provided station chefs with complimentary + ingredient packages. There are several package themes, and chefs are provided + a random package on arrival. coiax: - - rscadd: Free Golems on Lavaland have been naming their newborn siblings with a - wider range of geology terms + - rscadd: + Free Golems on Lavaland have been naming their newborn siblings with a + wider range of geology terms 2016-04-02: Eaglendia: - - rscadd: Central Command has released a new, more functional run of their most - stylish fashion line. - - rscadd: Head of Staff cloaks can now hold specific items - the antique laser gun - for the Captain, the replica energy gun for the Head of Security, the hypospray - for the Chief Medical Officer, the Hand Teleporter or RPED for the Research - Director, and the RCD or RPD for the Chief Engineer. + - rscadd: + Central Command has released a new, more functional run of their most + stylish fashion line. + - rscadd: + Head of Staff cloaks can now hold specific items - the antique laser gun + for the Captain, the replica energy gun for the Head of Security, the hypospray + for the Chief Medical Officer, the Hand Teleporter or RPED for the Research + Director, and the RCD or RPD for the Chief Engineer. 2016-04-03: Erwgd: - - rscadd: Our valued colleagues in the security department are reminded to search - boots for hidden items (such as knives or syringes) as part of standard search - procedures. Alt-click a pair of boots to remove any hidden items. + - rscadd: + Our valued colleagues in the security department are reminded to search + boots for hidden items (such as knives or syringes) as part of standard search + procedures. Alt-click a pair of boots to remove any hidden items. Isratosh: - - bugfix: Fixed rudimentary transform not working properly on ghosts with minds. - - rscadd: Admin logs for bluespace capsules not activated on the mining Z level. + - bugfix: Fixed rudimentary transform not working properly on ghosts with minds. + - rscadd: Admin logs for bluespace capsules not activated on the mining Z level. 2016-04-04: TechnoAlchemisto: - - rscadd: The recipes for some Trekchems are now back in the game - - rscadd: Bicaridine can be made with carbon, oxygen, and sugar. - - rscadd: Kelotane can be made with silicon and carbon. - - rscadd: Antitoxin can be made with nitrogen, silicon, and potassium - - rscadd: tricordrazine can be made by combining all three. + - rscadd: The recipes for some Trekchems are now back in the game + - rscadd: Bicaridine can be made with carbon, oxygen, and sugar. + - rscadd: Kelotane can be made with silicon and carbon. + - rscadd: Antitoxin can be made with nitrogen, silicon, and potassium + - rscadd: tricordrazine can be made by combining all three. 2016-04-05: Erwgd: - - rscadd: Utility belts of all kinds can now accept gloves. Most belts, except janitorial - belts, may now also hold station bounced radios. - - rscadd: Hazard vests and most jackets can carry a station bounced radio as well. - Labcoats can be used to store a handheld crew monitor. - - rscadd: The autolathe can now make toolboxes. + - rscadd: + Utility belts of all kinds can now accept gloves. Most belts, except janitorial + belts, may now also hold station bounced radios. + - rscadd: + Hazard vests and most jackets can carry a station bounced radio as well. + Labcoats can be used to store a handheld crew monitor. + - rscadd: The autolathe can now make toolboxes. Joan: - - rscadd: Adds protector holoparasites to traitor holoparasite injectors. - - rscadd: Protector holoparasites cause the summoner to teleport to them when out - of range, instead of the other way around. - - rscadd: Protector holoparasites have two modes; Combat, where they do and take - medium damage, and Protection, where they do and take almost no damage, but - move slightly slower. - - tweak: Explosive Holoparasites no longer teleport non-mobs when attacking, but - have a higher chance to teleport mobs. - - rscdel: Explosive Holoparasite bombs no longer trigger on their summoner or any - other parasites their summoner has. - - bugfix: Ranged Holoparasites no longer have nightvision active by default. It - can still be toggled on. - - tweak: Ranged Holoparasite snares no longer alert if the crossing mob is their - summoner or one of the parasites their summoner has. - - tweak: Ranged Holoparasites are slightly less visible in scout mode. - - tweak: Standard Holoparasites attack 20% faster than other parasite types. - - rscdel: Support Holoparasite beacons no longer require safe atmospheric conditions, - but the warp channel takes slightly longer, and is preceded with a visible message. - - tweak: Zombies can no longer destroy more than one airlock at a time. - - rscadd: The mining station has been updated. + - rscadd: Adds protector holoparasites to traitor holoparasite injectors. + - rscadd: + Protector holoparasites cause the summoner to teleport to them when out + of range, instead of the other way around. + - rscadd: + Protector holoparasites have two modes; Combat, where they do and take + medium damage, and Protection, where they do and take almost no damage, but + move slightly slower. + - tweak: + Explosive Holoparasites no longer teleport non-mobs when attacking, but + have a higher chance to teleport mobs. + - rscdel: + Explosive Holoparasite bombs no longer trigger on their summoner or any + other parasites their summoner has. + - bugfix: + Ranged Holoparasites no longer have nightvision active by default. It + can still be toggled on. + - tweak: + Ranged Holoparasite snares no longer alert if the crossing mob is their + summoner or one of the parasites their summoner has. + - tweak: Ranged Holoparasites are slightly less visible in scout mode. + - tweak: Standard Holoparasites attack 20% faster than other parasite types. + - rscdel: + Support Holoparasite beacons no longer require safe atmospheric conditions, + but the warp channel takes slightly longer, and is preceded with a visible message. + - tweak: Zombies can no longer destroy more than one airlock at a time. + - rscadd: The mining station has been updated. MrStonedOne: - - bugfix: Centcom is glad to announce the end of sending workers to our control - group for space exposure testing, a fake station in "space" that noticeably - had air in "space". + - bugfix: + Centcom is glad to announce the end of sending workers to our control + group for space exposure testing, a fake station in "space" that noticeably + had air in "space". TechnoAlchemisto: - - tweak: Detective scanners are now smaller. - - tweak: Pickaxes now fit in explorer suit exosuit slots. + - tweak: Detective scanners are now smaller. + - tweak: Pickaxes now fit in explorer suit exosuit slots. bgobandit: - - rscadd: Alt-clicking a fire extinguisher cabinet opens and closes it. That is - all. + - rscadd: + Alt-clicking a fire extinguisher cabinet opens and closes it. That is + all. 2016-04-06: CoreOverload: - - rscadd: You can now put slimes in stasis by exposing them to room temp CO2. Useful - for both fighting the slimes and safely storing them. + - rscadd: + You can now put slimes in stasis by exposing them to room temp CO2. Useful + for both fighting the slimes and safely storing them. Erwgd: - - rscadd: The autolathe can now make hydroponics tools! Access the design routines - in the Misc. category of the machine. + - rscadd: + The autolathe can now make hydroponics tools! Access the design routines + in the Misc. category of the machine. LanCartwright: - - tweak: Custom viruses with stealth values of 3 or above are now invisible on the - PANDEMIC and no longer visible on health huds. + - tweak: + Custom viruses with stealth values of 3 or above are now invisible on the + PANDEMIC and no longer visible on health huds. MrStonedOne: - - bugfix: Centcom is happy to report that our single sided windows and our windoors - should once again create an airtight seal. + - bugfix: + Centcom is happy to report that our single sided windows and our windoors + should once again create an airtight seal. bgobandit: - - rscadd: Honk! Nanotrasen's clowning and development department has invented the - clown megaphone, standard in all clowning loadouts! Honk honk! + - rscadd: + Honk! Nanotrasen's clowning and development department has invented the + clown megaphone, standard in all clowning loadouts! Honk honk! 2016-04-07: Kor: - - rscadd: The Laser Cannon in RD has been replaced with the Accelerator Laser Cannon. - Try it out! - - rscadd: Mechas now have armour facings. Attacking the front will deal far less - damage, while attacking the back will deal massive bonus damage. - - rscadd: EMPs now deal far less damage/drain to mechas. + - rscadd: + The Laser Cannon in RD has been replaced with the Accelerator Laser Cannon. + Try it out! + - rscadd: + Mechas now have armour facings. Attacking the front will deal far less + damage, while attacking the back will deal massive bonus damage. + - rscadd: EMPs now deal far less damage/drain to mechas. Kor and Ausops: - - rscadd: Survival pod interiors have been redone. - - rscadd: Survival pods now contain a stationary GPS computer. - - rscadd: You can now toggle your GPS off with alt+click. + - rscadd: Survival pod interiors have been redone. + - rscadd: Survival pods now contain a stationary GPS computer. + - rscadd: You can now toggle your GPS off with alt+click. bgobandit: - - rscadd: Due to budget cuts, Nanotrasen is no longer utilizing copy-protected paper - for its classified documents. Fortunately, our world-class security team has - always prevented any thefts or photocopies from being made! - - rscadd: Secret documents can be photocopied. If you have an objective to steal - any set of documents, a photocopy will be accepted. If you must steal red or - blue documents, a photocopy will NOT be accepted. Enterprising traitors can - forge the red/blue seal with a crayon to take advantage of this. + - rscadd: + Due to budget cuts, Nanotrasen is no longer utilizing copy-protected paper + for its classified documents. Fortunately, our world-class security team has + always prevented any thefts or photocopies from being made! + - rscadd: + Secret documents can be photocopied. If you have an objective to steal + any set of documents, a photocopy will be accepted. If you must steal red or + blue documents, a photocopy will NOT be accepted. Enterprising traitors can + forge the red/blue seal with a crayon to take advantage of this. 2016-04-09: GunHog: - - rscadd: Aliens may now force open unbolted, unwelded airlocks. Unpowered airlocks - open faster than powered ones. Has a cool sound provided by @Ultimate-Chimera! - - tweak: Alien Drone health increased to 125 hp. - - tweak: Alien drone is now faster! - - tweak: Alien egg and larva maturation times halved. - - tweak: Resin membrane health increased to 160 hp. - - rscadd: Aliens may now open firelocks. - - rscadd: Aliens may now unweld scrubbers and vents. (From the outside!) - - tweak: Droppers no longer affect aliens. + - rscadd: + Aliens may now force open unbolted, unwelded airlocks. Unpowered airlocks + open faster than powered ones. Has a cool sound provided by @Ultimate-Chimera! + - tweak: Alien Drone health increased to 125 hp. + - tweak: Alien drone is now faster! + - tweak: Alien egg and larva maturation times halved. + - tweak: Resin membrane health increased to 160 hp. + - rscadd: Aliens may now open firelocks. + - rscadd: Aliens may now unweld scrubbers and vents. (From the outside!) + - tweak: Droppers no longer affect aliens. Joan: - - rscdel: You can no longer drop survival capsules on top of dense objects, such - as the windows in the emergency shuttle. You can still drop them on non-dense - objects and mobs, however. - - tweak: Swarmers can now deconstruct objects simply by clicking. - - rscadd: Swarmers can still teleport mobs away via ctrl-click. - - bugfix: Emps will now properly damage swarmers. + - rscdel: + You can no longer drop survival capsules on top of dense objects, such + as the windows in the emergency shuttle. You can still drop them on non-dense + objects and mobs, however. + - tweak: Swarmers can now deconstruct objects simply by clicking. + - rscadd: Swarmers can still teleport mobs away via ctrl-click. + - bugfix: Emps will now properly damage swarmers. Kor: - - rscadd: Added wisp lanterns to necropolis chests. - - rscadd: Added red/blue cube pairs to necropolis chests. - - rscadd: Added meat hooks to necropolis chests. - - rscadd: Added immortality talismans to necropolis chests. - - rscadd: Added paradox bags to necropolis chests. - - rscadd: Ripley drills work again. Go tear up lavaland. + - rscadd: Added wisp lanterns to necropolis chests. + - rscadd: Added red/blue cube pairs to necropolis chests. + - rscadd: Added meat hooks to necropolis chests. + - rscadd: Added immortality talismans to necropolis chests. + - rscadd: Added paradox bags to necropolis chests. + - rscadd: Ripley drills work again. Go tear up lavaland. PKPenguin321: - - tweak: Goofball's grab nerf has been reverted. + - tweak: Goofball's grab nerf has been reverted. TechnoAlchemisto: - - tweak: Pickaxe upgrades are now better. + - tweak: Pickaxe upgrades are now better. coiax: - - tweak: Efficiency Station Testing Lab now has a Drone Shell Dispenser - - tweak: Fixed an issue with a door on the Golem Ship - - rscadd: The unfathomable entity Carp'sie has blessed vir followers with mysterious - carp guardians. - - rscadd: Nanotrasen Cyborgs are now able to empty ore boxes without human assistance - - rscadd: Ore boxes are now craftable with 4 planks of wood - - tweak: Ore boxes now drop their contents when destroyed, or dismantled with a - crowbar + - tweak: Efficiency Station Testing Lab now has a Drone Shell Dispenser + - tweak: Fixed an issue with a door on the Golem Ship + - rscadd: + The unfathomable entity Carp'sie has blessed vir followers with mysterious + carp guardians. + - rscadd: Nanotrasen Cyborgs are now able to empty ore boxes without human assistance + - rscadd: Ore boxes are now craftable with 4 planks of wood + - tweak: + Ore boxes now drop their contents when destroyed, or dismantled with a + crowbar coiax, bobdobbington, Core0verload: - - rscadd: An experimental plant DNA manipulator, based on machinery recovered from - ancient seed vaults, has been installed in the Botany department. + - rscadd: + An experimental plant DNA manipulator, based on machinery recovered from + ancient seed vaults, has been installed in the Botany department. 2016-04-11: Joan: - - rscadd: Blob cores will take slight brute damage from explosions. + - rscadd: Blob cores will take slight brute damage from explosions. RandomMarine: - - rscadd: Additional luxuries have been added to golem ships. Including new rewards. - Praise be to The Liberator! - - rscdel: However, jaunters are no longer easily obtained by free golems. + - rscadd: + Additional luxuries have been added to golem ships. Including new rewards. + Praise be to The Liberator! + - rscdel: However, jaunters are no longer easily obtained by free golems. RemieRichards: - - rscadd: The Station Blueprints now display the piping/wiring and some of the machinery - the station started with, to assist in repairs + - rscadd: + The Station Blueprints now display the piping/wiring and some of the machinery + the station started with, to assist in repairs coiax: - - rscadd: Emagging the cargo console also unlocks regular contraband, in addition - to syndicate gear - - rscadd: A working drone shell dispenser is now on display in MetaStation's museum, - displaying the virtue of the tireless little workers! - - rscadd: Dreamstation now has a drone shell dispenser in the Toxins Launch Room + - rscadd: + Emagging the cargo console also unlocks regular contraband, in addition + to syndicate gear + - rscadd: + A working drone shell dispenser is now on display in MetaStation's museum, + displaying the virtue of the tireless little workers! + - rscadd: Dreamstation now has a drone shell dispenser in the Toxins Launch Room 2016-04-12: Incoming5643: - - rscadd: Leading scientists have finally proven that humans (and xenos) in fact - have tongues in their mouths. - - rscadd: Swapping out tongues allows the various races to change their speech impediments. - Putting a xeno tongue in someone allows them to make the hissing sound like - a xeno whenever they speak. - - rscdel: There are no erp mechanics tied to this feature. - - experiment: Remember that tongues are stored in the MOUTH, selecting the head - isn't good enough. + - rscadd: + Leading scientists have finally proven that humans (and xenos) in fact + have tongues in their mouths. + - rscadd: + Swapping out tongues allows the various races to change their speech impediments. + Putting a xeno tongue in someone allows them to make the hissing sound like + a xeno whenever they speak. + - rscdel: There are no erp mechanics tied to this feature. + - experiment: + Remember that tongues are stored in the MOUTH, selecting the head + isn't good enough. Kor: - - rscadd: Ash walker starting gear has been rebalanced. - - rscadd: Ash walkers can no longer use guns. + - rscadd: Ash walker starting gear has been rebalanced. + - rscadd: Ash walkers can no longer use guns. TrustyGun: - - rscadd: After carefully investing in the market, the Captain had enough money - to replace his silver flask with a golden one! - - rscadd: The Detective is now bringing his personalized flask to work, due to the - grim work he has to do. - - rscadd: The Booze-O-Mat now stocks 3 flasks. + - rscadd: + After carefully investing in the market, the Captain had enough money + to replace his silver flask with a golden one! + - rscadd: + The Detective is now bringing his personalized flask to work, due to the + grim work he has to do. + - rscadd: The Booze-O-Mat now stocks 3 flasks. 2016-04-16: Bawhoppen: - - tweak: Cryo is no longer god-awful. + - tweak: Cryo is no longer god-awful. CoreOverload: - - rscadd: A lot of items are now exportable in cargo. - - rscadd: Use Export Scanner to check any item's export value. + - rscadd: A lot of items are now exportable in cargo. + - rscadd: Use Export Scanner to check any item's export value. Erwgd: - - rscadd: Forks, bowls, drinking glasses, shot glasses and shakers can now be made - and recycled in the autolathe! Access the designs in the new 'Dinnerware' category. - - tweak: Kitchen knives have been moved to the Dinnerware category of the autolathe. - - rscadd: Butcher's cleavers can now be made in a hacked autolathe. + - rscadd: + Forks, bowls, drinking glasses, shot glasses and shakers can now be made + and recycled in the autolathe! Access the designs in the new 'Dinnerware' category. + - tweak: Kitchen knives have been moved to the Dinnerware category of the autolathe. + - rscadd: Butcher's cleavers can now be made in a hacked autolathe. Fox McCloud: - - rscadd: Slime batteries now self-recharge. - - rscadd: Adds transference potion. A potion that allows the user to transfer their - consciousness to a simple mob. - - rscadd: Adds rainbow slime core reaction that generates a consciousness transference - potion when injected with blood. + - rscadd: Slime batteries now self-recharge. + - rscadd: + Adds transference potion. A potion that allows the user to transfer their + consciousness to a simple mob. + - rscadd: + Adds rainbow slime core reaction that generates a consciousness transference + potion when injected with blood. Iamgoofball, Lati, Geo_Jerkal, Tanquetsunami25: - - rscadd: Lati requested that the Slime Processor will now automatically scoop up - any dead slimes into itself for processing. - - rscadd: Geo_Jerkal requested that you be able to mix Arnold Palmers with Tea and - Lemon Juice. - - rscadd: Tanquetsunami25 requested that cyborg be able to boop. + - rscadd: + Lati requested that the Slime Processor will now automatically scoop up + any dead slimes into itself for processing. + - rscadd: + Geo_Jerkal requested that you be able to mix Arnold Palmers with Tea and + Lemon Juice. + - rscadd: Tanquetsunami25 requested that cyborg be able to boop. Incoming5643: - - rscdel: Removed the horrible meme skeletons, please don't sue us. + - rscdel: Removed the horrible meme skeletons, please don't sue us. Kor: - - rscadd: Adrenals, no slips, surplus crates and SUHTANDOS now have minimum population - requirements before they can be purchased. + - rscadd: + Adrenals, no slips, surplus crates and SUHTANDOS now have minimum population + requirements before they can be purchased. KorPhaeron: - - rscadd: You now need to butcher goliaths and watchers on lavaland to receive their - loot. Use the combat knives to do so. + - rscadd: + You now need to butcher goliaths and watchers on lavaland to receive their + loot. Use the combat knives to do so. Lati: - - rscadd: Custom floor tiles can now be added to floorbots. They will start replacing - other tiles with these tiles if the option is toggled on. + - rscadd: + Custom floor tiles can now be added to floorbots. They will start replacing + other tiles with these tiles if the option is toggled on. coiax: - - rscadd: Boxstation, not to be outdone by all the other competing station designs, - has installed a drone shell dispenser in the Testing Lab, which makes automated - drones to help fix the station. - - rscadd: Toy fans, rejoyce! The famous skeleton brothers from the beloved game - Belowyarn now have toys that you can win from the arcade machines! - - rscadd: Airlock painters can be printed at your local autolathe - - rscadd: Please do not attempt suicide with the airlock painter or the medical - wrench. - - rscadd: Metastation now has a plant DNA manipulator in Botany. - - rscadd: Using the fire extinguisher on yourself or others while in HELP intent - will spray you or them, rather than beat their probably flaming body with a - metal object. - - tweak: Alt-clicking extinguishers to empty them now wets the floor underneath - them. + - rscadd: + Boxstation, not to be outdone by all the other competing station designs, + has installed a drone shell dispenser in the Testing Lab, which makes automated + drones to help fix the station. + - rscadd: + Toy fans, rejoyce! The famous skeleton brothers from the beloved game + Belowyarn now have toys that you can win from the arcade machines! + - rscadd: Airlock painters can be printed at your local autolathe + - rscadd: + Please do not attempt suicide with the airlock painter or the medical + wrench. + - rscadd: Metastation now has a plant DNA manipulator in Botany. + - rscadd: + Using the fire extinguisher on yourself or others while in HELP intent + will spray you or them, rather than beat their probably flaming body with a + metal object. + - tweak: + Alt-clicking extinguishers to empty them now wets the floor underneath + them. lordpidey: - - rscadd: Meth labs can now blow up if you don't purify the ingredients or over-heat - the end product. + - rscadd: + Meth labs can now blow up if you don't purify the ingredients or over-heat + the end product. nullbear: - - rscadd: Added attack verbs for heart and tongue organs - - tweak: Maximum output of air pumps has been raised. + - rscadd: Added attack verbs for heart and tongue organs + - tweak: Maximum output of air pumps has been raised. 2016-04-18: Joan: - - rscdel: Crates are now dense even when open. - - rscadd: You can now climb onto crates in the same way as table and sandbags, though - climbing onto crates is very fast and does not stun you. - - wip: You can walk on crates, provided both are closed/open or the crate you're - on is closed. - - rscdel: You can't close or open a crate if there's a large mob on top of it. - - rscadd: Stuffing items into a closet or crate is now instant and does not close - the closet or crate. Stuffing mobs into a closet or crate still takes time and - closes the closet/crate in question. - - imageadd: Crowbars and wirecutters have new inhand sprites. Crowbars can now be - distinguished from wrenches in-hand. + - rscdel: Crates are now dense even when open. + - rscadd: + You can now climb onto crates in the same way as table and sandbags, though + climbing onto crates is very fast and does not stun you. + - wip: + You can walk on crates, provided both are closed/open or the crate you're + on is closed. + - rscdel: You can't close or open a crate if there's a large mob on top of it. + - rscadd: + Stuffing items into a closet or crate is now instant and does not close + the closet or crate. Stuffing mobs into a closet or crate still takes time and + closes the closet/crate in question. + - imageadd: + Crowbars and wirecutters have new inhand sprites. Crowbars can now be + distinguished from wrenches in-hand. RandomMarine: - - tweak: Cloth items removed from biogenerator. Instead, it can create stacking - cloth that crafts those items. - - rscadd: In addition, cloth can be used to create grey jumpsuits, backpacks, dufflebags, - bio bags, black shoes, bedsheets, and bandages. - - tweak: Bedsheets now tear into cloth instead of directly into bandages. + - tweak: + Cloth items removed from biogenerator. Instead, it can create stacking + cloth that crafts those items. + - rscadd: + In addition, cloth can be used to create grey jumpsuits, backpacks, dufflebags, + bio bags, black shoes, bedsheets, and bandages. + - tweak: Bedsheets now tear into cloth instead of directly into bandages. Shadowlight213: - - tweak: AI will be notified when one of their cyborgs is detonated. + - tweak: AI will be notified when one of their cyborgs is detonated. coiax: - - bugfix: Fixed slime grinders not sucking up more than one slime - - rscadd: Drones now start with a spacious dufflebag full of tools, so they will - stop stealing the captain's - - bugfix: Fixed issues with drones wearing chameleon headgear. - - rscadd: Added admin-only "snowflake drone" (also known as drone camogear) headgear. + - bugfix: Fixed slime grinders not sucking up more than one slime + - rscadd: + Drones now start with a spacious dufflebag full of tools, so they will + stop stealing the captain's + - bugfix: Fixed issues with drones wearing chameleon headgear. + - rscadd: Added admin-only "snowflake drone" (also known as drone camogear) headgear. nullbear: - - bugfix: Fixes air canisters being silent when bashed. + - bugfix: Fixes air canisters being silent when bashed. 2016-04-20: Erwgd: - - rscadd: The autolathe can now make trays. + - rscadd: The autolathe can now make trays. Fox McCloud: - - bugfix: Fixes abductor vests having no cooldown between uses + - bugfix: Fixes abductor vests having no cooldown between uses Kor: - - rscadd: You can now craft boats and oars out of goliath hides. These boats can - move in lava. - - rscadd: Added a spooky, upgraded boat to necropolis chests. + - rscadd: + You can now craft boats and oars out of goliath hides. These boats can + move in lava. + - rscadd: Added a spooky, upgraded boat to necropolis chests. coiax: - - tweak: Slime grinders now cease suction of new slimes while grinding + - tweak: Slime grinders now cease suction of new slimes while grinding coiax, Joan: - - rscadd: Drone dufflebags now have their own sprite. + - rscadd: Drone dufflebags now have their own sprite. kevinz000: - - rscadd: 'Admin Detection Multitool: A multitool that shows when administrators - are watching you! Now you can grief in safety!' - - tweak: Syndicate R&D scientists have significantly increased the range of their - "AI detection multitools", making them turn yellow when an AI's tracking is - near, but not on you just yet! + - rscadd: + "Admin Detection Multitool: A multitool that shows when administrators + are watching you! Now you can grief in safety!" + - tweak: + Syndicate R&D scientists have significantly increased the range of their + "AI detection multitools", making them turn yellow when an AI's tracking is + near, but not on you just yet! 2016-04-21: Kor: - - rscadd: Mechas can now toggle strafing mode. + - rscadd: Mechas can now toggle strafing mode. 2016-04-22: Bawhoppen: - - rscadd: Security belts can now hold any type of grenade. This includes barrier - grenades. - - rscadd: Janitorial belts are now able to store chem grenades. - - rscadd: Military belts have been given a size upgrade, so they can now hold larger - items. - - rscadd: Bandoliers have been given a buff and now can hold a much larger amount - of ammunition. + - rscadd: + Security belts can now hold any type of grenade. This includes barrier + grenades. + - rscadd: Janitorial belts are now able to store chem grenades. + - rscadd: + Military belts have been given a size upgrade, so they can now hold larger + items. + - rscadd: + Bandoliers have been given a buff and now can hold a much larger amount + of ammunition. nullbear: - - bugfix: xenobio console is deconstructable again. - - tweak: syndibomb recipe calls for any matter bin, scaling effectiveness with tier. + - bugfix: xenobio console is deconstructable again. + - tweak: syndibomb recipe calls for any matter bin, scaling effectiveness with tier. 2016-04-23: Joan: - - bugfix: Aliens can now open crates and lockers. - - bugfix: Aliens and monkeys can now climb climbable objects, such as crates and - sandbags. - - rscadd: Aliens climb very, very fast. + - bugfix: Aliens can now open crates and lockers. + - bugfix: + Aliens and monkeys can now climb climbable objects, such as crates and + sandbags. + - rscadd: Aliens climb very, very fast. Kor: - - rscadd: Running HE pipes over lava will now heat the gas inside. - - rscadd: Alt+clicking on your mecha (while inside it) will toggle strafing mode. + - rscadd: Running HE pipes over lava will now heat the gas inside. + - rscadd: Alt+clicking on your mecha (while inside it) will toggle strafing mode. Mercenaryblue: - - rscadd: Allowed all corgis to wear red wizard hats. + - rscadd: Allowed all corgis to wear red wizard hats. TechnoAlchemisto: - - rscadd: Goliaths now drop bones, and Watchers drop sinews. - - rscadd: You can craft primitive gear from bone and sinew. + - rscadd: Goliaths now drop bones, and Watchers drop sinews. + - rscadd: You can craft primitive gear from bone and sinew. coiax: - - bugfix: Non-humans are now able to interact with bee boxes. + - bugfix: Non-humans are now able to interact with bee boxes. 2016-04-25: Joan: - - bugfix: You can once again hit a closet or crate with an item to open it. + - bugfix: You can once again hit a closet or crate with an item to open it. Kor Razharas: - - rscadd: Adds support for autoclicking. - - rscadd: The Shock Revolver has been added to RnD. - - rscadd: The Laser Gatling Gun has been added to RnD. The Gatling Gun uses autoclick - to fire as you hold down the mouse. - - rscadd: The Research Director now starts with a box of firing pins. - - rscadd: The SABR and Stun Revolver recipes have been removed from RnD + - rscadd: Adds support for autoclicking. + - rscadd: The Shock Revolver has been added to RnD. + - rscadd: + The Laser Gatling Gun has been added to RnD. The Gatling Gun uses autoclick + to fire as you hold down the mouse. + - rscadd: The Research Director now starts with a box of firing pins. + - rscadd: The SABR and Stun Revolver recipes have been removed from RnD coiax: - - rscadd: Laughter demons are like slaughter demons, but they tickle people to death - - tweak: Slaughter demons are no longer able to cast spells while phased. - - tweak: Wizards can now speak while ethereal, but still cannot cast spells while - ethereal. - - rscadd: 'Centcom''s "drone expert" reports that drones vision filters have been - upgraded to include the option of making all beings appear as harmless animals. - info: As always, all drone filters are togglable.' - - rscadd: As a sign of friendship between the Free Golems and Centcom, they have - modified Centcom's jaunter to be worn around a user's waist, which will save - them from falling to their death in a chasm. - - experiment: The Golems warn that these modifications have created a risk of accidental - activation when exposed to heavy electromagnetic fields. - - tweak: Renamed hivelord stabilizer to stabilizing serum. - - rscadd: Centcom regret to inform you that new instabilities with nearby gas giants - are causing exospheric bubbles to affect the telecommunications processors. - Please contact your supervisor for further instructions. - - rscadd: The Janitor's Union has mandated additional features to station light - replacer devices. - - rscadd: The light replacer now can be used on the floor to replace the bulbs of - any lights on that tile. - - rscadd: The light replacer now eats replaced bulbs, and after a certain number - of bulb fragments (four) will recycle them into a new bulb. - - tweak: The description of the light replacer is now more informative. - - rscadd: Clown mask appearance toggle now has an action button. + - rscadd: Laughter demons are like slaughter demons, but they tickle people to death + - tweak: Slaughter demons are no longer able to cast spells while phased. + - tweak: + Wizards can now speak while ethereal, but still cannot cast spells while + ethereal. + - rscadd: + 'Centcom''s "drone expert" reports that drones vision filters have been + upgraded to include the option of making all beings appear as harmless animals. + info: As always, all drone filters are togglable.' + - rscadd: + As a sign of friendship between the Free Golems and Centcom, they have + modified Centcom's jaunter to be worn around a user's waist, which will save + them from falling to their death in a chasm. + - experiment: + The Golems warn that these modifications have created a risk of accidental + activation when exposed to heavy electromagnetic fields. + - tweak: Renamed hivelord stabilizer to stabilizing serum. + - rscadd: + Centcom regret to inform you that new instabilities with nearby gas giants + are causing exospheric bubbles to affect the telecommunications processors. + Please contact your supervisor for further instructions. + - rscadd: + The Janitor's Union has mandated additional features to station light + replacer devices. + - rscadd: + The light replacer now can be used on the floor to replace the bulbs of + any lights on that tile. + - rscadd: + The light replacer now eats replaced bulbs, and after a certain number + of bulb fragments (four) will recycle them into a new bulb. + - tweak: The description of the light replacer is now more informative. + - rscadd: Clown mask appearance toggle now has an action button. 2016-04-26: Iamgoofball & Super Aggro Crag: - - tweak: Fluorosulfuric Acid now has doubled acid power. - - experiment: Fluorosulfuric Acid now does BONUS burn damage scaling on the time - it's been inside the consumer. + - tweak: Fluorosulfuric Acid now has doubled acid power. + - experiment: + Fluorosulfuric Acid now does BONUS burn damage scaling on the time + it's been inside the consumer. Joan: - - tweak: Blobbernauts now spawn at half health. - - tweak: Blobbernauts regeneration on blob is now 2.5 health per tick, from 5. - - tweak: Blobbernauts now cost 40 resources to produce, from 30. - - rscdel: Factories supporting blobbernauts do not spawn spores. + - tweak: Blobbernauts now spawn at half health. + - tweak: Blobbernauts regeneration on blob is now 2.5 health per tick, from 5. + - tweak: Blobbernauts now cost 40 resources to produce, from 30. + - rscdel: Factories supporting blobbernauts do not spawn spores. Lati: - - tweak: Syndicate bomb can be only delayed once by pulsing the delay wire. Time - gained from this is changed from 10 seconds to 30 seconds. + - tweak: + Syndicate bomb can be only delayed once by pulsing the delay wire. Time + gained from this is changed from 10 seconds to 30 seconds. TechnoAlchemisto: - - tweak: Goliath plates can now be stacked. + - tweak: Goliath plates can now be stacked. phil235: - - rscadd: More structures and machines are now breakable and/or destroyable with - melee weapon. Additionally, Some structures and machines that are already breakable/destroyable - are now affected by more attack methods (gun projectiles, thrown items, melee - weapons, xeno/animal attacks, explosions). - - rscadd: Hitting any machine now always makes a sound. - - rscadd: You can hit closed closets/crates and doors by using an item on harm intent - (but it doesn't actually hurt them). - - rscadd: you can now burst filled water balloons with sharp items. - - bugfix: Wooden barricade drops wood when destroyed. - - bugfix: Slot machines with coins inside are deconstructable now. + - rscadd: + More structures and machines are now breakable and/or destroyable with + melee weapon. Additionally, Some structures and machines that are already breakable/destroyable + are now affected by more attack methods (gun projectiles, thrown items, melee + weapons, xeno/animal attacks, explosions). + - rscadd: Hitting any machine now always makes a sound. + - rscadd: + You can hit closed closets/crates and doors by using an item on harm intent + (but it doesn't actually hurt them). + - rscadd: you can now burst filled water balloons with sharp items. + - bugfix: Wooden barricade drops wood when destroyed. + - bugfix: Slot machines with coins inside are deconstructable now. 2016-04-27: TechnoAlchemisto: - - rscadd: Miners can now select explorer belts from the mining vendor using their - vouchers, or mining points. + - rscadd: + Miners can now select explorer belts from the mining vendor using their + vouchers, or mining points. 2016-04-28: Bawhoppen: - - tweak: Sandbags are no longer tablecrafted. Now you just put in sand (or ash) - by hand to make them. - - rscadd: Miners and Engis now get boxes of empty sandbags in their lockers. Miners - also get a few premade aswell. - - rscadd: You can now break sandstone down into normal sand. + - tweak: + Sandbags are no longer tablecrafted. Now you just put in sand (or ash) + by hand to make them. + - rscadd: + Miners and Engis now get boxes of empty sandbags in their lockers. Miners + also get a few premade aswell. + - rscadd: You can now break sandstone down into normal sand. Joan: - - rscadd: Attacking a blob with an analyzer will tell you what its chemical does, - its health, and a small fact about the blob analyzed. - - rscdel: 'NERFS:' - - tweak: Zombifying Feelers does less toxin damage. - - tweak: Adaptive Nexuses does slightly less brute damage. - - tweak: Replicating Foam does slightly less brute damage. - - tweak: Blob Sorium does slightly less brute damage. - - tweak: Blob Dark Matter does slightly less brute damage. - - tweak: Cyrogenic Liquid injects slightly less frost oil and ice and does slightly - less stamina damage. - - tweak: Pressurized Slime does less brute, oxygen, and stamina damage, and extinguishes - objects and people on turfs it wets. - - rscdel: Blob core strong blobs no longer give points when removed. - - wip: 'PROBABLY BUFFS:' - - tweak: Flammable Goo now does slightly more burn damage and applies more firestacks, - but applies fire to blob tiles that don't share its chemical. - - tweak: Energized Fibers does slightly more burn damage, slightly less stamina - damage, and now takes damage from EMPs. - - rscadd: 'BUFFS:' - - tweak: Boiling Oil does slightly more burn damage and applies more firestacks. - - tweak: Reactive Gelatin does slightly more damage on average. - - tweak: Penetrating Spines now also ignores bio resistance in addition to armor. - - tweak: Hallucinogenic Nectar causes more hallucinations. - - tweak: Normal strong blobs now refund 4 points when removed, from 2. - - rscadd: Charger holoparasites now play a sound when hitting a target, as well - as shaking the target's camera. + - rscadd: + Attacking a blob with an analyzer will tell you what its chemical does, + its health, and a small fact about the blob analyzed. + - rscdel: "NERFS:" + - tweak: Zombifying Feelers does less toxin damage. + - tweak: Adaptive Nexuses does slightly less brute damage. + - tweak: Replicating Foam does slightly less brute damage. + - tweak: Blob Sorium does slightly less brute damage. + - tweak: Blob Dark Matter does slightly less brute damage. + - tweak: + Cyrogenic Liquid injects slightly less frost oil and ice and does slightly + less stamina damage. + - tweak: + Pressurized Slime does less brute, oxygen, and stamina damage, and extinguishes + objects and people on turfs it wets. + - rscdel: Blob core strong blobs no longer give points when removed. + - wip: "PROBABLY BUFFS:" + - tweak: + Flammable Goo now does slightly more burn damage and applies more firestacks, + but applies fire to blob tiles that don't share its chemical. + - tweak: + Energized Fibers does slightly more burn damage, slightly less stamina + damage, and now takes damage from EMPs. + - rscadd: "BUFFS:" + - tweak: Boiling Oil does slightly more burn damage and applies more firestacks. + - tweak: Reactive Gelatin does slightly more damage on average. + - tweak: Penetrating Spines now also ignores bio resistance in addition to armor. + - tweak: Hallucinogenic Nectar causes more hallucinations. + - tweak: Normal strong blobs now refund 4 points when removed, from 2. + - rscadd: + Charger holoparasites now play a sound when hitting a target, as well + as shaking the target's camera. PKPenguin321: - - rscadd: The warden's locker now contains krav maga gloves. + - rscadd: The warden's locker now contains krav maga gloves. TechnoAlchemisto: - - rscadd: You can now craft skull helmets from bones. - - rscadd: Syndicate bombs are now harder to detect + - rscadd: You can now craft skull helmets from bones. + - rscadd: Syndicate bombs are now harder to detect 2016-04-29: Bawhoppen: - - rscadd: Several lesser-used uplink's TC cost have been rebalanced. - - tweak: Steckhin down from 9TC to 7TC. - - tweak: Tactical medkit down from 9TC to 4TC. - - tweak: Syndicate magboots from 3TC to 2TC. - - tweak: Powersinks down from 10TC to 6TC. - - tweak: Stealth rad-laser down from 5TC to 3TC. - - tweak: Bundles have been updated accordingly. + - rscadd: Several lesser-used uplink's TC cost have been rebalanced. + - tweak: Steckhin down from 9TC to 7TC. + - tweak: Tactical medkit down from 9TC to 4TC. + - tweak: Syndicate magboots from 3TC to 2TC. + - tweak: Powersinks down from 10TC to 6TC. + - tweak: Stealth rad-laser down from 5TC to 3TC. + - tweak: Bundles have been updated accordingly. Incoming5643: - - rscadd: The staff/wand of door creation can now also be used to open airlock doors. - - rscadd: Doors spawned by the staff/wand now start open. Keep this in mind the - next time you try to turn every wall on the escape shuttle into a door. + - rscadd: The staff/wand of door creation can now also be used to open airlock doors. + - rscadd: + Doors spawned by the staff/wand now start open. Keep this in mind the + next time you try to turn every wall on the escape shuttle into a door. Robustin: - - rscdel: The Teleport Other, Veil, Imbue, Reveal, Disguise, Blood Drain, Timestop, - Stun, Deafen, Blind, Armaments, Construct Shell and Summon Tome runes are gone. - - rscadd: Disguise, Veil/Reveal, Construct Shell and Armaments are now talismans. - The Construction talisman requires 25 sheets of metal. - - rscadd: Cultists will now receive a warning when attempting to use emergency communion - or create the Nar-Sie rune - - rscadd: Cultists can now create talismans with a super-simple Talisman-Creation - rune. It takes about 10 seconds to invoke and will present a menu of all the - talisman choices available. Its as simple as tossing the paper on, clicking - the rune, and selecting your talisman. - - rscadd: Cultists now have a proc, "How to Play" that will give a basic explanation - of how to succeed as a cultist. - - rscadd: The new Talisman of Horror is a stealthy talisman that will cause hallucinations - in the victim. Great for undermining security without having to commit to murder - them in middle of the hall. - - rscadd: Creating the Summon Nar-Sie rune does takes slightly less time, but now - adds a 3x3 square of red barrier shields (60hp each) to prevent the rune-scriber - from being bumped by other idiots. This works in conjunction with the rune's - warning to give crew a chance to stop the summoning. Manifest ghost has a weaker - 1x1 shield to prevent bumps as well. - - rscadd: Talismans are now color-coded by their effect so you can easily organize - and deploy talismans. - - rscadd: You can now make colored paper in the washing machine using crayons or - stamps, honk. - - rscadd: The Electromagnetic Disruption rune will now scale with the number of - cultists invoking the rune. **A full 9-cultist invocation will EMP the entire - station!** - - rscadd: Armaments will now give the recipient a new cult bola. - - rscadd: The new Talisman of Shackling will apply handcuffs directly to the victim. - These cuffs will disappear when removed. - - tweak: Cult slur is a little less potent so victims might be able to squeeze in - a coherent word or two if you let them keep jabbering on the radio, stun talismans - now have less of a health cost and the stun is back to 10 seconds, from 9. - - tweak: Rune and Talisman names now give a much clearer idea of what they do. - - experiment: The following changes are courtesy of ChangelingRain - - rscadd: The Teleport rune now allows cultists to select which rune to teleport - to, and teleports everything on it. - - rscadd: Veil and Reveal are merged into Talisman of Veiling. Veiling has two uses, - the first use will hide and the second use will reveal. - - rscadd: New icons for the cult bola - - tweak: You can now attack fellow cultists with a Talisman of Arming to arm them - with robes and a sword. - - tweak: You can now only place one rune per tile. - - tweak: Ghosts are notified when a new manifest rune is created. + - rscdel: + The Teleport Other, Veil, Imbue, Reveal, Disguise, Blood Drain, Timestop, + Stun, Deafen, Blind, Armaments, Construct Shell and Summon Tome runes are gone. + - rscadd: + Disguise, Veil/Reveal, Construct Shell and Armaments are now talismans. + The Construction talisman requires 25 sheets of metal. + - rscadd: + Cultists will now receive a warning when attempting to use emergency communion + or create the Nar-Sie rune + - rscadd: + Cultists can now create talismans with a super-simple Talisman-Creation + rune. It takes about 10 seconds to invoke and will present a menu of all the + talisman choices available. Its as simple as tossing the paper on, clicking + the rune, and selecting your talisman. + - rscadd: + Cultists now have a proc, "How to Play" that will give a basic explanation + of how to succeed as a cultist. + - rscadd: + The new Talisman of Horror is a stealthy talisman that will cause hallucinations + in the victim. Great for undermining security without having to commit to murder + them in middle of the hall. + - rscadd: + Creating the Summon Nar-Sie rune does takes slightly less time, but now + adds a 3x3 square of red barrier shields (60hp each) to prevent the rune-scriber + from being bumped by other idiots. This works in conjunction with the rune's + warning to give crew a chance to stop the summoning. Manifest ghost has a weaker + 1x1 shield to prevent bumps as well. + - rscadd: + Talismans are now color-coded by their effect so you can easily organize + and deploy talismans. + - rscadd: + You can now make colored paper in the washing machine using crayons or + stamps, honk. + - rscadd: + The Electromagnetic Disruption rune will now scale with the number of + cultists invoking the rune. **A full 9-cultist invocation will EMP the entire + station!** + - rscadd: Armaments will now give the recipient a new cult bola. + - rscadd: + The new Talisman of Shackling will apply handcuffs directly to the victim. + These cuffs will disappear when removed. + - tweak: + Cult slur is a little less potent so victims might be able to squeeze in + a coherent word or two if you let them keep jabbering on the radio, stun talismans + now have less of a health cost and the stun is back to 10 seconds, from 9. + - tweak: Rune and Talisman names now give a much clearer idea of what they do. + - experiment: The following changes are courtesy of ChangelingRain + - rscadd: + The Teleport rune now allows cultists to select which rune to teleport + to, and teleports everything on it. + - rscadd: + Veil and Reveal are merged into Talisman of Veiling. Veiling has two uses, + the first use will hide and the second use will reveal. + - rscadd: New icons for the cult bola + - tweak: + You can now attack fellow cultists with a Talisman of Arming to arm them + with robes and a sword. + - tweak: You can now only place one rune per tile. + - tweak: Ghosts are notified when a new manifest rune is created. TechnoAlchemisto: - - rscadd: Sinew can now be fashioned into restraints. + - rscadd: Sinew can now be fashioned into restraints. coiax: - - tweak: Internals Crate now contains breath masks and small tanks. - - rscadd: Metal foam grenade box crate added for 1000 points - - rscadd: Added two Engineering Mesons to Engineering Gear Crate - - tweak: Engineering Gear now costs 1300 - - rscadd: Breach Shield Generator Crate added for 2500 points - - rscadd: Grounding Rod Crate added for 1700 points - - rscadd: PACMAN Generator Crate added for 2500 - - rscadd: Defibrillator Crate added for 2500 - - rscadd: Added more helmets to the Laser Tag Crate. - - rscadd: Nanotrasen Customs report that some wide band suppliers have been providing - "alternative" firing pins. Nanotrasen reminds all crewmembers that contraband - is contraband. - - rscadd: Contraband crates now appear visually similar to legitimate crates. - - bugfix: The cargo shuttle's normal transit time has been restored. + - tweak: Internals Crate now contains breath masks and small tanks. + - rscadd: Metal foam grenade box crate added for 1000 points + - rscadd: Added two Engineering Mesons to Engineering Gear Crate + - tweak: Engineering Gear now costs 1300 + - rscadd: Breach Shield Generator Crate added for 2500 points + - rscadd: Grounding Rod Crate added for 1700 points + - rscadd: PACMAN Generator Crate added for 2500 + - rscadd: Defibrillator Crate added for 2500 + - rscadd: Added more helmets to the Laser Tag Crate. + - rscadd: + Nanotrasen Customs report that some wide band suppliers have been providing + "alternative" firing pins. Nanotrasen reminds all crewmembers that contraband + is contraband. + - rscadd: Contraband crates now appear visually similar to legitimate crates. + - bugfix: The cargo shuttle's normal transit time has been restored. nullbear: - - rscadd: Adds a preference option, allowing players to toggle whether recipes with - no matching components should be hidden. + - rscadd: + Adds a preference option, allowing players to toggle whether recipes with + no matching components should be hidden. 2016-04-30: Joan: - - rscadd: Blobs attempting to attack the supermatter will instead be eaten by it. - - experiment: This doesn't mean throwing a supermatter shard at the blob is a good - idea; blobs attacking it will gradually damage it, eventually resulting in a - massive explosion, and it will not consume blobs if on a space turf. - - tweak: Hitting a locker or crate with an ID, PDA with ID, or wallet with ID will - try to toggle the lock instead of trying to open it. - - imageadd: Cable coils, cablecuffs, and zipties now all have properly colored inhands. + - rscadd: Blobs attempting to attack the supermatter will instead be eaten by it. + - experiment: + This doesn't mean throwing a supermatter shard at the blob is a good + idea; blobs attacking it will gradually damage it, eventually resulting in a + massive explosion, and it will not consume blobs if on a space turf. + - tweak: + Hitting a locker or crate with an ID, PDA with ID, or wallet with ID will + try to toggle the lock instead of trying to open it. + - imageadd: Cable coils, cablecuffs, and zipties now all have properly colored inhands. Kor: - - rscadd: Megafauna have been added to lavaland. - - rscadd: Ash Drakes have been spotted roaming the wastes. Use your GPS to track - their fiery signals. - - rscadd: You can now knock on the Necropolis door, but it's probably best that - you don't. + - rscadd: Megafauna have been added to lavaland. + - rscadd: + Ash Drakes have been spotted roaming the wastes. Use your GPS to track + their fiery signals. + - rscadd: + You can now knock on the Necropolis door, but it's probably best that + you don't. Mercenaryblue: - - rscadd: Adds a basic paper plane to the game. Fold paper with alt-clicking. - - rscadd: Paper planes are now fully compatible with every stamps on station. + - rscadd: Adds a basic paper plane to the game. Fold paper with alt-clicking. + - rscadd: Paper planes are now fully compatible with every stamps on station. bgobandit: - - rscadd: 'Nanotrasen has released Cards Against Spess! Visit your local library - for a copy. Warning: may cause breakage of the fourth wall.' + - rscadd: + "Nanotrasen has released Cards Against Spess! Visit your local library + for a copy. Warning: may cause breakage of the fourth wall." 2016-05-02: Joan: - - tweak: Blob spores spawn from factories 2 seconds faster, but the factory goes - on cooldown when any of its spores die. - - experiment: You can examine tomes, soulstones, and construct shells to see what - you can do with them. - - rscadd: Releasing a shade from a soulstone now allows you to reuse that soulstone - for capturing shades or souls, instead of preventing the stone's use forever - if the shade dies. - - imageadd: Runes now actually pulse red on failure. - - rscadd: The Summon Cultist rune no longer includes the cultists invoking it in - the selection menu. - - tweak: Imperfect Communication renamed to Emergency Communication. - - rscdel: You can no longer hide the Nar-Sie rune with a Talisman of Veiling/Revealing. + - tweak: + Blob spores spawn from factories 2 seconds faster, but the factory goes + on cooldown when any of its spores die. + - experiment: + You can examine tomes, soulstones, and construct shells to see what + you can do with them. + - rscadd: + Releasing a shade from a soulstone now allows you to reuse that soulstone + for capturing shades or souls, instead of preventing the stone's use forever + if the shade dies. + - imageadd: Runes now actually pulse red on failure. + - rscadd: + The Summon Cultist rune no longer includes the cultists invoking it in + the selection menu. + - tweak: Imperfect Communication renamed to Emergency Communication. + - rscdel: You can no longer hide the Nar-Sie rune with a Talisman of Veiling/Revealing. Kor: - - rscadd: Engineering cyborgs now have internal blueprints. + - rscadd: Engineering cyborgs now have internal blueprints. Lzimann: - - tweak: Automatic nexus placing time changed from 2 to 15 minutes. - - tweak: Prophet's gear(hat and staff) prioritizes the backpack instead of automatically - equipping. - - rscadd: Divine telepathy and prophet to god speak now have a follow button for - ghosts. - - rscadd: Divine telepathy and prophet to god speak now has the god's color. - - bugfix: CTF spawn protection trap is no longer constructable + - tweak: Automatic nexus placing time changed from 2 to 15 minutes. + - tweak: + Prophet's gear(hat and staff) prioritizes the backpack instead of automatically + equipping. + - rscadd: + Divine telepathy and prophet to god speak now have a follow button for + ghosts. + - rscadd: Divine telepathy and prophet to god speak now has the god's color. + - bugfix: CTF spawn protection trap is no longer constructable Mercenaryblue: - - tweak: Drastically reduced the chances of eye damage when throwing a paper plane. + - tweak: Drastically reduced the chances of eye damage when throwing a paper plane. RandomMarine: - - tweak: Medical HUDs improved. To better prioritize patients, subjects deep into - critical condition have a blinking red outline around the entire HUD icon, and - will blink more rapidly when very close to death. + - tweak: + Medical HUDs improved. To better prioritize patients, subjects deep into + critical condition have a blinking red outline around the entire HUD icon, and + will blink more rapidly when very close to death. TechnoAlchemisto: - - tweak: Security uniforms have been made more professional, and more tactical. + - tweak: Security uniforms have been made more professional, and more tactical. TrustyGun: - - rscadd: By crafting together a legion skull, a goliath steak, ketchup, and capsaicin - oil, you can create Stuffed Legion! Be careful, it's hot. + - rscadd: + By crafting together a legion skull, a goliath steak, ketchup, and capsaicin + oil, you can create Stuffed Legion! Be careful, it's hot. coiax: - - rscadd: Centcom Department of [REDACTED] have announced a change of supplier of - [EXPLETIVE DELETED]. As such, for security reasons, the absinthe [MOVE ALONG - CITIZEN] will instead be [NOTHING TO SEE HERE]. We hope that this will not affect - the performance of the [INFORMATION ABOVE YOUR SECURITY CLEARANCE]. + - rscadd: + Centcom Department of [REDACTED] have announced a change of supplier of + [EXPLETIVE DELETED]. As such, for security reasons, the absinthe [MOVE ALONG + CITIZEN] will instead be [NOTHING TO SEE HERE]. We hope that this will not affect + the performance of the [INFORMATION ABOVE YOUR SECURITY CLEARANCE]. nullbear: - - rscadd: A reminder for crew to avoid mopping floors in cold rooms, as the water - will freeze and provide a dangerous slipping hazard known as 'ice'. Running - on it is not recommended. - - rscadd: Frostoil is an effective chemical for rapidly cooling areas in the event - of a fire. - - rscadd: Added X4, a breaching charge more destructive than C4, it can be purchased - from uplinks. - - rscadd: C4 can be used with assemblies. - - bugfix: Fixes chembomb recipe to use any matter bin. Again. - - bugfix: ARG's disappear once finished reacting. + - rscadd: + A reminder for crew to avoid mopping floors in cold rooms, as the water + will freeze and provide a dangerous slipping hazard known as 'ice'. Running + on it is not recommended. + - rscadd: + Frostoil is an effective chemical for rapidly cooling areas in the event + of a fire. + - rscadd: + Added X4, a breaching charge more destructive than C4, it can be purchased + from uplinks. + - rscadd: C4 can be used with assemblies. + - bugfix: Fixes chembomb recipe to use any matter bin. Again. + - bugfix: ARG's disappear once finished reacting. 2016-05-03: coiax, Robustin: - - tweak: Changeling Fleshmend is much less effective when used repeatedly in a short - time. Changeling Panacea is much more effective at purging reagents, reducing - radiation and now reduces braindamage. + - tweak: + Changeling Fleshmend is much less effective when used repeatedly in a short + time. Changeling Panacea is much more effective at purging reagents, reducing + radiation and now reduces braindamage. 2016-05-04: Fox McCloud: - - tweak: shock revolver projectiles are now energy instead of bullets + - tweak: shock revolver projectiles are now energy instead of bullets Joan: - - rscdel: Cultists no longer communicate via tomes. - - rscadd: Cultists now communicate via the 'Communion' action button. - - rscadd: Examining the blob with an active research scanner or medical hud will - display effects, akin to hitting it with an analyzer. - - rscadd: Improved medical HUDs to work on all living creatures. - - rscadd: Drones and swarmers, being machines, require a diagnostic HUD for analysis - instead. + - rscdel: Cultists no longer communicate via tomes. + - rscadd: Cultists now communicate via the 'Communion' action button. + - rscadd: + Examining the blob with an active research scanner or medical hud will + display effects, akin to hitting it with an analyzer. + - rscadd: Improved medical HUDs to work on all living creatures. + - rscadd: + Drones and swarmers, being machines, require a diagnostic HUD for analysis + instead. TechnoAlchemist: - - rscadd: You can now craft cloaks from the scales of fallen ash drakes, look for - the recipe in tablecrafting! + - rscadd: + You can now craft cloaks from the scales of fallen ash drakes, look for + the recipe in tablecrafting! coiax: - - rscadd: The Service and the Standard cyborg module now have a spraycan built in, - for hijinks and passing on important urban messages. The Service cyborg module - also has a cyborg-hand labeler, in case anything needs to be labelled. - - rscadd: 'Centcom Suicide Prevention wishes to remind the station: Please do not - kill yourself with a hand labeler.' + - rscadd: + The Service and the Standard cyborg module now have a spraycan built in, + for hijinks and passing on important urban messages. The Service cyborg module + also has a cyborg-hand labeler, in case anything needs to be labelled. + - rscadd: + "Centcom Suicide Prevention wishes to remind the station: Please do not + kill yourself with a hand labeler." xxalpha: - - bugfix: Fixed the mk-honk prototype shoes. + - bugfix: Fixed the mk-honk prototype shoes. 2016-05-05: Joan: - - tweak: Revenants are slower while revealed. - - rscdel: Revenants can no longer cast inside dense objects. - - tweak: Lying down will cure Blight much, much faster. + - tweak: Revenants are slower while revealed. + - rscdel: Revenants can no longer cast inside dense objects. + - tweak: Lying down will cure Blight much, much faster. \"Macho Man\" Randy Savage: - - rscadd: OOOHHH YEAAAAHHHH - - rscadd: SNAP INTO A JLIM SIM WITH THE ALL NEW WRESTLING BELT - - rscadd: YOU CAN FREAKOUT YOUR OPPONENTS WITH THE 5 HOT MOVES ON THIS BELT YEAH - - rscadd: PRAY TO THE LOCAL SPACE GODS TO EXCHANGE YOUR TELECRYSTALS TO ENSURE THE - CREAM RISES TO THE TOP + - rscadd: OOOHHH YEAAAAHHHH + - rscadd: SNAP INTO A JLIM SIM WITH THE ALL NEW WRESTLING BELT + - rscadd: YOU CAN FREAKOUT YOUR OPPONENTS WITH THE 5 HOT MOVES ON THIS BELT YEAH + - rscadd: + PRAY TO THE LOCAL SPACE GODS TO EXCHANGE YOUR TELECRYSTALS TO ENSURE THE + CREAM RISES TO THE TOP 2016-05-07: Robustin: - - rscadd: A small pantry has been added to SW maintenance. + - rscadd: A small pantry has been added to SW maintenance. nullbear: - - rscadd: Makes Shift+Middleclick the hotkey for pointing. + - rscadd: Makes Shift+Middleclick the hotkey for pointing. phil235: - - rscadd: DISMEMBERMENT! Humans can now lose their bodyparts. Explosions and being - attacked with a heavy sharp item on a specific bodypart can cause dismemberment. - - rscadd: You can't be handcuffed or legcuffed if you're missing an arm or leg. - You can't use items when you have no legs, your arms are too busy helping you - crawl, unless your are buckled to a chair. You're slower when missing a leg. - - rscadd: You lose organs and items if the bodypart they are inside gets cut off. - You can always retrieve them by cutting the dropped bodypart with a sharp object. - - rscadd: Medbay can replace your missing limbs with robotic parts via surgery, - or amputate you. - - rscadd: Changelings do not die when decapitated! They can regrow all their limbs - with Fleshmend, or just one arm with Arm Blade or Organic Shield. - - rscadd: Your chest cannot be dropped, but it will spill its organs onto the ground - when dismembered. + - rscadd: + DISMEMBERMENT! Humans can now lose their bodyparts. Explosions and being + attacked with a heavy sharp item on a specific bodypart can cause dismemberment. + - rscadd: + You can't be handcuffed or legcuffed if you're missing an arm or leg. + You can't use items when you have no legs, your arms are too busy helping you + crawl, unless your are buckled to a chair. You're slower when missing a leg. + - rscadd: + You lose organs and items if the bodypart they are inside gets cut off. + You can always retrieve them by cutting the dropped bodypart with a sharp object. + - rscadd: + Medbay can replace your missing limbs with robotic parts via surgery, + or amputate you. + - rscadd: + Changelings do not die when decapitated! They can regrow all their limbs + with Fleshmend, or just one arm with Arm Blade or Organic Shield. + - rscadd: + Your chest cannot be dropped, but it will spill its organs onto the ground + when dismembered. 2016-05-08: CoreOverload: - - rscadd: You can now de-power inactive swarmers with a screwdriver to prevent them - from activating. - - rscadd: Recycle depowered swarmers in autolathe or sell them in cargo! + - rscadd: + You can now de-power inactive swarmers with a screwdriver to prevent them + from activating. + - rscadd: Recycle depowered swarmers in autolathe or sell them in cargo! Joan: - - rscadd: Cultist constructs, and shades, can now invoke runes by clicking them. - - rscdel: This does not include Manifest Ghost, Blood Boil, or Astral Journey runes. - - rscadd: Medical huds will now show parasites in dead creatures. + - rscadd: Cultist constructs, and shades, can now invoke runes by clicking them. + - rscdel: This does not include Manifest Ghost, Blood Boil, or Astral Journey runes. + - rscadd: Medical huds will now show parasites in dead creatures. KorPhaeron: - - rscadd: Burn weapons can now dismember, and they reduce the limb to ash in the - process - - rscadd: Weapons with high AP values will now dismember limbs much easier. These - values are subject to change depending on how things play out over the next - week or two. - - rscadd: Various weapons with high AP values had them lowered (chaplain scythe, - energy sword, dualsaber) to prevent them taking limbs off in a single hit. - - rscadd: The chaplain has two new weapons (they are mechanically identical to previous - weapons, before anyone gets upset about balance). One is dismemberment themed, - the other is related to a new antagonist. + - rscadd: + Burn weapons can now dismember, and they reduce the limb to ash in the + process + - rscadd: + Weapons with high AP values will now dismember limbs much easier. These + values are subject to change depending on how things play out over the next + week or two. + - rscadd: + Various weapons with high AP values had them lowered (chaplain scythe, + energy sword, dualsaber) to prevent them taking limbs off in a single hit. + - rscadd: + The chaplain has two new weapons (they are mechanically identical to previous + weapons, before anyone gets upset about balance). One is dismemberment themed, + the other is related to a new antagonist. Mercenaryblue: - - rscadd: Throwing a Banana Cream Pie will now knock down and cream the target's - face. - - rscadd: You can clean off the cream with the usual methods, such as soap, shower, - cleaner spray, etc. - - rscadd: The Clown Federation would like to remind the crew that the HoS is worth - double points! Honk! + - rscadd: + Throwing a Banana Cream Pie will now knock down and cream the target's + face. + - rscadd: + You can clean off the cream with the usual methods, such as soap, shower, + cleaner spray, etc. + - rscadd: + The Clown Federation would like to remind the crew that the HoS is worth + double points! Honk! Robustin: - - experiment: There are rumors that the Cult's 'Talisman of Construction', which - turns ordinary metal for construct shells, can be used on plasteel to create - structures. If the stories are true, the cult has been producing relics of incredible - power through this transmutation. + - experiment: + There are rumors that the Cult's 'Talisman of Construction', which + turns ordinary metal for construct shells, can be used on plasteel to create + structures. If the stories are true, the cult has been producing relics of incredible + power through this transmutation. coiax: - - rscadd: To save credits, Centcom has subcontracted out emergency shuttle design - to third parties. Rest assured, all of these produced shuttles meet our stringent - quality control. - - tweak: Lavaland ruins spawning chances have been modified. Expect to see more - smaller and less round affecting ruins, and no duplicates of major ruins, like - ash walkers or golems. + - rscadd: + To save credits, Centcom has subcontracted out emergency shuttle design + to third parties. Rest assured, all of these produced shuttles meet our stringent + quality control. + - tweak: + Lavaland ruins spawning chances have been modified. Expect to see more + smaller and less round affecting ruins, and no duplicates of major ruins, like + ash walkers or golems. lordpidey: - - rscadd: Infernal devils have been seen onboard our spacestations, offering great - boons in exchange for souls. - - rscadd: Employees are reminded that their souls already belong to nanotrasen. If - you have sold your soul in error, a lawyer or head of personnel can help return - your soul to Nanotrasen by hitting you with your employment contract. - - rscadd: Nanotrasen headquarters will be bluespacing employment contracts into - the Lawyer's office filing cabinet when a new arrival reaches the station. It - is recommended that the lawyer create copies of some of these for safe keeping. - - rscadd: Due to the recent infernal incursions, the station library has been equipped - with a Codex Gigas to help research infernal weaknesses. Please note that reading - this book may have unintended side effects. Also note, you must spell the devil's - name exactly, as there are countless demons with similar names. - - rscadd: When a devil dies, if the proper banishment ritual is not performed on - it's remains, the devil will revive itself at the cost of some of it's power. The - banishment ritual is described in the Codex Gigas. - - rscadd: When a demon gains enough souls, It's form will mutate to a more demonic - looking form. The Arch-demon form is known to be on par with an ascended shadowling - in power. + - rscadd: + Infernal devils have been seen onboard our spacestations, offering great + boons in exchange for souls. + - rscadd: + Employees are reminded that their souls already belong to nanotrasen. If + you have sold your soul in error, a lawyer or head of personnel can help return + your soul to Nanotrasen by hitting you with your employment contract. + - rscadd: + Nanotrasen headquarters will be bluespacing employment contracts into + the Lawyer's office filing cabinet when a new arrival reaches the station. It + is recommended that the lawyer create copies of some of these for safe keeping. + - rscadd: + Due to the recent infernal incursions, the station library has been equipped + with a Codex Gigas to help research infernal weaknesses. Please note that reading + this book may have unintended side effects. Also note, you must spell the devil's + name exactly, as there are countless demons with similar names. + - rscadd: + When a devil dies, if the proper banishment ritual is not performed on + it's remains, the devil will revive itself at the cost of some of it's power. The + banishment ritual is described in the Codex Gigas. + - rscadd: + When a demon gains enough souls, It's form will mutate to a more demonic + looking form. The Arch-demon form is known to be on par with an ascended shadowling + in power. 2016-05-09: Joan: - - tweak: Sporing Pods produces spores when expanding slightly more often. - - tweak: Replicating Foam now only expands when hit with burn damage, from all damage, - but does so at a higher chance. Free expansion from it is, however, more rare. - - tweak: Penetrating Spines does slightly more brute damage, and Poisonous Strands - does its damage 50% faster. + - tweak: Sporing Pods produces spores when expanding slightly more often. + - tweak: + Replicating Foam now only expands when hit with burn damage, from all damage, + but does so at a higher chance. Free expansion from it is, however, more rare. + - tweak: + Penetrating Spines does slightly more brute damage, and Poisonous Strands + does its damage 50% faster. KorPhaeron: - - rscadd: The AI no longer has a tracking delay because artificial lag is the most - miserable thing in the world. + - rscadd: + The AI no longer has a tracking delay because artificial lag is the most + miserable thing in the world. Razharas: - - tweak: crafting can now be done everywhere, little button near the intents with - hammer on it(its not T) opens the crafting menu, if you are in a locker or mech - only things in your hands will be considered for crafting + - tweak: + crafting can now be done everywhere, little button near the intents with + hammer on it(its not T) opens the crafting menu, if you are in a locker or mech + only things in your hands will be considered for crafting coiax: - - tweak: Skeletons now have bone "tongues" + - tweak: Skeletons now have bone "tongues" 2016-05-11: Joan: - - rscadd: Shades can move in space. - - rscadd: Artificers can now heal shades. + - rscadd: Shades can move in space. + - rscadd: Artificers can now heal shades. coiax: - - tweak: Added action button to chameleon stamp - - rscadd: Added APPROVED and DENIED stamps to Bureaucracy Crate - - rscadd: Added the cream pie closet to various maps. Added contraband Cream Pie - Crate to Cargo. + - tweak: Added action button to chameleon stamp + - rscadd: Added APPROVED and DENIED stamps to Bureaucracy Crate + - rscadd: + Added the cream pie closet to various maps. Added contraband Cream Pie + Crate to Cargo. pudl: - - rscadd: The armory has been redesigned. + - rscadd: The armory has been redesigned. 2016-05-12: Shadowlight and coiax: - - rscdel: Due to numerous reports of teams using human weapons instead of stealth - when carrying out their assignments, future teams have been genetically modified - to only be able to use their assigned blaster and are unable to use human weapons. + - rscdel: + Due to numerous reports of teams using human weapons instead of stealth + when carrying out their assignments, future teams have been genetically modified + to only be able to use their assigned blaster and are unable to use human weapons. 2016-05-13: Joan: - - rscadd: Cultists can now unanchor and reanchor cult structures by hitting them - with a tome. Unanchored cult structures don't do anything. + - rscadd: + Cultists can now unanchor and reanchor cult structures by hitting them + with a tome. Unanchored cult structures don't do anything. KorPhaeron: - - rscadd: Drake attacks are now much easier to avoid. - - rscadd: Player controlled drakes can now consume bodies to heal, and alt+click - targets to divebomb them. + - rscadd: Drake attacks are now much easier to avoid. + - rscadd: + Player controlled drakes can now consume bodies to heal, and alt+click + targets to divebomb them. TechnoAlchemisto: - - rscadd: More items have been added to the mining vendor, check them out! + - rscadd: More items have been added to the mining vendor, check them out! 2016-05-14: Cruix: - - bugfix: Fixed foam darts with the safety cap removed being reset when fired. - - rscadd: Added the ability to remove pens from foam darts. - - bugfix: Foam darts with pens inside them are no longer destroyed when fired. - - bugfix: Foam darts no longer drop two darts when fired at a person on a janicart. + - bugfix: Fixed foam darts with the safety cap removed being reset when fired. + - rscadd: Added the ability to remove pens from foam darts. + - bugfix: Foam darts with pens inside them are no longer destroyed when fired. + - bugfix: Foam darts no longer drop two darts when fired at a person on a janicart. Joan: - - rscdel: The Raise Dead rune no longer accepts dead cultists as a sacrifice to - raise the dead. + - rscdel: + The Raise Dead rune no longer accepts dead cultists as a sacrifice to + raise the dead. Metacide: - - rscadd: 'A small update for MetaStation, changes include:' - - rscadd: Added extra grounding rods to the engine area to stop camera destruction. - - rscadd: Added canvases and extra crayons to art storage and some easels to maint. - - rscadd: Added formal security uniform crate for parades to the warden's gear area. - - rscadd: The armory securitron now starts active. - - rscadd: The genetics APC now starts unlocked. - - rscadd: Other minor changes and fixes as detailed on the wiki page. + - rscadd: "A small update for MetaStation, changes include:" + - rscadd: Added extra grounding rods to the engine area to stop camera destruction. + - rscadd: Added canvases and extra crayons to art storage and some easels to maint. + - rscadd: Added formal security uniform crate for parades to the warden's gear area. + - rscadd: The armory securitron now starts active. + - rscadd: The genetics APC now starts unlocked. + - rscadd: Other minor changes and fixes as detailed on the wiki page. coiax, Nienhaus: - - rscdel: Unfortunately, the Belowyarn toys have been withdrawn from distribution - due to Assistants choking on the batteries. Centcom has sent their condolences - to the battery manufacturing plant. - - rscadd: We are introducing Oh-cee the original content skeleton figurines. Pull - its string, and hear it say a variety of phrases. Not suitable for infants or - assistants under 36 months. - - tweak: Note that pulling the string of all talking toys is now visible to others. - - rscadd: Talking toys produce a lot more chatter than they did before. So do some - skeleton "tongues". + - rscdel: + Unfortunately, the Belowyarn toys have been withdrawn from distribution + due to Assistants choking on the batteries. Centcom has sent their condolences + to the battery manufacturing plant. + - rscadd: + We are introducing Oh-cee the original content skeleton figurines. Pull + its string, and hear it say a variety of phrases. Not suitable for infants or + assistants under 36 months. + - tweak: Note that pulling the string of all talking toys is now visible to others. + - rscadd: + Talking toys produce a lot more chatter than they did before. So do some + skeleton "tongues". pudl: - - rscadd: Adds normal security headsets to security lockers + - rscadd: Adds normal security headsets to security lockers xxalpha: - - bugfix: Fixed drone dispenser multiplying glass or metal. + - bugfix: Fixed drone dispenser multiplying glass or metal. 2016-05-15: Iamgoofball: - - rscadd: Nanotrasen is short on cash, and are now borrowing escape shuttles from - other stations, and Space Apartments. + - rscadd: + Nanotrasen is short on cash, and are now borrowing escape shuttles from + other stations, and Space Apartments. Mercenaryblue: - - rscadd: Turns out a bike horn made with Bananium is flipping awesome! Honk! + - rscadd: Turns out a bike horn made with Bananium is flipping awesome! Honk! 2016-05-18: Cruix: - - bugfix: unwrapping an item with telekinesis no longer teleports the item into - your hand. + - bugfix: + unwrapping an item with telekinesis no longer teleports the item into + your hand. Metacide: - - rscadd: 'MetaStation: the library and chapel have had windows removed to make - them feel more isolated.' + - rscadd: + "MetaStation: the library and chapel have had windows removed to make + them feel more isolated." MrStonedOne: - - tweak: Tesla has been rebalanced. - - tweak: It should now lose balls slower, increase balls faster, and be a bit more - aggressive about finding nearby grounding rods. - - tweak: additional zaps from it's orbiting balls should be a bit more varied, but - a touch less powerful. + - tweak: Tesla has been rebalanced. + - tweak: + It should now lose balls slower, increase balls faster, and be a bit more + aggressive about finding nearby grounding rods. + - tweak: + additional zaps from it's orbiting balls should be a bit more varied, but + a touch less powerful. Robustin: - - rscadd: Lings have a new default ability, Hivemind Link. This lets you bring a - neck-grabbed victim into hivemind communications after short period of time. - You can talk to victims who are in crit/muted and perhaps persuade them to help - you, give you intel, or even a PDA code. The link will stabilize crit victims - to help ensure they do not die during the link. + - rscadd: + Lings have a new default ability, Hivemind Link. This lets you bring a + neck-grabbed victim into hivemind communications after short period of time. + You can talk to victims who are in crit/muted and perhaps persuade them to help + you, give you intel, or even a PDA code. The link will stabilize crit victims + to help ensure they do not die during the link. Shadowlight213: - - bugfix: Cleanbot and floorbot scanning has greatly improved. they should prioritize - areas next to them, as well as resolve themselves stacking on the same tiles. + - bugfix: + Cleanbot and floorbot scanning has greatly improved. they should prioritize + areas next to them, as well as resolve themselves stacking on the same tiles. coiax: - - rscadd: Kinetic accelerators only require one hand to be fired, as before - - rscdel: Kinetic accelerators recharge time is multiplied by the number of KAs - that person is carrying. - - rscdel: Kinetic accelerators lose their charge quickly if not equipped or being - held - - rscadd: Kinetic accelerator modkits (made at R&D or your local Free Golem ship) - overcome these flaws + - rscadd: Kinetic accelerators only require one hand to be fired, as before + - rscdel: + Kinetic accelerators recharge time is multiplied by the number of KAs + that person is carrying. + - rscdel: + Kinetic accelerators lose their charge quickly if not equipped or being + held + - rscadd: + Kinetic accelerator modkits (made at R&D or your local Free Golem ship) + overcome these flaws 2016-05-19: Razharas: - - rscadd: HE pipes once again work in space and in lava. - - rscadd: Space cools down station air again + - rscadd: HE pipes once again work in space and in lava. + - rscadd: Space cools down station air again 2016-05-20: KorPhaeron: - - rscadd: The HoS now has a pinpointer, the Warden now has his door remote. + - rscadd: The HoS now has a pinpointer, the Warden now has his door remote. bgobandit: - - rscadd: Nanotrasen has begun to research BZ, a hallucinogenic gas. We trust you - will use it responsibly. - - rscadd: BZ causes hallucinations once breathed in and, at high doses, has a chance - of doing brain damage. - - rscadd: BZ is known to cause unusual stasis-like behavior in the slime species. + - rscadd: + Nanotrasen has begun to research BZ, a hallucinogenic gas. We trust you + will use it responsibly. + - rscadd: + BZ causes hallucinations once breathed in and, at high doses, has a chance + of doing brain damage. + - rscadd: BZ is known to cause unusual stasis-like behavior in the slime species. coiax: - - rscadd: Neurotoxin spit can be used as makeshift space propulsion + - rscadd: Neurotoxin spit can be used as makeshift space propulsion 2016-05-21: Iamsaltball: - - rscadd: Heads of Staff now have basic Maint. access. + - rscadd: Heads of Staff now have basic Maint. access. NicholasM10: - - rscadd: The chef can now make Khinkali and Khachapuri + - rscadd: The chef can now make Khinkali and Khachapuri coiax: - - rscdel: NOBREATH species (golems, skeletons, abductors, ash walkers, zombies) - no longer have or require lungs. They no longer take suffocation/oxyloss damage, - cannot give CPR and cannot benefit from CPR. Instead of suffocation damage, - during crit they take gradual brute damage. - - rscdel: NOBLOOD (golems, skeletons, abductors, slimepeople, plasmamen) species - no longer have or require hearts. - - tweak: NOBREATH species that require hearts still take damage from heart attacks, - as their tissues die and the lack of circulation causes toxins to build up. - - rscdel: NOHUNGER (plasmamen, skeletons) species no longer have appendixes. + - rscdel: + NOBREATH species (golems, skeletons, abductors, ash walkers, zombies) + no longer have or require lungs. They no longer take suffocation/oxyloss damage, + cannot give CPR and cannot benefit from CPR. Instead of suffocation damage, + during crit they take gradual brute damage. + - rscdel: + NOBLOOD (golems, skeletons, abductors, slimepeople, plasmamen) species + no longer have or require hearts. + - tweak: + NOBREATH species that require hearts still take damage from heart attacks, + as their tissues die and the lack of circulation causes toxins to build up. + - rscdel: NOHUNGER (plasmamen, skeletons) species no longer have appendixes. coiax, OPDingo: - - tweak: Renamed and reskinned legion's heart to legion's soul to avoid confusion; - it is not a substitute heart, it is a supplemental chest organ. - - rscadd: Legion's souls are now more obviously inert when becoming inert. + - tweak: + Renamed and reskinned legion's heart to legion's soul to avoid confusion; + it is not a substitute heart, it is a supplemental chest organ. + - rscadd: Legion's souls are now more obviously inert when becoming inert. nullbear: - - tweak: Wetness updates less often. - - rscadd: Wetness now stacks. Spraying lube over a tile that already has lube, will - make the lube take longer to dry. Likewise, dumping 100 units of lube will take - longer to dry than if only 10 units were dumped. (lube used to last just as - long, regardless of whether it was 1u, or 100u) There is a limit, however, and - you can't stack infinite lube. - - tweak: Hotter temperatures cause water to evaporate more quickly. At 100C, water - will boil away instantly. - - rscadd: About 5 seconds of wetness are removed from a tile for each unit of drying - agent. Absorbant Galoshes remain the most effective method of drying, and dry - tiles instantly regardless of wetness. + - tweak: Wetness updates less often. + - rscadd: + Wetness now stacks. Spraying lube over a tile that already has lube, will + make the lube take longer to dry. Likewise, dumping 100 units of lube will take + longer to dry than if only 10 units were dumped. (lube used to last just as + long, regardless of whether it was 1u, or 100u) There is a limit, however, and + you can't stack infinite lube. + - tweak: + Hotter temperatures cause water to evaporate more quickly. At 100C, water + will boil away instantly. + - rscadd: + About 5 seconds of wetness are removed from a tile for each unit of drying + agent. Absorbant Galoshes remain the most effective method of drying, and dry + tiles instantly regardless of wetness. 2016-05-22: coiax: - - rscdel: Lavaland monsters now give ruins a wide berth. - - bugfix: Glass tables now break when people are pushed onto them. + - rscdel: Lavaland monsters now give ruins a wide berth. + - bugfix: Glass tables now break when people are pushed onto them. 2016-05-23: CoreOverload: - - rscadd: New cyberimplant, "Toolset Arm", is now available in RnD. + - rscadd: New cyberimplant, "Toolset Arm", is now available in RnD. coiax, OPDingo: - - rscadd: Crayons and spraycans are now easier to use. - - rscdel: Centcom announce due to budget cuts their supplier of rainbow crayons - has been forced to use more... exotic chemicals. Please do not ingest your standard - issue crayon. + - rscadd: Crayons and spraycans are now easier to use. + - rscdel: + Centcom announce due to budget cuts their supplier of rainbow crayons + has been forced to use more... exotic chemicals. Please do not ingest your standard + issue crayon. kevinz000: - - rscadd: 'Peacekeeper borgs: Security borgs but without any stuns or restraints! - Modules: Harm Alarm, Cookie Dispenser, Energy Bola Launcher, Peace Injector - that confuses living things, and a weak holobarrier projector! It also comes - with the ability to hug.' - - rscadd: 'Cookie Synthesizer: Self recharging RCD that prints out cookies!' - - tweak: Nanotrasen scientists have added a hugging module to medical and peacekeeper - cyborgs to boost emotions during human-cyborg interaction. + - rscadd: + "Peacekeeper borgs: Security borgs but without any stuns or restraints! + Modules: Harm Alarm, Cookie Dispenser, Energy Bola Launcher, Peace Injector + that confuses living things, and a weak holobarrier projector! It also comes + with the ability to hug." + - rscadd: "Cookie Synthesizer: Self recharging RCD that prints out cookies!" + - tweak: + Nanotrasen scientists have added a hugging module to medical and peacekeeper + cyborgs to boost emotions during human-cyborg interaction. 2016-05-24: Joan: - - rscdel: You can no longer scribe the Summon Nar-Sie rune under non-valid conditions. + - rscdel: You can no longer scribe the Summon Nar-Sie rune under non-valid conditions. Kiazusho: - - rscadd: Added three new advanced syringes to R&D + - rscadd: Added three new advanced syringes to R&D 2016-05-26: Xhuis: - - rscadd: Purge all untruths and honor Ratvar. + - rscadd: Purge all untruths and honor Ratvar. coiax: - - bugfix: Fixes bug where bolt of change to the host would kill an attached guardian. - - bugfix: Fixes bug where bolt of change to laughter demon would not release its - friends. - - bugfix: Fixes bug where bolt of change to morphling would not release its contents. - - bugfix: Fixes bug where bolt of change transforming someone into a drone would - not give them hacked laws and vision. - - bugfix: Blobbernauts created by a staff of change are now "independent" and will - not decay if seperated from a blob or missing a factory. - - rscadd: Independent blobbernauts added to gold slime core spawn pool. - - rscadd: Medical scanners now inform the user if the dead subject is within the - (currently) 120 second defib window. - - rscadd: Ghosts now have the "Restore Character Name" verb, which will set their - ghost appearance and dead chat name to their character preferences. - - bugfix: Mob spawners now give any generated names to the mind of the spawned mob, - meaning ghosts will have the name they had in life. - - bugfix: Fixes interaction with envy's knife and lavaland spawns. - - bugfix: Fixes a bug where swarmers teleporting humans would incorrectly display - a visible message about restraints breaking. - - rscdel: Emagging the emergency shuttle computer with less than ten seconds until - launch no longer gives additional time. - - rscadd: The emergency shuttle computer now reads the ID in your ID slot, rather - than your hand. + - bugfix: Fixes bug where bolt of change to the host would kill an attached guardian. + - bugfix: + Fixes bug where bolt of change to laughter demon would not release its + friends. + - bugfix: Fixes bug where bolt of change to morphling would not release its contents. + - bugfix: + Fixes bug where bolt of change transforming someone into a drone would + not give them hacked laws and vision. + - bugfix: + Blobbernauts created by a staff of change are now "independent" and will + not decay if seperated from a blob or missing a factory. + - rscadd: Independent blobbernauts added to gold slime core spawn pool. + - rscadd: + Medical scanners now inform the user if the dead subject is within the + (currently) 120 second defib window. + - rscadd: + Ghosts now have the "Restore Character Name" verb, which will set their + ghost appearance and dead chat name to their character preferences. + - bugfix: + Mob spawners now give any generated names to the mind of the spawned mob, + meaning ghosts will have the name they had in life. + - bugfix: Fixes interaction with envy's knife and lavaland spawns. + - bugfix: + Fixes a bug where swarmers teleporting humans would incorrectly display + a visible message about restraints breaking. + - rscdel: + Emagging the emergency shuttle computer with less than ten seconds until + launch no longer gives additional time. + - rscadd: + The emergency shuttle computer now reads the ID in your ID slot, rather + than your hand. 2016-05-27: coiax: - - rscdel: Gatling gun removed from R&D for pressing ceremonial reasons. + - rscdel: Gatling gun removed from R&D for pressing ceremonial reasons. phil235: - - tweak: Pull and Grab are merged together. Pulling stays unchanged. Using an empty - hand with grab intent on a mob will pull them. Using an empty hand with grab - intent on a mob that you're already pulling will try to upgrade your grip to - aggressive grab>neck grab>kill grab. Aggressive grabs no longer stun you, but - they act exactly like a handcuff, preventing you from using your hands until - you escape the grip. You can break free from the grip by trying to move or using - the resist button. - - tweak: Someone pulling a restrained mob now swap position with them instead of - getting blocked by the mob, unable to even push them. + - tweak: + Pull and Grab are merged together. Pulling stays unchanged. Using an empty + hand with grab intent on a mob will pull them. Using an empty hand with grab + intent on a mob that you're already pulling will try to upgrade your grip to + aggressive grab>neck grab>kill grab. Aggressive grabs no longer stun you, but + they act exactly like a handcuff, preventing you from using your hands until + you escape the grip. You can break free from the grip by trying to move or using + the resist button. + - tweak: + Someone pulling a restrained mob now swap position with them instead of + getting blocked by the mob, unable to even push them. 2016-05-29: GunHog: - - rscadd: The CE, RD, and CMO have been issued megaphones. + - rscadd: The CE, RD, and CMO have been issued megaphones. Paprika, Crystalwarrior, Korphaeron and Bawhoppen: - - rscadd: Pixel projectiles. This is easier to see than explain, so go fire a weapon. + - rscadd: Pixel projectiles. This is easier to see than explain, so go fire a weapon. Xhuis: - - rscadd: Ratvar and Nar-Sie now actively seek each other out if they both exist. - - tweak: Celestial gateway animations have been twweaked. - - tweak: Ratvar now has a new sound and message upon spawning. - - tweak: Ratvar now only moves one tile at a time. - - bugfix: The celestial gateway now takes an unreasonably long amount of time. - - bugfix: God clashing is now much more likely to work properly. - - bugfix: Function Call now works as intended. - - bugfix: Break Will now works as intended. - - bugfix: Holy water now properly deconverts servants of Ratvar. - - bugfix: Deconverted servants of Ratvar are no longer considered servants. + - rscadd: Ratvar and Nar-Sie now actively seek each other out if they both exist. + - tweak: Celestial gateway animations have been twweaked. + - tweak: Ratvar now has a new sound and message upon spawning. + - tweak: Ratvar now only moves one tile at a time. + - bugfix: The celestial gateway now takes an unreasonably long amount of time. + - bugfix: God clashing is now much more likely to work properly. + - bugfix: Function Call now works as intended. + - bugfix: Break Will now works as intended. + - bugfix: Holy water now properly deconverts servants of Ratvar. + - bugfix: Deconverted servants of Ratvar are no longer considered servants. pudl: - - rscadd: Chemicals should now have color, instead of just being pink. + - rscadd: Chemicals should now have color, instead of just being pink. 2016-05-30: coiax: - - rscadd: A new Shuttle Manipulator verb has been added for quick access to probably - the best and most mostly bugfree feature on /tg/. - - rscadd: Spectral sword is now a point of interest for ghosts. - - bugfix: Clicking the spectral sword action now orbits the sword, instead of just - teleporting to its location. - - bugfix: Gang tags can again be sprayed over. - - bugfix: Fixes bug where the wisp was unable to be recalled to the lantern. + - rscadd: + A new Shuttle Manipulator verb has been added for quick access to probably + the best and most mostly bugfree feature on /tg/. + - rscadd: Spectral sword is now a point of interest for ghosts. + - bugfix: + Clicking the spectral sword action now orbits the sword, instead of just + teleporting to its location. + - bugfix: Gang tags can again be sprayed over. + - bugfix: Fixes bug where the wisp was unable to be recalled to the lantern. xxalpha: - - rscdel: Engineering, CE and Atmos hardsuits no longer have in-built jetpacks. + - rscdel: Engineering, CE and Atmos hardsuits no longer have in-built jetpacks. 2016-05-31: CoreOverload: - - rscadd: 'Cleanbot software was updated to version 1.2, improving pathfinding and - adding two new cleaning options: "Clean Trash" and "Exterminate Pests".' - - experiment: New cleaning options are still experimental and disabled by default. + - rscadd: + 'Cleanbot software was updated to version 1.2, improving pathfinding and + adding two new cleaning options: "Clean Trash" and "Exterminate Pests".' + - experiment: New cleaning options are still experimental and disabled by default. Kiazusho: - - bugfix: Changeling organic suit and chitin armor can be toggled off once again. + - bugfix: Changeling organic suit and chitin armor can be toggled off once again. Kor: - - rscadd: The Japanese Animes button is back, - - rscadd: 'The chaplain has three new weapons: The possessed blade, the extra-dimensional - blade, and the nautical energy sword. The former has a new power, the latter - two are normal sword reskins.' - - rscadd: The chapel mass driver has been buffed. + - rscadd: The Japanese Animes button is back, + - rscadd: + "The chaplain has three new weapons: The possessed blade, the extra-dimensional + blade, and the nautical energy sword. The former has a new power, the latter + two are normal sword reskins." + - rscadd: The chapel mass driver has been buffed. coiax: - - rscdel: Zombies can no longer be butchered - - rscadd: If you encounter an infectious zombie, be cautious, its claws will infect - you, and on death you will rise with them. If you manage to kill the beast, - you can remove the corruption from its brain via surgery, or just chop off the - head to stop it coming back. - - rscadd: Adds some stock computers and lavaland to Birdboat Station. - - bugfix: Free Golem scientists have proved that as beings made out of stone, golems - are immune to all electrical discharges, including the tesla. - - rscadd: Nuclear bombs are now points of interest. Never miss a borg steal a nuke - from the syndicate shuttle again! - - rscadd: Alt-clicking a spraycan toggles the cap. + - rscdel: Zombies can no longer be butchered + - rscadd: + If you encounter an infectious zombie, be cautious, its claws will infect + you, and on death you will rise with them. If you manage to kill the beast, + you can remove the corruption from its brain via surgery, or just chop off the + head to stop it coming back. + - rscadd: Adds some stock computers and lavaland to Birdboat Station. + - bugfix: + Free Golem scientists have proved that as beings made out of stone, golems + are immune to all electrical discharges, including the tesla. + - rscadd: + Nuclear bombs are now points of interest. Never miss a borg steal a nuke + from the syndicate shuttle again! + - rscadd: Alt-clicking a spraycan toggles the cap. 2016-06-01: coiax: - - rscadd: Added a mirror to the beach biodome. Beach Bums, rejoyce! + - rscadd: Added a mirror to the beach biodome. Beach Bums, rejoyce! pudl: - - rscadd: The brig infirmary has received a redesign. + - rscadd: The brig infirmary has received a redesign. 2016-06-02: Joan: - - tweak: Closed false walls will block air. + - tweak: Closed false walls will block air. Lati: - - rscadd: R&D required levels and origin tech levels have been rebalanced - - experiment: Overall, items buildable in R&D have lower tech levels and items in - other departments have their tech levels raised. Remember to use science goggles - to see tech levels of items! - - tweak: There are now level gates at high levels. R&D scientists will need help - from others to get past these level gates. - - tweak: Other departments such as hydroponics and genetics will be important to - R&D's progress now and xenobio, mining and cargo are more important than before - - tweak: Efficiency upgrades are back in R&D machines and tweaked to be less powerful - in autolathes - - rscdel: Reliability has been removed from all items - - bugfix: Most bugs in R&D machines should be fixed + - rscadd: R&D required levels and origin tech levels have been rebalanced + - experiment: + Overall, items buildable in R&D have lower tech levels and items in + other departments have their tech levels raised. Remember to use science goggles + to see tech levels of items! + - tweak: + There are now level gates at high levels. R&D scientists will need help + from others to get past these level gates. + - tweak: + Other departments such as hydroponics and genetics will be important to + R&D's progress now and xenobio, mining and cargo are more important than before + - tweak: + Efficiency upgrades are back in R&D machines and tweaked to be less powerful + in autolathes + - rscdel: Reliability has been removed from all items + - bugfix: Most bugs in R&D machines should be fixed PKPenguin321 & Nienhaus: - - rscadd: Letterman jackets are now available from the ClothesMate. + - rscadd: Letterman jackets are now available from the ClothesMate. Quiltyquilty: - - rscadd: The bar has seen a redesign. + - rscadd: The bar has seen a redesign. coiax: - - rscadd: Clone pods now notify the medical channel on a successful clone. They - also notify the medical channel if the clone dies or is horribly mutilated; - but not if it is ejected early by authorised medical personnel. - - rscadd: Cloning pods now are more capable of cloning humanoid species that do - not breathe. - - bugfix: You can only be damaged once by a shuttle's arrival. It is still unpleasant - to be in the path of one though; try to avoid it. - - rscadd: Adds Asteroid emergency shuttle to shuttle templates. It is a very oddly - shaped one though, it might not be compatible with all stations. - - rscdel: The Chaplain soulshard can only turn a body into a shade once. A released - shade can still be reabsorbed by the stone to heal it. - - rscadd: The shuttle manipulator now has a Fast Travel button, for those admins - that really want a shuttle to get to where its going FAST. + - rscadd: + Clone pods now notify the medical channel on a successful clone. They + also notify the medical channel if the clone dies or is horribly mutilated; + but not if it is ejected early by authorised medical personnel. + - rscadd: + Cloning pods now are more capable of cloning humanoid species that do + not breathe. + - bugfix: + You can only be damaged once by a shuttle's arrival. It is still unpleasant + to be in the path of one though; try to avoid it. + - rscadd: + Adds Asteroid emergency shuttle to shuttle templates. It is a very oddly + shaped one though, it might not be compatible with all stations. + - rscdel: + The Chaplain soulshard can only turn a body into a shade once. A released + shade can still be reabsorbed by the stone to heal it. + - rscadd: + The shuttle manipulator now has a Fast Travel button, for those admins + that really want a shuttle to get to where its going FAST. 2016-06-04: MrStonedOne: - - bugfix: fixes see_darkness improperly hiding ghosts in certain cases. + - bugfix: fixes see_darkness improperly hiding ghosts in certain cases. Xhuis: - - tweak: Clockwork marauders can now smash walls and tables. - - tweak: Servants are no longer turned into harvesters by Nar-Sie but instead take - heavy brute damage and begin to bleed. Similarly, cultists are no longer converted - by Ratvar but instead take heavy fire damage and are set ablaze. - - rscadd: Added clockwork reclaimers. Ghosts can now click on Ratvar to become clockwork - reclaimers - small constructs capable of forcefully converting those that still - resist Ratvar's reign. Alt-clicking a valid target will allow the reclaimer - to leap onto the head of any non-servant, latching onto their head and converting - the target if they are able. The target will be outfitted with an unremovable, - acid-proof hat version of the reclaimer. The reclaimer will be able to speak - as normal and attack its host and anything nearby. If the reclaimer's host goes - unconscious or dies, it will leap free. - - rscadd: Added pinion airlocks. These airlocks can only be opened by servants and - conventional deconstruction will not work on them. They can be created by proselytizing - a normal airlock or from Ratvar. - - rscadd: Added ratvarian windows. They are created when Ratvar twists the form - of a normal window, and there are both single-direction and full-tile variants. - - bugfix: Non-servants can no longer use clockwork proselytizers or mending motors. - - bugfix: Servants are now deconverted properly. + - tweak: Clockwork marauders can now smash walls and tables. + - tweak: + Servants are no longer turned into harvesters by Nar-Sie but instead take + heavy brute damage and begin to bleed. Similarly, cultists are no longer converted + by Ratvar but instead take heavy fire damage and are set ablaze. + - rscadd: + Added clockwork reclaimers. Ghosts can now click on Ratvar to become clockwork + reclaimers - small constructs capable of forcefully converting those that still + resist Ratvar's reign. Alt-clicking a valid target will allow the reclaimer + to leap onto the head of any non-servant, latching onto their head and converting + the target if they are able. The target will be outfitted with an unremovable, + acid-proof hat version of the reclaimer. The reclaimer will be able to speak + as normal and attack its host and anything nearby. If the reclaimer's host goes + unconscious or dies, it will leap free. + - rscadd: + Added pinion airlocks. These airlocks can only be opened by servants and + conventional deconstruction will not work on them. They can be created by proselytizing + a normal airlock or from Ratvar. + - rscadd: + Added ratvarian windows. They are created when Ratvar twists the form + of a normal window, and there are both single-direction and full-tile variants. + - bugfix: Non-servants can no longer use clockwork proselytizers or mending motors. + - bugfix: Servants are now deconverted properly. coiax: - - bugfix: The cloning pod now sounds robotic on the radio. - - rscadd: For extra observer drama, ghosts can now visibly see the countdown of - syndicate bombs, nuclear devices, cloning pods, gang dominators and AI doomsday - devices. + - bugfix: The cloning pod now sounds robotic on the radio. + - rscadd: + For extra observer drama, ghosts can now visibly see the countdown of + syndicate bombs, nuclear devices, cloning pods, gang dominators and AI doomsday + devices. 2016-06-05: Joan: - - rscadd: Clockwork structures can be damaged by projectiles and simple animals, - and will actually drop debris when destroyed. - - rscadd: AIs and Cyborgs that serve Ratvar can control clockwork airlocks and clockwork - windoors. - - rscadd: The clockwork proselytizer can now proselytize windows, doors, grilles, - and windoors. - - rscadd: The clockwork proselytizer can proselytize wall gears and alloy shards - to produce replicant alloy. It can also proselytize replicant alloy to refill, - in addition to refilling by attacking it with alloy. - - rscadd: The clockwork proselytizer can replace clockwork floors with clockwork - walls and vice versa. - - rscadd: Ratvar will convert windoors, tables, and computers in addition to everything - else. - - tweak: Ratvar now moves around much faster. - - rscadd: Ratvar and Nar-Sie will break each other's objects. - - tweak: The blind eye from a broken ocular warden now serves as a belligerent eye - instead of as replicant alloy. The pinion lock from a deconstructed clockwork - airlock now serves as a vanguard cogwheel instead of as replicant alloy. - - rscadd: Clockwork walls drop a wall gear when removed by a welding tool. The wall - gear is dense, but can be climbed over or unwrenched, and drops alloy shards - when broken. Clockwork walls drop alloy shards when broken by other means. - - bugfix: Fixed Nar-Sie wandering while battling Ratvar. - - bugfix: Ratvarian Spears now last for the proper 5 minute duration. - - bugfix: Servant communication now has ghost follow links. - - imageadd: New sigil sprites, courtesy Skowron. - - imageadd: Sigils of Transgression have a visual effect when stunning a target. - - imageadd: Clockwork spears now have a visual effect when breaking. + - rscadd: + Clockwork structures can be damaged by projectiles and simple animals, + and will actually drop debris when destroyed. + - rscadd: + AIs and Cyborgs that serve Ratvar can control clockwork airlocks and clockwork + windoors. + - rscadd: + The clockwork proselytizer can now proselytize windows, doors, grilles, + and windoors. + - rscadd: + The clockwork proselytizer can proselytize wall gears and alloy shards + to produce replicant alloy. It can also proselytize replicant alloy to refill, + in addition to refilling by attacking it with alloy. + - rscadd: + The clockwork proselytizer can replace clockwork floors with clockwork + walls and vice versa. + - rscadd: + Ratvar will convert windoors, tables, and computers in addition to everything + else. + - tweak: Ratvar now moves around much faster. + - rscadd: Ratvar and Nar-Sie will break each other's objects. + - tweak: + The blind eye from a broken ocular warden now serves as a belligerent eye + instead of as replicant alloy. The pinion lock from a deconstructed clockwork + airlock now serves as a vanguard cogwheel instead of as replicant alloy. + - rscadd: + Clockwork walls drop a wall gear when removed by a welding tool. The wall + gear is dense, but can be climbed over or unwrenched, and drops alloy shards + when broken. Clockwork walls drop alloy shards when broken by other means. + - bugfix: Fixed Nar-Sie wandering while battling Ratvar. + - bugfix: Ratvarian Spears now last for the proper 5 minute duration. + - bugfix: Servant communication now has ghost follow links. + - imageadd: New sigil sprites, courtesy Skowron. + - imageadd: Sigils of Transgression have a visual effect when stunning a target. + - imageadd: Clockwork spears now have a visual effect when breaking. PKPenguin321: - - rscadd: The CMO's medical HUD implant now comes with a one-use autoimplanter for - ease of use. + - rscadd: + The CMO's medical HUD implant now comes with a one-use autoimplanter for + ease of use. RemieRichards: - - rscadd: Slimes may now be ordered to attack! You must be VERY good friends with - the slime(s) to give this command, asking them to attack their friends or other - slimes will result in them liking you less so be careful! + - rscadd: + Slimes may now be ordered to attack! You must be VERY good friends with + the slime(s) to give this command, asking them to attack their friends or other + slimes will result in them liking you less so be careful! X-TheDark: - - rscadd: Mech battery replacement improved. The inserted battery's charge will - be set to the same percentage of the removed one's (or 10%, if removed one's - was less). + - rscadd: + Mech battery replacement improved. The inserted battery's charge will + be set to the same percentage of the removed one's (or 10%, if removed one's + was less). coiax: - - bugfix: Clicking the (F) link when an AI talks in binary chat will follow its - camera eye, the same as when (F) is clicked for its radio chat. - - bugfix: Laughter demons should now always let their friends go when asked correctly. - - rscadd: Cloning pods now grab the clone's mind when the body is ejected, rather - than when it starts cloning. - - rscadd: Wizards have been experimenting with summoning the slightly less lethal - "laughter demon". Please be aware that these demons appear to be nearly as dangerous - as their slaughter cousins. But adorable, nonetheless. + - bugfix: + Clicking the (F) link when an AI talks in binary chat will follow its + camera eye, the same as when (F) is clicked for its radio chat. + - bugfix: Laughter demons should now always let their friends go when asked correctly. + - rscadd: + Cloning pods now grab the clone's mind when the body is ejected, rather + than when it starts cloning. + - rscadd: + Wizards have been experimenting with summoning the slightly less lethal + "laughter demon". Please be aware that these demons appear to be nearly as dangerous + as their slaughter cousins. But adorable, nonetheless. kevinz000: - - rscadd: Gravity Guns! It is a mildly expensive R&D gun that has a 5 second cooldown - between shots, but doesn't need to be recharged. It has two modes, attract and - repulse. For all your gravity-manipulation needs! + - rscadd: + Gravity Guns! It is a mildly expensive R&D gun that has a 5 second cooldown + between shots, but doesn't need to be recharged. It has two modes, attract and + repulse. For all your gravity-manipulation needs! 2016-06-07: Bobylein: - - rscadd: Nanotrasen is finally able to source transparent bottles for chemistry. + - rscadd: Nanotrasen is finally able to source transparent bottles for chemistry. Iamgoofball: - - experiment: The Greytide Virus got some teeth. + - experiment: The Greytide Virus got some teeth. Joan: - - wip: This is a bunch of Clockwork Cult changes. - - rscadd: Added the Clockwork Obelisk, an Application scripture that produces a - clockwork obelisk, which can Hierophant Broadcast a large message to all servants - or open a Spatial Gateway with 5 uses and a 10 second duration to any conscious - servant or clockwork obelisk. - - wip: Spatial Gateways of any source have doubled uses and duration when the target - is a clockwork obelisk. - - rscadd: Added the Mania Motor, an Application scripture that produces a mania - motor, which, while active, causes hallucinations and brain damage in all nearby - humans. - - wip: The Mania Motor will try to convert any non-servant human directly adjacent - to it at an additional power cost and will remove brain damage, hallucinations, - and the druggy effect from servants. - - rscadd: Added the Vitality Matrix, an Application scripture that produces a sigil - that will slowly drain health from non-servants that remain on it. Servants - that remain on the sigil will instead be healed with the vitality drained from - non-servants. - - wip: The Vitality Matrix can revive dead servants for a cost of 25 vitality plus - all non-oxygen damage the servant has. If it cannot immediately revive a servant, - it will still heal their corpse. - - experiment: Most clockwork structures, including the Mending Motor, Interdiction - Lens, and the newly added Clockwork Obelisk and Mania Motor, now require power - to function. - - wip: Mending Motors can still use alloy for power. - - tweak: The Sigil of Transmission has been remade into a power battery and will - power directly adjecent clockwork structures. Sigils of Transmission start off - with 4000 power and can be recharged with Volt Void. - - tweak: Volt Void drains somewhat more power, but will not damage the invoker unless - they drain too much power. Invokers with augmented limbs will instead have those - limbs healed unless they drain especially massive amounts of power. - - wip: Using Volt Void on top of a Sigil of Transmission will transfer most of the - power drained to the Sigil of Transmission, effectively making it far less likely - to damage the invoker. - - rscdel: You can no longer stack most sigils and clockwork objects with themself. - You can still have multiple different objects or sigils on a tile, however. - - tweak: The Break Will Script has been renamed to Dementia Doctrine, is slightly - faster, and causes slightly more brain damage. - - tweak: The Judicial Visor now uses an action button instead of alt-click. Cultists - of Nar-Sie judged by the visor will be stunned for half duration, but will be - set on fire. - - tweak: Multiple scriptures have had their component requirements changed. The - Summon Judicial Visor Script has been reduced from a Script to a Driver. - - rscadd: Recollection will now show both required and consumed components. - - tweak: Clockwork Marauders can now emerge from their host if their host is at - or below 60% total health(for humans, this is 20 health out of crit) - - tweak: Clockwork Marauders will slowly heal if directly adjacent to their host - and have a slightly larger threshold for their no-Fatigue bonus damage. + - wip: This is a bunch of Clockwork Cult changes. + - rscadd: + Added the Clockwork Obelisk, an Application scripture that produces a + clockwork obelisk, which can Hierophant Broadcast a large message to all servants + or open a Spatial Gateway with 5 uses and a 10 second duration to any conscious + servant or clockwork obelisk. + - wip: + Spatial Gateways of any source have doubled uses and duration when the target + is a clockwork obelisk. + - rscadd: + Added the Mania Motor, an Application scripture that produces a mania + motor, which, while active, causes hallucinations and brain damage in all nearby + humans. + - wip: + The Mania Motor will try to convert any non-servant human directly adjacent + to it at an additional power cost and will remove brain damage, hallucinations, + and the druggy effect from servants. + - rscadd: + Added the Vitality Matrix, an Application scripture that produces a sigil + that will slowly drain health from non-servants that remain on it. Servants + that remain on the sigil will instead be healed with the vitality drained from + non-servants. + - wip: + The Vitality Matrix can revive dead servants for a cost of 25 vitality plus + all non-oxygen damage the servant has. If it cannot immediately revive a servant, + it will still heal their corpse. + - experiment: + Most clockwork structures, including the Mending Motor, Interdiction + Lens, and the newly added Clockwork Obelisk and Mania Motor, now require power + to function. + - wip: Mending Motors can still use alloy for power. + - tweak: + The Sigil of Transmission has been remade into a power battery and will + power directly adjecent clockwork structures. Sigils of Transmission start off + with 4000 power and can be recharged with Volt Void. + - tweak: + Volt Void drains somewhat more power, but will not damage the invoker unless + they drain too much power. Invokers with augmented limbs will instead have those + limbs healed unless they drain especially massive amounts of power. + - wip: + Using Volt Void on top of a Sigil of Transmission will transfer most of the + power drained to the Sigil of Transmission, effectively making it far less likely + to damage the invoker. + - rscdel: + You can no longer stack most sigils and clockwork objects with themself. + You can still have multiple different objects or sigils on a tile, however. + - tweak: + The Break Will Script has been renamed to Dementia Doctrine, is slightly + faster, and causes slightly more brain damage. + - tweak: + The Judicial Visor now uses an action button instead of alt-click. Cultists + of Nar-Sie judged by the visor will be stunned for half duration, but will be + set on fire. + - tweak: + Multiple scriptures have had their component requirements changed. The + Summon Judicial Visor Script has been reduced from a Script to a Driver. + - rscadd: Recollection will now show both required and consumed components. + - tweak: + Clockwork Marauders can now emerge from their host if their host is at + or below 60% total health(for humans, this is 20 health out of crit) + - tweak: + Clockwork Marauders will slowly heal if directly adjacent to their host + and have a slightly larger threshold for their no-Fatigue bonus damage. Quiltyquilty: - - rscadd: Botany, atmospherics and cargo now all have access to high-capacity watertanks. - - rscadd: The bar has now been outfitted with custom bar stools. + - rscadd: Botany, atmospherics and cargo now all have access to high-capacity watertanks. + - rscadd: The bar has now been outfitted with custom bar stools. Xhuis: - - rscdel: Removed the global message played when Nar-Sie _begins_ to spawn (but - not when it actually spawns). - - tweak: Drunkenness recovery speed now increases with how drunk the imbiber is - and is much quicker when the imbiber is asleep. - - tweak: Suit storage units now take three seconds to enter (up from one) and have - different sounds and messages for UV ray cauterization. - - bugfix: Fixed some bugs with the suit storage unit, inserting mobs, and contents - to seemed to duplicate themselves. - - bugfix: The Summon Nar-Sie rune can now only be drawn on original station tiles - and fails to invoke if scribed on the station then moved elsewhere. + - rscdel: + Removed the global message played when Nar-Sie _begins_ to spawn (but + not when it actually spawns). + - tweak: + Drunkenness recovery speed now increases with how drunk the imbiber is + and is much quicker when the imbiber is asleep. + - tweak: + Suit storage units now take three seconds to enter (up from one) and have + different sounds and messages for UV ray cauterization. + - bugfix: + Fixed some bugs with the suit storage unit, inserting mobs, and contents + to seemed to duplicate themselves. + - bugfix: + The Summon Nar-Sie rune can now only be drawn on original station tiles + and fails to invoke if scribed on the station then moved elsewhere. coiax: - - rscdel: Bluespace shelter capsules can no longer be used on shuttles. - - rscadd: Bluespace shelters may have different capsules stored. View what your - capsule has inside by examining it. - - rscdel: The Nar'sie rune cannot be scribed on shuttles or off Z-level. - - rscadd: The Raise Dead rune automatically grabs the ghost of the raised corpse. - - rscadd: Deadchat is now notified when a sentient mob dies. + - rscdel: Bluespace shelter capsules can no longer be used on shuttles. + - rscadd: + Bluespace shelters may have different capsules stored. View what your + capsule has inside by examining it. + - rscdel: The Nar'sie rune cannot be scribed on shuttles or off Z-level. + - rscadd: The Raise Dead rune automatically grabs the ghost of the raised corpse. + - rscadd: Deadchat is now notified when a sentient mob dies. phil235: - - rscadd: Monkeys and all other animals that should have blood now has it. Beating - them up will make you and your weapon bloody, just like beating a human does. - Dragging them when wounded and lying will leave a blood trail. Their blood is - still mostly cosmetic, they suffer no effects from low blood level, unlike humans. - - rscadd: When a mob leaves a blood trail while dragged, it loses blood. You can - no longer drag a corpse to make an inifinite amount of blood trails, because - once the victim's blood reaches a certain threshold it no longer leaves a blood - trail (and no longer lose any more blood). The threshold depends on how much - damage the mob has taken. You can always avoid hurting the dragged mob by making - them stand up or by buckling them to something or by putting them in a container. - - rscdel: You can no longer empty a mob of its blood entirely with a syringe, once - the mob's blood volume reaches a critically low level you are unable to draw - any more blood from it. - - tweak: A changeling absorbing a human now sucks all their blood. + - rscadd: + Monkeys and all other animals that should have blood now has it. Beating + them up will make you and your weapon bloody, just like beating a human does. + Dragging them when wounded and lying will leave a blood trail. Their blood is + still mostly cosmetic, they suffer no effects from low blood level, unlike humans. + - rscadd: + When a mob leaves a blood trail while dragged, it loses blood. You can + no longer drag a corpse to make an inifinite amount of blood trails, because + once the victim's blood reaches a certain threshold it no longer leaves a blood + trail (and no longer lose any more blood). The threshold depends on how much + damage the mob has taken. You can always avoid hurting the dragged mob by making + them stand up or by buckling them to something or by putting them in a container. + - rscdel: + You can no longer empty a mob of its blood entirely with a syringe, once + the mob's blood volume reaches a critically low level you are unable to draw + any more blood from it. + - tweak: A changeling absorbing a human now sucks all their blood. 2016-06-08: Cruix: - - bugfix: Changelings no longer lose the regenerate ability if they respect while - in regenerative stasis. + - bugfix: + Changelings no longer lose the regenerate ability if they respect while + in regenerative stasis. Fox McCloud: - - bugfix: Fixes Experimentor critical reactions not working - - bugfix: Fixes Experimentor item cloning not working - - bugfix: Fixes Experimentor producing coffee vending machines instead of coffe - cups - - tweak: Experimentor can only clone critical reaction items instead of anything - with an origin tech + - bugfix: Fixes Experimentor critical reactions not working + - bugfix: Fixes Experimentor item cloning not working + - bugfix: + Fixes Experimentor producing coffee vending machines instead of coffe + cups + - tweak: + Experimentor can only clone critical reaction items instead of anything + with an origin tech GunHog: - - rscadd: Nanotrasen has approved the Hyper-Kenetic Accelerator upgrade for cyborg - mining modules. - - tweak: Each of the heads' ID computers are now themed for their department! + - rscadd: + Nanotrasen has approved the Hyper-Kenetic Accelerator upgrade for cyborg + mining modules. + - tweak: Each of the heads' ID computers are now themed for their department! Joan: - - tweak: Anima Fragments have slightly more health and move faster, but slow down - temporarily when taking damage. Also they can move in space now. + - tweak: + Anima Fragments have slightly more health and move faster, but slow down + temporarily when taking damage. Also they can move in space now. Kor: - - rscadd: The clown will play a sad trombone noise upon death. - - rscadd: Colossi now roam the wastes. - - rscadd: Bubblegum now roams the wastes. + - rscadd: The clown will play a sad trombone noise upon death. + - rscadd: Colossi now roam the wastes. + - rscadd: Bubblegum now roams the wastes. PKPenguin321: - - rscadd: You can now emag chemical dispensers, such as the ones in chemistry or - the bar, to unlock illegal chemicals. + - rscadd: + You can now emag chemical dispensers, such as the ones in chemistry or + the bar, to unlock illegal chemicals. lordpidey: - - tweak: Infernal jaunt has been significantly nerfed with an enter and exit delay. + - tweak: Infernal jaunt has been significantly nerfed with an enter and exit delay. 2016-06-09: GunHog: - - rscadd: Nanotrasen scientists have completed a design for adapting mining cyborgs - to the Lavaland Wastes in the form of anti-ash storm plating. Research for this - technology must be adapted at your local station. + - rscadd: + Nanotrasen scientists have completed a design for adapting mining cyborgs + to the Lavaland Wastes in the form of anti-ash storm plating. Research for this + technology must be adapted at your local station. Joan: - - tweak: Anima Fragments have slightly less health and damage and will slow down - for longer when hit. + - tweak: + Anima Fragments have slightly less health and damage and will slow down + for longer when hit. Kor: - - rscadd: The captain now spawns with the station charter, which allows him to name - the station. + - rscadd: + The captain now spawns with the station charter, which allows him to name + the station. Papa Bones: - - tweak: Loyalty implants have been refluffed to mindshield implants, they are mechanically - the same. + - tweak: + Loyalty implants have been refluffed to mindshield implants, they are mechanically + the same. Xhuis: - - rscadd: You can now remove all plants and weeds from a hydroponics tray by using - a spade on it. - - rscadd: Added meatwheat, a mutated variant of wheat that can be crushed into meat - substitute. - - rscadd: Added ambrosia gaia, a mysterious plant that is rumored to provide nutrients - and water to any soil - hydroponic or otherwise - that it's planted in. - - rscadd: Added cherry bombs, a mutated variant of blue cherries that have an explosively - good taste. Oh, and don't pluck the stems. + - rscadd: + You can now remove all plants and weeds from a hydroponics tray by using + a spade on it. + - rscadd: + Added meatwheat, a mutated variant of wheat that can be crushed into meat + substitute. + - rscadd: + Added ambrosia gaia, a mysterious plant that is rumored to provide nutrients + and water to any soil - hydroponic or otherwise - that it's planted in. + - rscadd: + Added cherry bombs, a mutated variant of blue cherries that have an explosively + good taste. Oh, and don't pluck the stems. coiax: - - tweak: The beacons from support guardians are now structures, rather than replacing - the floor tile. In practice, this will change little, aside from not leaving - empty plating when a beacon is removed because a new one has been placed. + - tweak: + The beacons from support guardians are now structures, rather than replacing + the floor tile. In practice, this will change little, aside from not leaving + empty plating when a beacon is removed because a new one has been placed. nullbear: - - tweak: Removes the restriction on wormhole jaunters, preventing them from teleporting - you to beacons on other z-levels. - - tweak: No longer able to use beacons to bypass normal shuttle/centcomm anti-bluespace - measures. + - tweak: + Removes the restriction on wormhole jaunters, preventing them from teleporting + you to beacons on other z-levels. + - tweak: + No longer able to use beacons to bypass normal shuttle/centcomm anti-bluespace + measures. 2016-06-11: Joan: - - rscadd: Clockwork Slabs, Clockwork Caches near walls, and Tinkerer's Daemons will - now be more likely to generate components that the clockwork cult has the least - of. - - rscadd: Destroyed Clockwork Caches will drop all Tinkerer's Daemons in them. - - tweak: Clockwork Caches can now only generate a component every 30 seconds(when - near a clockwork wall), Clockwork Slabs can only generate a component every - 40 seconds, and Tinkerer's Daemons can only generate a component every 20 seconds. - This should result in higher component generation for everything except Clockwork - Caches near clockwork walls. - - tweak: Adding a component to a Clockwork Slab instead puts that component in the - global component cache. - - tweak: Clockwork Slabs only generate components if held by a mob or in a mob's - storage, and when generating a component will prevent other Slabs held from - generating a component. - - tweak: The Replicant Driver no longer costs a Replicant Alloy to invoke; basically - you can throw free Slabs at converts. - - rscdel: Clockwork Slabs no longer have Repository as a menu option; instead, you - can examine them to see how many components they have access to. - - rscdel: Clockwork Caches directly on top of clockwork walls won't generate components - from that wall. + - rscadd: + Clockwork Slabs, Clockwork Caches near walls, and Tinkerer's Daemons will + now be more likely to generate components that the clockwork cult has the least + of. + - rscadd: Destroyed Clockwork Caches will drop all Tinkerer's Daemons in them. + - tweak: + Clockwork Caches can now only generate a component every 30 seconds(when + near a clockwork wall), Clockwork Slabs can only generate a component every + 40 seconds, and Tinkerer's Daemons can only generate a component every 20 seconds. + This should result in higher component generation for everything except Clockwork + Caches near clockwork walls. + - tweak: + Adding a component to a Clockwork Slab instead puts that component in the + global component cache. + - tweak: + Clockwork Slabs only generate components if held by a mob or in a mob's + storage, and when generating a component will prevent other Slabs held from + generating a component. + - tweak: + The Replicant Driver no longer costs a Replicant Alloy to invoke; basically + you can throw free Slabs at converts. + - rscdel: + Clockwork Slabs no longer have Repository as a menu option; instead, you + can examine them to see how many components they have access to. + - rscdel: + Clockwork Caches directly on top of clockwork walls won't generate components + from that wall. Lzimann: - - rscadd: Bar stools are now constructable with metal! + - rscadd: Bar stools are now constructable with metal! coiax: - - rscadd: Ghosts are notified when someone arrives on the Arrivals Shuttle. This - is independent of the announcement system, and the (F) link will follow the - arrived person. - - tweak: Slimes and aliens with custom names now retain those names when changing - forms. + - rscadd: + Ghosts are notified when someone arrives on the Arrivals Shuttle. This + is independent of the announcement system, and the (F) link will follow the + arrived person. + - tweak: + Slimes and aliens with custom names now retain those names when changing + forms. kevinz000: - - bugfix: Malf AI hacking an APC that is then destroyed will no longer bug the AI - - bugfix: Being turned into a Revolutionary now stuns you for a short while. - - bugfix: Kinetic Accelerators no longer drop their firing pin or cell when destroyed - by lava + - bugfix: Malf AI hacking an APC that is then destroyed will no longer bug the AI + - bugfix: Being turned into a Revolutionary now stuns you for a short while. + - bugfix: + Kinetic Accelerators no longer drop their firing pin or cell when destroyed + by lava phil235: - - rscadd: Firelock assemblies can be reinforced with plasteel to construct heavy - firelocks. + - rscadd: + Firelock assemblies can be reinforced with plasteel to construct heavy + firelocks. 2016-06-12: Joan: - - rscadd: Attacking a human you are pulling or have grabbed with a ratvarian spear - will impale them, doing massive damage, stunning the target, and breaking the - spear if they remain conscious after being attacked. - - tweak: The Function Call verb is now an action button. + - rscadd: + Attacking a human you are pulling or have grabbed with a ratvarian spear + will impale them, doing massive damage, stunning the target, and breaking the + spear if they remain conscious after being attacked. + - tweak: The Function Call verb is now an action button. Xhuis: - - rscdel: While experimenting with floral genetic engineering, Nanotrasen botanists - discovered an explosive variety of the cherry plant. Due to gross misuse, the - genes used to produce this strain have been isolated and removed while Central - Command decides how best to modify it. + - rscdel: + While experimenting with floral genetic engineering, Nanotrasen botanists + discovered an explosive variety of the cherry plant. Due to gross misuse, the + genes used to produce this strain have been isolated and removed while Central + Command decides how best to modify it. xxalpha: - - rscadd: 'New wizard spell: Spacetime Distortion.' - - rscadd: 3x1 grafitti + - rscadd: "New wizard spell: Spacetime Distortion." + - rscadd: 3x1 grafitti 2016-06-13: Joan: - - tweak: Sigils of Transgression will now only stun for about 5 seconds, from around - 10 seconds. - - tweak: Sigils of Submission take about 5 seconds to convert a target, from around - 3 seconds, and will glow faintly. - - rscadd: Sigils of any type can be attacked with an open hand to destroy them, - instead of requiring harm intent. Servants still require harm intent to do so. + - tweak: + Sigils of Transgression will now only stun for about 5 seconds, from around + 10 seconds. + - tweak: + Sigils of Submission take about 5 seconds to convert a target, from around + 3 seconds, and will glow faintly. + - rscadd: + Sigils of any type can be attacked with an open hand to destroy them, + instead of requiring harm intent. Servants still require harm intent to do so. Lati: - - rscadd: Nanotrasen has added one of their rare machine prototypes to cargo's selection. - It might be valuable to research. + - rscadd: + Nanotrasen has added one of their rare machine prototypes to cargo's selection. + It might be valuable to research. Xhuis: - - rscadd: You can now create living cake/cat hybrids through a slightly expensive - crafting recipe. These "caks" are remarkably resilient, quickly regenerating - any brute damage dealt, and can be attacked on harm intent to take a bite to - be fed by a small amount. They serve as mobile sources of food and make great - pets. - - rscadd: If a brain occupied by a player is used in the crafting recipe for caks, - that player then takes control of the cak! + - rscadd: + You can now create living cake/cat hybrids through a slightly expensive + crafting recipe. These "caks" are remarkably resilient, quickly regenerating + any brute damage dealt, and can be attacked on harm intent to take a bite to + be fed by a small amount. They serve as mobile sources of food and make great + pets. + - rscadd: + If a brain occupied by a player is used in the crafting recipe for caks, + that player then takes control of the cak! 2016-06-14: Joan: - - tweak: The Gateway to the Celestial Derelict now takes exactly 5 minutes to successfully - summon Ratvar and has 500 health, from 1000. - - rscadd: You can now actually hit people adjacent to the Gateway; only the center - of the Gateway can be attacked. The Gateway is also now dense, allowing you - to more easily shoot at it. - - rscadd: All Scripture in the Clockwork Slab's recital has a simple description. + - tweak: + The Gateway to the Celestial Derelict now takes exactly 5 minutes to successfully + summon Ratvar and has 500 health, from 1000. + - rscadd: + You can now actually hit people adjacent to the Gateway; only the center + of the Gateway can be attacked. The Gateway is also now dense, allowing you + to more easily shoot at it. + - rscadd: All Scripture in the Clockwork Slab's recital has a simple description. Razharas: - - rscadd: Wiki now has the method of cultivating kudzu vines that was in game for - over a year. https://tgstation13.org/wiki/Guide_to_hydroponics#Kudzu + - rscadd: + Wiki now has the method of cultivating kudzu vines that was in game for + over a year. https://tgstation13.org/wiki/Guide_to_hydroponics#Kudzu kevinz000: - - tweak: Gravity Guns should no longer destroy local reality when set to attract - and shot in an east cardinal direction. Added safety checks has slightly increased - the cost of the gun's fabrication. Nanotrasen apologizes for the inconvenience. - - bugfix: Gravity guns now have an inhand sprite. + - tweak: + Gravity Guns should no longer destroy local reality when set to attract + and shot in an east cardinal direction. Added safety checks has slightly increased + the cost of the gun's fabrication. Nanotrasen apologizes for the inconvenience. + - bugfix: Gravity guns now have an inhand sprite. 2016-06-16: GunHog: - - rscadd: In response to alarmingly high mining cyborg losses, Nanotrasen has equipped - the units with an internal positioning beacon, as standard within the module. + - rscadd: + In response to alarmingly high mining cyborg losses, Nanotrasen has equipped + the units with an internal positioning beacon, as standard within the module. Joan: - - rscadd: You can now strike a Tinkerer's Cache with a Clockwork Proselytizer to - refill the Proselytizer from the global component cache. - - tweak: The Clockwork Proselytizer requires slightly less alloy to convert windows - and windoors. - - tweak: Several clockwork objects have more useful descriptions, most notably including - structures, which will show a general health level to non-servants and exact - health to servants. - - imageadd: The Clockwork Proselytizer has new, more appropriate inhands. - - tweak: Invoking Inath-Neq, the Resonant Cogwheel, now gives total invulnerability - to all servants in range for 15 seconds instead of buffing maximum health. - - tweak: Impaling a target with a ratvarian spear no longer breaks the spear. - - tweak: Judicial Markers(the things spawned from Ratvar's Flame, in turn spawned - from a Judicial Visor) explode one second faster. - - rscdel: Removed Dementia Doctrine, replacing it with an Application sigil. - - rscadd: Adds the Sigil of Accession, the previously-mentioned Application sigil, - which is much like a Sigil of Submission, except it isn't removed on converting - un-mindshielded targets and will disappear after converting a mindshielded target. - - tweak: Sigil of Submission is now a Script instead of a Driver; It's unlocked - one tier up, so you have to rely on the Drivers you have until you get Scripts, - instead of spamming both Driver sigils for free converts. - - rscadd: To replace Sigil of Submission in the Driver tier; Added Taunting Tirade, - which is a chanted scripture with a very fast invocation, which, on chanting, - confuses, dizzies, and briefly stuns nearby non-servants and allows the invoker - a brief time to relocate before continuing the chant. - - rscadd: Ghosts can now see the Gateway to the Celestial Derelict's remaining time - as a countdown. - - tweak: Anima Fragments are now slightly slower if not at maximum health and no - longer drop a soul vessel when destroyed. + - rscadd: + You can now strike a Tinkerer's Cache with a Clockwork Proselytizer to + refill the Proselytizer from the global component cache. + - tweak: + The Clockwork Proselytizer requires slightly less alloy to convert windows + and windoors. + - tweak: + Several clockwork objects have more useful descriptions, most notably including + structures, which will show a general health level to non-servants and exact + health to servants. + - imageadd: The Clockwork Proselytizer has new, more appropriate inhands. + - tweak: + Invoking Inath-Neq, the Resonant Cogwheel, now gives total invulnerability + to all servants in range for 15 seconds instead of buffing maximum health. + - tweak: Impaling a target with a ratvarian spear no longer breaks the spear. + - tweak: + Judicial Markers(the things spawned from Ratvar's Flame, in turn spawned + from a Judicial Visor) explode one second faster. + - rscdel: Removed Dementia Doctrine, replacing it with an Application sigil. + - rscadd: + Adds the Sigil of Accession, the previously-mentioned Application sigil, + which is much like a Sigil of Submission, except it isn't removed on converting + un-mindshielded targets and will disappear after converting a mindshielded target. + - tweak: + Sigil of Submission is now a Script instead of a Driver; It's unlocked + one tier up, so you have to rely on the Drivers you have until you get Scripts, + instead of spamming both Driver sigils for free converts. + - rscadd: + To replace Sigil of Submission in the Driver tier; Added Taunting Tirade, + which is a chanted scripture with a very fast invocation, which, on chanting, + confuses, dizzies, and briefly stuns nearby non-servants and allows the invoker + a brief time to relocate before continuing the chant. + - rscadd: + Ghosts can now see the Gateway to the Celestial Derelict's remaining time + as a countdown. + - tweak: + Anima Fragments are now slightly slower if not at maximum health and no + longer drop a soul vessel when destroyed. Quiltyquilty: - - rscdel: Patches now hold only 40u. - - rscdel: Patches in first aid kits now only contain 20u of chemicals. + - rscdel: Patches now hold only 40u. + - rscdel: Patches in first aid kits now only contain 20u of chemicals. coiax: - - rscadd: Polymorphed mobs now have the same name, and where possible, the same - equipment as their previous form. + - rscadd: + Polymorphed mobs now have the same name, and where possible, the same + equipment as their previous form. 2016-06-19: Joan: - - tweak: Assassin holoparasite attack damage increased from 13 to 15, stealth cooldown - decreased from 20 seconds to 16 seconds. - - tweak: Charger holoparasite charge cooldown decreased from 5 seconds to 4 seconds. - - tweak: Chaos holoparasite attack damage decreased from 10 to 7, range decreased - from 10 to 7. - - tweak: Lightning holoparasite attack damage increased from 5 to 7, chain damage - increased by 33%. - - rscdel: Clock cult scripture unlock now only counts humans and silicons. - - rscadd: Servants of ratvar can now create cogscarab shells with a Script scripture. - Adding a soul vessel to one will produce a small, drone-like being with an inbuilt - proselytizer and tools. - - imageadd: Clockwork mobs have their own speechbubble icons. - - tweak: Invoking Sevtug now causes massive hallucinations, brain damage, confusion, - and dizziness for all non-servant humans on the same zlevel as the invoker. - - rscdel: Invoking Sevtug is no longer mind control. RIP mind control 2016-2016. - - tweak: Clockwork slabs now produce a component every 50 seconds, from 40, Tinkerer's - Caches now produce(if near a clockwork wall) a component every 35 seconds, from - 30. - - experiment: 'Tinkerer''s daemons have a slightly higher cooldown for each component - of the type they chose to produce that''s already in the cache: This is very - slight, but it''ll add up if you have a lot of one component type and are trying - to get more of it with daemons; 5 of a component type will add a second of delay.' + - tweak: + Assassin holoparasite attack damage increased from 13 to 15, stealth cooldown + decreased from 20 seconds to 16 seconds. + - tweak: Charger holoparasite charge cooldown decreased from 5 seconds to 4 seconds. + - tweak: + Chaos holoparasite attack damage decreased from 10 to 7, range decreased + from 10 to 7. + - tweak: + Lightning holoparasite attack damage increased from 5 to 7, chain damage + increased by 33%. + - rscdel: Clock cult scripture unlock now only counts humans and silicons. + - rscadd: + Servants of ratvar can now create cogscarab shells with a Script scripture. + Adding a soul vessel to one will produce a small, drone-like being with an inbuilt + proselytizer and tools. + - imageadd: Clockwork mobs have their own speechbubble icons. + - tweak: + Invoking Sevtug now causes massive hallucinations, brain damage, confusion, + and dizziness for all non-servant humans on the same zlevel as the invoker. + - rscdel: Invoking Sevtug is no longer mind control. RIP mind control 2016-2016. + - tweak: + Clockwork slabs now produce a component every 50 seconds, from 40, Tinkerer's + Caches now produce(if near a clockwork wall) a component every 35 seconds, from + 30. + - experiment: + "Tinkerer's daemons have a slightly higher cooldown for each component + of the type they chose to produce that's already in the cache: This is very + slight, but it'll add up if you have a lot of one component type and are trying + to get more of it with daemons; 5 of a component type will add a second of delay." Kor and Iamgoofball: - - rscadd: Miners can now purchase fulton extraction packs. - - rscadd: Miners can now purchase fulton medivac packs. - - rscadd: Two new fulton related bundles are available for purchase with vouchers. + - rscadd: Miners can now purchase fulton extraction packs. + - rscadd: Miners can now purchase fulton medivac packs. + - rscadd: Two new fulton related bundles are available for purchase with vouchers. Quiltyquilty: - - rscadd: Beepsky now has his own home in the labor shuttle room. + - rscadd: Beepsky now has his own home in the labor shuttle room. Wizard's Federation: - - bugfix: We've fired the old Pope, who was actually an apprentice in disguise. - We've a-pope-riately replaced him with a much more experienced magic user. - - rscadd: Some less-then-sane people have been sighted forming mysterious cults - in lieu of recent Pope sightings, lashing out at anyone who speaks ill of him. - - bugfix: We've rejiggered our trans-dimensional rifts, and almost all cases of - clergy members being flung into nothingness should be resolved. - - bugfix: All members of the Space Wizard's Clergy have been appropriately warned - about usage of skin-to-stone spells, and such there should be no more instances - of permanent statueification. + - bugfix: + We've fired the old Pope, who was actually an apprentice in disguise. + We've a-pope-riately replaced him with a much more experienced magic user. + - rscadd: + Some less-then-sane people have been sighted forming mysterious cults + in lieu of recent Pope sightings, lashing out at anyone who speaks ill of him. + - bugfix: + We've rejiggered our trans-dimensional rifts, and almost all cases of + clergy members being flung into nothingness should be resolved. + - bugfix: + All members of the Space Wizard's Clergy have been appropriately warned + about usage of skin-to-stone spells, and such there should be no more instances + of permanent statueification. Xhuis: - - tweak: Revenants have been renamed to umbras and have undergone some tweaks. + - tweak: Revenants have been renamed to umbras and have undergone some tweaks. coiax: - - rscadd: Drones can hear robotic talk, but cannot communicate on it. AIs and cyborgs - are encouraged to share information with station repair drones. - - rscadd: Potted plants can now be ordered from cargo. - - rscdel: AI turrets no longer fire at drones. + - rscadd: + Drones can hear robotic talk, but cannot communicate on it. AIs and cyborgs + are encouraged to share information with station repair drones. + - rscadd: Potted plants can now be ordered from cargo. + - rscdel: AI turrets no longer fire at drones. 2016-06-20: Kor: - - rscadd: Cult runes can only be scribed on station and on mining. - - rscadd: The comms console now has a new option allowing you to communicate with - the other server. + - rscadd: Cult runes can only be scribed on station and on mining. + - rscadd: + The comms console now has a new option allowing you to communicate with + the other server. Quiltyquilty: - - rscadd: The detective has been moved to above the post office. + - rscadd: The detective has been moved to above the post office. coiax: - - rscadd: Birdboat's supply loop has been split into two unconnected halves, to - maintain award winning air quality. + - rscadd: + Birdboat's supply loop has been split into two unconnected halves, to + maintain award winning air quality. incoming5643: - - experiment: New abilities for some races! - - rscadd: Skeletons (liches) and zombies now are much more susceptible to limb loss, - but can also reattach lost limbs manually without surgery. - - rscadd: Slimepeople can now lose their limbs, but also can regenerate them if - they have the jelly for it. Additionally slimepeople will (involuntarily) lose - limbs and convert them to slime jelly if they're extremely low on jelly. - - rscadd: Zombies and slimepeople now have reversed toxic damage, what usually heals - now hurts and what usually hurts now heals. Keep in mind that while you could - for example heal with unstable mutagen, you'd still mutate. Beware of secondary - effects! Drugs like antitoxin are especially dangerous to these races now since - not only do they do toxin damage, but they remove other toxic chems before they - can heal you. Be wary also of wide band healing drugs like omnizine. - - rscadd: For slime people the above mechanic also adds/drains slime jelly. So yes - inhaling plasma is now a valid way to build jelly (but you'll still suffocate - if there's no oxygen). - - rscadd: Pod people now mutate if shot with the mutation setting of the floral - somatoray. + - experiment: New abilities for some races! + - rscadd: + Skeletons (liches) and zombies now are much more susceptible to limb loss, + but can also reattach lost limbs manually without surgery. + - rscadd: + Slimepeople can now lose their limbs, but also can regenerate them if + they have the jelly for it. Additionally slimepeople will (involuntarily) lose + limbs and convert them to slime jelly if they're extremely low on jelly. + - rscadd: + Zombies and slimepeople now have reversed toxic damage, what usually heals + now hurts and what usually hurts now heals. Keep in mind that while you could + for example heal with unstable mutagen, you'd still mutate. Beware of secondary + effects! Drugs like antitoxin are especially dangerous to these races now since + not only do they do toxin damage, but they remove other toxic chems before they + can heal you. Be wary also of wide band healing drugs like omnizine. + - rscadd: + For slime people the above mechanic also adds/drains slime jelly. So yes + inhaling plasma is now a valid way to build jelly (but you'll still suffocate + if there's no oxygen). + - rscadd: + Pod people now mutate if shot with the mutation setting of the floral + somatoray. 2016-06-22: Cheridan: - - tweak: Flashes no longer stun cyborgs, instead working almost exactly like a human, - causing them to become confused and unequip their current module. + - tweak: + Flashes no longer stun cyborgs, instead working almost exactly like a human, + causing them to become confused and unequip their current module. Joan: - - rscdel: Those who do not serve Ratvar cannot understand His creations. - - rscadd: You can now repair clockwork structures with a clockwork proselytizer. - This is about a third as efficient as a mending motor, costing 2 liquified alloy - to 1 health, and also about a third as fast. - - tweak: Scarab proselytizers are more efficient and will reap more alloy from metal - and plasteel. - - rscadd: They can also directly convert rods to alloy. - - tweak: Nuclear bombs will no longer explode the station if in space. Please be - aware of this. + - rscdel: Those who do not serve Ratvar cannot understand His creations. + - rscadd: + You can now repair clockwork structures with a clockwork proselytizer. + This is about a third as efficient as a mending motor, costing 2 liquified alloy + to 1 health, and also about a third as fast. + - tweak: + Scarab proselytizers are more efficient and will reap more alloy from metal + and plasteel. + - rscadd: They can also directly convert rods to alloy. + - tweak: + Nuclear bombs will no longer explode the station if in space. Please be + aware of this. Kor: - - rscadd: You can now pick up potted plants. + - rscadd: You can now pick up potted plants. PKPenguin321: - - rscadd: You can now pick up a skateboard and use it as a weapon by dragging it - to yourself. - - imageadd: Skateboards have been given brand new sprites, courtesy of JStheguy + - rscadd: + You can now pick up a skateboard and use it as a weapon by dragging it + to yourself. + - imageadd: Skateboards have been given brand new sprites, courtesy of JStheguy Quiltyquilty: - - rscadd: The AI is back in the center of the station. The gravity generator is - now where the SMES room used to be. The SMESes are in the equipment room. + - rscadd: + The AI is back in the center of the station. The gravity generator is + now where the SMES room used to be. The SMESes are in the equipment room. Supermichael777: - - rscadd: Flaps are no longer space-racist and now accept all bots. + - rscadd: Flaps are no longer space-racist and now accept all bots. Xhuis: - - tweak: Holy weapons, such as the null rod and possessed blade, now protect from - Ratvar's magic. + - tweak: + Holy weapons, such as the null rod and possessed blade, now protect from + Ratvar's magic. coiax: - - rscadd: Certain custom station names may be rejected by Centcom. - - rscadd: Drone shells can be ordered in Emergency supplies at Cargo. + - rscadd: Certain custom station names may be rejected by Centcom. + - rscadd: Drone shells can be ordered in Emergency supplies at Cargo. 2016-06-23: Joan: - - tweak: Tinkerer's Caches generate components(when near clockwork walls) every - minute and a half, from every 35 seconds. Clockwork Slabs generate components - once per minute, from once per 50 seconds. - - tweak: Spatial Gateway will last four seconds per invoker, instead of two per - invoker. - - rscdel: Clockwork floors now only heal toxin damage on servants of Ratvar. - - rscdel: You can no longer place ocular wardens very close to other ocular wardens. - - tweak: The Flame produced by a Judicial Visor is no longer an effective melee - weapon and will trigger on all intents, not just harm intent. + - tweak: + Tinkerer's Caches generate components(when near clockwork walls) every + minute and a half, from every 35 seconds. Clockwork Slabs generate components + once per minute, from once per 50 seconds. + - tweak: + Spatial Gateway will last four seconds per invoker, instead of two per + invoker. + - rscdel: Clockwork floors now only heal toxin damage on servants of Ratvar. + - rscdel: You can no longer place ocular wardens very close to other ocular wardens. + - tweak: + The Flame produced by a Judicial Visor is no longer an effective melee + weapon and will trigger on all intents, not just harm intent. Wizard's Federation: - - bugfix: Acolytes of Hades have revealed their true forms. - - rscadd: We've discovered a way to traverse portals left behind by Hades, and have - discovered a great treasure through it. - - bugfix: Hades has undergone Anger Management classes, and should no longer remain - wrathful for the duration of his visit. + - bugfix: Acolytes of Hades have revealed their true forms. + - rscadd: + We've discovered a way to traverse portals left behind by Hades, and have + discovered a great treasure through it. + - bugfix: + Hades has undergone Anger Management classes, and should no longer remain + wrathful for the duration of his visit. coiax: - - rscadd: Changelings now evolve powers via the cellular emporium, which they can - access via an action button. - - rscadd: Due to budget cuts, the shuttle's hyperspace engines now create a visual - distortion at their destination, a few seconds before arrival. Crewmembers are - encouraged to use these "ripples" as an indication of where not to stand. - - bugfix: Shuttles now only run over mobs in turfs they are moving into, rather - than the entire rectangle. - - rscadd: If you are an observer, you can click on transition edges of a Z-level - in order to move as a mob would. - - rscadd: Due to safety concerns, the Hyperfractal Gigashuttle now has some safety - grilles to prevent accidental matter energising. + - rscadd: + Changelings now evolve powers via the cellular emporium, which they can + access via an action button. + - rscadd: + Due to budget cuts, the shuttle's hyperspace engines now create a visual + distortion at their destination, a few seconds before arrival. Crewmembers are + encouraged to use these "ripples" as an indication of where not to stand. + - bugfix: + Shuttles now only run over mobs in turfs they are moving into, rather + than the entire rectangle. + - rscadd: + If you are an observer, you can click on transition edges of a Z-level + in order to move as a mob would. + - rscadd: + Due to safety concerns, the Hyperfractal Gigashuttle now has some safety + grilles to prevent accidental matter energising. coiax, incoming: - - rscadd: Due to budget cuts, the builtin anti-orbit engines on the station have - been removed. As such, expect the station to start orbiting the system again, - and encounter an unpredictable stellar environment. - - rscdel: All permanent structures (not on station, Centcom or lavaland) have been - removed. - - rscadd: All removed structures are now space ruins, and can be placed randomly - in space ruin zlevels. - - wip: The White Ship remains at its current location, but has lost any reliable - landmarks near it. Its starting position will be made more random in a coming - update. - - rscadd: The Space Bar has a small atmos system added and a teleporter. Some other - ruins have been cleaned up to not have atmos active turfs. + - rscadd: + Due to budget cuts, the builtin anti-orbit engines on the station have + been removed. As such, expect the station to start orbiting the system again, + and encounter an unpredictable stellar environment. + - rscdel: + All permanent structures (not on station, Centcom or lavaland) have been + removed. + - rscadd: + All removed structures are now space ruins, and can be placed randomly + in space ruin zlevels. + - wip: + The White Ship remains at its current location, but has lost any reliable + landmarks near it. Its starting position will be made more random in a coming + update. + - rscadd: + The Space Bar has a small atmos system added and a teleporter. Some other + ruins have been cleaned up to not have atmos active turfs. 2016-06-24: Joan: - - experiment: The Interdiction Lens has been reworked; instead of allowing you to - disable Telecomms, Cameras, or non-Servant Cyborgs, it drains power from all - APCs, SMES units, and non-Servant cyborgs in a relatively large area, funneling - that power into nearby Sigils of Transmission, then disables all cameras and - radios in that same area. - - wip: If it fails to find anything it could disable or drain any power, it turns - off for 2 minutes. - - tweak: You can now target yourself with Sentinel's Compromise, allowing you to - heal yourself with it. - - rscadd: Flashes will once again stun borgs, but for a much shorter time than they - previously did; average stun time is reduced from the previous average of 15 - seconds to about 6 seconds. The confusion remains, but it will no longer unequip - borg modules. + - experiment: + The Interdiction Lens has been reworked; instead of allowing you to + disable Telecomms, Cameras, or non-Servant Cyborgs, it drains power from all + APCs, SMES units, and non-Servant cyborgs in a relatively large area, funneling + that power into nearby Sigils of Transmission, then disables all cameras and + radios in that same area. + - wip: + If it fails to find anything it could disable or drain any power, it turns + off for 2 minutes. + - tweak: + You can now target yourself with Sentinel's Compromise, allowing you to + heal yourself with it. + - rscadd: + Flashes will once again stun borgs, but for a much shorter time than they + previously did; average stun time is reduced from the previous average of 15 + seconds to about 6 seconds. The confusion remains, but it will no longer unequip + borg modules. MMMiracles: - - tweak: Metastation xenobiology's lights and cell have been modified so it won't - drain 5 minutes into the round. + - tweak: + Metastation xenobiology's lights and cell have been modified so it won't + drain 5 minutes into the round. SnipeDragon: - - bugfix: Changelings created at round start now correctly receive their Antag HUD. + - bugfix: Changelings created at round start now correctly receive their Antag HUD. Xhuis: - - rscadd: Cardboard cutouts have been added. Now you can set up advertisements for - your clown mart. + - rscadd: + Cardboard cutouts have been added. Now you can set up advertisements for + your clown mart. 2016-06-26: Basilman: - - rscadd: The Donor prompt for becoming an alien queen maid is now an action button - instead, and can be toggled on and off. + - rscadd: + The Donor prompt for becoming an alien queen maid is now an action button + instead, and can be toggled on and off. Joan: - - rscadd: Fellowship Armory now invokes faster for each nearby servant and provides - clockwork gauntlets, which are shock-resistant and provide armor to the arms. - - tweak: It's not wise to equip clockwork armor if you don't serve Ratvar. - - bugfix: A full set of clockwork armor will now actually cover all limbs. + - rscadd: + Fellowship Armory now invokes faster for each nearby servant and provides + clockwork gauntlets, which are shock-resistant and provide armor to the arms. + - tweak: It's not wise to equip clockwork armor if you don't serve Ratvar. + - bugfix: A full set of clockwork armor will now actually cover all limbs. coiax: - - rscadd: Our administrators, here at /tg/, don't get enough credit for their wealth - of experience and knowledge. Now they get the chance to share that with you - by giving out custom tips! - - tweak: Gang domination now uses the same timing method as shuttles, making their - domination times more accurate. - - rscdel: The default shuttle transit time is now 15 seconds. - - rscadd: Please do not commit suicide with the nuclear authentication disk. - - rscadd: Observers now have a visible countdown for borg factories, silicons can - examine the factory to determine how long it has remaining until it is ready. - - rscadd: Clockwork mobs sound like Ratvar chants if you do not serve Ratvar. - - rscadd: When servants recite, they now talk in a strange voice that is more noticable. + - rscadd: + Our administrators, here at /tg/, don't get enough credit for their wealth + of experience and knowledge. Now they get the chance to share that with you + by giving out custom tips! + - tweak: + Gang domination now uses the same timing method as shuttles, making their + domination times more accurate. + - rscdel: The default shuttle transit time is now 15 seconds. + - rscadd: Please do not commit suicide with the nuclear authentication disk. + - rscadd: + Observers now have a visible countdown for borg factories, silicons can + examine the factory to determine how long it has remaining until it is ready. + - rscadd: Clockwork mobs sound like Ratvar chants if you do not serve Ratvar. + - rscadd: When servants recite, they now talk in a strange voice that is more noticable. 2016-06-28: CoreOverload: - - rscadd: Kinetic accelerator now supports seclite attachment. - - rscadd: All cyborgs have been outfitted with ash-proof plating. - - rscadd: Mining cyborg module now includes a welder and a fire extinguisher. - - rscadd: 'Mining cyborgs now have a new upgrade: lavaproof tracks.' + - rscadd: Kinetic accelerator now supports seclite attachment. + - rscadd: All cyborgs have been outfitted with ash-proof plating. + - rscadd: Mining cyborg module now includes a welder and a fire extinguisher. + - rscadd: "Mining cyborgs now have a new upgrade: lavaproof tracks." Joan: - - rscdel: Clockwork Marauders are no longer totally invincible to damage unless - a holy weapon was involved. - - rscadd: Clockwork Marauders will take damage when attacked, but unless they're - fighting excessive amounts, they'll be forced to return to their host before - they'd normally die. - - experiment: A holy weapon held in either hand in the presence of a marauder will - massively increase the damage they take, making it much more likely the marauder - can be killed. - - tweak: Clockwork Marauders do slightly less damage at low fatigue levels. - - rscadd: Clockwork Marauders now have a chance to block melee attacks, negating - the damage from them, and an additional chance to immediately counter, attacking - whoever tried to attack them. - - wip: If Ratvar has awoken, Marauders have a much higher chance to block and counter, - will block thrown items and projectiles, and gradually regenerate. - - experiment: Clockwork Marauders no longer have a verb to communicate; they instead - use :b to do so. - - rscadd: Faked deaths are now effectively indistinguishable from real deaths. + - rscdel: + Clockwork Marauders are no longer totally invincible to damage unless + a holy weapon was involved. + - rscadd: + Clockwork Marauders will take damage when attacked, but unless they're + fighting excessive amounts, they'll be forced to return to their host before + they'd normally die. + - experiment: + A holy weapon held in either hand in the presence of a marauder will + massively increase the damage they take, making it much more likely the marauder + can be killed. + - tweak: Clockwork Marauders do slightly less damage at low fatigue levels. + - rscadd: + Clockwork Marauders now have a chance to block melee attacks, negating + the damage from them, and an additional chance to immediately counter, attacking + whoever tried to attack them. + - wip: + If Ratvar has awoken, Marauders have a much higher chance to block and counter, + will block thrown items and projectiles, and gradually regenerate. + - experiment: + Clockwork Marauders no longer have a verb to communicate; they instead + use :b to do so. + - rscadd: Faked deaths are now effectively indistinguishable from real deaths. MMMiracles: - - rscadd: Adds some ruins for space and lavaland. Balance not included. - - rscadd: Adds spooky ghosts. + - rscadd: Adds some ruins for space and lavaland. Balance not included. + - rscadd: Adds spooky ghosts. SnipeDragon: - - bugfix: Cardboard Cutouts now become opaque when their appearance is changed. + - bugfix: Cardboard Cutouts now become opaque when their appearance is changed. Wizard's Federation: - - rscadd: Acolytes of Hades have been scolded for gluing their clothes to themselves, - and their clothes can now be cut off them. - - rscadd: Hades has learned a few new tricks, to ensure the ultimate demise of his - target. - - bugfix: Hades has faced a council of his repeated use of time magic inside chapels, - and as it was deemed unholy, he will no longer do it. - - rscadd: Wizards of the Wizard's Federation have been granted access to Dark Seeds, - ancient relics used to call upon Hades in a time of need. + - rscadd: + Acolytes of Hades have been scolded for gluing their clothes to themselves, + and their clothes can now be cut off them. + - rscadd: + Hades has learned a few new tricks, to ensure the ultimate demise of his + target. + - bugfix: + Hades has faced a council of his repeated use of time magic inside chapels, + and as it was deemed unholy, he will no longer do it. + - rscadd: + Wizards of the Wizard's Federation have been granted access to Dark Seeds, + ancient relics used to call upon Hades in a time of need. Xhuis: - - rscdel: You can no longer put paper cups back onto water coolers. In addition, - they're now just called "liquid coolers" instead of changing based on their - contents. + - rscdel: + You can no longer put paper cups back onto water coolers. In addition, + they're now just called "liquid coolers" instead of changing based on their + contents. coiax: - - rscadd: Status displays added to a variety of shuttle templates. - - rscdel: Large graffiti now consumes 5 uses from limited use crayons and spraycans, - as well as taking three times the amount of time to draw. - - rscadd: All items inside the supply shuttle will now be sold, regardless of whether - they're inside a container or not. - - bugfix: Fixes issue where the AI core APC on Metastation would not charge. - 'name: Lzimann': - - rscadd: Engineer and atmos wintercoat can hold the RPD now! + - rscadd: Status displays added to a variety of shuttle templates. + - rscdel: + Large graffiti now consumes 5 uses from limited use crayons and spraycans, + as well as taking three times the amount of time to draw. + - rscadd: + All items inside the supply shuttle will now be sold, regardless of whether + they're inside a container or not. + - bugfix: Fixes issue where the AI core APC on Metastation would not charge. + "name: Lzimann": + - rscadd: Engineer and atmos wintercoat can hold the RPD now! optional name here: - - rscdel: Shadowlings have been completely removed. + - rscdel: Shadowlings have been completely removed. oranges: - - tweak: You can now hear dice + - tweak: You can now hear dice timkoster1: - - rscadd: adds a hud soul counter for devils. Sprites by PouFrou and special thanks - to lordpidey for about everything. + - rscadd: + adds a hud soul counter for devils. Sprites by PouFrou and special thanks + to lordpidey for about everything. 2016-06-29: Joan: - - rscadd: Ghosts spawning via Ratvar can now choose to spawn as a Cogscarab with - a usable slab instead of as a Reclaimer. - - bugfix: You can no longer permanently block hostile simple mobs with sandbags - and other barricades. + - rscadd: + Ghosts spawning via Ratvar can now choose to spawn as a Cogscarab with + a usable slab instead of as a Reclaimer. + - bugfix: + You can no longer permanently block hostile simple mobs with sandbags + and other barricades. MrStonedOne: - - rscadd: Ghosts may now jump between the two linked servers using the new Server - Hop verb. Rather than whine in deadchat about dieing, you can just go play a - new round on the other server. + - rscadd: + Ghosts may now jump between the two linked servers using the new Server + Hop verb. Rather than whine in deadchat about dieing, you can just go play a + new round on the other server. coiax: - - rscadd: Adds a new UI to slimepeople, allowing them to select more easily which - body to swap to - - rscadd: Slimepeople swapping consciousness between bodies is now visible to onlookers - - bugfix: The AI malfunction "Hostile Lockdown" power now restores the station doors - to normal after 90 seconds, rather than keeping everything shut forever. + - rscadd: + Adds a new UI to slimepeople, allowing them to select more easily which + body to swap to + - rscadd: Slimepeople swapping consciousness between bodies is now visible to onlookers + - bugfix: + The AI malfunction "Hostile Lockdown" power now restores the station doors + to normal after 90 seconds, rather than keeping everything shut forever. 2016-07-01: Flavo: - - bugfix: fixed a bug where lights would not update. + - bugfix: fixed a bug where lights would not update. Joan: - - rscadd: Clockwork Slabs now use an action button to communicate instead of the - "Report" option in the menu after using a slab. - - tweak: Clockwork Slabs now fit in pockets, the belt slot, or in the suit storage - slot(if wearing clockwork armor), where they can be used as hands-free communication. - - imageadd: Clockwork items with action buttons have a new, clockwork-y background. - - rscadd: Judicial Visors now tell the user how many targets the Judicial Blast - struck. - - soundadd: Judicial Markers now have sounds when appearing and exploding. - - tweak: Wet turfs should remain that way for slightly longer than 5 seconds now. - - rscadd: Drones and Swarmers should now sound more robotic. - - tweak: Ratvarian Spears will stun cyborgs and cultists for twice as long when - thrown; on cyborgs, this should be long enough to use Guvax on them. - - rscdel: Removed the Justicar's Gavel application scripture. - - tweak: Vitality Matrices will drain and heal 50% faster, and the base cost to - revive is 20% lower; 20, from 25. - - rscadd: Vitality Matrices will not revive or heal corpses unless they can grab - the ghost of the corpse, and will immediately grab the ghost when reviving. - - rscadd: Swarmers consuming swarmer shells now refunds the swarmer the entire cost - of the shell instead of 2% of the shell's cost. - - experiment: Application scriptures require at least 75 CV, from 50. - - experiment: Revenant scriptures require at least 4 Caches, from 3, and at least - 150 CV, from 100. - - experiment: Judgement scripture requires at least 12 servants, from 10, 5 Caches, - from 3, and at least 250 CV, from 100. - - experiment: Script and Application scripture have had their component costs and - requirements tweaked to reduce overuse of certain components. - - wip: Invoke times for a few scriptures that were instant are now very short instead. + - rscadd: + Clockwork Slabs now use an action button to communicate instead of the + "Report" option in the menu after using a slab. + - tweak: + Clockwork Slabs now fit in pockets, the belt slot, or in the suit storage + slot(if wearing clockwork armor), where they can be used as hands-free communication. + - imageadd: Clockwork items with action buttons have a new, clockwork-y background. + - rscadd: + Judicial Visors now tell the user how many targets the Judicial Blast + struck. + - soundadd: Judicial Markers now have sounds when appearing and exploding. + - tweak: Wet turfs should remain that way for slightly longer than 5 seconds now. + - rscadd: Drones and Swarmers should now sound more robotic. + - tweak: + Ratvarian Spears will stun cyborgs and cultists for twice as long when + thrown; on cyborgs, this should be long enough to use Guvax on them. + - rscdel: Removed the Justicar's Gavel application scripture. + - tweak: + Vitality Matrices will drain and heal 50% faster, and the base cost to + revive is 20% lower; 20, from 25. + - rscadd: + Vitality Matrices will not revive or heal corpses unless they can grab + the ghost of the corpse, and will immediately grab the ghost when reviving. + - rscadd: + Swarmers consuming swarmer shells now refunds the swarmer the entire cost + of the shell instead of 2% of the shell's cost. + - experiment: Application scriptures require at least 75 CV, from 50. + - experiment: + Revenant scriptures require at least 4 Caches, from 3, and at least + 150 CV, from 100. + - experiment: + Judgement scripture requires at least 12 servants, from 10, 5 Caches, + from 3, and at least 250 CV, from 100. + - experiment: + Script and Application scripture have had their component costs and + requirements tweaked to reduce overuse of certain components. + - wip: Invoke times for a few scriptures that were instant are now very short instead. Kor: - - rscdel: Holoparasites are no longer in the uplink + - rscdel: Holoparasites are no longer in the uplink NikNak: - - tweak: Showcases are now movable and deconstructable. Wrench them to unanchor - and then screwdriver and crowbar to deconstruct. + - tweak: + Showcases are now movable and deconstructable. Wrench them to unanchor + and then screwdriver and crowbar to deconstruct. Papa Bones: - - tweak: Security now has energy bolas available to them in their vending machines, - check them out! + - tweak: + Security now has energy bolas available to them in their vending machines, + check them out! bobdobbington: - - rscadd: Added skub to the AutoDrobe as a premium item. + - rscadd: Added skub to the AutoDrobe as a premium item. coiax: - - rscadd: The CTF arena regenerates every round, and the blue team now shoot blue - lasers. - - rscadd: Adds some descriptions to alien surgery tools - - rscadd: The agent vest can be locked and unlocked (toggling the NODROP flag) - - rscadd: An abductor team can spend data points to purchase an agent vest (note - that only abductor agents are trained in their use) - - rscadd: The nuke disk reappears on the station in far more random locations, but - tends to re-materialise in safe pressurised areas that aren't on fire. - 'name: Lzimann': - - tweak: Mulebots with pAI cards no longer stun people + - rscadd: + The CTF arena regenerates every round, and the blue team now shoot blue + lasers. + - rscadd: Adds some descriptions to alien surgery tools + - rscadd: The agent vest can be locked and unlocked (toggling the NODROP flag) + - rscadd: + An abductor team can spend data points to purchase an agent vest (note + that only abductor agents are trained in their use) + - rscadd: + The nuke disk reappears on the station in far more random locations, but + tends to re-materialise in safe pressurised areas that aren't on fire. + "name: Lzimann": + - tweak: Mulebots with pAI cards no longer stun people 2016-07-02: Joan: - - rscadd: Clockwork Proselytizers can now reform stored alloy into usable component - alloy when used in-hand. - - rscdel: Mending motors start with 2500W of power in alloy, from 5000. Sigils of - Transmission start with 2500W of power, from 4000. Clockwork Proselytizers start - with 90 alloy, from 100. - - rscdel: Umbras have been removed. - - rscadd: Revenants have been readded, though they are now vulnerable to salt piles. + - rscadd: + Clockwork Proselytizers can now reform stored alloy into usable component + alloy when used in-hand. + - rscdel: + Mending motors start with 2500W of power in alloy, from 5000. Sigils of + Transmission start with 2500W of power, from 4000. Clockwork Proselytizers start + with 90 alloy, from 100. + - rscdel: Umbras have been removed. + - rscadd: Revenants have been readded, though they are now vulnerable to salt piles. MMMiracles: - - rscadd: Added the power fist, a gauntlet with a piston-powered ram attached to - the top for traitors to punch people across the station. Punch people into walls - for added fun. + - rscadd: + Added the power fist, a gauntlet with a piston-powered ram attached to + the top for traitors to punch people across the station. Punch people into walls + for added fun. incoming5643: - - rscadd: 'Nuke ops can now harness the power of METAL BOXES: special versions of - cardboard boxes that can take a lot of abuse and can fit the whole team if need - be. They''re not nearly as light as their cardboard brothers though...' + - rscadd: + "Nuke ops can now harness the power of METAL BOXES: special versions of + cardboard boxes that can take a lot of abuse and can fit the whole team if need + be. They're not nearly as light as their cardboard brothers though..." kevinz000: - - rscadd: Some new emojis have been added to OOC for your enjoyment. Try them out. - - rscadd: 'New emojis are : coffee, trophy, tea, gear, supermatter, forceweapon, - gift, kudzu, dosh, chrono, nya, and tophat. Type :nameofemoji: in OOC to use.' + - rscadd: Some new emojis have been added to OOC for your enjoyment. Try them out. + - rscadd: + "New emojis are : coffee, trophy, tea, gear, supermatter, forceweapon, + gift, kudzu, dosh, chrono, nya, and tophat. Type :nameofemoji: in OOC to use." 2016-07-03: Cruix: - - bugfix: Hand labelers can now label storage containers. - - bugfix: You can now properly resist out of wrapped lockers. - - bugfix: You can now resist out of morgues if you are in a bodybag. - - bugfix: Mechs can no longer spam doors they do not have access to. + - bugfix: Hand labelers can now label storage containers. + - bugfix: You can now properly resist out of wrapped lockers. + - bugfix: You can now resist out of morgues if you are in a bodybag. + - bugfix: Mechs can no longer spam doors they do not have access to. Joan: - - tweak: Clock Cult can now happen at 24 players, same as cult. - - tweak: Clock Cult player scaling is lower; 3 people, plus one for every 15 players - above 30, from 1 for every 10 players with a player minimum of 30. - - experiment: Guvax now invokes 1 second faster(5 seconds), but is 0.75 seconds - slower for each scripture-valid servant above 5, up to a maximum of 15 seconds. - - experiment: Clockwork Slabs generate components 20 seconds slower for each scripture-valid - servant above 5, up to a maximum of 1 component every 5 minutes. - - tweak: Tinkerer's Daemons that would be useless cannot be made. + - tweak: Clock Cult can now happen at 24 players, same as cult. + - tweak: + Clock Cult player scaling is lower; 3 people, plus one for every 15 players + above 30, from 1 for every 10 players with a player minimum of 30. + - experiment: + Guvax now invokes 1 second faster(5 seconds), but is 0.75 seconds + slower for each scripture-valid servant above 5, up to a maximum of 15 seconds. + - experiment: + Clockwork Slabs generate components 20 seconds slower for each scripture-valid + servant above 5, up to a maximum of 1 component every 5 minutes. + - tweak: Tinkerer's Daemons that would be useless cannot be made. 2016-07-04: Gun Hog: - - rscadd: The Space Wizard Federation has finally begun teaching its pupils how - to properly aim the Fireball spell! - - tweak: Fireball spells, including the Devil version, are now aimed via mouse click. - It is recommended to avoid firing at anything too close, as the user can still - blow himself up! + - rscadd: + The Space Wizard Federation has finally begun teaching its pupils how + to properly aim the Fireball spell! + - tweak: + Fireball spells, including the Devil version, are now aimed via mouse click. + It is recommended to avoid firing at anything too close, as the user can still + blow himself up! Joan: - - rscdel: Mecha are no longer immune to ocular wardens. + - rscdel: Mecha are no longer immune to ocular wardens. Lzimann: - - rscadd: Throwing active stunbatons now has a chance to stun whoever it hits! + - rscadd: Throwing active stunbatons now has a chance to stun whoever it hits! MMMiracles: - - rscadd: Adds space ruins. Balance not included. - - tweak: Simple mob ghosts actually work now. - - rscdel: Puzzle1 ruin removed due to issues with projectiles. + - rscadd: Adds space ruins. Balance not included. + - tweak: Simple mob ghosts actually work now. + - rscdel: Puzzle1 ruin removed due to issues with projectiles. X-TheDark: - - rscadd: Switching mobs/ghosting/etc related actions during the round will now - no longer reset your hotkey settings. + - rscadd: + Switching mobs/ghosting/etc related actions during the round will now + no longer reset your hotkey settings. Xhuis: - - bugfix: Ash storms can now occur again. + - bugfix: Ash storms can now occur again. bgobandit: - - rscadd: Bluespace polycrystals, basically stacks of bluespace crystals, have been - added. The ore redemptor accepts them now. - - tweak: The ore redemptor machine should be less spammy now. + - rscadd: + Bluespace polycrystals, basically stacks of bluespace crystals, have been + added. The ore redemptor accepts them now. + - tweak: The ore redemptor machine should be less spammy now. coiax: - - rscadd: The zone of hyperspace that a shuttle travels in is dynamically determined - when a shuttle begins charging its engines. This is signified by the shuttle - mode IGN. All shuttles must now charge engines before launching. This time is - already included in the emergency shuttle timer. - - rscdel: The cargo shuttle can only be loaned to Centcom while at Centcom. - - rscadd: Immovable rods now notify ghosts when created, allowing them to orbit - it and follow their path of destruction through the station. - - bugfix: Fixed bugs where no meteors would come or go from the south. Seriously, - that was a real bug. Meteor showers are now about 33% stronger as a result. + - rscadd: + The zone of hyperspace that a shuttle travels in is dynamically determined + when a shuttle begins charging its engines. This is signified by the shuttle + mode IGN. All shuttles must now charge engines before launching. This time is + already included in the emergency shuttle timer. + - rscdel: The cargo shuttle can only be loaned to Centcom while at Centcom. + - rscadd: + Immovable rods now notify ghosts when created, allowing them to orbit + it and follow their path of destruction through the station. + - bugfix: + Fixed bugs where no meteors would come or go from the south. Seriously, + that was a real bug. Meteor showers are now about 33% stronger as a result. 2016-07-06: Cruix: - - bugfix: Vending machine restocking units now work. + - bugfix: Vending machine restocking units now work. Joan: - - rscadd: Servants should now be more aware of when scripture tiers are locked or - unlocked. - - experiment: Judicial Explosions from a Judicial Visor now mute for about 10 seconds. + - rscadd: + Servants should now be more aware of when scripture tiers are locked or + unlocked. + - experiment: Judicial Explosions from a Judicial Visor now mute for about 10 seconds. MrStonedOne: - - rscadd: Instant Runoff Voting polls are now available. + - rscadd: Instant Runoff Voting polls are now available. RemieRichards: - - tweak: Fixes accidental buff to botany, all modifiers should now be at the point - they were at pre-bees (this does not remove, nerf or alter bees) + - tweak: + Fixes accidental buff to botany, all modifiers should now be at the point + they were at pre-bees (this does not remove, nerf or alter bees) Xhuis: - - rscadd: The Necropolis gate now looks as regal as it should. Credit goes to KorPhaeron - for turf and wall sprites. - - bugfix: Ash storms are actually damaging now. + - rscadd: + The Necropolis gate now looks as regal as it should. Credit goes to KorPhaeron + for turf and wall sprites. + - bugfix: Ash storms are actually damaging now. coiax: - - bugfix: Gulag prisoners can no longer duplicate their mining efforts through window - breaking on the shuttle. - - bugfix: Fixes pickaxes inside walls on lavaland, along with lava having eaten - one of the storage units. - - rscadd: More fire extinguishers for lavaland mining base. - - bugfix: You can now reload your gun in CTF. - - rscadd: Dying in CTF will spawn a short lived ammo pickup, which you can walk - over to reload all your weapons. - - rscadd: If reduced to critical status in CTF, you will automatically die, so you - no longer have to succumb or be coup de graced. If you are conscious, you will - now heal slowly if some damage got through your shield and didn't crit you. - - bugfix: The tesla now dusts all carbon mobs on the turf that it moves to, grounding - rod or no. + - bugfix: + Gulag prisoners can no longer duplicate their mining efforts through window + breaking on the shuttle. + - bugfix: + Fixes pickaxes inside walls on lavaland, along with lava having eaten + one of the storage units. + - rscadd: More fire extinguishers for lavaland mining base. + - bugfix: You can now reload your gun in CTF. + - rscadd: + Dying in CTF will spawn a short lived ammo pickup, which you can walk + over to reload all your weapons. + - rscadd: + If reduced to critical status in CTF, you will automatically die, so you + no longer have to succumb or be coup de graced. If you are conscious, you will + now heal slowly if some damage got through your shield and didn't crit you. + - bugfix: + The tesla now dusts all carbon mobs on the turf that it moves to, grounding + rod or no. coiax, Niknakflak: - - rscadd: Added fireplaces, fuel with logs or paper and set on fire and enjoy that - warm comforting glow. - - bugfix: Cardboard cutouts are now flammable. - - rscadd: Cigarettes, fireplaces and candles now share a pool of possible igniters. - So you can now esword that candle on, but turn it on first. - - rscadd: Eswords will ignite plasma in the air if turned on. + - rscadd: + Added fireplaces, fuel with logs or paper and set on fire and enjoy that + warm comforting glow. + - bugfix: Cardboard cutouts are now flammable. + - rscadd: + Cigarettes, fireplaces and candles now share a pool of possible igniters. + So you can now esword that candle on, but turn it on first. + - rscadd: Eswords will ignite plasma in the air if turned on. kevinz000: - - tweak: Kudzu is no longer unstoppable + - tweak: Kudzu is no longer unstoppable optional name here: - - bugfix: Suit Storage Units can now disinfect items other than living and dead - creatures. + - bugfix: + Suit Storage Units can now disinfect items other than living and dead + creatures. 2016-07-09: CoreOverload: - - rscadd: You can remove jetpack from a hardsuit by using screwdriver on it. + - rscadd: You can remove jetpack from a hardsuit by using screwdriver on it. Crazylemon: - - bugfix: The map loader no longer resets when reading another map mid-load + - bugfix: The map loader no longer resets when reading another map mid-load Goofball Sanders: - - rscadd: Added a new plant to the game to encourage the Chef to be a more relevant - job, alongside a recipe for a food related to it. Throw a cannabis leaf on a - table and check the recipes list to find it. + - rscadd: + Added a new plant to the game to encourage the Chef to be a more relevant + job, alongside a recipe for a food related to it. Throw a cannabis leaf on a + table and check the recipes list to find it. Gun Hog: - - rscdel: Malf (Traitor) AI's Fireproof Core ability has been removed, as it was - entirely obsolete. - - rscadd: Nanotrasen is proud to announce that conveyor belts can now be fabricated - at your station's autolathes! + - rscdel: + Malf (Traitor) AI's Fireproof Core ability has been removed, as it was + entirely obsolete. + - rscadd: + Nanotrasen is proud to announce that conveyor belts can now be fabricated + at your station's autolathes! Iamgoofball: - - bugfix: Fixes the Atheist's Fedora's throw damage. + - bugfix: Fixes the Atheist's Fedora's throw damage. Joan: - - rscadd: Tips for Clock Cult may now show up. - - experiment: The global component cache can only be accessed by clockwork slabs - if there is at least one Tinkerer's Cache active. - - rscadd: Ratvarian Spears are now sharp and can be used to cut off limbs or butcher - mobs. - - rscadd: Clock Cult silicons get an action button to communicate with other servants. - - tweak: Clockwork Slabs now produce a component every 1 minute, 30 seconds, from - every 1 minute. - - experiment: The slab production time gain from each servant above 5 has been increased - from 20 seconds to 30 seconds, and the maximum production time has been increased - from 5 minutes to 6 minutes. - - rscadd: You can now transfer components between two clockwork slabs by attacking - one slab, or a person holding a slab, with the other; this will transfer the - attacking slab's components into the target slab. - - tweak: Application scripture now requires 100 CV, from 75, Revenant scripture - now requires 200 CV, from 150, and Judgment scripture now requires 300 CV, from - 250. - - experiment: However, converted windows, windoors, airlocks, and grilles will all - provide some CV. + - rscadd: Tips for Clock Cult may now show up. + - experiment: + The global component cache can only be accessed by clockwork slabs + if there is at least one Tinkerer's Cache active. + - rscadd: + Ratvarian Spears are now sharp and can be used to cut off limbs or butcher + mobs. + - rscadd: Clock Cult silicons get an action button to communicate with other servants. + - tweak: + Clockwork Slabs now produce a component every 1 minute, 30 seconds, from + every 1 minute. + - experiment: + The slab production time gain from each servant above 5 has been increased + from 20 seconds to 30 seconds, and the maximum production time has been increased + from 5 minutes to 6 minutes. + - rscadd: + You can now transfer components between two clockwork slabs by attacking + one slab, or a person holding a slab, with the other; this will transfer the + attacking slab's components into the target slab. + - tweak: + Application scripture now requires 100 CV, from 75, Revenant scripture + now requires 200 CV, from 150, and Judgment scripture now requires 300 CV, from + 250. + - experiment: + However, converted windows, windoors, airlocks, and grilles will all + provide some CV. Lzimann & Keekenox: - - rscadd: You can now craft a baseball bat with 5 sheets of wood! + - rscadd: You can now craft a baseball bat with 5 sheets of wood! MrStonedOne: - - experiment: Atmos on planets is now more realistic. There is an unseen upper atmosphere - that gas changes get carried away into, causing planet turfs to revert back - to their original gas mixture. - - tweak: This should massively improve atmos run speed as all of lavaland won't - be processing the moment somebody opens a door anymore + - experiment: + Atmos on planets is now more realistic. There is an unseen upper atmosphere + that gas changes get carried away into, causing planet turfs to revert back + to their original gas mixture. + - tweak: + This should massively improve atmos run speed as all of lavaland won't + be processing the moment somebody opens a door anymore MrStonedOne, coiax: - - rscadd: View Variables can expand on associated lists with type keys. Only 90s - admins will truely understand. + - rscadd: + View Variables can expand on associated lists with type keys. Only 90s + admins will truely understand. RemieRichards: - - rscadd: Added a Compact mode to the crafting tgui - - tweak: Modified the back end of the crafting tgui so that it has well let's just - say "a lot less" calls to certain functions, should lag a little less but don't - expect miracles (you'd have to wait till we get a new version of ractive for - those!) + - rscadd: Added a Compact mode to the crafting tgui + - tweak: + Modified the back end of the crafting tgui so that it has well let's just + say "a lot less" calls to certain functions, should lag a little less but don't + expect miracles (you'd have to wait till we get a new version of ractive for + those!) coiax: - - rscadd: Podpeople (and venus human traps) are now no longer damaged, poisoned - or obstructed by space vines. Explosive vines still damage them, because there's - an actual explosion. - - rscadd: During a meteor shower, observers can automatically orbit threatening - meteors via an action button and watch them hit the station. - - rscadd: Added Major Space Dust event, which is a meteor shower containing only - space dust. - - bugfix: Fixes bug where meteors wouldn't move when spawned. - - rscadd: Meteor Shower split into three different events, Normal, Threatening and - Catastrophic. They all have the same crew messages, but admins can tell the - difference. - - bugfix: Damage to a shuttle while it is moving will now correctly make transit - space turfs, rather than non-moving space. - - rscadd: AIs get a notification when hacking an APC, which can be clicked to jump - your camera to the APC's location. AIs also get notification sounds when a hack - has completed or failed. - - rscadd: Nuclear bombs now use a more accurate timer system, the same as gang dominators - and shuttles. - - rscadd: Nuclear bombs now have a TGUI interface. - - rscdel: Fleshmend no longer regrows lost limbs. - - rscadd: Added free Regenerate power to changelings, which regrows all external - limbs and internal organs (including the tongue if you lost your head). It costs - 10 chemicals to use. - - rscadd: Fleshmend now costs 20 chemicals, down from 25. - - tweak: Changeling revive power name changed from Regenerate to Revive. - - rscadd: When a player uses a communication console to ask for the codes to the - self destruct, for better or for worse, the admins can set them with a single - click. Whether the admins a) click the button b) actually give the random person - the codes, is another thing entirely. - - rscadd: Servants of Ratvar get an alert if they have no tinkerer's caches constructed. - Because it's important that they should. + - rscadd: + Podpeople (and venus human traps) are now no longer damaged, poisoned + or obstructed by space vines. Explosive vines still damage them, because there's + an actual explosion. + - rscadd: + During a meteor shower, observers can automatically orbit threatening + meteors via an action button and watch them hit the station. + - rscadd: + Added Major Space Dust event, which is a meteor shower containing only + space dust. + - bugfix: Fixes bug where meteors wouldn't move when spawned. + - rscadd: + Meteor Shower split into three different events, Normal, Threatening and + Catastrophic. They all have the same crew messages, but admins can tell the + difference. + - bugfix: + Damage to a shuttle while it is moving will now correctly make transit + space turfs, rather than non-moving space. + - rscadd: + AIs get a notification when hacking an APC, which can be clicked to jump + your camera to the APC's location. AIs also get notification sounds when a hack + has completed or failed. + - rscadd: + Nuclear bombs now use a more accurate timer system, the same as gang dominators + and shuttles. + - rscadd: Nuclear bombs now have a TGUI interface. + - rscdel: Fleshmend no longer regrows lost limbs. + - rscadd: + Added free Regenerate power to changelings, which regrows all external + limbs and internal organs (including the tongue if you lost your head). It costs + 10 chemicals to use. + - rscadd: Fleshmend now costs 20 chemicals, down from 25. + - tweak: Changeling revive power name changed from Regenerate to Revive. + - rscadd: + When a player uses a communication console to ask for the codes to the + self destruct, for better or for worse, the admins can set them with a single + click. Whether the admins a) click the button b) actually give the random person + the codes, is another thing entirely. + - rscadd: + Servants of Ratvar get an alert if they have no tinkerer's caches constructed. + Because it's important that they should. 2016-07-11: Iamgoofball: - - bugfix: Fixes Nicotine's stun reduction + - bugfix: Fixes Nicotine's stun reduction Joan: - - tweak: The Function Call action that summons a Ratvarian Spear is no longer one-use; - instead, it can be reused once every five minutes. - - experiment: Clockwork Walls and Floors will appear as normal walls and plating - to mesons, respectively. + - tweak: + The Function Call action that summons a Ratvarian Spear is no longer one-use; + instead, it can be reused once every five minutes. + - experiment: + Clockwork Walls and Floors will appear as normal walls and plating + to mesons, respectively. coiax: - - tweak: Syndicate bombs now use a more accurate timer. - - bugfix: Fixed a separate bug that caused bomb timers to take twice as long (ie. - 60 seconds took 120 seconds) - - tweak: The AI doomsday device timer is more accurate. - - bugfix: Fixes a bug where the doomsday device would take twice as long as it should. + - tweak: Syndicate bombs now use a more accurate timer. + - bugfix: + Fixed a separate bug that caused bomb timers to take twice as long (ie. + 60 seconds took 120 seconds) + - tweak: The AI doomsday device timer is more accurate. + - bugfix: Fixes a bug where the doomsday device would take twice as long as it should. optional name here: - - bugfix: The search function on security records consoles now works. + - bugfix: The search function on security records consoles now works. 2016-07-12: MMMiracles: - - bugfix: Hotel staff can now actually use their own lockers. + - bugfix: Hotel staff can now actually use their own lockers. RemieRichards: - - bugfix: fixed Kor's plant disguises - - bugfix: fixed some issues with Alternate Appearances not being added/removed + - bugfix: fixed Kor's plant disguises + - bugfix: fixed some issues with Alternate Appearances not being added/removed hornygranny: - - bugfix: Attacks will no longer miss missing limbs + - bugfix: Attacks will no longer miss missing limbs 2016-07-14: Basilman: - - rscadd: Added a new hairstyle "Boddicker" + - rscadd: Added a new hairstyle "Boddicker" Bawhoppen: - - rscadd: Added two new materials, Titanium and plastitanium. Titanium is naturally - occuring, and plastitanium is an alloy made of plasma and titanium. - - rscadd: These materials can be used to build shuttle walls and floors, though - this serves no current purpose. + - rscadd: + Added two new materials, Titanium and plastitanium. Titanium is naturally + occuring, and plastitanium is an alloy made of plasma and titanium. + - rscadd: + These materials can be used to build shuttle walls and floors, though + this serves no current purpose. CoreOverload: - - rscadd: Some clothing has pockets now. + - rscadd: Some clothing has pockets now. Firecage: - - tweak: Mechas can no longer pass through Plastic Flaps + - tweak: Mechas can no longer pass through Plastic Flaps Fox McCloud: - - bugfix: Fixes borg stun arm not having a hitsound, bypassing shields, and not - doing an attack animation - - bugfix: Fixes simple mobs not properly having armor penetration + - bugfix: + Fixes borg stun arm not having a hitsound, bypassing shields, and not + doing an attack animation + - bugfix: Fixes simple mobs not properly having armor penetration Joan: - - rscadd: Added dextrous guardians to the code, able to hold and use items and store - a single item within themselves. - - experiment: Dextrous guardians do low damage on punches, have medium damage resist, - and recalling or leashing will force them to drop any items in their hands. + - rscadd: + Added dextrous guardians to the code, able to hold and use items and store + a single item within themselves. + - experiment: + Dextrous guardians do low damage on punches, have medium damage resist, + and recalling or leashing will force them to drop any items in their hands. Kor: - - tweak: Shuttle travel time has been shortened from 25 seconds to 6 seconds + - tweak: Shuttle travel time has been shortened from 25 seconds to 6 seconds Lzimann: - - tweak: Alt clicking a jumpsuit now removes the accessories(if there's any)! + - tweak: Alt clicking a jumpsuit now removes the accessories(if there's any)! Papa Bones: - - tweak: Security's lethal injections are actually lethal now. + - tweak: Security's lethal injections are actually lethal now. Xhuis: - - rscadd: Nanotrasen electricians have introduced a software update to all licensed - pinpointers. The new pinpointers are more responsive and automatically switch - modes based on the current crisis. - - rscadd: It should be noted that some of these pinpointers have been reported as - missing from their distribution warehouse and are presumed to have been stolen. - This is likely nothing to worry about. + - rscadd: + Nanotrasen electricians have introduced a software update to all licensed + pinpointers. The new pinpointers are more responsive and automatically switch + modes based on the current crisis. + - rscadd: + It should be noted that some of these pinpointers have been reported as + missing from their distribution warehouse and are presumed to have been stolen. + This is likely nothing to worry about. lordpidey: - - tweak: Infernal jaunt now has a cooldown, to prevent trying to jaunt while already - jaunting. This should have no practical changes. - - bugfix: Infernal jaunt no longer occasionally leaves you permanently on fire. - - bugfix: Pitchforks no longer burn devils and soul-sellers, as intended. + - tweak: + Infernal jaunt now has a cooldown, to prevent trying to jaunt while already + jaunting. This should have no practical changes. + - bugfix: Infernal jaunt no longer occasionally leaves you permanently on fire. + - bugfix: Pitchforks no longer burn devils and soul-sellers, as intended. 2016-07-15: Cheridan: - - rscadd: Added an aesthetic new space ruin + - rscadd: Added an aesthetic new space ruin 2016-07-16: Gun Hog and WJohnston: - - rscadd: Aliens (Xenos) now have the ability to sense the direction and rough distance - of their queen! + - rscadd: + Aliens (Xenos) now have the ability to sense the direction and rough distance + of their queen! Iamgoofball: - - bugfix: Fixed the lag when opening the foodcrafting menu by splitting everything - up into categories. + - bugfix: + Fixed the lag when opening the foodcrafting menu by splitting everything + up into categories. Joan: - - rscadd: Cogscarabs(and other nonhuman mobs able to hold clockwork slabs) can now - check the stats of the clockwork cult by using a clockwork slab. They remain - unable to use slabs under normal conditions. + - rscadd: + Cogscarabs(and other nonhuman mobs able to hold clockwork slabs) can now + check the stats of the clockwork cult by using a clockwork slab. They remain + unable to use slabs under normal conditions. MrStonedOne: - - experiment: Added a system to detect when stickybans go rogue and revert all recent - matches. + - experiment: + Added a system to detect when stickybans go rogue and revert all recent + matches. 2016-07-18: CoreOverload: - - rscadd: Sterilizine now reduces probability of step failure if you apply it after - starting surgery. Useful while operating in less-than-perfect conditions. - - rscadd: Potent alcohol can be used as replacement for sterilizine. + - rscadd: + Sterilizine now reduces probability of step failure if you apply it after + starting surgery. Useful while operating in less-than-perfect conditions. + - rscadd: Potent alcohol can be used as replacement for sterilizine. Joan: - - experiment: The Vanguard scripture no longer prevents you from using slabs while - active, but you cannot reactivate it if it is currently active. - - tweak: It now only lasts 20 seconds, instead of 30. - - tweak: When Vanguard deactivates, it now stuns for half the time of all stuns - absorbed, instead of all of them. - - tweak: Invoking Sevtug is less potent at long ranges, and slightly more potent - if extremely close. - - experiment: Invoking Sevtug now requires 3 invokers instead of 1. - - rscadd: The Clockwork Slab now has action buttons for rapidly invoking Guvax and - Vanguard. - - tweak: Belligerent is now chanted more often. - - experiment: Taunting Tirade now weakens nearby nonservants, but is now only invoked - once every 6 seconds(1 second chant, 5 second flee time) and is only chanted - five times. + - experiment: + The Vanguard scripture no longer prevents you from using slabs while + active, but you cannot reactivate it if it is currently active. + - tweak: It now only lasts 20 seconds, instead of 30. + - tweak: + When Vanguard deactivates, it now stuns for half the time of all stuns + absorbed, instead of all of them. + - tweak: + Invoking Sevtug is less potent at long ranges, and slightly more potent + if extremely close. + - experiment: Invoking Sevtug now requires 3 invokers instead of 1. + - rscadd: + The Clockwork Slab now has action buttons for rapidly invoking Guvax and + Vanguard. + - tweak: Belligerent is now chanted more often. + - experiment: + Taunting Tirade now weakens nearby nonservants, but is now only invoked + once every 6 seconds(1 second chant, 5 second flee time) and is only chanted + five times. lordpidey: - - rscadd: Flyswatters are now included in beekeeping crates, they are great at killing - insects and flies of all sizes. + - rscadd: + Flyswatters are now included in beekeeping crates, they are great at killing + insects and flies of all sizes. 2016-07-19: Joan: - - tweak: Cogscarabs can no longer pass mobs and have slightly less health. - - experiment: The Gateway to the Celestial Derelict can now take damage from bombs. + - tweak: Cogscarabs can no longer pass mobs and have slightly less health. + - experiment: The Gateway to the Celestial Derelict can now take damage from bombs. RemieRichards: - - rscadd: Added VR Sleepers that allow users to enter a virtual body in a virtual - world (Currently not mapped in ;_;) + - rscadd: + Added VR Sleepers that allow users to enter a virtual body in a virtual + world (Currently not mapped in ;_;) Xhuis: - - rscadd: Added communication intercept texts for gamemodes that were missing them. - - tweak: Changed all intercept texts and improved grammar for a lot of key game - code. - - rscdel: The shuttle can now leave while a celestial gateway exists. - - rscadd: If the shuttle docks at Central Command while a celestial gateway exists, - Ratvar's servants will win a minor victory. His arrival will still award a major - victory. - - rscadd: The celestial gateway can now take damage from explosions. + - rscadd: Added communication intercept texts for gamemodes that were missing them. + - tweak: + Changed all intercept texts and improved grammar for a lot of key game + code. + - rscdel: The shuttle can now leave while a celestial gateway exists. + - rscadd: + If the shuttle docks at Central Command while a celestial gateway exists, + Ratvar's servants will win a minor victory. His arrival will still award a major + victory. + - rscadd: The celestial gateway can now take damage from explosions. 2016-07-22: Bawhoppen: - - rscadd: Titanium now spawns in mining again. - - rscadd: It has uses in R&D and robotics production. - - rscadd: All shuttle walls are now using a new proper smoothing path. Mappers please - make sure to use this path correctly in the future. (along with tiles) + - rscadd: Titanium now spawns in mining again. + - rscadd: It has uses in R&D and robotics production. + - rscadd: + All shuttle walls are now using a new proper smoothing path. Mappers please + make sure to use this path correctly in the future. (along with tiles) Cheridan: - - rscadd: Added another space ruin. + - rscadd: Added another space ruin. Cruix: - - bugfix: Camera bugs can now show camera views. - - bugfix: The chameleon masks in the chameleon kit can once again have their voice - changers toggled. + - bugfix: Camera bugs can now show camera views. + - bugfix: + The chameleon masks in the chameleon kit can once again have their voice + changers toggled. Incoming5643: - - rscadd: You now have the ability to automatically "back out" of a round if you - miss your chance at all the jobs you have set to low or higher. This is found - on the toggle at the bottom of the jobs window - - rscadd: Due to a quirk of game mode code this option will fail to work if you've - been selected as an antag (what a tragedy!) In this situation, you'll be assigned - a random job. + - rscadd: + You now have the ability to automatically "back out" of a round if you + miss your chance at all the jobs you have set to low or higher. This is found + on the toggle at the bottom of the jobs window + - rscadd: + Due to a quirk of game mode code this option will fail to work if you've + been selected as an antag (what a tragedy!) In this situation, you'll be assigned + a random job. Joan: - - bugfix: You can now throw items and mobs over chasms without causing them to drop. - - bugfix: You can now throw items over lava without burning them. Mobs will still - burn, however. - - experiment: Tinkerer's Caches now link to a nearby unlinked clockwork wall, and - will not generate components unless linked. As compensation, they will link - to nearby walls(and can generate components) in a larger area. - - wip: Guvax is now slightly slower when above 5 valid servants; 1 additional second - of invoke time for each one above 5, from 0.75 additional seconds, up to a maximum - of 20 seconds of invoke time, from 15 seconds. - - tweak: Sigils of Transgression now stun for about 7 seconds. - - experiment: Sigils of Submission/Accession now take 7 seconds to convert successfully, - and have an obvious message to the person on them that their mind is being invaded. - - tweak: Ocular Wardens do 17% less damage. - - tweak: Mania Motors cause less brain damage and hallucinations. - - rscadd: If you lack the components to recite a scripture, you will be informed - of how many components that scripture requires. - - experiment: Tinkerer's Caches now cost an additional one of each non-alloy component - to construct for every three existing Tinkerer's Caches, up to a maximum of - 5 of each non-alloy component. - - rscadd: Revenant scriptures now announce to all servants and ghosts when used - instead of having a visible message. + - bugfix: You can now throw items and mobs over chasms without causing them to drop. + - bugfix: + You can now throw items over lava without burning them. Mobs will still + burn, however. + - experiment: + Tinkerer's Caches now link to a nearby unlinked clockwork wall, and + will not generate components unless linked. As compensation, they will link + to nearby walls(and can generate components) in a larger area. + - wip: + Guvax is now slightly slower when above 5 valid servants; 1 additional second + of invoke time for each one above 5, from 0.75 additional seconds, up to a maximum + of 20 seconds of invoke time, from 15 seconds. + - tweak: Sigils of Transgression now stun for about 7 seconds. + - experiment: + Sigils of Submission/Accession now take 7 seconds to convert successfully, + and have an obvious message to the person on them that their mind is being invaded. + - tweak: Ocular Wardens do 17% less damage. + - tweak: Mania Motors cause less brain damage and hallucinations. + - rscadd: + If you lack the components to recite a scripture, you will be informed + of how many components that scripture requires. + - experiment: + Tinkerer's Caches now cost an additional one of each non-alloy component + to construct for every three existing Tinkerer's Caches, up to a maximum of + 5 of each non-alloy component. + - rscadd: + Revenant scriptures now announce to all servants and ghosts when used + instead of having a visible message. Lzimann: - - tweak: Blood packs are now back in surgery room. + - tweak: Blood packs are now back in surgery room. MMMiracles: - - rscadd: A giant wad of paper has been seen hurling through the nearby sector of - SS13, officials deny existence of giant paper ball hurling through space because - 'thats really fucking stupid'. + - rscadd: + A giant wad of paper has been seen hurling through the nearby sector of + SS13, officials deny existence of giant paper ball hurling through space because + 'thats really fucking stupid'. MrStonedOne: - - bugfix: Fixes super darkness from lighting creating two darkness overlays on the - same turf but only changing the darkness of one of the overlays + - bugfix: + Fixes super darkness from lighting creating two darkness overlays on the + same turf but only changing the darkness of one of the overlays PKPenguin321: - - rscadd: Added Canned Laughter for the clown. Hehehe + - rscadd: Added Canned Laughter for the clown. Hehehe RemieRichards: - - tweak: Auto-generated ratvarian now follows all the rules of hand-written ratvarian, - but you probably won't notice. + - tweak: + Auto-generated ratvarian now follows all the rules of hand-written ratvarian, + but you probably won't notice. Shadowlight213: - - tweak: Angels can now equip satchels - - rscadd: Players will now receive an achievement for killing their first megafauna - after this point. - - rscadd: Additionally, megafauna kills are now tracked on a hub page. Rack up those - kills for first place! + - tweak: Angels can now equip satchels + - rscadd: + Players will now receive an achievement for killing their first megafauna + after this point. + - rscadd: + Additionally, megafauna kills are now tracked on a hub page. Rack up those + kills for first place! Xhuis: - - rscadd: Clockwork cultists may now have the "Escape" and "Silicon" objectives, - requiring a certain amount of servants to escape on the shuttle and all silicons - to be converted respectively. - - rscadd: Ocular wardens are now forced to target bibles rather than the people - holding them. + - rscadd: + Clockwork cultists may now have the "Escape" and "Silicon" objectives, + requiring a certain amount of servants to escape on the shuttle and all silicons + to be converted respectively. + - rscadd: + Ocular wardens are now forced to target bibles rather than the people + holding them. 2016-07-28: Cruix: - - bugfix: Fixed a bug where some objects in photos would not be displayed if they - were facing a certain direction. - - bugfix: Photograph descriptions will no longer claim that mobs with low max health - are hurt when they are not. + - bugfix: + Fixed a bug where some objects in photos would not be displayed if they + were facing a certain direction. + - bugfix: + Photograph descriptions will no longer claim that mobs with low max health + are hurt when they are not. Incoming5643: - - rscadd: The previously underwhelming viscerator robot has been made a lot more - terrifying by the new ability to proactively target and dismember limbs. + - rscadd: + The previously underwhelming viscerator robot has been made a lot more + terrifying by the new ability to proactively target and dismember limbs. Joan: - - tweak: The Tinkerer's Cache cost increase for having multiple Tinkerer's Caches - now happens every 5 caches, from every 3. - - experiment: If the invoker of Nzcrentr is knocked unconscious or killed, they - will gib instead of producing a lighting blast. - - tweak: Anima Fragments slow down for slightly less time when hit. - - tweak: Clockwork Marauders do 1 more damage on every attack. - - tweak: Wraith Spectacles are now less hard on the eyes, and can be used without - permanent vision impairment for about 50% longer; from 40~ seconds to about - 1 minute. - - tweak: Halves the Interdiction Lens' disrupt cost from 100 per disrupted object - to 50 per disrupted object. - - tweak: Clockwork Sigils will now be destroyed by any level of explosion, except - for Sigils of Transmission, which will gain a small amount of power if hit by - a light explosion instead of breaking. - - bugfix: Clockwork Structures will now properly take damage from explosions instead - of variably not taking damage or instantly being destroyed. - - rscadd: Ghosts can now click Spatial Gateways to teleport to the other gateway. - - bugfix: Spatial Gateways are now properly disrupted by devastating explosions(but - not heavy or light explosions) - - rscadd: Striking a Sigil with any damaging item as a non-servant will remove it. - Servants still need to be on harm intent with an empty hand to remove Sigils. + - tweak: + The Tinkerer's Cache cost increase for having multiple Tinkerer's Caches + now happens every 5 caches, from every 3. + - experiment: + If the invoker of Nzcrentr is knocked unconscious or killed, they + will gib instead of producing a lighting blast. + - tweak: Anima Fragments slow down for slightly less time when hit. + - tweak: Clockwork Marauders do 1 more damage on every attack. + - tweak: + Wraith Spectacles are now less hard on the eyes, and can be used without + permanent vision impairment for about 50% longer; from 40~ seconds to about + 1 minute. + - tweak: + Halves the Interdiction Lens' disrupt cost from 100 per disrupted object + to 50 per disrupted object. + - tweak: + Clockwork Sigils will now be destroyed by any level of explosion, except + for Sigils of Transmission, which will gain a small amount of power if hit by + a light explosion instead of breaking. + - bugfix: + Clockwork Structures will now properly take damage from explosions instead + of variably not taking damage or instantly being destroyed. + - rscadd: Ghosts can now click Spatial Gateways to teleport to the other gateway. + - bugfix: + Spatial Gateways are now properly disrupted by devastating explosions(but + not heavy or light explosions) + - rscadd: + Striking a Sigil with any damaging item as a non-servant will remove it. + Servants still need to be on harm intent with an empty hand to remove Sigils. Kor: - - rscadd: The Staff of Storms, dropped by Legion, can now be used on station. + - rscadd: The Staff of Storms, dropped by Legion, can now be used on station. MMMiracles: - - rscadd: Adds jump boots, a mid/end-tier mining equipment that allows the user - to dash over 4-wide chasms. + - rscadd: + Adds jump boots, a mid/end-tier mining equipment that allows the user + to dash over 4-wide chasms. ModernViolence: - - bugfix: Hulk now has default cooldown for melee attacks against dominator + - bugfix: Hulk now has default cooldown for melee attacks against dominator MrStonedOne: - - tweak: Space wind (movement from pressure differentials (like a hole to space)) - has been improved. - - tweak: Space wind's rate of movement now scales with pressure differential amount. - - experiment: Actively moving (as in holding down a move key) reduces chance/rate - of getting moved by space wind. - - rscadd: 'Having a wall or dense anchored object to your left or right will lower - the chance/rate of getting moved by space wind for each direction (IE: a wall - on both sides of you will be a double reduction)' - - rscadd: Added Lazy airlock cycling. Bump opening an airlock with this system will - close its partner. This system has been added to most airlocks that go to space - on boxstation, as well as airlocks to secure areas like brig, bridge, engine. - - tweak: This can be overridden by click opening, having a shuttle docked, or setting - emergency mode on one of the doors. + - tweak: + Space wind (movement from pressure differentials (like a hole to space)) + has been improved. + - tweak: Space wind's rate of movement now scales with pressure differential amount. + - experiment: + Actively moving (as in holding down a move key) reduces chance/rate + of getting moved by space wind. + - rscadd: + "Having a wall or dense anchored object to your left or right will lower + the chance/rate of getting moved by space wind for each direction (IE: a wall + on both sides of you will be a double reduction)" + - rscadd: + Added Lazy airlock cycling. Bump opening an airlock with this system will + close its partner. This system has been added to most airlocks that go to space + on boxstation, as well as airlocks to secure areas like brig, bridge, engine. + - tweak: + This can be overridden by click opening, having a shuttle docked, or setting + emergency mode on one of the doors. PKPenguin321: - - bugfix: Laughter no longer makes you laugh if you're muted. - - rscadd: Laughter can now be brewed with banana juice and sugar. + - bugfix: Laughter no longer makes you laugh if you're muted. + - rscadd: Laughter can now be brewed with banana juice and sugar. Thunder12345: - - rscadd: An old rapier was found rusting in the back of a closet. We cleaned it - up, polished it, and assigned it to your captain as a ceremonial weapon only. - Warranty void if used in combat. + - rscadd: + An old rapier was found rusting in the back of a closet. We cleaned it + up, polished it, and assigned it to your captain as a ceremonial weapon only. + Warranty void if used in combat. incoming5643: - - tweak: viscerator grenades are now more generous with viscerators spawned + - tweak: viscerator grenades are now more generous with viscerators spawned 2016-07-30: astralenigma: - - bugfix: Admins can now turn people into red god. + - bugfix: Admins can now turn people into red god. 2016-07-31: Arctophylax: - - bugfix: Birdboat's atmospheric tanks now function normally again. - - bugfix: Birdboat's TEG is now orientated to match the pipe layout. + - bugfix: Birdboat's atmospheric tanks now function normally again. + - bugfix: Birdboat's TEG is now orientated to match the pipe layout. Bawhoppen: - - tweak: toolboxes fit in backpacks + - tweak: toolboxes fit in backpacks Gun Hog: - - rscadd: In an effort to reduce the demoralizing effects that accompany the death - of a crew member, Nanotrasen has provided the prototype designs for the Sad - Trombone implant. It can be fabricated at your station's protolathe, if you - manage to secure the ever elusive Bananium ore. + - rscadd: + In an effort to reduce the demoralizing effects that accompany the death + of a crew member, Nanotrasen has provided the prototype designs for the Sad + Trombone implant. It can be fabricated at your station's protolathe, if you + manage to secure the ever elusive Bananium ore. Joan: - - rscadd: Megafauna will now seek and consume corpses of enemies to heal or otherwise. - - tweak: Toolboxes are slightly more robust. - - tweak: Vanguard now only stuns for 25% of absorbed stuns, from 50%. + - rscadd: Megafauna will now seek and consume corpses of enemies to heal or otherwise. + - tweak: Toolboxes are slightly more robust. + - tweak: Vanguard now only stuns for 25% of absorbed stuns, from 50%. Kor: - - rscadd: Hostile mobs will now attack turrets. + - rscadd: Hostile mobs will now attack turrets. Robustin: - - rscdel: Amber ERT Commanders no longer have thermal goggles + - rscdel: Amber ERT Commanders no longer have thermal goggles lordpidey: - - rscadd: Added Devil agent gamemode, where multiple devils are each trying to buy - more souls than the next in line. - - rscadd: If you've already sold your soul, you can sell it again to a different - devil. You can even go back and forth for INFINITE POWER. + - rscadd: + Added Devil agent gamemode, where multiple devils are each trying to buy + more souls than the next in line. + - rscadd: + If you've already sold your soul, you can sell it again to a different + devil. You can even go back and forth for INFINITE POWER. 2016-08-01: Bawhoppen: - - rscadd: Added crowns. Make them from gold. Cap gets a fancy one. + - rscadd: Added crowns. Make them from gold. Cap gets a fancy one. Fox McCloud: - - rscadd: Adds in generic uplink refund system that potentially allows for even - regular traitors to refund uplink items + - rscadd: + Adds in generic uplink refund system that potentially allows for even + regular traitors to refund uplink items Joan: - - rscadd: Soul Vessels can now be used on unconscious or dead humans to extract - their consciousness, much like a soulstone. - - tweak: Soul Vessels no longer automatically ping ghosts when created, though they - can still be used in-hand to ping ghosts. - - rscadd: Soul Vessels can now communicate over the Hierophant Network - - experiment: Xenobiology golems enslaved to someone will become convertable if - their enslaver is converted to the enslaving antag type; this applies to gang - and both cult types. + - rscadd: + Soul Vessels can now be used on unconscious or dead humans to extract + their consciousness, much like a soulstone. + - tweak: + Soul Vessels no longer automatically ping ghosts when created, though they + can still be used in-hand to ping ghosts. + - rscadd: Soul Vessels can now communicate over the Hierophant Network + - experiment: + Xenobiology golems enslaved to someone will become convertable if + their enslaver is converted to the enslaving antag type; this applies to gang + and both cult types. oranges: - - rscdel: Reverted toolboxes fitting in backpacks due to being incorrectly merged + - rscdel: Reverted toolboxes fitting in backpacks due to being incorrectly merged 2016-08-02: CoreOverload: - - rscadd: Pockets in coats! + - rscadd: Pockets in coats! 2016-08-05: Arctophylax: - - bugfix: The Emergency Medical and Winter Wonderland Holodeck programs work once - again. + - bugfix: + The Emergency Medical and Winter Wonderland Holodeck programs work once + again. Cruix: - - bugfix: RCDs can no longer place multiple grilles on the same tile. - - bugfix: RCDs will no longer use all their ammo if you try to build a wall on the - same turf multiple times. - - tweak: RCDs will now inform their user if they do not have enough ammo to complete - an operation. + - bugfix: RCDs can no longer place multiple grilles on the same tile. + - bugfix: + RCDs will no longer use all their ammo if you try to build a wall on the + same turf multiple times. + - tweak: + RCDs will now inform their user if they do not have enough ammo to complete + an operation. Incoming5643: - - rscadd: Parrots have been made more robust. + - rscadd: Parrots have been made more robust. Joan: - - rscadd: Clockwork Constructs, including anima fragments, marauders, and reclaimers, - can now communicate over the Hierophant Network. - - rscadd: Plasma cutters(normal, advanced, and mech) now have double range in low - pressure areas, but slightly lower range in high pressure areas. - - rscadd: Vitality Matrices will consume dead non-servant mobs to gain a large amount - of Vitality. This doesn't work on mobs that did not have a mind at some point. + - rscadd: + Clockwork Constructs, including anima fragments, marauders, and reclaimers, + can now communicate over the Hierophant Network. + - rscadd: + Plasma cutters(normal, advanced, and mech) now have double range in low + pressure areas, but slightly lower range in high pressure areas. + - rscadd: + Vitality Matrices will consume dead non-servant mobs to gain a large amount + of Vitality. This doesn't work on mobs that did not have a mind at some point. Lordpidey and PKPenguin321: - - rscadd: Recent studies have revealed that fly amanita can give you a huge trip. + - rscadd: Recent studies have revealed that fly amanita can give you a huge trip. Lzimann: - - tweak: Holy water no longers makes you confused. + - tweak: Holy water no longers makes you confused. ModernViolence: - - bugfix: 'Photocopier fixes: proper sprites for not empty copies; removing originals - now does not delete them' + - bugfix: + "Photocopier fixes: proper sprites for not empty copies; removing originals + now does not delete them" PKPenguin321: - - rscadd: Chef, do your station a favor and make a home run baseball burger (TM) + - rscadd: Chef, do your station a favor and make a home run baseball burger (TM) Robustin: - - rscadd: The initial supply talisman can now be used to create runed metal, 5 per - use - - rscadd: The void torch is now available from the altar, use it to transport any - item instantly to any cultist! It appears alongside the veil shifter as part - of the "Veil Walker" set. - - rscadd: Cult floors no longer appear on mesons! - - tweak: Flagellant's Robes now increases damage taken by 50%, down from 100% - - tweak: Veil Shifter has 4 uses, up from 2 - - tweak: Shuttle curse now delays shuttle 3 minutes, up from 2.5 minutes - - tweak: Cult forges, archives, and airlocks have had their cost reduced by 1 runed - metal each + - rscadd: + The initial supply talisman can now be used to create runed metal, 5 per + use + - rscadd: + The void torch is now available from the altar, use it to transport any + item instantly to any cultist! It appears alongside the veil shifter as part + of the "Veil Walker" set. + - rscadd: Cult floors no longer appear on mesons! + - tweak: Flagellant's Robes now increases damage taken by 50%, down from 100% + - tweak: Veil Shifter has 4 uses, up from 2 + - tweak: Shuttle curse now delays shuttle 3 minutes, up from 2.5 minutes + - tweak: + Cult forges, archives, and airlocks have had their cost reduced by 1 runed + metal each Shadowlight213: - - rscadd: You will now receive an achievement for winning a pulse rifle at the arcade. + - rscadd: You will now receive an achievement for winning a pulse rifle at the arcade. TheCarlSaganExpress: - - rscadd: Added lighting effects to the welder. + - rscadd: Added lighting effects to the welder. 2016-08-07: Arctophylax: - - bugfix: You can unbuckle mobs from meat spikes by clicking on the spike once again. + - bugfix: You can unbuckle mobs from meat spikes by clicking on the spike once again. Joan: - - tweak: Barrier runes will now block air while active. - - rscadd: Trying to use sleeping carp against the colossus will now anger it. + - tweak: Barrier runes will now block air while active. + - rscadd: Trying to use sleeping carp against the colossus will now anger it. frtbngll: - - bugfix: Fixed Paper Wizard summoning only 9 minions in its lifespan by making - the dead stickman decrease it's summoned_minions variable + - bugfix: + Fixed Paper Wizard summoning only 9 minions in its lifespan by making + the dead stickman decrease it's summoned_minions variable lordpidey: - - bugfix: Centcom has received reports of cyborgs electrocuting themselves when - working on the power grid, and we have decided to stop storing important electronics - on the wirecutter's blade. + - bugfix: + Centcom has received reports of cyborgs electrocuting themselves when + working on the power grid, and we have decided to stop storing important electronics + on the wirecutter's blade. 2016-08-08: Ergovisavi: - - rscadd: Added bonfires to botany. Requires five tower cap logs to create, and - mobs can be buckled to them if an iron rod is added to the bonfire and the mob - is restrained. + - rscadd: + Added bonfires to botany. Requires five tower cap logs to create, and + mobs can be buckled to them if an iron rod is added to the bonfire and the mob + is restrained. Joan: - - rscadd: Added the clockcult "Global Records" alert, which clock cultists can mouse - over to check a variety of information on the clockcult's status, including - living servants, number of caches, CV, tinkerer's daemons, if there's an unconverted - AI, what clockwork generals can be invoked, and what scripture is unlocked. + - rscadd: + Added the clockcult "Global Records" alert, which clock cultists can mouse + over to check a variety of information on the clockcult's status, including + living servants, number of caches, CV, tinkerer's daemons, if there's an unconverted + AI, what clockwork generals can be invoked, and what scripture is unlocked. Shadowlight213: - - rscadd: Ghosts can now see human player's huds when using the OOC -> Observe verb + - rscadd: Ghosts can now see human player's huds when using the OOC -> Observe verb WJohnston, Gun Hog: - - tweak: Xenos are now considered female. - - tweak: Hunter pounce are now always blocked by shields, and may be blocked more - often by other protective items. - - tweak: Alien Queen is now somewhat faster. - - tweak: Adjusted larva growth sprites. - - tweak: Removed 20% facehugger failure chance for masks. - - tweak: Disarm now always forces a person to drop an item in the active hand, and - if a person's hand is empty/undroppable, Disarm will always result in a tackle. - - tweak: Cyborgs disarmed by a Xeno will first disable their selected module, and - if there is none selected, the cyborg will be pushed back and stunned. - - tweak: Tail Sweep now has a slightly longer stun. + - tweak: Xenos are now considered female. + - tweak: + Hunter pounce are now always blocked by shields, and may be blocked more + often by other protective items. + - tweak: Alien Queen is now somewhat faster. + - tweak: Adjusted larva growth sprites. + - tweak: Removed 20% facehugger failure chance for masks. + - tweak: + Disarm now always forces a person to drop an item in the active hand, and + if a person's hand is empty/undroppable, Disarm will always result in a tackle. + - tweak: + Cyborgs disarmed by a Xeno will first disable their selected module, and + if there is none selected, the cyborg will be pushed back and stunned. + - tweak: Tail Sweep now has a slightly longer stun. 2016-08-10: Cruix: - - rscadd: Sentient minebots can now toggle meson vision, a flashlight, their mode, - and dump their stored ore. - - bugfix: Sentient minebots can now be repaired if they were made sentient while - the AI was active. - - bugfix: Healing minebots will no longer switch them to attack mode. - - tweak: Sentient minebots can now shoot at humans. - - bugfix: The cooldown on wizard lightning will no longer break if you ethereal - jaunt or RISE! after the initial cast. + - rscadd: + Sentient minebots can now toggle meson vision, a flashlight, their mode, + and dump their stored ore. + - bugfix: + Sentient minebots can now be repaired if they were made sentient while + the AI was active. + - bugfix: Healing minebots will no longer switch them to attack mode. + - tweak: Sentient minebots can now shoot at humans. + - bugfix: + The cooldown on wizard lightning will no longer break if you ethereal + jaunt or RISE! after the initial cast. Kor: - - rscadd: You can now detonate drones with the RD console + - rscadd: You can now detonate drones with the RD console LanCartwright: - - rscadd: Acute respiratory distress syndrom symptom. - - rscadd: Toxic metabolism. - - rscadd: Alkali perspiration - - rscadd: Autophagocytosis Necrosis - - rscadd: Apoptoxin filter - - rscadd: 3 different lategame/Non-roundstart virus reagents - - rscadd: 4 different lategame/Non-roundstart virus recipes + - rscadd: Acute respiratory distress syndrom symptom. + - rscadd: Toxic metabolism. + - rscadd: Alkali perspiration + - rscadd: Autophagocytosis Necrosis + - rscadd: Apoptoxin filter + - rscadd: 3 different lategame/Non-roundstart virus reagents + - rscadd: 4 different lategame/Non-roundstart virus recipes MrStonedOne: - - tweak: Tweaked space wind, it should now only trigger at higher pressure differences, - but be quicker to become aggressive as the pressure difference gets higher. - This should alleviate issues where small differences was still moving a lot - of things. - - tweak: Paper still moves with any pressure difference. + - tweak: + Tweaked space wind, it should now only trigger at higher pressure differences, + but be quicker to become aggressive as the pressure difference gets higher. + This should alleviate issues where small differences was still moving a lot + of things. + - tweak: Paper still moves with any pressure difference. PKPenguin321: - - rscadd: There's now an achievement for managing to examine a meteor as a living - mob! + - rscadd: + There's now an achievement for managing to examine a meteor as a living + mob! RemieRichards: - - rscadd: 'Added a new PDA button/app: Drone Phone!' + - rscadd: "Added a new PDA button/app: Drone Phone!" 2016-08-14: Cheridan: - - tweak: Greatly reduced amount of Hydroponics yield multipliers - - tweak: Somewhat reduced gaia'd tray sustainability. - - tweak: Mutagen will no longer potentially cause plant instadeath based on RNG. + - tweak: Greatly reduced amount of Hydroponics yield multipliers + - tweak: Somewhat reduced gaia'd tray sustainability. + - tweak: Mutagen will no longer potentially cause plant instadeath based on RNG. Ergovisavi: - - tweak: Watchers no longer randomly fire beams at you when damaged, and no longer - beam you at point blank. + - tweak: + Watchers no longer randomly fire beams at you when damaged, and no longer + beam you at point blank. Gun Hog: - - tweak: The AI's Crew Manifest button now uses the updated styling. + - tweak: The AI's Crew Manifest button now uses the updated styling. Joan: - - rscadd: Sigils of Transgression now glow brightly when stunning a target. - - rscadd: The Global Records alert now shows the location and countdown time of - the Gateway to the Celestial Derelict. - - tweak: Clockcult tooltips now all have the clockcult tooltip style. - - rscdel: You can no longer become a Reclaimer when clicking on Ratvar. You can - still become a Cogscarab, however. - - bugfix: You can no longer invoke Vanguard while under its effects. - - bugfix: Servants of Ratvar should now always get an announcement when scripture - states change. - - tweak: Function Call can be used to summon a Ratvarian Spear once every 3 minutes, - from 5, but the spear summoned will now only last 3 minutes. - - rscadd: Belligerent now does minor damage to the legs on each invocation, up to - a maximum of 30 damage per recital. - - tweak: Ratvarian Spears will now stun any mob they're thrown at instead of just - enemy cultists and silicons, though the stun is still longer on enemy cultists - and silicons. + - rscadd: Sigils of Transgression now glow brightly when stunning a target. + - rscadd: + The Global Records alert now shows the location and countdown time of + the Gateway to the Celestial Derelict. + - tweak: Clockcult tooltips now all have the clockcult tooltip style. + - rscdel: + You can no longer become a Reclaimer when clicking on Ratvar. You can + still become a Cogscarab, however. + - bugfix: You can no longer invoke Vanguard while under its effects. + - bugfix: + Servants of Ratvar should now always get an announcement when scripture + states change. + - tweak: + Function Call can be used to summon a Ratvarian Spear once every 3 minutes, + from 5, but the spear summoned will now only last 3 minutes. + - rscadd: + Belligerent now does minor damage to the legs on each invocation, up to + a maximum of 30 damage per recital. + - tweak: + Ratvarian Spears will now stun any mob they're thrown at instead of just + enemy cultists and silicons, though the stun is still longer on enemy cultists + and silicons. Jordie0608: - - rscdel: Removed clicking clown mask to morph it's shape, use action button instead. + - rscdel: Removed clicking clown mask to morph it's shape, use action button instead. Kor: - - rscadd: Added support for projectiles which can dismember - - rscadd: Added a new wizard sword, the spellblade, which fires dismembering projectiles. - Sprites from Lexorion. - - rscadd: Plasmacutter blasts can now take limbs off, but they still do pitiful - damage in a pressurized environment. - - rscadd: Humans and drones now have a UI button that allows them to create new - areas, in the same manner as blueprints. Unlike blueprints, this button does - not allow you to edit existing areas. - - rscadd: You can now use mineral doors (or any other object that blocks atmos) - to complete rooms with blueprints - - rscadd: Players created by sentience potions, mining drone upgrades, or Guardian/Holoparsite - summoners will now automatically join the users antagonist team, if any. - - rscadd: Mobs created in this manner will no longer be convertable/deconvertable - unless their creator is first converted/deconverted. - - rscadd: Cayenne will now officially become an operative when given a sentience - potion. + - rscadd: Added support for projectiles which can dismember + - rscadd: + Added a new wizard sword, the spellblade, which fires dismembering projectiles. + Sprites from Lexorion. + - rscadd: + Plasmacutter blasts can now take limbs off, but they still do pitiful + damage in a pressurized environment. + - rscadd: + Humans and drones now have a UI button that allows them to create new + areas, in the same manner as blueprints. Unlike blueprints, this button does + not allow you to edit existing areas. + - rscadd: + You can now use mineral doors (or any other object that blocks atmos) + to complete rooms with blueprints + - rscadd: + Players created by sentience potions, mining drone upgrades, or Guardian/Holoparsite + summoners will now automatically join the users antagonist team, if any. + - rscadd: + Mobs created in this manner will no longer be convertable/deconvertable + unless their creator is first converted/deconverted. + - rscadd: + Cayenne will now officially become an operative when given a sentience + potion. LanCartwright: - - bugfix: Fixes the recipes not working. - - tweak: Changes Stable uranium virus food recipe from Plasma virus food to just - plasma. + - bugfix: Fixes the recipes not working. + - tweak: + Changes Stable uranium virus food recipe from Plasma virus food to just + plasma. RemieRichards: - - bugfix: You can no longer use the incorrect limb type during augmentation - - bugfix: You can no longer use the incorrect limb type during prosthetic replacement + - bugfix: You can no longer use the incorrect limb type during augmentation + - bugfix: You can no longer use the incorrect limb type during prosthetic replacement Shadowlight213: - - rscadd: Security has two new weapons in their arsenal. The security temperature - gun, and the DRAGnet capture and recovery system. + - rscadd: + Security has two new weapons in their arsenal. The security temperature + gun, and the DRAGnet capture and recovery system. optional name here: - - bugfix: The syndicate uplink ui has been refactored to majorly reduce lag + - bugfix: The syndicate uplink ui has been refactored to majorly reduce lag 2016-08-15: Joan: - - rscadd: The Ark of the Clockwork Justicar can now be constructed even if Ratvar's - rise is not the objective. - - experiment: Accordingly, its behavior is different; instead of summoning Ratvar, - it will convert a massive amount of the station, and should effectively instantly - complete the clockwork cult's objectives. + - rscadd: + The Ark of the Clockwork Justicar can now be constructed even if Ratvar's + rise is not the objective. + - experiment: + Accordingly, its behavior is different; instead of summoning Ratvar, + it will convert a massive amount of the station, and should effectively instantly + complete the clockwork cult's objectives. MrStonedOne: - - tweak: Tweaked the lag stop numbers to hopefully reduce lag during 80+ population - - tweak: Fixed the blackbox not blackboxing. + - tweak: Tweaked the lag stop numbers to hopefully reduce lag during 80+ population + - tweak: Fixed the blackbox not blackboxing. OSCAR MIKE: - - rscadd: CONTACT ON THE LEFT SIDE! + - rscadd: CONTACT ON THE LEFT SIDE! 2016-08-16: MrStonedOne: - - rscadd: Automated the granting of profiler access to admins + - rscadd: Automated the granting of profiler access to admins oranges: - - rscadd: Nanotrasen is an all right kind of company + - rscadd: Nanotrasen is an all right kind of company 2016-08-17: Basilman: - - rscadd: Added an admin-spawnable only "Cosmohonk" hardsuit that has the same protection - values of an engineering hardsuit. Comes with built-in lights and requires clown - roundstart role to be equipped. + - rscadd: + Added an admin-spawnable only "Cosmohonk" hardsuit that has the same protection + values of an engineering hardsuit. Comes with built-in lights and requires clown + roundstart role to be equipped. Ergovisavi: - - rscadd: Adds the "Proto-Kinetic Crusher", a new melee mining weapon. Available - at a mining vendor near you! + - rscadd: + Adds the "Proto-Kinetic Crusher", a new melee mining weapon. Available + at a mining vendor near you! Gun Hog: - - tweak: Nanotrasen has improved the coolant system in the stations automated robots. - They will no longer violently explode in hot rooms. + - tweak: + Nanotrasen has improved the coolant system in the stations automated robots. + They will no longer violently explode in hot rooms. Joan: - - rscadd: Once the blob alert message is sent in the blob game mode, all mobs get - to see how many tiles the blob has until it wins, via the Status tab. - - rscdel: Removed/merged a bunch of blob chems, you probably don't care about the - specifics. - - tweak: The remaining blob chems should, overall, be more powerful. - - tweak: Shield blobs soak brute damage less well. - - tweak: Flashbangs do higher damage to blobs up close, but their damage falls off - faster. - - experiment: Shield blobs now cost 15 resources to make instead of 10. Node blobs - now cost 50 resources to make instead of 60. - - experiment: Expanding/attacking now costs 4 resources instead of 5, and blobs - can now ATTACK DIAGONALLY. Diagonal attacks are weaker than normal attacks, - especially against cyborgs(which may be entirely immune, depending), and they - remain unable to expand diagonally. - - rscadd: Shield blobs no longer block atmos while under half health. Shield blobs - are still immune to fire, even if they can't block atmos. - - tweak: Blobs should block explosions less well. - - rscadd: Blob cores and nodes are no longer immune to fire and no longer block - atmos. - - rscadd: Blobs can only auto-expand one tile at a time per expanding thing, and - should be easier to beat back in general. - - tweak: Blobbernauts now attack faster. - - tweak: Blob Overminds attack mobs slower but can attack non-mobs much faster. - - rscadd: Blob Overminds start with some amount of resources; in the gamemode, it's - 80 divided by the number of overminds, in the event, it's 20 plus the number - of active players, and otherwise, it's 60. - - bugfix: You can no longer move blob cores into space, onto the mining shuttle, - white ship, gulag shuttle, or solars. - - bugfix: Blob rounds might be less laggy, if they were laggy? - - tweak: Blobs don't heal as fast, excluding the core. - - experiment: Blobs are marginally less destructive to their environment. + - rscadd: + Once the blob alert message is sent in the blob game mode, all mobs get + to see how many tiles the blob has until it wins, via the Status tab. + - rscdel: + Removed/merged a bunch of blob chems, you probably don't care about the + specifics. + - tweak: The remaining blob chems should, overall, be more powerful. + - tweak: Shield blobs soak brute damage less well. + - tweak: + Flashbangs do higher damage to blobs up close, but their damage falls off + faster. + - experiment: + Shield blobs now cost 15 resources to make instead of 10. Node blobs + now cost 50 resources to make instead of 60. + - experiment: + Expanding/attacking now costs 4 resources instead of 5, and blobs + can now ATTACK DIAGONALLY. Diagonal attacks are weaker than normal attacks, + especially against cyborgs(which may be entirely immune, depending), and they + remain unable to expand diagonally. + - rscadd: + Shield blobs no longer block atmos while under half health. Shield blobs + are still immune to fire, even if they can't block atmos. + - tweak: Blobs should block explosions less well. + - rscadd: + Blob cores and nodes are no longer immune to fire and no longer block + atmos. + - rscadd: + Blobs can only auto-expand one tile at a time per expanding thing, and + should be easier to beat back in general. + - tweak: Blobbernauts now attack faster. + - tweak: Blob Overminds attack mobs slower but can attack non-mobs much faster. + - rscadd: + Blob Overminds start with some amount of resources; in the gamemode, it's + 80 divided by the number of overminds, in the event, it's 20 plus the number + of active players, and otherwise, it's 60. + - bugfix: + You can no longer move blob cores into space, onto the mining shuttle, + white ship, gulag shuttle, or solars. + - bugfix: Blob rounds might be less laggy, if they were laggy? + - tweak: Blobs don't heal as fast, excluding the core. + - experiment: Blobs are marginally less destructive to their environment. MrStonedOne: - - rscdel: The server will no longer wait until the next tick to process movement - key presses. Movements should now be ~25-50ms more responsive. + - rscdel: + The server will no longer wait until the next tick to process movement + key presses. Movements should now be ~25-50ms more responsive. Shadowlight213: - - rscadd: Adds modular computers + - rscadd: Adds modular computers 2016-08-21: Ergovisavi: - - tweak: Consolidates the fulton packs into a single item and makes them more user - friendly + - tweak: + Consolidates the fulton packs into a single item and makes them more user + friendly Google Play Store: - - spellcheck: Minor Text Fixes. + - spellcheck: Minor Text Fixes. Incoming5643: - - rscadd: Smuggler satchels left behind hidden on the station can now reappear in - a later round. - - experiment: There's absolutely no way of knowing when exactly it will reappear - however... - - rscadd: Only one item in the satchel will remain when the satchel reappears. - - rscadd: Items are saved in their initial forms, so saving things like chemical - grenades will only disappoint you. - - rscadd: The item pool is map specific and needs to be a certain size before satchels - can start reappearing, so get to hiding that loot! - - rscadd: The staff of change has been expanded to turn you into even more things - that don't have hands. + - rscadd: + Smuggler satchels left behind hidden on the station can now reappear in + a later round. + - experiment: + There's absolutely no way of knowing when exactly it will reappear + however... + - rscadd: Only one item in the satchel will remain when the satchel reappears. + - rscadd: + Items are saved in their initial forms, so saving things like chemical + grenades will only disappoint you. + - rscadd: + The item pool is map specific and needs to be a certain size before satchels + can start reappearing, so get to hiding that loot! + - rscadd: + The staff of change has been expanded to turn you into even more things + that don't have hands. Jalleo: - - bugfix: Gulag Teleporter of two issues any more please report them. + - bugfix: Gulag Teleporter of two issues any more please report them. Jordie0608: - - rscadd: Advanced Energy Guns once again have a chance to irradiate you if EMPed. + - rscadd: Advanced Energy Guns once again have a chance to irradiate you if EMPed. Kor: - - rscadd: Kinetic Accelerators are now modular. You can find mod kits in the mining - vendor and in RnD. - - bugfix: Chaplain's dormant spellblade is no longer invisible. + - rscadd: + Kinetic Accelerators are now modular. You can find mod kits in the mining + vendor and in RnD. + - bugfix: Chaplain's dormant spellblade is no longer invisible. Papa Bones: - - rscadd: A new, scandalous outfit is now available as contraband from the clothesmate - vendor, check it out! Fulfill your deep, dark fantasies. + - rscadd: + A new, scandalous outfit is now available as contraband from the clothesmate + vendor, check it out! Fulfill your deep, dark fantasies. Shadowlight213: - - tweak: Service and cargo have lost roundstart tablets and engineering has gained - them - - tweak: you can now charge battery modules in cell chargers. Use a screwdriver - on a computer to remove them. As a note, tablets and laptops can be charged - directly by placing them in a security charger. + - tweak: + Service and cargo have lost roundstart tablets and engineering has gained + them + - tweak: + you can now charge battery modules in cell chargers. Use a screwdriver + on a computer to remove them. As a note, tablets and laptops can be charged + directly by placing them in a security charger. WJohnston: - - rscadd: Metastation and Boxstation now boast auxillary mining construction rooms - in arrivals. These allow you to build a base and then launch it to wherever - you want on lavaland. + - rscadd: + Metastation and Boxstation now boast auxillary mining construction rooms + in arrivals. These allow you to build a base and then launch it to wherever + you want on lavaland. Wjohnston, Gun Hog: - - rscadd: Aliens with Neurotoxic Spit readied will now have drooling animations. - - rscadd: Hunters may now safely leap over lava. - - tweak: Hulk punches no longer stun Xenos. - - tweak: Alien evolve and promotion buttons updated to current Xeno sprites - - bugfix: Handcuff sprites for Xenos now show properly. + - rscadd: Aliens with Neurotoxic Spit readied will now have drooling animations. + - rscadd: Hunters may now safely leap over lava. + - tweak: Hulk punches no longer stun Xenos. + - tweak: Alien evolve and promotion buttons updated to current Xeno sprites + - bugfix: Handcuff sprites for Xenos now show properly. 2016-08-22: Bawhoppen: - - rscdel: Stock computers have been temporarily removed due to imbalances. + - rscdel: Stock computers have been temporarily removed due to imbalances. Ergovisavi: - - bugfix: Bubblegum's charge indicator should be significantly more accurate now. + - bugfix: Bubblegum's charge indicator should be significantly more accurate now. ExcessiveUseOfCobblestone: - - rscdel: Reverts getting partial credit for discovered seeds. - - tweak: 'Tweaks Money Tree Potency Values [For instance: 1000 Space Cash requires - 98-100 Potency]' + - rscdel: Reverts getting partial credit for discovered seeds. + - tweak: + "Tweaks Money Tree Potency Values [For instance: 1000 Space Cash requires + 98-100 Potency]" Lzimann & Lexorion: - - rscadd: Adds a bow to the game, currently not craftable + - rscadd: Adds a bow to the game, currently not craftable Shadowlight213: - - bugfix: The efficiency AI sat SMES will now charge the APCs instead of itself. + - bugfix: The efficiency AI sat SMES will now charge the APCs instead of itself. XDTM: - - rscdel: Removed the Longevity symptom. - - rscadd: Added Viral Aggressive Metabolism, which will make viruses act quickly - but decay over time. - - rscadd: Cloning can now give bad mutations if unupgraded! - - rscadd: Cloning can, however, give you good ones if upgraded! + - rscdel: Removed the Longevity symptom. + - rscadd: + Added Viral Aggressive Metabolism, which will make viruses act quickly + but decay over time. + - rscadd: Cloning can now give bad mutations if unupgraded! + - rscadd: Cloning can, however, give you good ones if upgraded! 2016-08-24: Bones: - - rscadd: The detective's closet now contains a seclite, get sleuthing! + - rscadd: The detective's closet now contains a seclite, get sleuthing! Cargo Intelligence Agency: - - rscdel: You don't get to bring traitor items. + - rscdel: You don't get to bring traitor items. Ergovisavi: - - rscadd: Adds "Sacred Flame", a spell that makes everyone around you more flammable, - and lights yourself on fire. Share the wealth. Of fire. - - tweak: Replaces the fireball spellbook as a possible reward from a Drake chest - with a book of sacred flame. + - rscadd: + Adds "Sacred Flame", a spell that makes everyone around you more flammable, + and lights yourself on fire. Share the wealth. Of fire. + - tweak: + Replaces the fireball spellbook as a possible reward from a Drake chest + with a book of sacred flame. Gun Hog: - - rscadd: The Aux mining base can now call the mining shuttle once landed! The mining - shuttle beacon that comes with the base must be deployed to enable this functionality. - - tweak: Multiple landing zones may now be set for the mining base. - - tweak: The coordinates of each landing zone is shown in the list. - - rscadd: Miners now each get a remote in their starting lockers. tweak The Aux - mining base now requires lighting while on station. - - tweak: The Aux Mining Base now has a GPS signal. - - tweak: The Aux Mining Base now has an alarm for when it is about to drop. + - rscadd: + The Aux mining base can now call the mining shuttle once landed! The mining + shuttle beacon that comes with the base must be deployed to enable this functionality. + - tweak: Multiple landing zones may now be set for the mining base. + - tweak: The coordinates of each landing zone is shown in the list. + - rscadd: + Miners now each get a remote in their starting lockers. tweak The Aux + mining base now requires lighting while on station. + - tweak: The Aux Mining Base now has a GPS signal. + - tweak: The Aux Mining Base now has an alarm for when it is about to drop. Incoming5643: - - rscadd: 'A slight change to the secret satchel system described below: If a satchel - cannot be spawned due to there not being enough hidden satchels to choose from, - a free empty satchel will spawn hidden SOMEWHERE on the station. Dig - it up and bury it with something interesting!' + - rscadd: + "A slight change to the secret satchel system described below: If a satchel + cannot be spawned due to there not being enough hidden satchels to choose from, + a free empty satchel will spawn hidden SOMEWHERE on the station. Dig + it up and bury it with something interesting!" Joan: - - rscadd: Using a resonator on an existing resonator field will immediately detonate - that field. Normal resonators will reduce the damage dealt to 80% of normal, - while upgraded resonators will not reduce it at all. - - rscadd: Adds a KA mod that does damage in an AoE, found only in necropolis chests. - - rscadd: You can now install any KA mods into a mining cyborg, though its mod capacity - is slightly lower. - - tweak: Mining cyborgs now have a crowbar to remove mods from their KA. - - tweak: Kinetic Accelerators now have a larger mod capacity, though most mods can - still only be installed the same amount of times as they can currently. - - tweak: You can now hit modkits with Kinetic Accelerators to install that modkit - into the accelerator. Mining cyborgs are unable to do so. - - rscadd: Added white and adjustably-coloured tracer round mods to the mining equipment - vendor, so you can see where your projectile is going(and look cool). - - rscadd: Added the super and hyper chassis mods to the mining equipment vendor, - so you can use excess mod space to have a cool-looking KA. + - rscadd: + Using a resonator on an existing resonator field will immediately detonate + that field. Normal resonators will reduce the damage dealt to 80% of normal, + while upgraded resonators will not reduce it at all. + - rscadd: Adds a KA mod that does damage in an AoE, found only in necropolis chests. + - rscadd: + You can now install any KA mods into a mining cyborg, though its mod capacity + is slightly lower. + - tweak: Mining cyborgs now have a crowbar to remove mods from their KA. + - tweak: + Kinetic Accelerators now have a larger mod capacity, though most mods can + still only be installed the same amount of times as they can currently. + - tweak: + You can now hit modkits with Kinetic Accelerators to install that modkit + into the accelerator. Mining cyborgs are unable to do so. + - rscadd: + Added white and adjustably-coloured tracer round mods to the mining equipment + vendor, so you can see where your projectile is going(and look cool). + - rscadd: + Added the super and hyper chassis mods to the mining equipment vendor, + so you can use excess mod space to have a cool-looking KA. MrStonedOne: - - rscdel: Removes check on lights preventing you from turning them on while in a - locker + - rscdel: + Removes check on lights preventing you from turning them on while in a + locker PKPenguin321: - - rscadd: Xeno queens now have an action button that makes them appear to themselves - as the old, small queen sprite. Now they should be able to interact with things - that are above them more easily. + - rscadd: + Xeno queens now have an action button that makes them appear to themselves + as the old, small queen sprite. Now they should be able to interact with things + that are above them more easily. Shadowlight213: - - tweak: Reviver and nutriment implants are far easier to get and have lower tech - origins. - - rscdel: Centcom has cut back on their cat carrier budget and will now only be - able to bring kittens along with runtime. - - rscadd: A new event has been added. The automated grid check. All apcs in non - critical areas will be shut off for some time, but can be manually rebooted - via interaction. + - tweak: + Reviver and nutriment implants are far easier to get and have lower tech + origins. + - rscdel: + Centcom has cut back on their cat carrier budget and will now only be + able to bring kittens along with runtime. + - rscadd: + A new event has been added. The automated grid check. All apcs in non + critical areas will be shut off for some time, but can be manually rebooted + via interaction. Yackemflam: - - tweak: Boxes are worth >26 tc at LEAST + - tweak: Boxes are worth >26 tc at LEAST 2016-08-28: CoreOverload: - - tweak: You can now use sheets from any hand, not just the active one. + - tweak: You can now use sheets from any hand, not just the active one. Iamgoofball: - - tweak: Station and Character names are now allowed to be longer. - - rscdel: Gender Reassignment surgery has been removed. + - tweak: Station and Character names are now allowed to be longer. + - rscdel: Gender Reassignment surgery has been removed. Incoming5643: - - experiment: 'Due to a bad case of "being terrible" the save system for secret - satchels has been reworked. All saves are now unified in a single data file: - /data/npc_saves/SecretSatchels' - - rscdel: 'Old savefiles such as: /data/npc_saves/SecretSatchels_Box Station can - now be safely removed.' - - rscadd: A new slime reaction has been found for pink slimes using blood. The potion - produced from this reaction can be used to change the gender of living things. - Decently useful for animal husbandry, but otherwise mostly just for pranks/"""roleplay"""/enforcing - a brutal regime composed entirely of female slime people. + - experiment: + 'Due to a bad case of "being terrible" the save system for secret + satchels has been reworked. All saves are now unified in a single data file: + /data/npc_saves/SecretSatchels' + - rscdel: + "Old savefiles such as: /data/npc_saves/SecretSatchels_Box Station can + now be safely removed." + - rscadd: + A new slime reaction has been found for pink slimes using blood. The potion + produced from this reaction can be used to change the gender of living things. + Decently useful for animal husbandry, but otherwise mostly just for pranks/"""roleplay"""/enforcing + a brutal regime composed entirely of female slime people. Joan: - - bugfix: Bumping the AI on help intent will no longer cause it and you to swap - positions, even if it is unanchored. If unanchored, it will properly push the - AI around. - - rscadd: The staff of lava can now turn lava back into basalt. - - bugfix: Placing a singularity or energy ball generator directly in front of an - active particle accelerator may be a bad idea. + - bugfix: + Bumping the AI on help intent will no longer cause it and you to swap + positions, even if it is unanchored. If unanchored, it will properly push the + AI around. + - rscadd: The staff of lava can now turn lava back into basalt. + - bugfix: + Placing a singularity or energy ball generator directly in front of an + active particle accelerator may be a bad idea. Kor: - - rscadd: Added Battlemage armour to the spellbook. The armour is heavily shielded, - but will not recharge once the shields are depleted. - - rscadd: Added armour runes to the spellbook, which can grant additional charges - to the Battlemage armour. + - rscadd: + Added Battlemage armour to the spellbook. The armour is heavily shielded, + but will not recharge once the shields are depleted. + - rscadd: + Added armour runes to the spellbook, which can grant additional charges + to the Battlemage armour. MrStonedOne: - - rscadd: The game window will now flash in the taskbar on incoming admin pm, and - to all admins when an admin help comes in. + - rscadd: + The game window will now flash in the taskbar on incoming admin pm, and + to all admins when an admin help comes in. PKPenguin321: - - rscadd: The tesla is now much more dangerous, and can cause electronics to explode - violently. - - rscadd: It now hurts to get thrown into another person. + - rscadd: + The tesla is now much more dangerous, and can cause electronics to explode + violently. + - rscadd: It now hurts to get thrown into another person. Shadowlight213: - - tweak: The radiation storm random event will automatically enable and disable - emergency maint. - - rscadd: The radiation storm random event is now a weather type that affects the - station. - - bugfix: The security temperature gun now has a firing pin making it 0.0000001% - more useful! - - rscadd: Added config option to use byond account creation age for job limits. + - tweak: + The radiation storm random event will automatically enable and disable + emergency maint. + - rscadd: + The radiation storm random event is now a weather type that affects the + station. + - bugfix: + The security temperature gun now has a firing pin making it 0.0000001% + more useful! + - rscadd: Added config option to use byond account creation age for job limits. WJohnston: - - imageadd: Lavaland lava probably sorta looks better I guess. + - imageadd: Lavaland lava probably sorta looks better I guess. Yackemflam: - - rscadd: Sniper kit have been given as a syndicate bundle set. Be warned though, - they are not as equipped as the nuclear agent kits. + - rscadd: + Sniper kit have been given as a syndicate bundle set. Be warned though, + they are not as equipped as the nuclear agent kits. kilkun: - - rscadd: Adds a shielded deathsquad hardsuit. it has four charges and recharges - after 15 seconds of not being shot (compared to the syndicate 3 charges and - 20 second recharge rate) - - tweak: All death commandos now spawn with this new hardsuit. The previous hardsuit - was not removed. + - rscadd: + Adds a shielded deathsquad hardsuit. it has four charges and recharges + after 15 seconds of not being shot (compared to the syndicate 3 charges and + 20 second recharge rate) + - tweak: + All death commandos now spawn with this new hardsuit. The previous hardsuit + was not removed. pubby: - - rscadd: Mining scanner module to standard borgs - - rscdel: Sheet snatcher module from standard borgs + - rscadd: Mining scanner module to standard borgs + - rscdel: Sheet snatcher module from standard borgs xxalpha: - - rscadd: Cigarette packs, donut boxes, egg boxes can now be closed and opened with - Ctrl+Click. - - rscadd: Lighters are now represented in cigarette packs with a sprite of their - own. - - rscadd: You can now remove a lighter from a cigarette pack quickly with Alt+Click. - - bugfix: Reduced the amount of cigars that cigar cases can hold to 5 because the - cigar case sprite doesn't support more than that. + - rscadd: + Cigarette packs, donut boxes, egg boxes can now be closed and opened with + Ctrl+Click. + - rscadd: + Lighters are now represented in cigarette packs with a sprite of their + own. + - rscadd: You can now remove a lighter from a cigarette pack quickly with Alt+Click. + - bugfix: + Reduced the amount of cigars that cigar cases can hold to 5 because the + cigar case sprite doesn't support more than that. 2016-08-29: Cruix: - - rscadd: Space floppy-disk technology has advanced to the point that multiple technologies - or designs can be stored on a single disk. + - rscadd: + Space floppy-disk technology has advanced to the point that multiple technologies + or designs can be stored on a single disk. Joan: - - rscadd: Lava bubbling up from basalt turfs now glows if in sufficient concentration. - - rscadd: Necropolis tendrils now glow. - - rscadd: Lava rivers now have riverbanks, and should overall look much nicer. + - rscadd: Lava bubbling up from basalt turfs now glows if in sufficient concentration. + - rscadd: Necropolis tendrils now glow. + - rscadd: Lava rivers now have riverbanks, and should overall look much nicer. Shadowlight213: - - bugfix: The revenant ectoplasm sprite is no longer invisible. + - bugfix: The revenant ectoplasm sprite is no longer invisible. Xhuis: - - rscadd: Highlander has been revamped. Now you can butcher your coworkers in cold - blood like never before! + - rscadd: + Highlander has been revamped. Now you can butcher your coworkers in cold + blood like never before! 2016-08-30: oranges: - - tweak: The ed209 can now only fire as fast as the portaturrets + - tweak: The ed209 can now only fire as fast as the portaturrets 2016-08-31: Iamgoofball: - - rscadd: Adds a new experimental gas to the game. Check it out! + - rscadd: Adds a new experimental gas to the game. Check it out! Joan: - - rscadd: Vanguard now has a tooltip showing the amount of stuns you've absorbed - and will be affected by. + - rscadd: + Vanguard now has a tooltip showing the amount of stuns you've absorbed + and will be affected by. MMMiracles: - - bugfix: Xenomorphs can now actually damage barricades. + - bugfix: Xenomorphs can now actually damage barricades. Shadowlight213: - - bugfix: Fixed runtime preventing access locked programs from being downloaded + - bugfix: Fixed runtime preventing access locked programs from being downloaded XDTM: - - rscadd: Metal slimes now spawn a few sheets of glass when injected with water. + - rscadd: Metal slimes now spawn a few sheets of glass when injected with water. xxalpha: - - tweak: Opening and closing of donut boxes, etc. is now done with clicking the - object with itself. + - tweak: + Opening and closing of donut boxes, etc. is now done with clicking the + object with itself. yackemflam: - - rscadd: The standard rounds now blow off limbs. Happy hunting! + - rscadd: The standard rounds now blow off limbs. Happy hunting! 2016-09-01: Cruix: - - bugfix: fortune cookies will now drop their fortunes when they are eaten. + - bugfix: fortune cookies will now drop their fortunes when they are eaten. Iamgoofball: - - tweak: NULL Crate in cargo was added again because people are fucking idiots so - if we're going to have this stupid fucking crate might as well make it not fucking - garbo + - tweak: + NULL Crate in cargo was added again because people are fucking idiots so + if we're going to have this stupid fucking crate might as well make it not fucking + garbo Kor: - - rscadd: Watertanks will now explode when shot. + - rscadd: Watertanks will now explode when shot. Lzimann: - - tweak: You can now open all access doors while restrained. + - tweak: You can now open all access doors while restrained. Shadowlight213: - - tweak: Rad storms are more obvious - - bugfix: Pizza bombs will now delete after exploding. + - tweak: Rad storms are more obvious + - bugfix: Pizza bombs will now delete after exploding. phil235: - - tweak: Putting packagewrap or hand labeler in a backpack is now done by clicking - and dragging. - - bugfix: You can now wrap backpacks and other storage items with packagewrap. + - tweak: + Putting packagewrap or hand labeler in a backpack is now done by clicking + and dragging. + - bugfix: You can now wrap backpacks and other storage items with packagewrap. 2016-09-02: A-t48: - - bugfix: Fixed cyborgs being able to use Power Warning emote when broken. + - bugfix: Fixed cyborgs being able to use Power Warning emote when broken. Iamgoofball: - - experiment: Freon has been reworked completely. - - rscadd: Water Vapor has been added to the Janitor's Closet. + - experiment: Freon has been reworked completely. + - rscadd: Water Vapor has been added to the Janitor's Closet. RemieRichards: - - bugfix: Cutting bedsheets with a sharp object/wirecutters no longer puts the resulting - cloth INSIDE OF YOU if you're holding it, what a bug. + - bugfix: + Cutting bedsheets with a sharp object/wirecutters no longer puts the resulting + cloth INSIDE OF YOU if you're holding it, what a bug. bgobandit: - - tweak: You can hide small items in urinals now. Use a screwdriver to screw open - the drain enclosure. - - rscadd: Every space urinal comes complete with space urinal cake. Do not eat. + - tweak: + You can hide small items in urinals now. Use a screwdriver to screw open + the drain enclosure. + - rscadd: Every space urinal comes complete with space urinal cake. Do not eat. 2016-09-04: A-t48: - - bugfix: Radiation storms no longer spam "Your armor softened the blow." - - bugfix: Radiation always gives a message that you are being irradiated, regardless - of armor level (only an issue if you stripped off all clothing) - - bugfix: Radiation now displays a message appropriate for all mob types (no longer - references clothes). + - bugfix: Radiation storms no longer spam "Your armor softened the blow." + - bugfix: + Radiation always gives a message that you are being irradiated, regardless + of armor level (only an issue if you stripped off all clothing) + - bugfix: + Radiation now displays a message appropriate for all mob types (no longer + references clothes). Gun Hog: - - rscadd: Ghosts may now read an AI or Cyborg's laws by examining them. + - rscadd: Ghosts may now read an AI or Cyborg's laws by examining them. Joan: - - rscadd: The talisman of construction now has 25 uses, each of which can convert - a sheet of plasteel to a sheet of runed metal. It can still convert metal into - construct shells, and requires no specific amount of uses to do so. - - rscadd: Added the 'Drain Life' rune to the runes cultists can make. It will drain - life from all creatures on the rune, healing the invoker. - - imageadd: The 'Astral Communion' rune has a new sprite, made by WJohnston. - - rscdel: You can no longer use telekinesis to hit people with items they're holding, - items inside items they're holding, items embedded in them, items actually implanted - in them, or items they're wearing. + - rscadd: + The talisman of construction now has 25 uses, each of which can convert + a sheet of plasteel to a sheet of runed metal. It can still convert metal into + construct shells, and requires no specific amount of uses to do so. + - rscadd: + Added the 'Drain Life' rune to the runes cultists can make. It will drain + life from all creatures on the rune, healing the invoker. + - imageadd: The 'Astral Communion' rune has a new sprite, made by WJohnston. + - rscdel: + You can no longer use telekinesis to hit people with items they're holding, + items inside items they're holding, items embedded in them, items actually implanted + in them, or items they're wearing. MMMiracles: - - rscadd: A set of combat gear for bears has been added, see your local russian - for more information. + - rscadd: + A set of combat gear for bears has been added, see your local russian + for more information. XDTM: - - tweak: Nanotrasen has now stocked the DNA Manipulators with potassium iodide instead - of epinephrine as rejuvenators. + - tweak: + Nanotrasen has now stocked the DNA Manipulators with potassium iodide instead + of epinephrine as rejuvenators. 2016-09-07: A-t48: - - bugfix: you can now scrub freon and water vapor - - bugfix: you can now label canisters as freon and water vapor + - bugfix: you can now scrub freon and water vapor + - bugfix: you can now label canisters as freon and water vapor AnturK: - - rscadd: Watch out for special instructions from Centcom in the intercept report. + - rscadd: Watch out for special instructions from Centcom in the intercept report. Cheridan: - - tweak: Brain damage no longer causes machines to be inoperable. + - tweak: Brain damage no longer causes machines to be inoperable. Ergovisavi: - - bugfix: Stops ash drakes from swooping across zlevels + - bugfix: Stops ash drakes from swooping across zlevels Impisi: - - tweak: Increased chances of Modular Receiver drop in Maintenance + - tweak: Increased chances of Modular Receiver drop in Maintenance Incoming5643: - - rscdel: Wizards can no longer purchase the Cursed Heart from their spellbook. + - rscdel: Wizards can no longer purchase the Cursed Heart from their spellbook. Joan: - - experiment: The lava staff now has a short delay before creating lava, with a - visible indicator. - - tweak: The lava staff's cooldown is now somewhat shorter, and turning lava back - into basalt has a much shorter cooldown and no delay. + - experiment: + The lava staff now has a short delay before creating lava, with a + visible indicator. + - tweak: + The lava staff's cooldown is now somewhat shorter, and turning lava back + into basalt has a much shorter cooldown and no delay. Lzimann: - - tweak: Stunprods no longer fit in your backpack, they go on your back now. + - tweak: Stunprods no longer fit in your backpack, they go on your back now. MrStonedOne: - - bugfix: Fixed lava sometimes doing massive amounts of damage. - - tweak: AFK players will no longer default to continue playing during restart votes. + - bugfix: Fixed lava sometimes doing massive amounts of damage. + - tweak: AFK players will no longer default to continue playing during restart votes. XDTM: - - bugfix: Cloners now preserve your genetic mutations. + - bugfix: Cloners now preserve your genetic mutations. pubby: - - tweak: Changed military belt TC cost from 3 -> 1 - - tweak: Update ingredient boxes to have more useful ingredients + - tweak: Changed military belt TC cost from 3 -> 1 + - tweak: Update ingredient boxes to have more useful ingredients 2016-09-08: Jordie0608: - - rscadd: Notes can now be tagged as secret to be hidden from player viewed notes. + - rscadd: Notes can now be tagged as secret to be hidden from player viewed notes. Lzimann: - - tweak: Legion implants now have a full heal when implanted instead of passive - heal + spawn tentacles. The healing also goes off when you enter crit. + - tweak: + Legion implants now have a full heal when implanted instead of passive + heal + spawn tentacles. The healing also goes off when you enter crit. Yackemflam: - - rscadd: You can now buy a box for a chance to mess with the stations meta for - ops. + - rscadd: + You can now buy a box for a chance to mess with the stations meta for + ops. 2016-09-09: Ergovisavi: - - rscadd: Adds new loot for the colossus, the "Anomalous Crystal" - - tweak: Enabled colossus spawning again + - rscadd: Adds new loot for the colossus, the "Anomalous Crystal" + - tweak: Enabled colossus spawning again Joan, Ausops: - - rscadd: Added some very fancy tables, constructed by adding carpet tiles to a - standard table frame. + - rscadd: + Added some very fancy tables, constructed by adding carpet tiles to a + standard table frame. MrStonedOne: - - experiment: Blessed our beloved code with dark magic. + - experiment: Blessed our beloved code with dark magic. Shadowlight213: - - tweak: Radiation storm direct tox loss removed - - tweak: Radiation storms now cause a radiation alert to appear for the duration + - tweak: Radiation storm direct tox loss removed + - tweak: Radiation storms now cause a radiation alert to appear for the duration 2016-09-12: Joan: - - rscadd: Cult structures can once again be constructed with runed metal. - - experiment: Cult structures can now take damage and be destroyed. Artificers can - repair them if they're damaged. - - tweak: The Recollection function of the clockwork slab is much more useful and - easier to parse. - - wip: Tweaked the Recital menus for scripture so the scripture are all in the proper - order. This might fuck you up if you were used to the incorrect order, but you'll - get used to it. + - rscadd: Cult structures can once again be constructed with runed metal. + - experiment: + Cult structures can now take damage and be destroyed. Artificers can + repair them if they're damaged. + - tweak: + The Recollection function of the clockwork slab is much more useful and + easier to parse. + - wip: + Tweaked the Recital menus for scripture so the scripture are all in the proper + order. This might fuck you up if you were used to the incorrect order, but you'll + get used to it. Nanotrasen Anti-Cheese Committee: - - bugfix: A glitch in the hydroponics tray firmware allowed it to retain plant growth - even after the plant was removed, resulting in the next planted seed being grown - instantaneously. This is no longer possible. + - bugfix: + A glitch in the hydroponics tray firmware allowed it to retain plant growth + even after the plant was removed, resulting in the next planted seed being grown + instantaneously. This is no longer possible. PKPenguin321: - - bugfix: Tesla shocks from grilles will no longer do thousands and thousands of - damage. They now properly deal burn damage that is equal to the current power - in the powernet divided by 5000. + - bugfix: + Tesla shocks from grilles will no longer do thousands and thousands of + damage. They now properly deal burn damage that is equal to the current power + in the powernet divided by 5000. Papa Bones: - - tweak: You can now rename the captain's sabre by using a pen on it. + - tweak: You can now rename the captain's sabre by using a pen on it. RemieRichards: - - rscadd: Added the functionality for mobs to have multiple hands, this might have - broken some things, so please report any weirdness + - rscadd: + Added the functionality for mobs to have multiple hands, this might have + broken some things, so please report any weirdness Shadowlight213: - - rscdel: The surplus crate and random item will now only contain items allowed - by the gamemode - - rscdel: removes sleeping carp scroll from surplus crates - - experiment: Minimaps will now try to load from a cache or backup file if minimap - generation is disabled. + - rscdel: + The surplus crate and random item will now only contain items allowed + by the gamemode + - rscdel: removes sleeping carp scroll from surplus crates + - experiment: + Minimaps will now try to load from a cache or backup file if minimap + generation is disabled. TheCarlSaganExpress: - - rscadd: Crayons, lipstick, cigarettes, and penlights can now be inserted into - PDAs. + - rscadd: + Crayons, lipstick, cigarettes, and penlights can now be inserted into + PDAs. phil235: - - rscadd: Monkeys can be dismembered. - - rscadd: Humans, monkeys and aliens can drop limbs when they are gibbed. - - rscadd: Roboticists can remove flashes, wires and power cells that they inserted - in robot head or torso by using a crowbar on it. - - rscadd: visual wounds appear on a monkey's bodyparts when injured, exactly like - humans. - - rscadd: Using a health analyzer on a monkey or alien shows the injuries to each - bodypart. - - rscadd: Monkeys can become husks. - - bugfix: Human-monkey transformations now respect missing limbs. No more limb regrowth - by becoming a monkey. - - bugfix: Changeling's regenerate ability also work while in monkey form. - - bugfix: Alien larva has its own gib and dust animation. - - bugfix: A bodypart that looks wounded still looks bloody when dismembered. - - bugfix: Amputation surgery now works on robotic limbs, and monkeys. + - rscadd: Monkeys can be dismembered. + - rscadd: Humans, monkeys and aliens can drop limbs when they are gibbed. + - rscadd: + Roboticists can remove flashes, wires and power cells that they inserted + in robot head or torso by using a crowbar on it. + - rscadd: + visual wounds appear on a monkey's bodyparts when injured, exactly like + humans. + - rscadd: + Using a health analyzer on a monkey or alien shows the injuries to each + bodypart. + - rscadd: Monkeys can become husks. + - bugfix: + Human-monkey transformations now respect missing limbs. No more limb regrowth + by becoming a monkey. + - bugfix: Changeling's regenerate ability also work while in monkey form. + - bugfix: Alien larva has its own gib and dust animation. + - bugfix: A bodypart that looks wounded still looks bloody when dismembered. + - bugfix: Amputation surgery now works on robotic limbs, and monkeys. 2016-09-14: Ergovisavi: - - bugfix: Fixes lockers, bodybags, etc, giving you ash storm / radiation storm protection + - bugfix: Fixes lockers, bodybags, etc, giving you ash storm / radiation storm protection Erwgd: - - rscadd: Upgraded sleepers can now inject inacusiate to treat ear damage. + - rscadd: Upgraded sleepers can now inject inacusiate to treat ear damage. Joan: - - rscadd: Added brass, producible by proselytizing rods, metal, or plasteel, or - by using Replicant Alloy in-hand, and usable to construct a variety of cult-y - brass objects. - - tweak: Objects constructable with brass include; wall gears, pinion airlocks, - brass windoors, brass windows, brass table frames and tables, and brass floor - tiles. - - rscadd: Cogscarabs can convert brass sheets into liquified alloy with their proselytizer. - - tweak: You can use brass sheets on wall gears to produce clockwork walls, or, - if the gear is unanchored, false clockwork walls. - - bugfix: Fixed a bug preventing you from converting grilles into ratvar grilles. - - experiment: Please note that conservation of mass exists. + - rscadd: + Added brass, producible by proselytizing rods, metal, or plasteel, or + by using Replicant Alloy in-hand, and usable to construct a variety of cult-y + brass objects. + - tweak: + Objects constructable with brass include; wall gears, pinion airlocks, + brass windoors, brass windows, brass table frames and tables, and brass floor + tiles. + - rscadd: Cogscarabs can convert brass sheets into liquified alloy with their proselytizer. + - tweak: + You can use brass sheets on wall gears to produce clockwork walls, or, + if the gear is unanchored, false clockwork walls. + - bugfix: Fixed a bug preventing you from converting grilles into ratvar grilles. + - experiment: Please note that conservation of mass exists. Sligneris: - - tweak: Captain's space armor has been readapted with modern hardsuit technology. + - tweak: Captain's space armor has been readapted with modern hardsuit technology. oranges: - - tweak: Examine code for dismembered humans now has better easter eggs + - tweak: Examine code for dismembered humans now has better easter eggs 2016-09-17: BoxcarRacer41: - - rscadd: Added a new food, bacon. Bacon is made by processing raw meat cutlets. - - rscadd: Added a new burger recipe, the Bacon Burger. It is made with one bun, - one cheese wedge and three pieces of cooked bacon. + - rscadd: Added a new food, bacon. Bacon is made by processing raw meat cutlets. + - rscadd: + Added a new burger recipe, the Bacon Burger. It is made with one bun, + one cheese wedge and three pieces of cooked bacon. Ergovisavi: - - rscadd: Added a nightvision toggle to Shadowpeople - - tweak: Made several anomalous crystal variants more easily identified/easier to - see the effects thereof, and removed the "magic" activation possibility (replaced - with the "bomb" flag) + - rscadd: Added a nightvision toggle to Shadowpeople + - tweak: + Made several anomalous crystal variants more easily identified/easier to + see the effects thereof, and removed the "magic" activation possibility (replaced + with the "bomb" flag) Gun Hog: - - tweak: Nanotrasen Robotics Division is proud to announce slightly less clunky - leg servo designs relating to the "Ripley" APLU and "Firefighter" exosuits. - Tests show increased mobility in both high and low pressure environments. The - previous designer has been fired for incompetence. + - tweak: + Nanotrasen Robotics Division is proud to announce slightly less clunky + leg servo designs relating to the "Ripley" APLU and "Firefighter" exosuits. + Tests show increased mobility in both high and low pressure environments. The + previous designer has been fired for incompetence. Improves tablets design: - - imageadd: Brings the tablet icons into the holy light of having depth + - imageadd: Brings the tablet icons into the holy light of having depth Joan: - - rscadd: Megafauna will now use ranged attacks even if they don't have direct vision - on their target. - - rscadd: Volt Void and Interdiction Lenses will now drain mech cells of energy. - - tweak: Ocular Wardens do slightly more damage to mechs. - - experiment: Replicant, Soul Vessel, Cogscarab, and Anima Fragment now take an - additional second to recite. - - tweak: Anima Fragments do slightly less damage in melee. - - tweak: Mending Motors and Clockwork Obelisks have slightly less health. - - tweak: Invoking Nezbere now requires 3 invokers. - - rscdel: Clockwork armor no longer has 5% energy resistance. - - bugfix: You can no longer construct clockwork structures on space turfs. + - rscadd: + Megafauna will now use ranged attacks even if they don't have direct vision + on their target. + - rscadd: Volt Void and Interdiction Lenses will now drain mech cells of energy. + - tweak: Ocular Wardens do slightly more damage to mechs. + - experiment: + Replicant, Soul Vessel, Cogscarab, and Anima Fragment now take an + additional second to recite. + - tweak: Anima Fragments do slightly less damage in melee. + - tweak: Mending Motors and Clockwork Obelisks have slightly less health. + - tweak: Invoking Nezbere now requires 3 invokers. + - rscdel: Clockwork armor no longer has 5% energy resistance. + - bugfix: You can no longer construct clockwork structures on space turfs. Papa Bones: - - tweak: BZ gas is no longer available on Box and Metastation layouts. + - tweak: BZ gas is no longer available on Box and Metastation layouts. phil235: - - tweak: You no longer have to click a megaphone to use it, you simply keep it in - your active hand and talk normally. - - rscadd: Added new things - - imageadd: added some icons and images + - tweak: + You no longer have to click a megaphone to use it, you simply keep it in + your active hand and talk normally. + - rscadd: Added new things + - imageadd: added some icons and images 2016-09-20: Ergovisavi: - - bugfix: fixed "friendly" xenobio mobs and mining drones attacking station drones + - bugfix: fixed "friendly" xenobio mobs and mining drones attacking station drones Joan: - - rscadd: Miners can now buy KA AoE damage mods from the mining vendor for 2000 - points per mod. - - rscadd: 'Combined the Convert and Sacrifice runes into one rune. It''ll convert - targets that are alive and eligible, and attempt to sacrifice them otherwise. - The only changes to mechanics are that: Converting someone will heal them of - all brute and burn damage they had, and sacrificing anything will always produce - a soulstone(but will still only sometimes fill it)' - - tweak: You can no longer teleport to Teleport runes that have dense objects on - top of them. - - experiment: Wall runes will now activate other nearby wall runes when activated, - but will automatically disable after a minute and a half of continuous activity - and become unusable for 5 seconds. - - experiment: The Blood Boil rune no longer does all of its damage instantly or - stuns, but if you remain in range for the full duration you will be sent deep - into critical. - - experiment: Bubblegum has been seen reaching through blood. Try not to get hit. - - experiment: The Raise Dead rune no longer requires a noncultist corpse to revive - a cultist; instead, it will draw from the pool of all people sacrificed to power - the rune. + - rscadd: + Miners can now buy KA AoE damage mods from the mining vendor for 2000 + points per mod. + - rscadd: + "Combined the Convert and Sacrifice runes into one rune. It'll convert + targets that are alive and eligible, and attempt to sacrifice them otherwise. + The only changes to mechanics are that: Converting someone will heal them of + all brute and burn damage they had, and sacrificing anything will always produce + a soulstone(but will still only sometimes fill it)" + - tweak: + You can no longer teleport to Teleport runes that have dense objects on + top of them. + - experiment: + Wall runes will now activate other nearby wall runes when activated, + but will automatically disable after a minute and a half of continuous activity + and become unusable for 5 seconds. + - experiment: + The Blood Boil rune no longer does all of its damage instantly or + stuns, but if you remain in range for the full duration you will be sent deep + into critical. + - experiment: Bubblegum has been seen reaching through blood. Try not to get hit. + - experiment: + The Raise Dead rune no longer requires a noncultist corpse to revive + a cultist; instead, it will draw from the pool of all people sacrificed to power + the rune. Mekhi: - - rscadd: Nanotrasen has been experimenting on cybernetics for a while, and rumors - are they have a few combat prototypes available... - - experiment: 'New arm implants: Energy-blade projector, implanted medical beamgun, - stun-arm implant (Like the borg version), flash implant that is automatically-regenerating - and doubles as a powerful flashlight. There is also one with all four items - in one. Also, a surgery toolkit implant. Adminspawn only for the moment.' + - rscadd: + Nanotrasen has been experimenting on cybernetics for a while, and rumors + are they have a few combat prototypes available... + - experiment: + "New arm implants: Energy-blade projector, implanted medical beamgun, + stun-arm implant (Like the borg version), flash implant that is automatically-regenerating + and doubles as a powerful flashlight. There is also one with all four items + in one. Also, a surgery toolkit implant. Adminspawn only for the moment." MrStonedOne: - - bugfix: Fixed space/nograv movement not triggering when atoms moved twice quickly - in space/nograv + - bugfix: + Fixed space/nograv movement not triggering when atoms moved twice quickly + in space/nograv Nanotrasen Stress Relief Board: - - rscadd: Latecomers to highlander can now join in on the fun. - - rscadd: The crew are encouraged to less pacifistic during highlander. Failing - to shed blood will result in your soul being devoured. Have a nice day. + - rscadd: Latecomers to highlander can now join in on the fun. + - rscadd: + The crew are encouraged to less pacifistic during highlander. Failing + to shed blood will result in your soul being devoured. Have a nice day. Nicho1010: - - bugfix: Fixed lattices appearing after exploding lava + - bugfix: Fixed lattices appearing after exploding lava Screemonster: - - tweak: Abandoned crates no longer accept impossible guesses. - - tweak: Lets players know that all the digits in the code must be unique. - - tweak: Reads the last guess back on the multitool along with the correct/incorrect - guess readout. - - bugfix: multitool output on crates no longer returns nonsense values. + - tweak: Abandoned crates no longer accept impossible guesses. + - tweak: Lets players know that all the digits in the code must be unique. + - tweak: + Reads the last guess back on the multitool along with the correct/incorrect + guess readout. + - bugfix: multitool output on crates no longer returns nonsense values. XDTM: - - rscadd: Positive viruses are now recognized by medical HUDs with a special icon. - - tweak: fully_heal no longer removes nonharmful viruses. This affects legion souls, - staffs of healing, and changeling's revive. - - rscadd: Canisters of any type of gas are now orderable in cargo. Dangerous experimental - gases will require Research Director approval. + - rscadd: Positive viruses are now recognized by medical HUDs with a special icon. + - tweak: + fully_heal no longer removes nonharmful viruses. This affects legion souls, + staffs of healing, and changeling's revive. + - rscadd: + Canisters of any type of gas are now orderable in cargo. Dangerous experimental + gases will require Research Director approval. Yackemflam: - - rscadd: The syndicate has learned on how to give their agents a true syndicate - ninja experience. + - rscadd: + The syndicate has learned on how to give their agents a true syndicate + ninja experience. chickenboy10: - - rscadd: Added a Experimental Limb Grower to the medbay department, now medical - stuff can grow synthetic limbs using Synthflesh to help crew that suffer any - work related accidents. There may also be a limb that can be grown with a special - card... + - rscadd: + Added a Experimental Limb Grower to the medbay department, now medical + stuff can grow synthetic limbs using Synthflesh to help crew that suffer any + work related accidents. There may also be a limb that can be grown with a special + card... feemjmeem: - - tweak: You can now disassemble meatspike frames with a welding tool. + - tweak: You can now disassemble meatspike frames with a welding tool. phil235: - - experiment: 'adds a talk button next to the crafting button. Clicking it makes - a "wheel" appear around you with short predetermined messages that you click - to say them. This lets you say common responses without having to type in the - chat bar. Current messages available are: "Hi", "Bye", "Thanks", "Come", "Help", - "Stop", "Get out", "Yes", and "No". The talk button can be activated with the - hotkey "H" or "CTRL+H"' - - rscadd: Wearing colored glasses colors your vision. This option can be enabled/disabled - by alt-clicking any glasses with such feature. + - experiment: + 'adds a talk button next to the crafting button. Clicking it makes + a "wheel" appear around you with short predetermined messages that you click + to say them. This lets you say common responses without having to type in the + chat bar. Current messages available are: "Hi", "Bye", "Thanks", "Come", "Help", + "Stop", "Get out", "Yes", and "No". The talk button can be activated with the + hotkey "H" or "CTRL+H"' + - rscadd: + Wearing colored glasses colors your vision. This option can be enabled/disabled + by alt-clicking any glasses with such feature. 2016-09-21: Cyberboss: - - bugfix: The food processor's sprite's maintenance panel is no longer open while - closed and vice/versa - - tweak: Tesla arcs no longer lose power when passing through a coil that isn't - connected to a grid + - bugfix: + The food processor's sprite's maintenance panel is no longer open while + closed and vice/versa + - tweak: + Tesla arcs no longer lose power when passing through a coil that isn't + connected to a grid MrStonedOne: - - bugfix: Fixes minimap generation crashes by making parts of it less precise + - bugfix: Fixes minimap generation crashes by making parts of it less precise 2016-09-23: Cyberboss: - - rscadd: Wire layouts of NanoTransen devices for the round can now be found in - the Station Blueprints + - rscadd: + Wire layouts of Nanotrasen devices for the round can now be found in + the Station Blueprints Incoming5643 + WJohnston: - - imageadd: Lizard sprites have received an overhaul, sprites courtesy of WJohnston! - - rscdel: While there are some new bits, a few old bits have gone by the wayside, - if your lizard has been affected by this the specific feature will be randomized - until you pick a new setting. - - rscadd: Lizards can now choose to have digitigrade legs (those weird backwards - bending ones). Keep in mind that they can only be properly seen in rather short - pants. They also preclude the use of shoes. By default no lizard will have these - legs, you have to opt in. - - rscadd: All ash walker lizards however are forced to have these legs. - - experiment: There is absolutely no tactical benefits to using digitigrade legs, - you are only crippling yourself if you use them. + - imageadd: Lizard sprites have received an overhaul, sprites courtesy of WJohnston! + - rscdel: + While there are some new bits, a few old bits have gone by the wayside, + if your lizard has been affected by this the specific feature will be randomized + until you pick a new setting. + - rscadd: + Lizards can now choose to have digitigrade legs (those weird backwards + bending ones). Keep in mind that they can only be properly seen in rather short + pants. They also preclude the use of shoes. By default no lizard will have these + legs, you have to opt in. + - rscadd: All ash walker lizards however are forced to have these legs. + - experiment: + There is absolutely no tactical benefits to using digitigrade legs, + you are only crippling yourself if you use them. Papa Bones: - - tweak: You can now quick-draw the officer's sabre from its sheath by alt-clicking - it. + - tweak: + You can now quick-draw the officer's sabre from its sheath by alt-clicking + it. XDTM: - - bugfix: Holy Water no longer leaves you stuttering for years. + - bugfix: Holy Water no longer leaves you stuttering for years. 2016-09-24: Cheridan: - - tweak: Nerfed Critical Hits + - tweak: Nerfed Critical Hits MrStonedOne: - - tweak: Orbits now use a subsystem. - - tweak: Orbits now bind to object's moving to allow for quicker updates, subsystem - fallback for when that doesn't work (for things inside of things or things that - move without announcing it) + - tweak: Orbits now use a subsystem. + - tweak: + Orbits now bind to object's moving to allow for quicker updates, subsystem + fallback for when that doesn't work (for things inside of things or things that + move without announcing it) XDTM: - - rscdel: Viruses start with 0 in every stat instead of 1. - - bugfix: Atomic Bomb, Pan-Galactic Gargle Blaster, Neurotoxin and Hippie's Delight - are now proper alcoholic drinks, and as such can disinfect, ignite, and be purged - by antihol. + - rscdel: Viruses start with 0 in every stat instead of 1. + - bugfix: + Atomic Bomb, Pan-Galactic Gargle Blaster, Neurotoxin and Hippie's Delight + are now proper alcoholic drinks, and as such can disinfect, ignite, and be purged + by antihol. optional name here: - - tweak: Changes cursed heart description to something slightly more clear. - - bugfix: Fixes a capitalization issue + - tweak: Changes cursed heart description to something slightly more clear. + - bugfix: Fixes a capitalization issue 2016-09-26: Cuboos: - - rscadd: Added E-cigarettes as contraband to cigarettes vending machines. They - take reagents instead of dried plants and also hold more than cigarettes or - pipes. You can modify them to puff out clouds of reagents or emag them to fill - a whole room with reagent vapor. - - rscadd: Added a new shirt to the clothing vendor relating to the newly added vapes. + - rscadd: + Added E-cigarettes as contraband to cigarettes vending machines. They + take reagents instead of dried plants and also hold more than cigarettes or + pipes. You can modify them to puff out clouds of reagents or emag them to fill + a whole room with reagent vapor. + - rscadd: Added a new shirt to the clothing vendor relating to the newly added vapes. Joan: - - tweak: Blobs will generally require fewer blobs to win during the blob mode, which - should hopefully make the mode end faster at lower overmind amounts. + - tweak: + Blobs will generally require fewer blobs to win during the blob mode, which + should hopefully make the mode end faster at lower overmind amounts. Razharas: - - rscadd: '"Kudzu now keeps the mutations it had before and thus can be properly - cultivated to be whatever you want"' + - rscadd: + '"Kudzu now keeps the mutations it had before and thus can be properly + cultivated to be whatever you want"' TheCarlSaganExpress: - - rscadd: You may now insert crayons, lipstick, penlights, or cigarettes in your - PDA. - - bugfix: Removing cartridges from the PDA will no longer cause them to automatically - fall to the floor. + - rscadd: + You may now insert crayons, lipstick, penlights, or cigarettes in your + PDA. + - bugfix: + Removing cartridges from the PDA will no longer cause them to automatically + fall to the floor. oranges: - - rscadd: It looks like a pizza delivery from an un-named station got misplaced + - rscadd: It looks like a pizza delivery from an un-named station got misplaced 2016-09-27: Cobby: - - tweak: Nanotrasen has buffed the electronic safety devices found in Secure Briefcases - and Wallsafes, making them... well... more secure. In Particular, we added more - wires that do absolutely nothing but hinder the use of the multitool, along - with removing the ID slot only used by syndicates to emag the safe. + - tweak: + Nanotrasen has buffed the electronic safety devices found in Secure Briefcases + and Wallsafes, making them... well... more secure. In Particular, we added more + wires that do absolutely nothing but hinder the use of the multitool, along + with removing the ID slot only used by syndicates to emag the safe. Incoming5643: - - rscadd: The secret satchels system has been updated to hide more smuggler's satchels - hidden randomly under the station - - experiment: In case you forgot about the secret satchel system, basically if you - take a smuggler's satchel (a traitor item also occasionally found under a random - tile in the station [USE T-RAYS]), stow away an item in it, and bury it under - the floor tiles that item can reappear in a random later round! + - rscadd: + The secret satchels system has been updated to hide more smuggler's satchels + hidden randomly under the station + - experiment: + In case you forgot about the secret satchel system, basically if you + take a smuggler's satchel (a traitor item also occasionally found under a random + tile in the station [USE T-RAYS]), stow away an item in it, and bury it under + the floor tiles that item can reappear in a random later round! MrStonedOne: - - tweak: Custom Round end sounds selected by admins will be preloaded to all clients - before actually rebooting the world + - tweak: + Custom Round end sounds selected by admins will be preloaded to all clients + before actually rebooting the world Shadowlight213: - - bugfix: Fixes broken icon states when replacing warning floor tile + - bugfix: Fixes broken icon states when replacing warning floor tile Supermichael777: - - tweak: Cat men have finally achieved equal discrimination. + - tweak: Cat men have finally achieved equal discrimination. TrustyGun+Pubby: - - imageadd: Lawyers now have unique speech bubbles. + - imageadd: Lawyers now have unique speech bubbles. XDTM: - - tweak: Using plasma on dark blue slimes will now spawn freon instead of arbitrarily - freezing mobs. + - tweak: + Using plasma on dark blue slimes will now spawn freon instead of arbitrarily + freezing mobs. uraniummeltdown: - - tweak: Protolathe stock parts now build 5 times faster + - tweak: Protolathe stock parts now build 5 times faster 2016-09-28: Cuboos: - - bugfix: Removed the admin message spam from the smoke_spread proc. You may now - vape in peace without the threat of a Blue Space Artillery + - bugfix: + Removed the admin message spam from the smoke_spread proc. You may now + vape in peace without the threat of a Blue Space Artillery LanCartwright: - - rscdel: Removed Stimulants and Coffee from survival pens. - - tweak: Nanites have been replaced with Mining Nanites which heal more when you - are lower health, and do not have the ridiculous healing Adminorazine had. + - rscdel: Removed Stimulants and Coffee from survival pens. + - tweak: + Nanites have been replaced with Mining Nanites which heal more when you + are lower health, and do not have the ridiculous healing Adminorazine had. 2016-10-01: Incoming5643: - - rscadd: After years of having to live on a mostly blown up hunk of junk the wizard's - ship has finally been repaired - - rscdel: No one paid attention to that lore anyway + - rscadd: + After years of having to live on a mostly blown up hunk of junk the wizard's + ship has finally been repaired + - rscdel: No one paid attention to that lore anyway 2016-10-07: WJohnston: - - imageadd: Improved/resprited AI card, pAI, easel/canvases, shotgun shells, RCD - cartridge, speedloaders, and certain older buttons. - - imageadd: Improved/resprited a few bar signs, basketball/dodgeball/hoop, blood - bags, and body bags. - - imageadd: Improved/resprited Paper, stamps, folders, small fires, pens, energy - daggers, cabinets, newspaper and other bureaucracy related items. + - imageadd: + Improved/resprited AI card, pAI, easel/canvases, shotgun shells, RCD + cartridge, speedloaders, and certain older buttons. + - imageadd: + Improved/resprited a few bar signs, basketball/dodgeball/hoop, blood + bags, and body bags. + - imageadd: + Improved/resprited Paper, stamps, folders, small fires, pens, energy + daggers, cabinets, newspaper and other bureaucracy related items. 2016-10-10: ChemicalRascal: - - bugfix: Previously, improving the incinerator's efficiency made the RPM decay - more quickly, instead of less quickly. No more! + - bugfix: + Previously, improving the incinerator's efficiency made the RPM decay + more quickly, instead of less quickly. No more! Cyberboss: - - rscadd: More reagent containers can be used for filling your dirty vapor cancer - sticks - - spellcheck: Fixed some vape spelling/grammar + - rscadd: + More reagent containers can be used for filling your dirty vapor cancer + sticks + - spellcheck: Fixed some vape spelling/grammar MrStonedOne: - - tweak: Player Preferences window made slightly faster. + - tweak: Player Preferences window made slightly faster. Nanotrasen Stress Relief Board: - - rscdel: Claymores created through Highlander no longer thirst for blood or announce - their wielder's location incessantly. - - bugfix: Claymores should now properly absorb fallen foes' corpses. - - bugfix: Losing a limb now properly destroys your claymore. + - rscdel: + Claymores created through Highlander no longer thirst for blood or announce + their wielder's location incessantly. + - bugfix: Claymores should now properly absorb fallen foes' corpses. + - bugfix: Losing a limb now properly destroys your claymore. Supermichael777: - - bugfix: The wizards federation have instituted a strict 1 demon limit on demon - bottles. + - bugfix: + The wizards federation have instituted a strict 1 demon limit on demon + bottles. XDTM: - - rscadd: Using blood on an Oil Slime will create Corn Oil. - - rscadd: Using blood on Pyrite Slimes will create a random crayon. - - rscadd: Using water on Orange Slimes will create a small smoke cloud. - - rscadd: Using water on Blue Slimes will spawn foam. - - rscadd: You can now retrieve materials inserted in a Drone Shell Dispenser with - a crowbar. + - rscadd: Using blood on an Oil Slime will create Corn Oil. + - rscadd: Using blood on Pyrite Slimes will create a random crayon. + - rscadd: Using water on Orange Slimes will create a small smoke cloud. + - rscadd: Using water on Blue Slimes will spawn foam. + - rscadd: + You can now retrieve materials inserted in a Drone Shell Dispenser with + a crowbar. phil235: - - rscadd: A whole bunch of structures and machines can now be broken and destroyed - using conventional attack methods. - - rscadd: The effect of fire on objects is overhauled. When on fire, your external - clothes now take fire damage and can become ashes, unless fire proof. All objects - caught in a fire can now take fire damage, instead of just flammable ones, unless - fire proof. - - rscadd: Acid effect is overhauled. Splashing acid on something puts a green effect - on it and start slowly melting it. Throwing acid on mobs puts acid on their - clothes. Acid can destroy structures and items alike, as long as they're not - acid proof. The more acid put on an object, the faster it melts. Walking on - an acid puddle puts acid on your shoes or burns your bare feet. Picking up an - item with acid without adequate glove protection burns your hand. Acid can be - washed away with any sort of water source (extinguisher, shower, water glass,etc...). - - rscadd: When a mob receives melee attacks, its clothes also get damaged. Clothes - with enough damage get a visual effect. Damaged clothes can be repaired with - cloth (produced with botany's biogenerator). Clothes that receives too much - melee damage become shreds. - - tweak: Clicking a structure/machine with an item on help intent can never result - in an attack. - - tweak: Hostile animals that are environment destroyers no longer destroys tables&closets - in one hit. It now takes several hits depending on the animal. + - rscadd: + A whole bunch of structures and machines can now be broken and destroyed + using conventional attack methods. + - rscadd: + The effect of fire on objects is overhauled. When on fire, your external + clothes now take fire damage and can become ashes, unless fire proof. All objects + caught in a fire can now take fire damage, instead of just flammable ones, unless + fire proof. + - rscadd: + Acid effect is overhauled. Splashing acid on something puts a green effect + on it and start slowly melting it. Throwing acid on mobs puts acid on their + clothes. Acid can destroy structures and items alike, as long as they're not + acid proof. The more acid put on an object, the faster it melts. Walking on + an acid puddle puts acid on your shoes or burns your bare feet. Picking up an + item with acid without adequate glove protection burns your hand. Acid can be + washed away with any sort of water source (extinguisher, shower, water glass,etc...). + - rscadd: + When a mob receives melee attacks, its clothes also get damaged. Clothes + with enough damage get a visual effect. Damaged clothes can be repaired with + cloth (produced with botany's biogenerator). Clothes that receives too much + melee damage become shreds. + - tweak: + Clicking a structure/machine with an item on help intent can never result + in an attack. + - tweak: + Hostile animals that are environment destroyers no longer destroys tables&closets + in one hit. It now takes several hits depending on the animal. 2016-10-11: Cyberboss: - - rscadd: The waste line now has a digital valve leading to space (off by default) - along with a port on it's far side + - rscadd: + The waste line now has a digital valve leading to space (off by default) + along with a port on it's far side Incoming5643: - - rscadd: Wizards may finally use jaunt and blink on the escape shuttle. Maybe elsewhere - too? - - bugfix: The previously broken radios in the wizards den should work now. You still - have to turn them on though. + - rscadd: + Wizards may finally use jaunt and blink on the escape shuttle. Maybe elsewhere + too? + - bugfix: + The previously broken radios in the wizards den should work now. You still + have to turn them on though. Kor: - - rscadd: Added frogs, with sprites by WJ and sounds by Cuboos. + - rscadd: Added frogs, with sprites by WJ and sounds by Cuboos. Papa Bones: - - rscadd: Flora now spawns in lavaland tunnels, they can be harvested with a knife. - - rscadd: Flora have a range of effects, be careful what you eat! - - bugfix: You harvest flora on lavaland with your hands, not a knife. My bad. + - rscadd: Flora now spawns in lavaland tunnels, they can be harvested with a knife. + - rscadd: Flora have a range of effects, be careful what you eat! + - bugfix: You harvest flora on lavaland with your hands, not a knife. My bad. Shadowlight213: - - rscadd: Cargo can order the antimatter engine + - rscadd: Cargo can order the antimatter engine 2016-10-12: Cyberboss: - - bugfix: Fixed motion alarms instantly triggering and de/un/re/triggering - - bugfix: Airlock speed mode now works + - bugfix: Fixed motion alarms instantly triggering and de/un/re/triggering + - bugfix: Airlock speed mode now works Joan: - - rscadd: You can now deconstruct AI cores that contain no actual AI. + - rscadd: You can now deconstruct AI cores that contain no actual AI. WJohnston: - - imageadd: Recolored and resprited candles and ID cards. Folders should have improved - color contrast. + - imageadd: + Recolored and resprited candles and ID cards. Folders should have improved + color contrast. XDTM: - - rscadd: Exhausted slime extracts will now dissolve instead of leaving useless - used slime extracts. - - tweak: Airlocks are now immune to any damage below 20, to prevent pickaxe prison - breaks. - - tweak: High-Security Airlocks, such as the vault or the AI core's airlocks, are - now immune to any damage below 30. + - rscadd: + Exhausted slime extracts will now dissolve instead of leaving useless + used slime extracts. + - tweak: + Airlocks are now immune to any damage below 20, to prevent pickaxe prison + breaks. + - tweak: + High-Security Airlocks, such as the vault or the AI core's airlocks, are + now immune to any damage below 30. 2016-10-13: Razharas: - - tweak: Makes clicking something in heat of battle a bit easier by making drag&drops - that dont have any effect be counted as clicks + - tweak: + Makes clicking something in heat of battle a bit easier by making drag&drops + that dont have any effect be counted as clicks XDTM: - - rscadd: 'Added four new symptoms: Regeneration and Tissue Regrowth heal respectively - brute and burn damage slowly; Flesh Mending and Heat Resistance are the level - 8 version of those symptoms, and heal faster.' - - rscdel: The Toxic Compensation, Toxic Metabolism and Stimulants symptoms have - been removed. - - rscdel: Viruses no longer stack. Viruses can be overridden if the infecting virus - has higher transmittability than the previous virus' resistance. - - tweak: Viruses can now have 8 symptoms, up from 6. - - rscadd: You can now store monkey cubes in bio bags; using bio bags on the consoles - will load them with the monkey cubes inside the bags. + - rscadd: + "Added four new symptoms: Regeneration and Tissue Regrowth heal respectively + brute and burn damage slowly; Flesh Mending and Heat Resistance are the level + 8 version of those symptoms, and heal faster." + - rscdel: + The Toxic Compensation, Toxic Metabolism and Stimulants symptoms have + been removed. + - rscdel: + Viruses no longer stack. Viruses can be overridden if the infecting virus + has higher transmittability than the previous virus' resistance. + - tweak: Viruses can now have 8 symptoms, up from 6. + - rscadd: + You can now store monkey cubes in bio bags; using bio bags on the consoles + will load them with the monkey cubes inside the bags. ma44: - - rscadd: Cargo can now order a 2500 supply point crate that requires a QM or above - to unlock. This crates contains a explorer suit, compact pickaxe, mesons, and - a bag to hold ore with. + - rscadd: + Cargo can now order a 2500 supply point crate that requires a QM or above + to unlock. This crates contains a explorer suit, compact pickaxe, mesons, and + a bag to hold ore with. 2016-10-16: Cuboos: - - rscadd: Added a new unique tool belt to the CE - - rscadd: Added new power tools, a hand drill that can be used as a screw driver - or wrench and jaws of life which can be used as either a crowbar or wire cutters - - rscadd: Power tools can also be made from the protolathe with engineering and - electromagnet 6 - - tweak: slightly revamped how construction/deconstruction handle sound - - soundadd: added new sounds for the power tools - - soundadd: added a new sound for activating and deactivating welding tools, just - because. + - rscadd: Added a new unique tool belt to the CE + - rscadd: + Added new power tools, a hand drill that can be used as a screw driver + or wrench and jaws of life which can be used as either a crowbar or wire cutters + - rscadd: + Power tools can also be made from the protolathe with engineering and + electromagnet 6 + - tweak: slightly revamped how construction/deconstruction handle sound + - soundadd: added new sounds for the power tools + - soundadd: + added a new sound for activating and deactivating welding tools, just + because. Cyberboss: - - bugfix: Plasma fires no longer cause cameras to break. + - bugfix: Plasma fires no longer cause cameras to break. Joan: - - tweak: Blazing Oil blobs are now outright immune to fire. This does not affect - damage taken from other sources that happen to do burn damage. - - tweak: Normal blob spores now take two welder hits to die, from three. - - tweak: Cyborgs now die much less rapidly to blob attacks. + - tweak: + Blazing Oil blobs are now outright immune to fire. This does not affect + damage taken from other sources that happen to do burn damage. + - tweak: Normal blob spores now take two welder hits to die, from three. + - tweak: Cyborgs now die much less rapidly to blob attacks. Lzimann: - - tweak: 'Changed two admin hotkeys: f7 is now stealth-mode and f8 to toggle-build-mode-self.' + - tweak: "Changed two admin hotkeys: f7 is now stealth-mode and f8 to toggle-build-mode-self." Shadowlight213: - - bugfix: Modular consoles have been fixed. + - bugfix: Modular consoles have been fixed. Supermichael777: - - tweak: Changeling Sting is now one part screwdriver cocktail and 2 parts lemon-lime - soda. - - bugfix: Triple citrus now actually displays its sprite. + - tweak: + Changeling Sting is now one part screwdriver cocktail and 2 parts lemon-lime + soda. + - bugfix: Triple citrus now actually displays its sprite. Yackemflam: - - tweak: extinguishers now spray faster + - tweak: extinguishers now spray faster coiax: - - rscadd: RCDs have a Toggle Window Type verb allowing the rapid construction of - reinforced windows, rather than regular windows. - - rscadd: RCDs can now finish and deconstruct wall girders. + - rscadd: + RCDs have a Toggle Window Type verb allowing the rapid construction of + reinforced windows, rather than regular windows. + - rscadd: RCDs can now finish and deconstruct wall girders. phil235: - - tweak: Clicking a floor with a bodybag or roller bed now deploys them directly - (and the bodybag starts open) + - tweak: + Clicking a floor with a bodybag or roller bed now deploys them directly + (and the bodybag starts open) scoopscoop: - - bugfix: The cult shifter will now properly spawn as part of the veil walker set. + - bugfix: The cult shifter will now properly spawn as part of the veil walker set. 2016-10-18: Basilman: - - rscadd: A third martial art, CQC, has been added and is now available to nuke - ops instead of sleeping carp + - rscadd: + A third martial art, CQC, has been added and is now available to nuke + ops instead of sleeping carp Kor: - - rscadd: Added sloths to cargobay on Box and Meta + - rscadd: Added sloths to cargobay on Box and Meta MrPerson: - - rscadd: New toxin - Rotatium. It doesn't quite do what it does on other servers. - Instead it rocks your game view back and forth while slowly doing toxin damage. - The rocking gets more intense with time. - - rscadd: To make it, mix equal parts mindbreaker, neurotoxin, and teslium. + - rscadd: + New toxin - Rotatium. It doesn't quite do what it does on other servers. + Instead it rocks your game view back and forth while slowly doing toxin damage. + The rocking gets more intense with time. + - rscadd: To make it, mix equal parts mindbreaker, neurotoxin, and teslium. MrStonedOne: - - experiment: Byond 511 beta users may now choose their own FPS. This will apply - to animations and other client side only effects. Find it in your game preferences. + - experiment: + Byond 511 beta users may now choose their own FPS. This will apply + to animations and other client side only effects. Find it in your game preferences. Shadowlight213: - - bugfix: fixed removing modular computer components + - bugfix: fixed removing modular computer components TheCarlSaganExpress: - - tweak: Provided you have access, you may now use your ID to unlock the display - case. - - tweak: The fire axe cabinet and display case may now be repaired with the welder. + - tweak: + Provided you have access, you may now use your ID to unlock the display + case. + - tweak: The fire axe cabinet and display case may now be repaired with the welder. XDTM: - - rscadd: You can now grind slime extracts in a reagent grinder. If the slime was - unused it will result in slime jelly, while if used it will only output the - reagents inside the extract. + - rscadd: + You can now grind slime extracts in a reagent grinder. If the slime was + unused it will result in slime jelly, while if used it will only output the + reagents inside the extract. Yackemflam: - - bugfix: fixed the standard vest being weaker than the slim variant + - bugfix: fixed the standard vest being weaker than the slim variant lordpidey: - - rscadd: There is a new potential obligation for devils to have. Musical duels. Ask - your nearest devil for a musical duel, there's a 14% chance he's obligated to - do it. - - rscdel: Removed the old offering a drink obligation for devils, it overlapped - too much with the food obligation. - - tweak: Trying to clone people who've sold their soul now results in FUN. - - tweak: Devils can no longer spam ghosts with revival contracts. + - rscadd: + There is a new potential obligation for devils to have. Musical duels. Ask + your nearest devil for a musical duel, there's a 14% chance he's obligated to + do it. + - rscdel: + Removed the old offering a drink obligation for devils, it overlapped + too much with the food obligation. + - tweak: Trying to clone people who've sold their soul now results in FUN. + - tweak: Devils can no longer spam ghosts with revival contracts. phil235: - - rscadd: Visual effects appear on the target of an attack, similar to the item - attack effect. - - rscdel: You now only see a message in chat when witnessing someone else getting - attacked or hit by a bullet if you are close enough to the action. + - rscadd: + Visual effects appear on the target of an attack, similar to the item + attack effect. + - rscdel: + You now only see a message in chat when witnessing someone else getting + attacked or hit by a bullet if you are close enough to the action. 2016-10-19: Cyberboss: - - bugfix: Physically speaking is no longer delayed by your radio's lag - - bugfix: You can now attack doors with fireaxes and crowbars when using the harm - intent - - tweak: The BSA is no longer ready to fire when constructed - - bugfix: The BSA can no longer be reloaded faster by rebuilding the console + - bugfix: Physically speaking is no longer delayed by your radio's lag + - bugfix: + You can now attack doors with fireaxes and crowbars when using the harm + intent + - tweak: The BSA is no longer ready to fire when constructed + - bugfix: The BSA can no longer be reloaded faster by rebuilding the console MrStonedOne: - - tweak: tweaked the settings of the space drift subsystem to be less effected by - anti-lag slowdowns + - tweak: + tweaked the settings of the space drift subsystem to be less effected by + anti-lag slowdowns Pubby: - - rscadd: 'A new map: PubbyStation. Set it to your favorite in map preferences!' + - rscadd: "A new map: PubbyStation. Set it to your favorite in map preferences!" XDTM: - - rscadd: PanD.E.M.I.C. now displays the statistics of the viruses inside. + - rscadd: PanD.E.M.I.C. now displays the statistics of the viruses inside. phil235: - - tweak: Made the singularity gen and tesla gen immune to fire. - - tweak: All unique traitor steal objective item are now immune to all damage except - severity=1 explosion. - - tweak: Mobs on fire no longer get damage to their worn backpacks, belts, id, pocket - stuff, and suit storage. - - bugfix: Mob receiving melee attacks now only have its outer layer of clothes damaged, - e.g. no damage to jumpsuit when wearing a suit. - - bugfix: now all hardsuit have 50% more health, as intended. + - tweak: Made the singularity gen and tesla gen immune to fire. + - tweak: + All unique traitor steal objective item are now immune to all damage except + severity=1 explosion. + - tweak: + Mobs on fire no longer get damage to their worn backpacks, belts, id, pocket + stuff, and suit storage. + - bugfix: + Mob receiving melee attacks now only have its outer layer of clothes damaged, + e.g. no damage to jumpsuit when wearing a suit. + - bugfix: now all hardsuit have 50% more health, as intended. wrist: - - rscadd: Toxins is different now. + - rscadd: Toxins is different now. 2016-10-21: Adam E.: - - tweak: Added cargo and engi access to auxillary mine base launching console. + - tweak: Added cargo and engi access to auxillary mine base launching console. Cyberboss: - - tweak: Your brain is now gibbed upon chestburst - - bugfix: The safe is indestructible again + - tweak: Your brain is now gibbed upon chestburst + - bugfix: The safe is indestructible again Joan: - - rscadd: Wraith Spectacles will now slowly repair the eye damage they did to you - as long as you aren't wearing them. - - experiment: You can now see how much eye damage the spectacles have done to you - overall, as well as how close you are to being nearsighted/blinded. - - tweak: Mending Motors heal for more. - - wip: Mania Motors are overall more powerful; they have greater effect, but require - more power to run and less power to convert adjacent targets. - - experiment: Interdiction Lenses no longer require power to disrupt electronics - and will no longer disrupt the radios of servants. - - bugfix: You need to be holding teleport talismans and wizard teleport scrolls - in your hands when you finish the input, and cannot simply open the input and - finish it whenever you get stunned. - - tweak: The range for seeing visible messages in combat is a tile higher. + - rscadd: + Wraith Spectacles will now slowly repair the eye damage they did to you + as long as you aren't wearing them. + - experiment: + You can now see how much eye damage the spectacles have done to you + overall, as well as how close you are to being nearsighted/blinded. + - tweak: Mending Motors heal for more. + - wip: + Mania Motors are overall more powerful; they have greater effect, but require + more power to run and less power to convert adjacent targets. + - experiment: + Interdiction Lenses no longer require power to disrupt electronics + and will no longer disrupt the radios of servants. + - bugfix: + You need to be holding teleport talismans and wizard teleport scrolls + in your hands when you finish the input, and cannot simply open the input and + finish it whenever you get stunned. + - tweak: The range for seeing visible messages in combat is a tile higher. Screemonster: - - tweak: The anti-tamper mechanism on abandoned crates now resists tampering. - - tweak: Secure, non-abandoned crates can be given a %chance of exploding when tampered - with. Defaults to 0. + - tweak: The anti-tamper mechanism on abandoned crates now resists tampering. + - tweak: + Secure, non-abandoned crates can be given a %chance of exploding when tampered + with. Defaults to 0. Shadowlight213: - - bugfix: The Swap minds wizard event will now function + - bugfix: The Swap minds wizard event will now function Swindly: - - rscadd: The action button for a dental implant now includes the name of the pill - - bugfix: The pill activation button now properly displays the pill's icon + - rscadd: The action button for a dental implant now includes the name of the pill + - bugfix: The pill activation button now properly displays the pill's icon uraniummeltdown: - - rscadd: Adds more replacements to the Swedish gene + - rscadd: Adds more replacements to the Swedish gene 2016-10-22: Shadowlight213: - - experiment: Breathing has been moved from species to the lung organ - - rscadd: Lung transplants are now possible! + - experiment: Breathing has been moved from species to the lung organ + - rscadd: Lung transplants are now possible! 2016-10-23: Cyberboss: - - bugfix: Fixed a bug that caused door buttons to open doors one after another rather - than simultaneously like they are suppose to - - bugfix: NOHUNGER species no longer hunger - - bugfix: Appropriate gloves now protect you from getting burned by cheap cigarette - lighters - - rscdel: Labcoats no longer have pockets + - bugfix: + Fixed a bug that caused door buttons to open doors one after another rather + than simultaneously like they are suppose to + - bugfix: NOHUNGER species no longer hunger + - bugfix: + Appropriate gloves now protect you from getting burned by cheap cigarette + lighters + - rscdel: Labcoats no longer have pockets Yackemflam: - - tweak: Riot helmets are now more useful in melee situations and the standard helmet - is now slightly weaker + - tweak: + Riot helmets are now more useful in melee situations and the standard helmet + is now slightly weaker uraniummeltdown: - - rscadd: Atmos grenades are now in the game and uplink + - rscadd: Atmos grenades are now in the game and uplink 2016-10-24: Batman: - - tweak: The sniper rifle descriptions are less edgy. + - tweak: The sniper rifle descriptions are less edgy. Cobby: - - rscadd: Finally, a way to relate to Bees! + - rscadd: Finally, a way to relate to Bees! Cyberboss: - - bugfix: Morphs no longer gain the transparency of chameleons - - bugfix: Turrets can no longer shoot when unwrenched - - bugfix: Spray bottle can now be used in the chem dispenser + - bugfix: Morphs no longer gain the transparency of chameleons + - bugfix: Turrets can no longer shoot when unwrenched + - bugfix: Spray bottle can now be used in the chem dispenser Joan: - - rscadd: Clockwork marauders now have a HUD, showing block chance, counter chance, - health, fatigue, and host health(if applicable), as well as including a button - to try to emerge/recall. - - experiment: Clockwork marauders can now block bullets and thrown items, even if - Ratvar has not risen. - - rscadd: The Judicial Visor no longer requires an open hand to use. Instead, clicking - the button will give you a target selector to place the Judicial Marker. - - experiment: Tinkerer's Daemons are now a structure instead of a Cache addon. - - wip: Tinkerer's Daemons now consume a small amount of power when producing a component, - but produce components every 12 seconds with no additional delay. - - tweak: Adjusted the costs of the Tinkerer's Daemon and Interdiction Lens. - - imageadd: Floaty component images appear when Tinkerer's Caches and Daemons produce - components. + - rscadd: + Clockwork marauders now have a HUD, showing block chance, counter chance, + health, fatigue, and host health(if applicable), as well as including a button + to try to emerge/recall. + - experiment: + Clockwork marauders can now block bullets and thrown items, even if + Ratvar has not risen. + - rscadd: + The Judicial Visor no longer requires an open hand to use. Instead, clicking + the button will give you a target selector to place the Judicial Marker. + - experiment: Tinkerer's Daemons are now a structure instead of a Cache addon. + - wip: + Tinkerer's Daemons now consume a small amount of power when producing a component, + but produce components every 12 seconds with no additional delay. + - tweak: Adjusted the costs of the Tinkerer's Daemon and Interdiction Lens. + - imageadd: + Floaty component images appear when Tinkerer's Caches and Daemons produce + components. MrStonedOne: - - bugfix: Spectral sword now tracks orbiting ghosts correctly. + - bugfix: Spectral sword now tracks orbiting ghosts correctly. Shadowlight213: - - imageadd: Damaged airlocks now have a sparking effect + - imageadd: Damaged airlocks now have a sparking effect Swindly: - - rscadd: Added a button to the ChemMaster that dispenses the entire buffer to bottles. + - rscadd: Added a button to the ChemMaster that dispenses the entire buffer to bottles. ma44: - - rscadd: Reminds the user that reading or writing a book is stupid. + - rscadd: Reminds the user that reading or writing a book is stupid. 2016-10-27: Chowder McArthor: - - rscadd: Added a neck slot. - - tweak: Modified some of the attachment items (ties, scarves, etc) to be neck slot - items instead. + - rscadd: Added a neck slot. + - tweak: + Modified some of the attachment items (ties, scarves, etc) to be neck slot + items instead. Cyberboss: - - rscadd: NEW HOTKEYS - - rscadd: The number pad can be used to select the body part you want to target - (Cycle through head -> eyes -> mouth with 8) in hotkey mode. Be sure Numlock - is on! - - rscadd: Holding shift can be used as a modifier to your current run state in both - hotkey and normal mode. - - bugfix: Emag can no longer be spammed on shuttle console + - rscadd: NEW HOTKEYS + - rscadd: + The number pad can be used to select the body part you want to target + (Cycle through head -> eyes -> mouth with 8) in hotkey mode. Be sure Numlock + is on! + - rscadd: + Holding shift can be used as a modifier to your current run state in both + hotkey and normal mode. + - bugfix: Emag can no longer be spammed on shuttle console Gun Hog: - - bugfix: Fixed AIs uploaded to mechs having their camera view stuck to their card. + - bugfix: Fixed AIs uploaded to mechs having their camera view stuck to their card. Joan: - - rscadd: Clockwork Floors now have a glow when healing servants of toxin damage. - Only other servants can see it, so don't get any funny ideas. - - bugfix: The Interdiction Lens now properly has a high Belligerent Eye cost instead - of a high Replicant Alloy cost. + - rscadd: + Clockwork Floors now have a glow when healing servants of toxin damage. + Only other servants can see it, so don't get any funny ideas. + - bugfix: + The Interdiction Lens now properly has a high Belligerent Eye cost instead + of a high Replicant Alloy cost. Pubby: - - tweak: PubbyStation's bar is now themed like a spooky castle! + - tweak: PubbyStation's bar is now themed like a spooky castle! Swindly: - - bugfix: Chem implants can now be properly filled and implanted + - bugfix: Chem implants can now be properly filled and implanted WJohnston: - - rscadd: Adds an unlocked miner equipment locker on Boxstation and Metastation's - Aux Base Construction area, as well as a telescreen to the camera inside. All - mining outpost computers can also see through that camera. + - rscadd: + Adds an unlocked miner equipment locker on Boxstation and Metastation's + Aux Base Construction area, as well as a telescreen to the camera inside. All + mining outpost computers can also see through that camera. lordpidey: - - rscadd: The wizard federation has teamed up with various LARP groups to invent - a new type of spell. + - rscadd: + The wizard federation has teamed up with various LARP groups to invent + a new type of spell. 2016-10-28: Erwgd: - - rscadd: You can now use cloth to make black or fingerless gloves. - - tweak: Biogenerators require less biomass to produce botanist's leather gloves. + - rscadd: You can now use cloth to make black or fingerless gloves. + - tweak: Biogenerators require less biomass to produce botanist's leather gloves. Tacolizard: - - rscadd: Added a new contraband crate to cargo, the ATV crate. + - rscadd: Added a new contraband crate to cargo, the ATV crate. 2016-10-29: Chowder McArthor: - - bugfix: Added in icons for the neck slot for the other huds. + - bugfix: Added in icons for the neck slot for the other huds. Cobby: - - rscadd: Adds several Halloween-Themed Emojis. See if you can get them all! [no - code diving cheaters!] + - rscadd: + Adds several Halloween-Themed Emojis. See if you can get them all! [no + code diving cheaters!] Erwgd: - - rscadd: The NanoMed Plus now stocks premium items. + - rscadd: The NanoMed Plus now stocks premium items. Joan: - - experiment: Guvax is now targeted; invoking it charges your slab to bind and start - converting the next target attacked in melee within 10 seconds. This makes your - slab visible in-hand. - - tweak: Above 5 Servants, the invocation to charge your slab is not whispered, - and the conversion time is increased for each Servant above 5. - - wip: Using Guvax on an already bound target will stun them. The bound target can - resist out, which will prevent conversion. - - experiment: Sentinel's Compromise is now targeted, like Guvax, but can select - any target in vision range. - - rscadd: Sentinel's Compromise now also removes holy water from the target Servant. - - wip: Clicking your slab will cancel these scriptures. - - imageadd: Both of these will change your cursor, to make it obvious they're active - and you can't do anything else. - - rscadd: Arks of the Clockwork Justicar that do not summon Ratvar will still quick-call - the shuttle. - - bugfix: Clockwork structures that return power can now return power to the APC - of the area they're in if there happens to be one. - - bugfix: Clockwork structures that use power from an APC will cause that APC to - start charging and update the tgUI of anyone looking at the APC. - - bugfix: Converting metal, rods, or plasteel to brass with a clockwork proselytizer - while holding it will no longer leave a remainder inside of you. - - tweak: Plasteel to brass is now a 2:1 ratio, from a 2.5:1 ratio. Accordingly, - you now only need 2 sheets of plasteel to convert it to brass instead of 10 - sheets. - - tweak: Wall gears are now converted to brass sheets instead of directly to alloy. - - rscdel: You can no longer do other proselytizer actions while refueling from a - cache. - - bugfix: Fixed a bug where certain stacks wouldn't merge with other stacks, even - when they should have been. - - bugfix: Clockwork structures constructed from brass sheets now all have appropriate - construction value to replicant alloy ratios. - - bugfix: Tinkerer's Caches no longer need to see a clockwork wall to link to it - and generate components. + - experiment: + Guvax is now targeted; invoking it charges your slab to bind and start + converting the next target attacked in melee within 10 seconds. This makes your + slab visible in-hand. + - tweak: + Above 5 Servants, the invocation to charge your slab is not whispered, + and the conversion time is increased for each Servant above 5. + - wip: + Using Guvax on an already bound target will stun them. The bound target can + resist out, which will prevent conversion. + - experiment: + Sentinel's Compromise is now targeted, like Guvax, but can select + any target in vision range. + - rscadd: Sentinel's Compromise now also removes holy water from the target Servant. + - wip: Clicking your slab will cancel these scriptures. + - imageadd: + Both of these will change your cursor, to make it obvious they're active + and you can't do anything else. + - rscadd: + Arks of the Clockwork Justicar that do not summon Ratvar will still quick-call + the shuttle. + - bugfix: + Clockwork structures that return power can now return power to the APC + of the area they're in if there happens to be one. + - bugfix: + Clockwork structures that use power from an APC will cause that APC to + start charging and update the tgUI of anyone looking at the APC. + - bugfix: + Converting metal, rods, or plasteel to brass with a clockwork proselytizer + while holding it will no longer leave a remainder inside of you. + - tweak: + Plasteel to brass is now a 2:1 ratio, from a 2.5:1 ratio. Accordingly, + you now only need 2 sheets of plasteel to convert it to brass instead of 10 + sheets. + - tweak: Wall gears are now converted to brass sheets instead of directly to alloy. + - rscdel: + You can no longer do other proselytizer actions while refueling from a + cache. + - bugfix: + Fixed a bug where certain stacks wouldn't merge with other stacks, even + when they should have been. + - bugfix: + Clockwork structures constructed from brass sheets now all have appropriate + construction value to replicant alloy ratios. + - bugfix: + Tinkerer's Caches no longer need to see a clockwork wall to link to it + and generate components. MrStonedOne: - - experiment: Shoes do not go on heads. + - experiment: Shoes do not go on heads. NikNak: - - rscadd: Action figures are finally winnable at arcade machines. Comes in boxes - of 4. + - rscadd: + Action figures are finally winnable at arcade machines. Comes in boxes + of 4. Pubby: - - rscadd: The holodeck has been upgraded with new programs. Try them out! + - rscadd: The holodeck has been upgraded with new programs. Try them out! Shadowlight213: - - rscdel: The HOS and other heads of staff no longer have a chance to be revheads + - rscdel: The HOS and other heads of staff no longer have a chance to be revheads TehZombehz: - - tweak: Custom food items can now fit inside of smaller containers, such as paper - sacks. - - rscadd: Small cartons can be crafted using 1 piece of cardboard. Don't be late - for school. - - rscadd: Apples can now be juiced for apple juice. Chocolate milk can now be crafted - using milk and cocoa. - - tweak: Chocolate bar recipe has been modified to compensate for chocolate milk. - The soy milk version of the chocolate bar recipe remains unchanged. - - bugfix: Grapes can now be properly juiced for grape juice using a grinder. + - tweak: + Custom food items can now fit inside of smaller containers, such as paper + sacks. + - rscadd: + Small cartons can be crafted using 1 piece of cardboard. Don't be late + for school. + - rscadd: + Apples can now be juiced for apple juice. Chocolate milk can now be crafted + using milk and cocoa. + - tweak: + Chocolate bar recipe has been modified to compensate for chocolate milk. + The soy milk version of the chocolate bar recipe remains unchanged. + - bugfix: Grapes can now be properly juiced for grape juice using a grinder. XDTM: - - tweak: Wizards no longer need sandals to cast robed spells. + - tweak: Wizards no longer need sandals to cast robed spells. Xhuis: - - rscadd: Syndicate and malfunctioning AIs may now be transferred onto an intelliCard - if their parent core has been destroyed. This may only be done with the AI's - consent, and the AI may not be re-transferred onto another APC or the APC it - came from. - - rscadd: New additions have been made for this Halloween and all future ones. Happy - Halloween! + - rscadd: + Syndicate and malfunctioning AIs may now be transferred onto an intelliCard + if their parent core has been destroyed. This may only be done with the AI's + consent, and the AI may not be re-transferred onto another APC or the APC it + came from. + - rscadd: + New additions have been made for this Halloween and all future ones. Happy + Halloween! ma44: - - rscadd: You can now solidify liquid gold into sheets of gold with frostoil and - a very little amount of iron + - rscadd: + You can now solidify liquid gold into sheets of gold with frostoil and + a very little amount of iron 2016-10-30: Joan: - - rscadd: The Recollection option in the Clockwork Slab has been significantly improved, - with a better information to fluff ratio, and the ability to toggle which tiers - of scripture that are visible in Recollection. + - rscadd: + The Recollection option in the Clockwork Slab has been significantly improved, + with a better information to fluff ratio, and the ability to toggle which tiers + of scripture that are visible in Recollection. Lzimann: - - bugfix: You can once again order books by its ID in the library. + - bugfix: You can once again order books by its ID in the library. Mysak0CZ: - - bugfix: You no longer need to deconstruct emagged (or AI-hacked) APC to fix them, - replacing board is sufficient - - bugfix: You can no longer unlock AI-hacked APCs - - bugfix: Removing APC's and SMES's terminal no longer ignore current tool's speed - - rscadd: You can repair APC's cover (only if APC is not compleatly broken) by using - APC frame on it - - rscadd: closing APC's cover will lock it + - bugfix: + You no longer need to deconstruct emagged (or AI-hacked) APC to fix them, + replacing board is sufficient + - bugfix: You can no longer unlock AI-hacked APCs + - bugfix: Removing APC's and SMES's terminal no longer ignore current tool's speed + - rscadd: + You can repair APC's cover (only if APC is not compleatly broken) by using + APC frame on it + - rscadd: closing APC's cover will lock it bgobandit: - - rscadd: The creepy clown epidemic has arrived at Space Station 13. - - rscadd: Honk. + - rscadd: The creepy clown epidemic has arrived at Space Station 13. + - rscadd: Honk. 2016-10-31: Joan: - - experiment: Brass windows will now survive two fireaxe hits, and are slightly - more resistant to bullets. + - experiment: + Brass windows will now survive two fireaxe hits, and are slightly + more resistant to bullets. Lzimann: - - rscdel: Changelings no longer have the Swap Forms ability. + - rscdel: Changelings no longer have the Swap Forms ability. Xhuis: - - rscadd: Disposal units, outlets, etc. are now fireproof. - - rscadd: Changelings can now use biodegrade to escape silk cocoons. + - rscadd: Disposal units, outlets, etc. are now fireproof. + - rscadd: Changelings can now use biodegrade to escape silk cocoons. 2016-11-02: Iamgoofball: - - rscadd: Added a new lobby menu sound. + - rscadd: Added a new lobby menu sound. Joan: - - rscdel: Brass windows and windoors no longer drop full sheets of brass when destroyed. - - rscadd: Instead, they'll drop gear bits, which can be proselytized for a small - amount of liquified alloy; 80% of the materials used to construct the window. - - tweak: Mending Motors have an increased range and heal for more. - - experiment: Mending Motors will no longer waste massive amounts of power on slightly - damaged objects; instead, they will heal a small amount, use a small amount - of power, and stop if the object is fully healed. - - wip: Mending Motors can now heal all clockwork objects, including pinion airlocks, - brass windows, and anything else you can think of. - - rscadd: Ocular Wardens will no longer attack targets that are handcuffed, buckled - to something AND lying, or in the process of being converted by Guvax. - - tweak: Also, they do very slightly more damage. - - rscdel: Hulks no longer one-shot most clockwork structures and will no longer - four-shot the Gateway to the Celestial Derelict. - - bugfix: Hulks are no longer a blob counter. + - rscdel: Brass windows and windoors no longer drop full sheets of brass when destroyed. + - rscadd: + Instead, they'll drop gear bits, which can be proselytized for a small + amount of liquified alloy; 80% of the materials used to construct the window. + - tweak: Mending Motors have an increased range and heal for more. + - experiment: + Mending Motors will no longer waste massive amounts of power on slightly + damaged objects; instead, they will heal a small amount, use a small amount + of power, and stop if the object is fully healed. + - wip: + Mending Motors can now heal all clockwork objects, including pinion airlocks, + brass windows, and anything else you can think of. + - rscadd: + Ocular Wardens will no longer attack targets that are handcuffed, buckled + to something AND lying, or in the process of being converted by Guvax. + - tweak: Also, they do very slightly more damage. + - rscdel: + Hulks no longer one-shot most clockwork structures and will no longer + four-shot the Gateway to the Celestial Derelict. + - bugfix: Hulks are no longer a blob counter. XDTM: - - tweak: Ninjas are now slightly visible when stealthing. + - tweak: Ninjas are now slightly visible when stealthing. phil235: - - rscadd: Spray cleaner and soap can now wash off paint color. + - rscadd: Spray cleaner and soap can now wash off paint color. 2016-11-03: Cobby: - - rscadd: Adds a geisha outfit to the clothesmate on hacking. QT space ninja BF - not included + - rscadd: + Adds a geisha outfit to the clothesmate on hacking. QT space ninja BF + not included Joan: - - rscadd: 'Proselytizing a window will automatically proselytize any grilles under - it. This is free, so don''t worry about wasting alloy. rcsadd: Trying to proselytize - something that can''t be proselytized will try to proselytize the turf under - it, instead.' - - experiment: Clockcult's "Convert All Silicons" objective now also requires that - Application scripture is unlocked. - - wip: The "Convert All Silicons" objective will also only be given if there is - an AI, instead of only if there is a silicon. + - rscadd: + "Proselytizing a window will automatically proselytize any grilles under + it. This is free, so don't worry about wasting alloy. rcsadd: Trying to proselytize + something that can't be proselytized will try to proselytize the turf under + it, instead." + - experiment: + Clockcult's "Convert All Silicons" objective now also requires that + Application scripture is unlocked. + - wip: + The "Convert All Silicons" objective will also only be given if there is + an AI, instead of only if there is a silicon. 2016-11-05: Joan: - - rscadd: Proselytizer conversion now accounts for existing materials, and deconstructing - a wall, a girder, or a window for its materials is no longer more efficient - than just converting it. - - imageadd: Heal glows now appear when mending motors repair clockwork mobs and - objects. + - rscadd: + Proselytizer conversion now accounts for existing materials, and deconstructing + a wall, a girder, or a window for its materials is no longer more efficient + than just converting it. + - imageadd: + Heal glows now appear when mending motors repair clockwork mobs and + objects. Lzimann: - - rscdel: You can no longer walk holding shift. + - rscdel: You can no longer walk holding shift. 2016-11-06: Joan: - - bugfix: Dragging people over a Vitality Matrix will actually cause the Matrix - to start working on them instead of failing to start draining because it's "active" - from when the dragging person crossed it. + - bugfix: + Dragging people over a Vitality Matrix will actually cause the Matrix + to start working on them instead of failing to start draining because it's "active" + from when the dragging person crossed it. phil235: - - rscadd: You can now climb on transit tube, like tables. - - rscadd: You can now use tabs when writing on paper by writing "[tab]" + - rscadd: You can now climb on transit tube, like tables. + - rscadd: You can now use tabs when writing on paper by writing "[tab]" 2016-11-07: Basilman: - - rscadd: CQC users can now block attacks by having their throw mode on. - - tweak: The CQC kick and Disorient-disarm combos are now much easier to use, CQC - harm intent attacks are stronger aswell. - - bugfix: Fixed being able to CQC restrain someone, let him go, then 10 minutes - later disarm someone else to instantly chokehold them. - - tweak: CQC costs more TC (13) + - rscadd: CQC users can now block attacks by having their throw mode on. + - tweak: + The CQC kick and Disorient-disarm combos are now much easier to use, CQC + harm intent attacks are stronger aswell. + - bugfix: + Fixed being able to CQC restrain someone, let him go, then 10 minutes + later disarm someone else to instantly chokehold them. + - tweak: CQC costs more TC (13) Cyberboss: - - bugfix: Tesla zaps that don't come from an energy ball can no longer destroy nukes - and gravity generators + - bugfix: + Tesla zaps that don't come from an energy ball can no longer destroy nukes + and gravity generators El Tacolizard: - - rscadd: A space monastery and chaplain job have been added to PubbyStation. - - rscadd: Improved pubby's maint detailing + - rscadd: A space monastery and chaplain job have been added to PubbyStation. + - rscadd: Improved pubby's maint detailing Joan: - - tweak: Ratvarian Spears now do 18 damage and ignore a small amount of armor on - normal attacks, but have a slightly lower chance to knowdown/knockout. Impaling - also ignores a larger amount of armor. - - rscadd: Throwing a Ratvarian Spear at a Servant will not damage them and may cause - them to catch the spear. - - rscadd: Standard drones will be converted to Cogscarabs by Ratvar and the Celestial - Gateway proselytization. - - rscdel: Cogscarabs no longer receive station alerts. - - bugfix: Anima Fragments, Clockwork Marauders, and cult constructs are now properly - immune to heat and electricity. - - tweak: Clockwork armor is much stronger against bullets and bombs but much weaker - against lasers. - - wip: Specific numbers; Bullet armor from 50% to 70%, bomb armor from 35% to 60%, - laser armor from -15% to -25%. This means lasers are a 4-hit crit. - - rscadd: You can now Quickbind scripture other than Guvax and Vanguard to the Clockwork - Slab's action buttons, via Recollection. - - rscadd: You can also recite scripture directly from Recollection, if doing so - suits your taste. Of course it suits your taste, it's way easier than menus. - - tweak: You can also toggle compact scripture in Recollection, so that you don't - see description, invocation time, component cost, or tips. - - tweak: Dropping items into Spatial Gateways no longer consumes a use from the - gateway. - - rscadd: If your Spatial Gateway target is unconscious, you can pick a new target - instead. + - tweak: + Ratvarian Spears now do 18 damage and ignore a small amount of armor on + normal attacks, but have a slightly lower chance to knowdown/knockout. Impaling + also ignores a larger amount of armor. + - rscadd: + Throwing a Ratvarian Spear at a Servant will not damage them and may cause + them to catch the spear. + - rscadd: + Standard drones will be converted to Cogscarabs by Ratvar and the Celestial + Gateway proselytization. + - rscdel: Cogscarabs no longer receive station alerts. + - bugfix: + Anima Fragments, Clockwork Marauders, and cult constructs are now properly + immune to heat and electricity. + - tweak: + Clockwork armor is much stronger against bullets and bombs but much weaker + against lasers. + - wip: + Specific numbers; Bullet armor from 50% to 70%, bomb armor from 35% to 60%, + laser armor from -15% to -25%. This means lasers are a 4-hit crit. + - rscadd: + You can now Quickbind scripture other than Guvax and Vanguard to the Clockwork + Slab's action buttons, via Recollection. + - rscadd: + You can also recite scripture directly from Recollection, if doing so + suits your taste. Of course it suits your taste, it's way easier than menus. + - tweak: + You can also toggle compact scripture in Recollection, so that you don't + see description, invocation time, component cost, or tips. + - tweak: + Dropping items into Spatial Gateways no longer consumes a use from the + gateway. + - rscadd: + If your Spatial Gateway target is unconscious, you can pick a new target + instead. Kor: - - rscadd: Multiverse teams now have HUD icons. - - rscadd: Multiverse war is back in the spellbook. + - rscadd: Multiverse teams now have HUD icons. + - rscadd: Multiverse war is back in the spellbook. phil235: - - rscadd: Altclicking a PDA without id now removes its pen. - - rscadd: The PDA's sprite now shows whether it has an id, a pAI, a pen, or if its - light is on. + - rscadd: Altclicking a PDA without id now removes its pen. + - rscadd: + The PDA's sprite now shows whether it has an id, a pAI, a pen, or if its + light is on. 2016-11-09: Changes: - - tweak: Old mining asteroid is more interesting (mining world can be picked in - ministation.dm) - - tweak: Space around ministation is now half(?) the size of normal space - - rscadd: Loot spawners to maintenance - - bugfix: Rad storms frying maintenance - - bugfix: Bad conveyor belts in mining/cargo area of station - - bugfix: Bombs completely destroying toxins test site - - rscadd: Cyborg job available again - - tweak: Mining cyborgs can use steel rods when asteroid mining is enabled + - tweak: + Old mining asteroid is more interesting (mining world can be picked in + ministation.dm) + - tweak: Space around ministation is now half(?) the size of normal space + - rscadd: Loot spawners to maintenance + - bugfix: Rad storms frying maintenance + - bugfix: Bad conveyor belts in mining/cargo area of station + - bugfix: Bombs completely destroying toxins test site + - rscadd: Cyborg job available again + - tweak: Mining cyborgs can use steel rods when asteroid mining is enabled Joan: - - tweak: Repairing clockwork structures with a Clockwork Proselytizer now only costs - 1 alloy per point of damage. - - experiment: Vitality Matrices will no longer heal dead Servants that they cannot - outright revive. - - rscadd: The Celestial Gateway will now prevent the emergency shuttle from leaving. - - tweak: However, Centcom will alert, in general terms, the location of the Celestial - Gateway two minutes after it is summoned. - - rscadd: Reciting scripture while not on the station, centcom, or mining/lavaland - will double recital time and component costs. + - tweak: + Repairing clockwork structures with a Clockwork Proselytizer now only costs + 1 alloy per point of damage. + - experiment: + Vitality Matrices will no longer heal dead Servants that they cannot + outright revive. + - rscadd: The Celestial Gateway will now prevent the emergency shuttle from leaving. + - tweak: + However, Centcom will alert, in general terms, the location of the Celestial + Gateway two minutes after it is summoned. + - rscadd: + Reciting scripture while not on the station, centcom, or mining/lavaland + will double recital time and component costs. Kor: - - rscadd: You can now examine an r-wall to find out which tool is needed to continue - deconstructing it. - - rscadd: The game will now recognize a successful detonation of the nuclear bomb - in the syndicate base. - - rscadd: Cloaks are now cosmetic items that can be worn in the neck slot, allowing - you to wear them over armour. + - rscadd: + You can now examine an r-wall to find out which tool is needed to continue + deconstructing it. + - rscadd: + The game will now recognize a successful detonation of the nuclear bomb + in the syndicate base. + - rscadd: + Cloaks are now cosmetic items that can be worn in the neck slot, allowing + you to wear them over armour. Shadowlight213: - - rscdel: Removed the restriction on attacking people with a fire extinguisher on - help intent if the safety is on. + - rscdel: + Removed the restriction on attacking people with a fire extinguisher on + help intent if the safety is on. uraniummeltdown: - - rscadd: Added Cortical Borers, a brainslug parasite. - - rscadd: Added Cortical Borer Event + - rscadd: Added Cortical Borers, a brainslug parasite. + - rscadd: Added Cortical Borer Event 2016-11-10: Kor: - - rscadd: The wizard has a new spell, Rod Form, which allows him to transform into - an immovable rod. + - rscadd: + The wizard has a new spell, Rod Form, which allows him to transform into + an immovable rod. uraniummeltdown: - - bugfix: fixed brains not having ckeys when removed - - bugfix: hopefully fixed multiple ghosts entering a borer ghosting all but one - - tweak: tweaked the formula for hosts needed for borer event to 1+humans/6 - - tweak: borer endround report is a lot nicer + - bugfix: fixed brains not having ckeys when removed + - bugfix: hopefully fixed multiple ghosts entering a borer ghosting all but one + - tweak: tweaked the formula for hosts needed for borer event to 1+humans/6 + - tweak: borer endround report is a lot nicer 2016-11-11: Cyberboss: - - bugfix: Promotion of revheads won't occur if they are restrained/incapacitated - - bugfix: Facehuggers can no longer latch onto mobs without a head... How the fuck - did you get a living mob without a head? - - bugfix: Hulks and monkeys can no longer bypass armor - - rscadd: Metastation now has a waste to space line - - bugfix: Objects will no longer get stuck behind the recycler on Boxstation + - bugfix: Promotion of revheads won't occur if they are restrained/incapacitated + - bugfix: + Facehuggers can no longer latch onto mobs without a head... How the fuck + did you get a living mob without a head? + - bugfix: Hulks and monkeys can no longer bypass armor + - rscadd: Metastation now has a waste to space line + - bugfix: Objects will no longer get stuck behind the recycler on Boxstation Joan: - - rscadd: You can now repair reinforced walls by using the tool you'd use to get - to the state they're currently in. Examining will give you a hint as to which - tool to use. - - spellcheck: Renamed Guvax to Geis. This also applies to the component, which has - been similarly renamed. + - rscadd: + You can now repair reinforced walls by using the tool you'd use to get + to the state they're currently in. Examining will give you a hint as to which + tool to use. + - spellcheck: + Renamed Guvax to Geis. This also applies to the component, which has + been similarly renamed. Kor: - - rscadd: The Captain can now purchase alternate escape shuttles from the communications - console. This drains from the station supply of cargo points, and you can only - do so once per round, so spend wisely. - - rscadd: Some shuttles are less desirable than the default, and will instead grant - the station a credit bonus when purchased. - - rscadd: Explosions are no longer capped on the mining z level. - - rscadd: The forcewall spell now creates a 3x1 wall which the caster can pass through. - - rscadd: Bedsheets are now worn in the neck slot, rather than the back slot. + - rscadd: + The Captain can now purchase alternate escape shuttles from the communications + console. This drains from the station supply of cargo points, and you can only + do so once per round, so spend wisely. + - rscadd: + Some shuttles are less desirable than the default, and will instead grant + the station a credit bonus when purchased. + - rscadd: Explosions are no longer capped on the mining z level. + - rscadd: The forcewall spell now creates a 3x1 wall which the caster can pass through. + - rscadd: Bedsheets are now worn in the neck slot, rather than the back slot. 2016-11-13: Cyberboss: - - rscadd: Using a screwdriver on a conveyor belt will reverse it's direction - - bugfix: Medibots, by default, can no longer OD you on tricord - - tweak: They will now use charcoal instead of anti-toxin to heal tox damage - - bugfix: Silicons no longer get warm skin when irradiated + - rscadd: Using a screwdriver on a conveyor belt will reverse it's direction + - bugfix: Medibots, by default, can no longer OD you on tricord + - tweak: They will now use charcoal instead of anti-toxin to heal tox damage + - bugfix: Silicons no longer get warm skin when irradiated Gun Hog: - - tweak: Wizard (and Devil) fireballs now automatically toggle off once fired. + - tweak: Wizard (and Devil) fireballs now automatically toggle off once fired. Joan: - - tweak: Judicial Visors now protect from flashes. - - rscadd: Reciting Scripture is now done through an actual interface, and can thus - be done much faster. - - rscdel: The recital and quickbind functions that Recollection had have been moved - to this interface instead. - - rscadd: Servants of Ratvar can now unsecure and move most Clockwork Structures - with a wrench, though doing so will damage the structure by 25% of its maximum - integrity. - - rscadd: Clockwork Structures become less effective as their integrity lowers, - reducing their effect by up to 50% at 25% integrity. - - tweak: You can now deconstruct unsecured wall gears with a screwdriver. - - tweak: Wall gears now have much more health and can be repaired with a proselytizer. + - tweak: Judicial Visors now protect from flashes. + - rscadd: + Reciting Scripture is now done through an actual interface, and can thus + be done much faster. + - rscdel: + The recital and quickbind functions that Recollection had have been moved + to this interface instead. + - rscadd: + Servants of Ratvar can now unsecure and move most Clockwork Structures + with a wrench, though doing so will damage the structure by 25% of its maximum + integrity. + - rscadd: + Clockwork Structures become less effective as their integrity lowers, + reducing their effect by up to 50% at 25% integrity. + - tweak: You can now deconstruct unsecured wall gears with a screwdriver. + - tweak: Wall gears now have much more health and can be repaired with a proselytizer. Mysak0CZ: - - rscadd: You can now use wrech to anchor (as long as it is not in space) / unanchor - lockers - - bugfix: Cyborgs can now simply use "hand" to open / close lockers (instead of - using toggle open verb) - - bugfix: You can now properly put unlit welder inside lockers - - bugfix: Lockers using different decostruction tools (like cardboard boxes wirecutters) - can now be deconstructed too + - rscadd: + You can now use wrech to anchor (as long as it is not in space) / unanchor + lockers + - bugfix: + Cyborgs can now simply use "hand" to open / close lockers (instead of + using toggle open verb) + - bugfix: You can now properly put unlit welder inside lockers + - bugfix: + Lockers using different decostruction tools (like cardboard boxes wirecutters) + can now be deconstructed too Xhuis: - - rscadd: All computers now have sounds. Try them out! + - rscadd: All computers now have sounds. Try them out! coiax: - - rscadd: Swarmers can now use :b to talk on Swarm Communication. - - rscadd: Lich phylacteries are now in the "points of interest" for ghosts. + - rscadd: Swarmers can now use :b to talk on Swarm Communication. + - rscadd: Lich phylacteries are now in the "points of interest" for ghosts. uraniummeltdown: - - bugfix: Cancel Assume Control works as borer now - - rscadd: Added the cueball helmet, scratch suit, joy mask to Autodrobe + - bugfix: Cancel Assume Control works as borer now + - rscadd: Added the cueball helmet, scratch suit, joy mask to Autodrobe 2016-11-14: Joan: - - rscdel: You can no longer pick up cogscarabs. - - rscadd: Servants of Ratvar can now reactivate Cogscarabs with a screwdriver. - - tweak: Cogscarab proselytizers proselytize things twice as fast. - - tweak: Cogscarabs now have 1.6 seconds of delay when firing guns, as much as an - unmodded kinetic accelerator. - - bugfix: Fixed Vitality Matrices and Raise Dead runes not reviving if the target - happened to be in their body already. + - rscdel: You can no longer pick up cogscarabs. + - rscadd: Servants of Ratvar can now reactivate Cogscarabs with a screwdriver. + - tweak: Cogscarab proselytizers proselytize things twice as fast. + - tweak: + Cogscarabs now have 1.6 seconds of delay when firing guns, as much as an + unmodded kinetic accelerator. + - bugfix: + Fixed Vitality Matrices and Raise Dead runes not reviving if the target + happened to be in their body already. Kor: - - rscadd: Extended mode now has a special command report that tells you the round - type. This is to let people know they have time to start on large scale projects - rather than milling about waiting for antagonists to attack. - - rscadd: All station goals are now unlocked during extended. + - rscadd: + Extended mode now has a special command report that tells you the round + type. This is to let people know they have time to start on large scale projects + rather than milling about waiting for antagonists to attack. + - rscadd: All station goals are now unlocked during extended. Mysak0CZ: - - bugfix: MetaStation's xenobiology disposals now work properly + - bugfix: MetaStation's xenobiology disposals now work properly uraniummeltdown: - - tweak: Changed the Command and Security radio colors - - rscadd: Added raw telecrystals to the uplink, can be used with uplinks and uplink - implants. - - rscadd: Added 10mm ammo variants to uplink + - tweak: Changed the Command and Security radio colors + - rscadd: + Added raw telecrystals to the uplink, can be used with uplinks and uplink + implants. + - rscadd: Added 10mm ammo variants to uplink 2016-11-15: Cyberboss: - - bugfix: Brains and heads with brains trigger the emergency stop on the recycler + - bugfix: Brains and heads with brains trigger the emergency stop on the recycler Kor: - - rscadd: The vault is now home to a new machine which can accept cash deposits, - adding to the cargo point total. - - rscadd: You can also use this machine to steal credits from the cargo point total. - Doing so takes time, and will set off an alarm. - - rscadd: You can now buy an asteroid with engines strapped to it to replace the - emergency escape shuttle. - - rscadd: You can now buy a luxury shuttle to replace the emergency escape shuttle. - Each crewmember must bring 500 credits worth of cash or coins to board though. + - rscadd: + The vault is now home to a new machine which can accept cash deposits, + adding to the cargo point total. + - rscadd: + You can also use this machine to steal credits from the cargo point total. + Doing so takes time, and will set off an alarm. + - rscadd: + You can now buy an asteroid with engines strapped to it to replace the + emergency escape shuttle. + - rscadd: + You can now buy a luxury shuttle to replace the emergency escape shuttle. + Each crewmember must bring 500 credits worth of cash or coins to board though. Lexorion & Lzimann: - - tweak: Wizards have developed a new spell. It's called Arcane Barrage and it has - been reported that it has a similar function to Lesser Summon Guns! + - tweak: + Wizards have developed a new spell. It's called Arcane Barrage and it has + been reported that it has a similar function to Lesser Summon Guns! Supermichael777: - - rscdel: The atmos grenades have been removed. if you want to burn down the shuttle - use canisters or something but at least work at it. + - rscdel: + The atmos grenades have been removed. if you want to burn down the shuttle + use canisters or something but at least work at it. coiax: - - rscadd: Mice (the rodent, not the peripheral) now start in random locations. + - rscadd: Mice (the rodent, not the peripheral) now start in random locations. 2016-11-16: Mysak0CZ: - - rscadd: Door can now have higher security, making them stronger and wires harder - to access - - rscadd: More info can be found on github or wiki (if this passes) - - imageadd: Protected wires now have sprites + - rscadd: + Door can now have higher security, making them stronger and wires harder + to access + - rscadd: More info can be found on github or wiki (if this passes) + - imageadd: Protected wires now have sprites Pubby: - - bugfix: cyclelinked airlock pairs now close behind you even when running through - at full speed. + - bugfix: + cyclelinked airlock pairs now close behind you even when running through + at full speed. Swindly: - - rscadd: Dice can now be rigged by microwaving them. + - rscadd: Dice can now be rigged by microwaving them. 2016-11-18: Cyberboss: - - bugfix: The amount of metal used to construct High Security airlocks with the - RCD is now consistent with the actual cost + - bugfix: + The amount of metal used to construct High Security airlocks with the + RCD is now consistent with the actual cost Incoming5643: - - bugfix: The charge spell should once again work correctly with guns/wands + - bugfix: The charge spell should once again work correctly with guns/wands Joan: - - rscadd: Clockcult AIs have power as long as they are on a Clockwork Floor or next - to a Sigil of Transmission. This is in addition to having power under normal - conditions. - - rscadd: Clockcult silicons can now activate Clockwork Structures from a distance. - - rscdel: Interdiction Lenses will not disable cameras if there are no living unconverted - AIs. - - rscadd: Clockcult Cyborgs can charge from Sigils of Transmission by crossing them; - after a 5 second delay, the cyborg regains either their missing charge or the - amount of power in the sigil(whichever is lower) over 10 seconds. - - rscadd: You can now cancel out of selecting a robot module! - - imagedel: Robot modules now only have a generic transform animation when selected; - the borg is locked in place for 5 seconds in a small cloud of smoke while the - base borg sprite fades out and the new module fades in. - - tweak: Resetting a borg will do that animation. - - rscadd: Adds Networked Fibers, which gains points instead of automatic expansion - and causes manual expansion near its core to move its core. - - rscadd: Added a new UI style, Clockwork. + - rscadd: + Clockcult AIs have power as long as they are on a Clockwork Floor or next + to a Sigil of Transmission. This is in addition to having power under normal + conditions. + - rscadd: Clockcult silicons can now activate Clockwork Structures from a distance. + - rscdel: + Interdiction Lenses will not disable cameras if there are no living unconverted + AIs. + - rscadd: + Clockcult Cyborgs can charge from Sigils of Transmission by crossing them; + after a 5 second delay, the cyborg regains either their missing charge or the + amount of power in the sigil(whichever is lower) over 10 seconds. + - rscadd: You can now cancel out of selecting a robot module! + - imagedel: + Robot modules now only have a generic transform animation when selected; + the borg is locked in place for 5 seconds in a small cloud of smoke while the + base borg sprite fades out and the new module fades in. + - tweak: Resetting a borg will do that animation. + - rscadd: + Adds Networked Fibers, which gains points instead of automatic expansion + and causes manual expansion near its core to move its core. + - rscadd: Added a new UI style, Clockwork. NikNak: - - rscadd: Added tator tots, made my putting a potato in the food processor - - tweak: French fries are now made by cutting up a potato into wedges and putting - the wedges (plate and all) into the food processor + - rscadd: Added tator tots, made my putting a potato in the food processor + - tweak: + French fries are now made by cutting up a potato into wedges and putting + the wedges (plate and all) into the food processor coiax: - - bugfix: The observer visible countdown timer for the malfunctioning AI doomsday - device is now formatted and rounded appropriately. + - bugfix: + The observer visible countdown timer for the malfunctioning AI doomsday + device is now formatted and rounded appropriately. erwgd: - - rscadd: You can now make emergency welding tools in the autolathe. + - rscadd: You can now make emergency welding tools in the autolathe. 2016-11-19: Crushtoe: - - imageadd: Added a shiny new icon for the reaper's scythe in-hand and normal sprite. - It's 25% less gardener. + - imageadd: + Added a shiny new icon for the reaper's scythe in-hand and normal sprite. + It's 25% less gardener. RandomMarine: - - rscadd: An instruction paper has been added to the morgue on most maps, because - somehow it's needed. + - rscadd: + An instruction paper has been added to the morgue on most maps, because + somehow it's needed. Shadowlight213: - - rscadd: Added the AI integrity restorer as a modular computer program - - rscadd: Added an AI intelliCard slot. Insert an Intellicard into it to be able - to use the restoration program. - - bugfix: Fixes Alarm program detecting ruins - - bugfix: Fixes being unable to toggle the card reader module power - - tweak: The downloader will now tell you if a program is incompatible with your - hardware + - rscadd: Added the AI integrity restorer as a modular computer program + - rscadd: + Added an AI intelliCard slot. Insert an Intellicard into it to be able + to use the restoration program. + - bugfix: Fixes Alarm program detecting ruins + - bugfix: Fixes being unable to toggle the card reader module power + - tweak: + The downloader will now tell you if a program is incompatible with your + hardware 2016-11-20: Basilman: - - rscadd: Added a new beard style, Broken Man. + - rscadd: Added a new beard style, Broken Man. Cobby: - - tweak: Airlock security is only given to vault doors, centcomm, and Secure Tech - [Secure Tech just requires a welder] + - tweak: + Airlock security is only given to vault doors, centcomm, and Secure Tech + [Secure Tech just requires a welder] Incoming5643: - - rscadd: The warp whistle has been added to the wizard's repertoire of spells and - artifacts. - - rscadd: The drop table for summon magic has been expanded. + - rscadd: + The warp whistle has been added to the wizard's repertoire of spells and + artifacts. + - rscadd: The drop table for summon magic has been expanded. Joan: - - rscdel: Servant cyborgs no longer have emagged modules. - - rscadd: Servant cyborgs now have a limited selection of scripture and tools, which - varies by cyborg type. + - rscdel: Servant cyborgs no longer have emagged modules. + - rscadd: + Servant cyborgs now have a limited selection of scripture and tools, which + varies by cyborg type. Kor: - - bugfix: Station goals will once again function in extended. + - bugfix: Station goals will once again function in extended. Swindly: - - rscadd: Added a nitrous oxide reagent. It can be created by heating 3 parts ammonia, - 1 part nitrogen, and 2 parts oxygen to 525K. The process produces water as a - by-product and will cause an explosion if too much heat is applied. + - rscadd: + Added a nitrous oxide reagent. It can be created by heating 3 parts ammonia, + 1 part nitrogen, and 2 parts oxygen to 525K. The process produces water as a + by-product and will cause an explosion if too much heat is applied. 2016-11-21: Cobby: - - tweak: mining/labor shuttles are now radiation proof. + - tweak: mining/labor shuttles are now radiation proof. 2016-11-23: Crushtoe: - - rscadd: Added more tips. - - bugfix: Fixes some sprites and spelling issues, namely bedsheet capes. + - rscadd: Added more tips. + - bugfix: Fixes some sprites and spelling issues, namely bedsheet capes. Cyberboss: - - bugfix: Changing an airlock's security level no longer heals it + - bugfix: Changing an airlock's security level no longer heals it Gun Hog: - - bugfix: Medibots now heal toxin damage again. + - bugfix: Medibots now heal toxin damage again. Joan: - - rscadd: Clockcult AIs can now listen to conversations through cameras. - - rscadd: Due to complaints that the new slab interface was too difficult to navigate, - it now starts off in compressed format. The button to toggle this is now also - larger. + - rscadd: Clockcult AIs can now listen to conversations through cameras. + - rscadd: + Due to complaints that the new slab interface was too difficult to navigate, + it now starts off in compressed format. The button to toggle this is now also + larger. Kor: - - rscadd: Rounds ending on one server will send a news report to the other server. + - rscadd: Rounds ending on one server will send a news report to the other server. Shadowlight213: - - tweak: Borers now have a 10 second delay before waking up after sugar leaves the - host system - - tweak: There is a chance for borers to lose control, based on brain damage levels + - tweak: + Borers now have a 10 second delay before waking up after sugar leaves the + host system + - tweak: There is a chance for borers to lose control, based on brain damage levels Swindly: - - rscadd: Most small items can now be placed in the microwave. Remember not to microwave - metallic objects. + - rscadd: + Most small items can now be placed in the microwave. Remember not to microwave + metallic objects. XDTM: - - rscadd: 'Golems now have special properties based on the mineral they''re made - of:' - - rscadd: Silver golems have a higher chance of stun when punching - - rscadd: Gold golems are faster but less armoured - - rscadd: Diamond golems are more armoured - - rscadd: Uranium golems are radioactive - - rscadd: Plasma golems explode on death - - rscadd: Iron and adamantine golems are unchanged. + - rscadd: + "Golems now have special properties based on the mineral they're made + of:" + - rscadd: Silver golems have a higher chance of stun when punching + - rscadd: Gold golems are faster but less armoured + - rscadd: Diamond golems are more armoured + - rscadd: Uranium golems are radioactive + - rscadd: Plasma golems explode on death + - rscadd: Iron and adamantine golems are unchanged. jakeramsay007: - - tweak: Borers can no longer take control of people who have a mindshield implant - or are a member of either cult. This however does not stop them from infesting - and controlling them through other means, such as chemicals. + - tweak: + Borers can no longer take control of people who have a mindshield implant + or are a member of either cult. This however does not stop them from infesting + and controlling them through other means, such as chemicals. 2016-11-24: Kor: - - rscadd: Shaft miners now have access to the science channel. + - rscadd: Shaft miners now have access to the science channel. Lzimann: - - rscdel: Multiverse sword is no longer buyable by wizards + - rscdel: Multiverse sword is no longer buyable by wizards erwgd: - - rscadd: Plasmamen get their own random names. + - rscadd: Plasmamen get their own random names. 2016-11-25: Joan: - - rscadd: Clockcult AIs with borgs 'slaved' to them will convert them when hacking - via the robotics console. - - experiment: Replaced the "No Cache" alert with an alert that will show what you - need for the next tier of scripture. + - rscadd: + Clockcult AIs with borgs 'slaved' to them will convert them when hacking + via the robotics console. + - experiment: + Replaced the "No Cache" alert with an alert that will show what you + need for the next tier of scripture. Kor: - - rscadd: The captain may now purchase an unfinished shuttle chassis, which will - dock immediately when bought, but will not launch until the end of the regular - shuttle call procedure. The shuttle is empty and devoid of atmosphere however, - so you'll need to do some work on it if you want a safe trip home. + - rscadd: + The captain may now purchase an unfinished shuttle chassis, which will + dock immediately when bought, but will not launch until the end of the regular + shuttle call procedure. The shuttle is empty and devoid of atmosphere however, + so you'll need to do some work on it if you want a safe trip home. Shadowlight213: - - bugfix: The activation button for the AI integrity restorer modular program actually - works now! - - rscdel: The cortical borer event is now admin only + - bugfix: + The activation button for the AI integrity restorer modular program actually + works now! + - rscdel: The cortical borer event is now admin only 2016-11-27: Cyberboss: - - bugfix: False armblades are now removed after one minute. Start feeling the P - A R A N O I A when you see em + - bugfix: + False armblades are now removed after one minute. Start feeling the P + A R A N O I A when you see em Gun Hog: - - rscadd: AIs piloting a mech may now be recovered with an Intellicard from the - wreckage if the mech is destroyed. They will be require repair once recovered. - - tweak: Instructions for piloting mechs as an AI are now more obvious. - - tweak: Traitor and Ratvar AIs may now be carded from mechs, at their discretion. + - rscadd: + AIs piloting a mech may now be recovered with an Intellicard from the + wreckage if the mech is destroyed. They will be require repair once recovered. + - tweak: Instructions for piloting mechs as an AI are now more obvious. + - tweak: Traitor and Ratvar AIs may now be carded from mechs, at their discretion. Joan: - - tweak: Clockwork walls are now about as hard for hulks to break as rwalls. - - rscadd: You can now quickbind up to 5 scriptures from the recital menu, and the - recital menu has less empty space. - - tweak: Clockwork slabs now only start with only Geis pre-bound. + - tweak: Clockwork walls are now about as hard for hulks to break as rwalls. + - rscadd: + You can now quickbind up to 5 scriptures from the recital menu, and the + recital menu has less empty space. + - tweak: Clockwork slabs now only start with only Geis pre-bound. Kor: - - rscadd: Shaft miners can now redeem their starting voucher for a conscription - kit, which contains everything they need to rope their friend into joining them - on lavaland. - - rscadd: You can now see which emergency shuttle is coming in the status panel. + - rscadd: + Shaft miners can now redeem their starting voucher for a conscription + kit, which contains everything they need to rope their friend into joining them + on lavaland. + - rscadd: You can now see which emergency shuttle is coming in the status panel. Lzimann: - - rscadd: The robots stole Santa's Elfs jobs. + - rscadd: The robots stole Santa's Elfs jobs. MMMiracles: - - tweak: Jump boots now have a pocket - - imageadd: Jump boots from mining now have on-character icons. + - tweak: Jump boots now have a pocket + - imageadd: Jump boots from mining now have on-character icons. Mervill: - - imageadd: Disposal units now use a tgui instead of plain html - - rscadd: 'As the AI: Click an AI status display to bring up the prompt for changing - the image' + - imageadd: Disposal units now use a tgui instead of plain html + - rscadd: + "As the AI: Click an AI status display to bring up the prompt for changing + the image" Swindly: - - rscadd: Wet leather can be dried by putting it on a drying rack. + - rscadd: Wet leather can be dried by putting it on a drying rack. Xhuis: - - bugfix: Plastic explosives now actually explode when you commit suicide with them. - - bugfix: Resisting out of straight jackets now works properly. - - rscdel: Highlander will no longer announce the last man standing. - - rscadd: Cyborgs can now open morgue trays. This does not include crematoriums! + - bugfix: Plastic explosives now actually explode when you commit suicide with them. + - bugfix: Resisting out of straight jackets now works properly. + - rscdel: Highlander will no longer announce the last man standing. + - rscadd: Cyborgs can now open morgue trays. This does not include crematoriums! uraniummeltdown: - - rscdel: Borers no longer randomly lose control based on host brain damage - - tweak: Borer Dominate Victim stun time reduced from 4 -> 2. - - tweak: Borers no longer force unhidden when infesting someone. - - tweak: Borer event is rarer (weight 20->15). - - tweak: Borer reproduction chemicals required increased from 100 to 200. + - rscdel: Borers no longer randomly lose control based on host brain damage + - tweak: Borer Dominate Victim stun time reduced from 4 -> 2. + - tweak: Borers no longer force unhidden when infesting someone. + - tweak: Borer event is rarer (weight 20->15). + - tweak: Borer reproduction chemicals required increased from 100 to 200. 2016-11-29: Joan: - - tweak: Interdiction Lenses are more likely to turn off if damaged. - - tweak: Reduced Interdiction Lens and Tinkerer's Daemon CV from 25 to 20. + - tweak: Interdiction Lenses are more likely to turn off if damaged. + - tweak: Reduced Interdiction Lens and Tinkerer's Daemon CV from 25 to 20. RemieRichards: - - rscadd: Devils may now spawn with an obligation to accept dance off challanges, - if they have this obligation they also gain a spell to summon/unsummon a 3x3 - dance floor at will. + - rscadd: + Devils may now spawn with an obligation to accept dance off challanges, + if they have this obligation they also gain a spell to summon/unsummon a 3x3 + dance floor at will. Swindly: - - rscadd: Microwaves now heat open reagent containers to 1000K. + - rscadd: Microwaves now heat open reagent containers to 1000K. XDTM: - - rscadd: 'Added new types of golem: glass, sand, wood, plasteel, titanium, plastitanium, - alien alloy, bananium, bluespace, each with their own traits. Experiment!' - - tweak: Golems will be told what their traits are when spawning. - - rscadd: Putting a golem in a gibber will give ores of its mineral type, instead - of meat. - - rscadd: Using Iron on an adamantine slime extract will spawn an incomplete golem - shell, that will be slaved to whoever completes it, much like a normal adamantine - golem. + - rscadd: + "Added new types of golem: glass, sand, wood, plasteel, titanium, plastitanium, + alien alloy, bananium, bluespace, each with their own traits. Experiment!" + - tweak: Golems will be told what their traits are when spawning. + - rscadd: + Putting a golem in a gibber will give ores of its mineral type, instead + of meat. + - rscadd: + Using Iron on an adamantine slime extract will spawn an incomplete golem + shell, that will be slaved to whoever completes it, much like a normal adamantine + golem. jughu: - - tweak: Proselytizing airlocks into pinion airlocks takes longer. + - tweak: Proselytizing airlocks into pinion airlocks takes longer. 2016-11-30: ANGRY CODER: - - tweak: NT news reports the clandestine criminal organization known as the syndicate - may have upgraded one of their illegally stolen cyborg modules with additional - healing technology. + - tweak: + NT news reports the clandestine criminal organization known as the syndicate + may have upgraded one of their illegally stolen cyborg modules with additional + healing technology. Cobby [Idea stolen from Shaps]: - - rscadd: For objects that you could previously rename with a pen, you can now edit - their description as well. + - rscadd: + For objects that you could previously rename with a pen, you can now edit + their description as well. Cyberboss: - - rscdel: Due to budget cuts. Firelocks no longer have safety features - - bugfix: Roundstart airlock electronics now properly generate the correct accesses - - bugfix: tgui windows will now close on round end + - rscdel: Due to budget cuts. Firelocks no longer have safety features + - bugfix: Roundstart airlock electronics now properly generate the correct accesses + - bugfix: tgui windows will now close on round end Gun Hog: - - bugfix: Syndicate Medical Cyborg hyposprays now properly work through Operative - hardsuits and other thick clothing. + - bugfix: + Syndicate Medical Cyborg hyposprays now properly work through Operative + hardsuits and other thick clothing. Joan: - - tweak: Cogscarabs will once again convert metal, rods, and plasteel directly to - alloy. - - tweak: Tinkerer's caches now increase in cost every 4 caches, from 5. - - rscadd: The Ark of the Clockwork Justicar now converts all silicons once it finishes - proselytizing the station. + - tweak: + Cogscarabs will once again convert metal, rods, and plasteel directly to + alloy. + - tweak: Tinkerer's caches now increase in cost every 4 caches, from 5. + - rscadd: + The Ark of the Clockwork Justicar now converts all silicons once it finishes + proselytizing the station. Mervill: - - rscadd: AI hologram can move seamlessly between holopads + - rscadd: AI hologram can move seamlessly between holopads Thunder12345: - - rscadd: Added anti-armour launcher. A single-use rocket launcher capable of penetrating - all but the heaviest of armour. Deals massively increased damage to cyborgs - and mechs. + - rscadd: + Added anti-armour launcher. A single-use rocket launcher capable of penetrating + all but the heaviest of armour. Deals massively increased damage to cyborgs + and mechs. 2016-12-02: Cobby: - - bugfix: Removes the exploit that allowed you to bypass grabcooldowns with Ctrl+Click + - bugfix: Removes the exploit that allowed you to bypass grabcooldowns with Ctrl+Click PeopleAreStrange: - - tweak: Changed F7 to buildmode, F8 to Invismin (again). Removed stealthmin toggle + - tweak: Changed F7 to buildmode, F8 to Invismin (again). Removed stealthmin toggle RemieRichards: - - rscadd: Added a new lavaland "boss" - - tweak: Hostile mobs will now find a new target if they failed to attack their - current one for 30 seconds, this reduces cheese by simply making the mob find - something else to do/someone to kill - - bugfix: Hostile mobs with search_objects will now regain that value after a certain - amount of time (per-mob, base 3 seconds), this is because being attacked causes - mobs with this var to turn it off, so they can run away, however it was literally - never turned on which caused swarmers to get depression and never do anything. + - rscadd: Added a new lavaland "boss" + - tweak: + Hostile mobs will now find a new target if they failed to attack their + current one for 30 seconds, this reduces cheese by simply making the mob find + something else to do/someone to kill + - bugfix: + Hostile mobs with search_objects will now regain that value after a certain + amount of time (per-mob, base 3 seconds), this is because being attacked causes + mobs with this var to turn it off, so they can run away, however it was literally + never turned on which caused swarmers to get depression and never do anything. 2016-12-03: Joan: - - rscadd: Trying to move while bound by Geis will cause you to start resisting, - but the time required to resist is up by half a second. - - experiment: Resisting out of Geis now does damage to the binding, and as such - being stunned while bound will no longer totally reset your resist progress. - - rscadd: Using Geis on someone already bound by Geis will interrupt them resisting - out of it and will fully repair the binding. - - tweak: Geis's pre-binding channel now takes longer for each servant above 5. Geis's - conversion channel also takes slightly longer for each servant above 5. - - rscadd: Converted engineering and miner cyborgs can now create Sigils of Transgression. + - rscadd: + Trying to move while bound by Geis will cause you to start resisting, + but the time required to resist is up by half a second. + - experiment: + Resisting out of Geis now does damage to the binding, and as such + being stunned while bound will no longer totally reset your resist progress. + - rscadd: + Using Geis on someone already bound by Geis will interrupt them resisting + out of it and will fully repair the binding. + - tweak: + Geis's pre-binding channel now takes longer for each servant above 5. Geis's + conversion channel also takes slightly longer for each servant above 5. + - rscadd: Converted engineering and miner cyborgs can now create Sigils of Transgression. RandomMarine: - - tweak: Airlocks will keep their original name when their electronics are removed - and replaced. You may still use a pen to rename the assembly if desired. + - tweak: + Airlocks will keep their original name when their electronics are removed + and replaced. You may still use a pen to rename the assembly if desired. 2016-12-04: Durkel: - - tweak: Recent enemy reports indicate that changelings have grown bored with attacking - near desolate stations and have shifted focus to more fertile hunting grounds. + - tweak: + Recent enemy reports indicate that changelings have grown bored with attacking + near desolate stations and have shifted focus to more fertile hunting grounds. 2016-12-06: BASILMAN YOUR MAIN MAN: - - bugfix: fixes people "walking over the glass shard!" when they're on the ground, - changes message when incapacitated + - bugfix: + fixes people "walking over the glass shard!" when they're on the ground, + changes message when incapacitated Chnkr: - - rscadd: Nuclear Operatives can now customize the message broadcast to the station - when declaring war. + - rscadd: + Nuclear Operatives can now customize the message broadcast to the station + when declaring war. Cyberboss: - - bugfix: The atmos waste lines for the Metastation Kitchen and Botany departments - is now actually connected + - bugfix: + The atmos waste lines for the Metastation Kitchen and Botany departments + is now actually connected Gun Hog: - - rscadd: Nanotrasen Janitorial Sciences Division is proud to announce a new concept - for the Advanced Mop prototype; It now includes a built-in condenser for self - re-hydration! See your local Scientist today! In the event that janitorial staff - wish to use more expensive solutions, the condenser may be shut off with a handy - handle switch! + - rscadd: + Nanotrasen Janitorial Sciences Division is proud to announce a new concept + for the Advanced Mop prototype; It now includes a built-in condenser for self + re-hydration! See your local Scientist today! In the event that janitorial staff + wish to use more expensive solutions, the condenser may be shut off with a handy + handle switch! Incoming5643: - - bugfix: The timer for shuttle calls/recalls now scales with the security level - of the station (Code Red/Green, etc.). You no longer have to feel dumb if you - forget to call Code Red before you call the shuttle! - - rscadd: Shuttles called in Code Green (the lowest level) now take 20 minutes to - arrive, but may be recalled for up to 10 minutes. They also don't require a - reason to be called. - - experiment: That doesn't mean you should call a code green shuttle every round - the moment it finishes refueling. - - rscadd: Server owners may now customize the population levels required to play - various modes. Keep in mind that this does not preserve the balance of the mode - if you change it drastically. See game_modes.txt for details. + - bugfix: + The timer for shuttle calls/recalls now scales with the security level + of the station (Code Red/Green, etc.). You no longer have to feel dumb if you + forget to call Code Red before you call the shuttle! + - rscadd: + Shuttles called in Code Green (the lowest level) now take 20 minutes to + arrive, but may be recalled for up to 10 minutes. They also don't require a + reason to be called. + - experiment: + That doesn't mean you should call a code green shuttle every round + the moment it finishes refueling. + - rscadd: + Server owners may now customize the population levels required to play + various modes. Keep in mind that this does not preserve the balance of the mode + if you change it drastically. See game_modes.txt for details. Joan: - - rscadd: You can now proselytize floor tiles at a rate of 20 tiles to 1 brass sheet - or 2 tiles to 1 liquified alloy for cogscarabs. - - rscadd: Proselytizers will automatically pry up floor tiles if those tiles can - be proselytized. - - tweak: Brass floor tiles no longer exist. Instead, you can just apply brass sheets - to a tile. Crowbarring up a clockwork floor will yield that brass sheet. - - rscadd: You can now cancel AI intellicard wiping. - - tweak: Geis now takes 5 seconds to resist. + - rscadd: + You can now proselytize floor tiles at a rate of 20 tiles to 1 brass sheet + or 2 tiles to 1 liquified alloy for cogscarabs. + - rscadd: + Proselytizers will automatically pry up floor tiles if those tiles can + be proselytized. + - tweak: + Brass floor tiles no longer exist. Instead, you can just apply brass sheets + to a tile. Crowbarring up a clockwork floor will yield that brass sheet. + - rscadd: You can now cancel AI intellicard wiping. + - tweak: Geis now takes 5 seconds to resist. Mervill: - - bugfix: Examining now lists the neck slot + - bugfix: Examining now lists the neck slot MisterTikva: - - rscadd: Nanotrasen informs that certain berry and root plants have been infused - with additional genetic traits. - - rscadd: Watermelons now have water in them! - - rscadd: Blumpkin's chlorine production has been reduced for better workplace efficiency. - - rscadd: Squishy plants now obey the laws of physics and will squash all over you - if fall on them. + - rscadd: + Nanotrasen informs that certain berry and root plants have been infused + with additional genetic traits. + - rscadd: Watermelons now have water in them! + - rscadd: Blumpkin's chlorine production has been reduced for better workplace efficiency. + - rscadd: + Squishy plants now obey the laws of physics and will squash all over you + if fall on them. Shadowlight213: - - bugfix: The lavaland syndicate agents, as well as the ID for all simple_animal - syndicate corpses should have their ID actually have syndicate access on it - now! + - bugfix: + The lavaland syndicate agents, as well as the ID for all simple_animal + syndicate corpses should have their ID actually have syndicate access on it + now! Swindly: - - rscadd: 'Adds a new toxin: Anacea. It metabolizes very slowly and quickly purges - medicines in the victim while dealing light toxin damage. Its recipe is 1 part - Haloperidol, 1 part Impedrezene, 1 part Radium.' + - rscadd: + "Adds a new toxin: Anacea. It metabolizes very slowly and quickly purges + medicines in the victim while dealing light toxin damage. Its recipe is 1 part + Haloperidol, 1 part Impedrezene, 1 part Radium." WJohn: - - bugfix: AI core turrets can once again hit you if you are standing in front of - the glass panes, or in the viewing area's doorway. + - bugfix: + AI core turrets can once again hit you if you are standing in front of + the glass panes, or in the viewing area's doorway. XDTM: - - rscadd: Quantum Pads are now buildable in R&D! - - rscadd: Quantum Pads, once built, can be linked to other Quantum Pads using a - multitool. Using a Pad who has been linked will teleport everything on the sending - pad to the linked pad! - - rscadd: 'Pads do not need to be linked in pairs: Pad A can lead to Pad B which - can lead to pad C.' - - rscadd: Upgrading a Quantum Pad will reduce the cooldown, charge-up time, and - power consumption. - - rscadd: Quantum Pads require a bluespace crystal, a micro manipulator, a capacitor - and a cable piece. + - rscadd: Quantum Pads are now buildable in R&D! + - rscadd: + Quantum Pads, once built, can be linked to other Quantum Pads using a + multitool. Using a Pad who has been linked will teleport everything on the sending + pad to the linked pad! + - rscadd: + "Pads do not need to be linked in pairs: Pad A can lead to Pad B which + can lead to pad C." + - rscadd: + Upgrading a Quantum Pad will reduce the cooldown, charge-up time, and + power consumption. + - rscadd: + Quantum Pads require a bluespace crystal, a micro manipulator, a capacitor + and a cable piece. kilkun: - - rscadd: New lore surrounding the various SWAT suits. - - tweak: Captain's hardsuit/SWAT suit got a few buffs. It's now much more robust. - - bugfix: Captain's space suit is now heat proof as well as fireproof. Long overlooked - no longer. + - rscadd: New lore surrounding the various SWAT suits. + - tweak: Captain's hardsuit/SWAT suit got a few buffs. It's now much more robust. + - bugfix: + Captain's space suit is now heat proof as well as fireproof. Long overlooked + no longer. 2016-12-07: Cyberboss: - - bugfix: Atmos canisters now stay connected after relabeling them + - bugfix: Atmos canisters now stay connected after relabeling them Incoming5643: - - rscadd: Server owners that use the panic bunker feature can now optionally redirect - new players to a different server. See config.txt for details. + - rscadd: + Server owners that use the panic bunker feature can now optionally redirect + new players to a different server. See config.txt for details. LOOT DUDE: - - tweak: Swarmers will drop bluespace crystals on death, non-artificial crystals. + - tweak: Swarmers will drop bluespace crystals on death, non-artificial crystals. MisterTikva: - - rscadd: Nanotrasen Mushroom Studies Division proudly announces that growth serum - producing plants were genetically reassembled. You no longer alternate between - sizes with doses 20u+ and more effects were added to higher doses. + - rscadd: + Nanotrasen Mushroom Studies Division proudly announces that growth serum + producing plants were genetically reassembled. You no longer alternate between + sizes with doses 20u+ and more effects were added to higher doses. Thunder12345: - - bugfix: You can now only order a replacement shuttle once + - bugfix: You can now only order a replacement shuttle once 2016-12-08: Fox McCloud: - - rscadd: The ability to harvest a plant, repeatedly, is now a gene-extractable - trait that can be spliced into other plants - - rscadd: can extract the battery capabilities of potatoes and splice them into - other plants - - rscadd: Plants types are now gene traits that can be added/removed from plants - - rscadd: Adds new stinging plant trait that will inject a bit of a plant's reagents - when thrown at someone + - rscadd: + The ability to harvest a plant, repeatedly, is now a gene-extractable + trait that can be spliced into other plants + - rscadd: + can extract the battery capabilities of potatoes and splice them into + other plants + - rscadd: Plants types are now gene traits that can be added/removed from plants + - rscadd: + Adds new stinging plant trait that will inject a bit of a plant's reagents + when thrown at someone Joan: - - rscadd: The clockwork slab's interface is now TGUI. - - imageadd: You can now see what an ocular warden is attacking. + - rscadd: The clockwork slab's interface is now TGUI. + - imageadd: You can now see what an ocular warden is attacking. Mervill: - - rscadd: The light replacer can now create bulbs from glass shards - - rscadd: Click a light replacer while holding a glass shard to add the shard to - the replacer - - rscadd: Click a glass shard while holding a light replacer to consume the shard + - rscadd: The light replacer can now create bulbs from glass shards + - rscadd: + Click a light replacer while holding a glass shard to add the shard to + the replacer + - rscadd: Click a glass shard while holding a light replacer to consume the shard MrStonedOne: - - tweak: world initialization is now faster. - - bugfix: fixed the modify bodypart admin tool not working + - tweak: world initialization is now faster. + - bugfix: fixed the modify bodypart admin tool not working PKPenguin321: - - tweak: Swarmer beacons now have 750 health, down from 3000. + - tweak: Swarmer beacons now have 750 health, down from 3000. TehZombehz: - - rscadd: Nanotrasen Culinary Division has authorized the production of tacos, both - plain and classic. + - rscadd: + Nanotrasen Culinary Division has authorized the production of tacos, both + plain and classic. XDTM: - - bugfix: Replica Pod cloning now works on people who have been decapitated. + - bugfix: Replica Pod cloning now works on people who have been decapitated. coiax: - - rscadd: Additional mice sometimes appear in the maintenance tunnels. Engineers - beware! + - rscadd: + Additional mice sometimes appear in the maintenance tunnels. Engineers + beware! 2016-12-10: Cyberboss: - - bugfix: The slips bug (which made freon laggy) is fixed + - bugfix: The slips bug (which made freon laggy) is fixed Kor: - - imagedel: Deleted all (3000+) left handed inhand icons. They are now automatically - mirrored from the right hand, saving spriters a lot of tedious busywork. - - rscadd: By crafting a wall mounted flasher frame (can be ordered via cargo), a - flash, and a riot shield, you can now construct a strobe shield. The strobe - shield combines the functionality of a riot shield and a flash, and can be reloaded - with flash bulbs. + - imagedel: + Deleted all (3000+) left handed inhand icons. They are now automatically + mirrored from the right hand, saving spriters a lot of tedious busywork. + - rscadd: + By crafting a wall mounted flasher frame (can be ordered via cargo), a + flash, and a riot shield, you can now construct a strobe shield. The strobe + shield combines the functionality of a riot shield and a flash, and can be reloaded + with flash bulbs. Supermichael777: - - tweak: Conveyors have been more firmly anchored. No fun allowed + - tweak: Conveyors have been more firmly anchored. No fun allowed Thunder12345: - - rscadd: Added the Standby Emergency Vessel "Scrapheap Challenge" as a new emergency - shuttle option. You'll even be paid 1000 credits to use it! + - rscadd: + Added the Standby Emergency Vessel "Scrapheap Challenge" as a new emergency + shuttle option. You'll even be paid 1000 credits to use it! coiax: - - rscadd: Due to a combination of radiation and water supply contamination, stations - have been reporting animals gaining self awareness. + - rscadd: + Due to a combination of radiation and water supply contamination, stations + have been reporting animals gaining self awareness. optional name here: - - bugfix: fixed ashdrake's flame wall. - - bugfix: fixed walls decon spawning metal in a random location in the same room. + - bugfix: fixed ashdrake's flame wall. + - bugfix: fixed walls decon spawning metal in a random location in the same room. 2016-12-11: Cobby: - - bugfix: Fixes literally everything regarding renaming so far. When adding unique_rename - to objects, make sure the attackby checks for inheritance. - - bugfix: You can pull as other mobs now. Sorry, clickcode is stupid. + - bugfix: + Fixes literally everything regarding renaming so far. When adding unique_rename + to objects, make sure the attackby checks for inheritance. + - bugfix: You can pull as other mobs now. Sorry, clickcode is stupid. Cyberboss: - - bugfix: Frozen things will now unfreeze above 0C + - bugfix: Frozen things will now unfreeze above 0C Joan: - - tweak: Invoking Nezbere now increases ocular warden damage slightly more, but - increases ocular warden range slightly less. + - tweak: + Invoking Nezbere now increases ocular warden damage slightly more, but + increases ocular warden range slightly less. Swindly: - - tweak: The recipe for moonshine now calls for 5 units of nutriment and 5 units - of sugar instead of 10 units of nutriment. + - tweak: + The recipe for moonshine now calls for 5 units of nutriment and 5 units + of sugar instead of 10 units of nutriment. Thunder12345: - - bugfix: Scrapheap Challenge shuttle now actually works + - bugfix: Scrapheap Challenge shuttle now actually works coiax: - - rscadd: Cyborgs now have a reset module wire, that when pulsed, triggers the cyborg's - reset module hardware. - - rscadd: Cyborgs now eject all upgrades when reset, rather than the upgrades being - destroyed. - - rscdel: Removed redundant reset module. + - rscadd: + Cyborgs now have a reset module wire, that when pulsed, triggers the cyborg's + reset module hardware. + - rscadd: + Cyborgs now eject all upgrades when reset, rather than the upgrades being + destroyed. + - rscdel: Removed redundant reset module. 2016-12-12: Dannno: - - rscadd: more chaplain outfits - - rscadd: animal and tribal masks to the theater vendor + - rscadd: more chaplain outfits + - rscadd: animal and tribal masks to the theater vendor 2016-12-13: Fox McCloud: - - rscadd: Adds in random botany seeds; never the same twice. - - rscadd: Adds in new trait that makes a grown release smoke when squashed - - rscadd: Weed rates and chances are now core seed genes + - rscadd: Adds in random botany seeds; never the same twice. + - rscadd: Adds in new trait that makes a grown release smoke when squashed + - rscadd: Weed rates and chances are now core seed genes Joan: - - experiment: Clockwork proselytizers suffer doubled cost and proselytization time - when not on the station, mining, or centcom. - - soundadd: Trying to recite scripture offstation is more clearly disapproved of. + - experiment: + Clockwork proselytizers suffer doubled cost and proselytization time + when not on the station, mining, or centcom. + - soundadd: Trying to recite scripture offstation is more clearly disapproved of. XDTM: - - bugfix: The internal rage of the crew has been suppressed, and they will no longer - attack their own backpacks when opening them. + - bugfix: + The internal rage of the crew has been suppressed, and they will no longer + attack their own backpacks when opening them. 2016-12-14: Incoming5643: - - rscadd: Recently we've been receiving reports of cheap knock off nuclear authentication - disks circulating among the syndicate network. Don't be fooled by these decoys, - only the real deal can be used to destroy the station! - - experiment: Please don't destroy the station in an attempt to make sure the disk - is real. + - rscadd: + Recently we've been receiving reports of cheap knock off nuclear authentication + disks circulating among the syndicate network. Don't be fooled by these decoys, + only the real deal can be used to destroy the station! + - experiment: + Please don't destroy the station in an attempt to make sure the disk + is real. Joan: - - rscdel: The Ark of the Clockwork Justicar can no longer be repaired. - - tweak: The Ark now has 20% more health. - - rscadd: The Ark of the Clockwork Justicar will now force objects away from it. - - tweak: Faster-than-normal tools are somewhat slower than before. - - tweak: Mania Motors now require a much larger amount of power to convert people - adjacent, and people converted by it are knocked out. + - rscdel: The Ark of the Clockwork Justicar can no longer be repaired. + - tweak: The Ark now has 20% more health. + - rscadd: The Ark of the Clockwork Justicar will now force objects away from it. + - tweak: Faster-than-normal tools are somewhat slower than before. + - tweak: + Mania Motors now require a much larger amount of power to convert people + adjacent, and people converted by it are knocked out. Mindustry: - - bugfix: Goliath meat can be cooked in lava again + - bugfix: Goliath meat can be cooked in lava again Okand37: - - rscadd: DeltaStation's emergency shuttle + - rscadd: DeltaStation's emergency shuttle XDTM: - - rscadd: Abductor Agents have now been equipped with extremely advanced construction - and hacking tools. + - rscadd: + Abductor Agents have now been equipped with extremely advanced construction + and hacking tools. 2016-12-18: Dannno: - - rscadd: Sec hailers can now be emagged for a more rational, calm message. + - rscadd: Sec hailers can now be emagged for a more rational, calm message. Erwgd: - - rscadd: Limb Grower circuit boards can now be made in Research and Development, - requiring level 3 in data theory and level 2 in biological technology. + - rscadd: + Limb Grower circuit boards can now be made in Research and Development, + requiring level 3 in data theory and level 2 in biological technology. Firecage: - - rscadd: The NanoTrasen Airlock Builder Federation(NTABF) has recently released - the blueprints involving building and deconstructing Titanium Airlocks! These - airlocks are now being used on all of our shuttles. + - rscadd: + The NanoTrasen Airlock Builder Federation(NTABF) has recently released + the blueprints involving building and deconstructing Titanium Airlocks! These + airlocks are now being used on all of our shuttles. Fox McCloud: - - bugfix: Fixes the personal crafting cost of ED-209's being too expensive + - bugfix: Fixes the personal crafting cost of ED-209's being too expensive Hyena: - - tweak: adds 2 geiger counters to radition protection crates and a gift from the - russians + - tweak: + adds 2 geiger counters to radition protection crates and a gift from the + russians Joan: - - rscadd: Adds Replicant and Tinkerer's Cache to the default slab quickbind. - - rscadd: Revenants will be revealed by ocular wardens when targeted. + - rscadd: Adds Replicant and Tinkerer's Cache to the default slab quickbind. + - rscadd: Revenants will be revealed by ocular wardens when targeted. Joan, Dagdammit: - - rscadd: You can now push Wraith Spectacles up to avoid vision damage, but lose - xray vision. - - wip: Do note that flicking them on and off very quickly may cause you to lose - vision rather quickly. + - rscadd: + You can now push Wraith Spectacles up to avoid vision damage, but lose + xray vision. + - wip: + Do note that flicking them on and off very quickly may cause you to lose + vision rather quickly. Kor: - - rscadd: Added the treasure hunter's hat, coat, uniform, and whip. These aren't - available on the map yet, but will be available to the librarian soon. + - rscadd: + Added the treasure hunter's hat, coat, uniform, and whip. These aren't + available on the map yet, but will be available to the librarian soon. Mervill: - - rscadd: Notice boards can now have photographs pined to them - - tweak: Items removed from the notice board are placed in your hands - - bugfix: Intents can be cycled forward and backwards with hotkeys again - - bugfix: Russian revolver ammo display works correctly - - rscadd: Added a credit deposit to pubbystation's vault - - rscdel: Removed a rather garish golden statue of the HoP from pubbystation's vault + - rscadd: Notice boards can now have photographs pined to them + - tweak: Items removed from the notice board are placed in your hands + - bugfix: Intents can be cycled forward and backwards with hotkeys again + - bugfix: Russian revolver ammo display works correctly + - rscadd: Added a credit deposit to pubbystation's vault + - rscdel: Removed a rather garish golden statue of the HoP from pubbystation's vault Okand37 & Lexorion: - - rscadd: Added a new hair style, the Sidecut! + - rscadd: Added a new hair style, the Sidecut! Supermichael777: - - rscadd: Clockwork components the chaplain picks up are now destroyed. + - rscadd: Clockwork components the chaplain picks up are now destroyed. Swindly: - - rscadd: Adds eggnog. It can be made by mixing 5 parts rum, 5 parts cream, and - 5 parts egg yolk. + - rscadd: + Adds eggnog. It can be made by mixing 5 parts rum, 5 parts cream, and + 5 parts egg yolk. XDTM: - - rscadd: Changelings can now buy Tentacles on the Cellular emporium for 2 evolution - points. - - rscadd: Tentacles, once used, can be fired once against an item or mob to pull - it towards yourself. Items will be automatically grabbed. Costs 10 chemicals - per tentacle. - - rscadd: 'On humanoid mobs tentacles have a varying effect depending on intent: - - Help intent simply pulls the target closer without harming him; - Disarm intent - does not pull the target but instead pulls whatever item he''s holding in his - hands to yours; - Grab intent puts the target into an aggressive grab after - it is pulled, allowing you to throw it or try to consume it; - Harm intent will - briefly stun the target on landing; if you''re holding a sharp weapon you''ll - also impale the target, dealing increased damage and a longer stun.' - - bugfix: Random golems now properly acquire the properties of the golem they pick. - - rscadd: When becoming a random golem the user is informed of the properties of - the picked golem. + - rscadd: + Changelings can now buy Tentacles on the Cellular emporium for 2 evolution + points. + - rscadd: + Tentacles, once used, can be fired once against an item or mob to pull + it towards yourself. Items will be automatically grabbed. Costs 10 chemicals + per tentacle. + - rscadd: + "On humanoid mobs tentacles have a varying effect depending on intent: + - Help intent simply pulls the target closer without harming him; - Disarm intent + does not pull the target but instead pulls whatever item he's holding in his + hands to yours; - Grab intent puts the target into an aggressive grab after + it is pulled, allowing you to throw it or try to consume it; - Harm intent will + briefly stun the target on landing; if you're holding a sharp weapon you'll + also impale the target, dealing increased damage and a longer stun." + - bugfix: Random golems now properly acquire the properties of the golem they pick. + - rscadd: + When becoming a random golem the user is informed of the properties of + the picked golem. coiax: - - rscadd: Chameleon clothing produced by the syndicate has been found to react negatively - to EMPs, randomly switching forms for a time. - - rscadd: Anomalies now have observer-visible countdowns to their detonation. - - rscadd: Adds upgrades for the medical cyborg! - - rscadd: The Hypospray Expanded Synthesiser that adds chemicals to treat blindness, - deafness, brain damage, genetic corruption and drug abuse. - - rscadd: The Hypospray High-Strength Synthesiser, containing stronger versions - of drugs to treat brute, burn, oxyloss and toxic damage. - - rscadd: The Piercing Hypospray (also applicable to the Standard and Peacekeeper - borgs) that allows a hypospray to pierce thick clothing and hardsuits. - - rscadd: The Defibrillator, giving the medical cyborg an onboard defibrillator. - - rscadd: Loose atmospherics pipes are now dangerous to be hit by. - - rscadd: Whenever you automatically pick up ore with an ore satchel, if you are - dragging a wooden ore box, the satchel automatically empties into the box. + - rscadd: + Chameleon clothing produced by the syndicate has been found to react negatively + to EMPs, randomly switching forms for a time. + - rscadd: Anomalies now have observer-visible countdowns to their detonation. + - rscadd: Adds upgrades for the medical cyborg! + - rscadd: + The Hypospray Expanded Synthesiser that adds chemicals to treat blindness, + deafness, brain damage, genetic corruption and drug abuse. + - rscadd: + The Hypospray High-Strength Synthesiser, containing stronger versions + of drugs to treat brute, burn, oxyloss and toxic damage. + - rscadd: + The Piercing Hypospray (also applicable to the Standard and Peacekeeper + borgs) that allows a hypospray to pierce thick clothing and hardsuits. + - rscadd: The Defibrillator, giving the medical cyborg an onboard defibrillator. + - rscadd: Loose atmospherics pipes are now dangerous to be hit by. + - rscadd: + Whenever you automatically pick up ore with an ore satchel, if you are + dragging a wooden ore box, the satchel automatically empties into the box. dannno: - - rscadd: Adds a villain costume to the autodrobe. - - bugfix: Fixes autodrobe failing to stock items. + - rscadd: Adds a villain costume to the autodrobe. + - bugfix: Fixes autodrobe failing to stock items. jughu: - - tweak: 'sandals are not fireproof or acidproof anymore :add: Magical sandals for - the wizard that are still fireproof/acid proof :tweak: makes the marisa boots - acid and fire proof too' + - tweak: + "sandals are not fireproof or acidproof anymore :add: Magical sandals for + the wizard that are still fireproof/acid proof :tweak: makes the marisa boots + acid and fire proof too" karlnp: - - bugfix: made facehuggers work again - - bugfix: vendors, airlocks, etc now cannot shock at a distance + - bugfix: made facehuggers work again + - bugfix: vendors, airlocks, etc now cannot shock at a distance uraniummeltdown: - - tweak: Side entrance to Box Medbay, a few layout changes. + - tweak: Side entrance to Box Medbay, a few layout changes. 2016-12-19: spudboy: - - bugfix: Fixed items not appearing in the detective's fedora. + - bugfix: Fixed items not appearing in the detective's fedora. 2016-12-20: Kor: - - rscadd: You can put a variety of hats on cyborgs using help intent (the engiborg - can't wear hats though, as it is shaped too oddly. Sorry!) - - rscadd: 'The complete list of currently equippable hats is as follows: Cakehat, - Captains Hat, Centcomm Hat, Witch Hunter Hat, HoS Cap, HoP Cap, Sombrero, Wizard - Hat, Nurse Hat.' + - rscadd: + You can put a variety of hats on cyborgs using help intent (the engiborg + can't wear hats though, as it is shaped too oddly. Sorry!) + - rscadd: + "The complete list of currently equippable hats is as follows: Cakehat, + Captains Hat, Centcomm Hat, Witch Hunter Hat, HoS Cap, HoP Cap, Sombrero, Wizard + Hat, Nurse Hat." Lzimann: - - bugfix: Mjor the Creative will drop his loot correctly now. + - bugfix: Mjor the Creative will drop his loot correctly now. Mekhi Anderson: - - rscdel: Fixes various PAI bugs, various tweaks and bullshit. + - rscdel: Fixes various PAI bugs, various tweaks and bullshit. MrPerson: - - rscadd: Starlight will have more of a gradient and generally shine a more constant - amount of light regardless of how many tiles are touching space. In dark places - with long borders to space, starlight will be much darker. + - rscadd: + Starlight will have more of a gradient and generally shine a more constant + amount of light regardless of how many tiles are touching space. In dark places + with long borders to space, starlight will be much darker. 2016-12-21: FTL13, yogstation, Iamgoofball, and MrStonedOne: - - rscadd: Space is pretty. - - tweak: You can configure how pretty space is in preferences, those of you on toasters - should go to low to remove the need to do client side animations. (standard - fanfare as job selection, left click to increase, right click to decrease) (Changes - are applied immediately in most cases, on reconnect otherwise) + - rscadd: Space is pretty. + - tweak: + You can configure how pretty space is in preferences, those of you on toasters + should go to low to remove the need to do client side animations. (standard + fanfare as job selection, left click to increase, right click to decrease) (Changes + are applied immediately in most cases, on reconnect otherwise) Joan: - - rscadd: EMPs will generally fuck up clockwork structures. - - rscdel: Cogscarabs can no longer hold slabs to produce components. - - rscadd: Slabs will now produce components even if in a box in your backpack inside - of a bag of holding on your back; any depth you can hide the slab in will still - produce components. - - bugfix: Non-Servants in possession of clockwork slabs will also no longer produce - components. + - rscadd: EMPs will generally fuck up clockwork structures. + - rscdel: Cogscarabs can no longer hold slabs to produce components. + - rscadd: + Slabs will now produce components even if in a box in your backpack inside + of a bag of holding on your back; any depth you can hide the slab in will still + produce components. + - bugfix: + Non-Servants in possession of clockwork slabs will also no longer produce + components. Mekhi Anderson: - - bugfix: PAI notifications no longer flood those who do not wish to be flooded. + - bugfix: PAI notifications no longer flood those who do not wish to be flooded. Shadowlight213: - - imageadd: 2 new performer's outfits have been added to the autodrobe + - imageadd: 2 new performer's outfits have been added to the autodrobe 2016-12-24: AnturK: - - rscadd: Implants now work on animals. + - rscadd: Implants now work on animals. Cyberboss: - - bugfix: Dead things can no longer be used to open doors + - bugfix: Dead things can no longer be used to open doors F-OS: - - bugfix: swarmers can no longer destroy airlocks. + - bugfix: swarmers can no longer destroy airlocks. MrStonedOne: - - tweak: AI's call bot command has been throttled to prevent edge cases causing - lag. You will not be able to call another bot until the first bot has finished - mapping out it's route. + - tweak: + AI's call bot command has been throttled to prevent edge cases causing + lag. You will not be able to call another bot until the first bot has finished + mapping out it's route. TehZombehz: - - tweak: Observers can now orbit derelict station drone shells, much like current - lavaland ghost role spawners, to make finding them easier. Regular drone shells - are not affected by this. + - tweak: + Observers can now orbit derelict station drone shells, much like current + lavaland ghost role spawners, to make finding them easier. Regular drone shells + are not affected by this. XDTM: - - rscadd: Autolathes are now true to their name and can queue 5 or 10 copies of - the same item. + - rscadd: + Autolathes are now true to their name and can queue 5 or 10 copies of + the same item. coiax: - - rscadd: Cyborg renaming boards cannot be used if no name has been entered. - - rscdel: Cyborg rename and emergency reboot modules are destroyed upon use, and - not stored inside the cyborg to be ejected if modules are reset. - - rscadd: Emagging the book management console and printing forbidden lore now has - a chance of producing a clockwork slab rather than an arcane tome. + - rscadd: Cyborg renaming boards cannot be used if no name has been entered. + - rscdel: + Cyborg rename and emergency reboot modules are destroyed upon use, and + not stored inside the cyborg to be ejected if modules are reset. + - rscadd: + Emagging the book management console and printing forbidden lore now has + a chance of producing a clockwork slab rather than an arcane tome. kevinz000: - - experiment: Flightsuits now have their own subsystem! - - bugfix: Flightsuits properly account for power before calculating drifting - - experiment: Flightpack users will automatically fly over anyone buckled without - crashing. - - experiment: Flightpack users automatically slip through mineral doors - - experiment: Flightpack users will crash straight through grills at appropriate - times - - experiment: Flightpack users automatically slip through unbolted airlocks - - experiment: Flightpacks are faster in space, but their space momentum decay has - been upped significantly to compensate - - experiment: Flighthelmets now have a function to allow the wearer to zoom out - to see further. Helps you not crash eh? + - experiment: Flightsuits now have their own subsystem! + - bugfix: Flightsuits properly account for power before calculating drifting + - experiment: + Flightpack users will automatically fly over anyone buckled without + crashing. + - experiment: Flightpack users automatically slip through mineral doors + - experiment: + Flightpack users will crash straight through grills at appropriate + times + - experiment: Flightpack users automatically slip through unbolted airlocks + - experiment: + Flightpacks are faster in space, but their space momentum decay has + been upped significantly to compensate + - experiment: + Flighthelmets now have a function to allow the wearer to zoom out + to see further. Helps you not crash eh? spudboy: - - bugfix: Gave cyborgs some hotkeys they should have had. + - bugfix: Gave cyborgs some hotkeys they should have had. 2016-12-27: Firecage: - - bugfix: The Nanotrasen Sewing Club has finally fixed the problem which rendered - NT, Ian, and Grey bedsheets invisible when worn! + - bugfix: + The Nanotrasen Sewing Club has finally fixed the problem which rendered + NT, Ian, and Grey bedsheets invisible when worn! Hyena: - - tweak: Detective coats can now hold police batons - - bugfix: Fixes disabler in hand sprites + - tweak: Detective coats can now hold police batons + - bugfix: Fixes disabler in hand sprites Joan: - - rscadd: You can now put syndicate MMIs and soul vessels into AI cores. - - rscadd: The Hierophant boss will now create an arena if you try to leave its arena. - - imageadd: The Hierophant boss, its arena, and the weapon it drops all have new - sprites. - - soundadd: And new sounds. - - wip: And new text. - - rscadd: Wizards can now buy magic guardians for 2 points. They are not limited - to one guardian, meaning they can have up to 5. If that's wise is an entirely - different question. - - experiment: Wizards cannot buy support guardians, but can buy dexterous guardians, - which can hold items. + - rscadd: You can now put syndicate MMIs and soul vessels into AI cores. + - rscadd: The Hierophant boss will now create an arena if you try to leave its arena. + - imageadd: + The Hierophant boss, its arena, and the weapon it drops all have new + sprites. + - soundadd: And new sounds. + - wip: And new text. + - rscadd: + Wizards can now buy magic guardians for 2 points. They are not limited + to one guardian, meaning they can have up to 5. If that's wise is an entirely + different question. + - experiment: + Wizards cannot buy support guardians, but can buy dexterous guardians, + which can hold items. Shadowlight213: - - tweak: Shuttle are now safe from radstorms + - tweak: Shuttle are now safe from radstorms XDTM: - - bugfix: HUD implants now properly allow you to modify the records of those you - examine, like HUD glasses do. - - bugfix: Organ Manipulation surgery now properly heals on the cautery step. - - bugfix: The maintenance door adjacent to R&D in metastation is now accessible - to scientists, instead of requiring both science and robotics access. + - bugfix: + HUD implants now properly allow you to modify the records of those you + examine, like HUD glasses do. + - bugfix: Organ Manipulation surgery now properly heals on the cautery step. + - bugfix: + The maintenance door adjacent to R&D in metastation is now accessible + to scientists, instead of requiring both science and robotics access. 2016-12-28: Erwgd: - - rscadd: A new access level is available, named "Cloning Room". Medical Doctors, - Geneticists and CMOs start with it. - - tweak: On Box Station and on Meta Station, the cloning lab doors require Cloning - Room access in addition to each door's previous requirements. - - tweak: Cloning pods are now unlocked with Cloning Room access only. + - rscadd: + A new access level is available, named "Cloning Room". Medical Doctors, + Geneticists and CMOs start with it. + - tweak: + On Box Station and on Meta Station, the cloning lab doors require Cloning + Room access in addition to each door's previous requirements. + - tweak: Cloning pods are now unlocked with Cloning Room access only. Incoming5643: - - rscadd: There's a new category in uplinks for discounted gear. These special discounts - however can only be taken once, so even if you are lucky enough to see syndibombs - for 75% off you won't be able to nuke the entire station with them. - - bugfix: The charge spell will no longer bilk you on wand charges, and wands that - are dead won't show up as charged. + - rscadd: + There's a new category in uplinks for discounted gear. These special discounts + however can only be taken once, so even if you are lucky enough to see syndibombs + for 75% off you won't be able to nuke the entire station with them. + - bugfix: + The charge spell will no longer bilk you on wand charges, and wands that + are dead won't show up as charged. Joan: - - rscdel: Clockwork Marauders no longer have Fatigue. It was difficult to balance - and made them too easy to force into recalling. This means they just have health; - they aren't forced to recall by anything, but can accordingly die much more - easily. - - rscadd: Accordingly Clockwork Marauders now have more health, do slightly more - damage, block slightly more often, and have to go slightly further from their - host to take damage. - - rscadd: Marauders that are not recovering(from recalling while the host's health - is too high to emerge) and are inside their host, or are within a tile of their - host, will gradually heal their host until their host is above the health threshold - to emerge. - - tweak: Chaos guardians transfer slightly less damage to their summoner. + - rscdel: + Clockwork Marauders no longer have Fatigue. It was difficult to balance + and made them too easy to force into recalling. This means they just have health; + they aren't forced to recall by anything, but can accordingly die much more + easily. + - rscadd: + Accordingly Clockwork Marauders now have more health, do slightly more + damage, block slightly more often, and have to go slightly further from their + host to take damage. + - rscadd: + Marauders that are not recovering(from recalling while the host's health + is too high to emerge) and are inside their host, or are within a tile of their + host, will gradually heal their host until their host is above the health threshold + to emerge. + - tweak: Chaos guardians transfer slightly less damage to their summoner. XDTM: - - tweak: Armblades now go slash slash instead of thwack thwack - - imageadd: Tentacles have some fancier sprites + - tweak: Armblades now go slash slash instead of thwack thwack + - imageadd: Tentacles have some fancier sprites 2016-12-29: Mervill: - - bugfix: Patched an exploit related to pulling a vehicle as its driver while in - space - - bugfix: Fixed evidence bags not displaying their contents when held - - bugfix: Clothing without a casual variant will no longer say it can be worn differently - when examined - - bugfix: Only standard handcuffs can be used to make chained shoes - - bugfix: Fixed cards against space - - bugfix: Drying rack sprite updates properly when things are removed without drying + - bugfix: + Patched an exploit related to pulling a vehicle as its driver while in + space + - bugfix: Fixed evidence bags not displaying their contents when held + - bugfix: + Clothing without a casual variant will no longer say it can be worn differently + when examined + - bugfix: Only standard handcuffs can be used to make chained shoes + - bugfix: Fixed cards against space + - bugfix: Drying rack sprite updates properly when things are removed without drying XDTM: - - rscadd: Colossi now drop the Voice of God, a mouth organ that, if implanted, allows - you to speak in a HEAVY TONE. This voice can compel hearers to briefly obey - certain codewords, such as "STOP". Using these codewords will severely increase - this ability's cooldown, and only one will be used per sentence. - - rscadd: 'Use .x, :x, or #x as a prefix to use Voice of God or any future vocal - cord organs.' - - rscadd: Chaplains, being closer to the gods, and command staff, being used to - giving orders, gain an increased effect when using the Voice of God. The mime, - not being used to speaking, has a reduced effect. + - rscadd: + Colossi now drop the Voice of God, a mouth organ that, if implanted, allows + you to speak in a HEAVY TONE. This voice can compel hearers to briefly obey + certain codewords, such as "STOP". Using these codewords will severely increase + this ability's cooldown, and only one will be used per sentence. + - rscadd: + "Use .x, :x, or #x as a prefix to use Voice of God or any future vocal + cord organs." + - rscadd: + Chaplains, being closer to the gods, and command staff, being used to + giving orders, gain an increased effect when using the Voice of God. The mime, + not being used to speaking, has a reduced effect. 2016-12-31: hyena: - - bugfix: fixes caps suit fire immunity + - bugfix: fixes caps suit fire immunity kevinz000: - - bugfix: Machine overloads/overrides aren't as bullshit as you'll actually be able - to dodge it now. + - bugfix: + Machine overloads/overrides aren't as bullshit as you'll actually be able + to dodge it now. 2017-01-01: A whole bunch of spiders in a SWAT suit: - - bugfix: spiders can't wrap anchored things + - bugfix: spiders can't wrap anchored things 2017-01-02: MrStonedOne: - - tweak: Throwing was refactored to cause less lag and be more precise - - rscadd: Item throwing now imparts the momentum of the user throwing. Throwing - in the direction you are moving throws the item faster, throwing away from the - direction you are moving throws the item slower. This should make hitting yourself - with floor tiles less likely. + - tweak: Throwing was refactored to cause less lag and be more precise + - rscadd: + Item throwing now imparts the momentum of the user throwing. Throwing + in the direction you are moving throws the item faster, throwing away from the + direction you are moving throws the item slower. This should make hitting yourself + with floor tiles less likely. XDTM: - - bugfix: Storage bags should now cause less lag when picking up large amounts of - items. - - bugfix: Storage bags now don't send an error message for every single item they - fail to pick up. + - bugfix: + Storage bags should now cause less lag when picking up large amounts of + items. + - bugfix: + Storage bags now don't send an error message for every single item they + fail to pick up. 2017-01-03: Cyberboss: - - bugfix: AIs can no longer see cult runes properly + - bugfix: AIs can no longer see cult runes properly Mervill: - - bugfix: Can't kick racks if weakened, resting or lying + - bugfix: Can't kick racks if weakened, resting or lying 2017-01-06: Cruix: - - bugfix: Fixed the leftmost and bottommost 15 turfs not having static for AIs and - camera consoles + - bugfix: + Fixed the leftmost and bottommost 15 turfs not having static for AIs and + camera consoles Joan: - - bugfix: Tesla coils and grounding rods must be anchored with a closed panel to - function, ie; not explode when shocked. - - tweak: Metastation's xenobio has been slightly modified to avoid getting hit by - some standard shuttles. + - bugfix: + Tesla coils and grounding rods must be anchored with a closed panel to + function, ie; not explode when shocked. + - tweak: + Metastation's xenobio has been slightly modified to avoid getting hit by + some standard shuttles. Mervill: - - bugfix: Regular spraycans aren't silent anymore + - bugfix: Regular spraycans aren't silent anymore MrStonedOne and Ter13: - - rscadd: Added some ping tracking to the game. - - rscadd: Your ping shows in the status tab - - rscadd: Other players ping shows in who to players and admins. + - rscadd: Added some ping tracking to the game. + - rscadd: Your ping shows in the status tab + - rscadd: Other players ping shows in who to players and admins. Nabski89: - - bugfix: Re-Vitiligo Levels to match wiki. + - bugfix: Re-Vitiligo Levels to match wiki. XDTM: - - tweak: Voice of God's Sleep lasts less than the other stuns. - - rscadd: You can also use people's jobs to single them out, instead of only names. - - tweak: If multiple people share the same name/job they'll all be included, although - at a reduced bonus. - - tweak: Names and jobs will only be accepted if they're the first part of the command, - and not in the middle, to prevent unintended focusing. - - bugfix: Voice of God now shows speech before the emotes it causes. - - bugfix: Special characters are no longer over-sanitized. - - bugfix: You can now properly apply items to clothing with pockets, such as slime - speed potions on clown shoes. - - bugfix: Mechs are now able to enter wormhole-sized portals. + - tweak: Voice of God's Sleep lasts less than the other stuns. + - rscadd: You can also use people's jobs to single them out, instead of only names. + - tweak: + If multiple people share the same name/job they'll all be included, although + at a reduced bonus. + - tweak: + Names and jobs will only be accepted if they're the first part of the command, + and not in the middle, to prevent unintended focusing. + - bugfix: Voice of God now shows speech before the emotes it causes. + - bugfix: Special characters are no longer over-sanitized. + - bugfix: + You can now properly apply items to clothing with pockets, such as slime + speed potions on clown shoes. + - bugfix: Mechs are now able to enter wormhole-sized portals. 2017-01-08: Mervill: - - bugfix: pre-placed posters don't retain their pixel offset when taken down carefully - - bugfix: Dinnerware Vendor will show it's wire panel + - bugfix: pre-placed posters don't retain their pixel offset when taken down carefully + - bugfix: Dinnerware Vendor will show it's wire panel Nanotrasen Station Project Advisory Board: - - wip: It is highly recommended that, when constructing the Meteor Shield project, - you are able to see, at minimum, two meteor shields from a stationary location. - The Nanotrasen Station Project Advisory Board is not liable for meteor damage - taken under wider shield arrangements. + - wip: + It is highly recommended that, when constructing the Meteor Shield project, + you are able to see, at minimum, two meteor shields from a stationary location. + The Nanotrasen Station Project Advisory Board is not liable for meteor damage + taken under wider shield arrangements. Speed of Light Somehow Changed: - - tweak: Dynamic lights are no longer animated, and update instantly - - tweak: Increased maximum radius of mob and mobile lights + - tweak: Dynamic lights are no longer animated, and update instantly + - tweak: Increased maximum radius of mob and mobile lights 2017-01-10: Arianya: - - bugfix: Doors and vending machines once again make a sound when you screwdriver - them. + - bugfix: + Doors and vending machines once again make a sound when you screwdriver + them. Cyberboss: - - bugfix: Explosions can no longer be dodged - - tweak: Airlocks are now destroyed by the same level explosion that destroys walls - - tweak: Diamond/External/Centcomm airlocks and firedoors now block explosions as - walls do + - bugfix: Explosions can no longer be dodged + - tweak: Airlocks are now destroyed by the same level explosion that destroys walls + - tweak: + Diamond/External/Centcomm airlocks and firedoors now block explosions as + walls do Joan: - - experiment: Clockwork Proselytizers no longer require Replicant Alloy to function; - instead, they gradually charge themselves with power, which is used more or - less the same as alloy. - - tweak: Clockwork Proselytizers now produce brass sheets when used in-hand, instead - of Replicant Alloy. - - rscdel: Tinkerer's Caches can no longer have Replicant Alloy removed from them; - using an empty hand on them will simply check when they'll next produce a component. - - rscdel: Mending Motors can no longer use Replicant Alloy in place of power. + - experiment: + Clockwork Proselytizers no longer require Replicant Alloy to function; + instead, they gradually charge themselves with power, which is used more or + less the same as alloy. + - tweak: + Clockwork Proselytizers now produce brass sheets when used in-hand, instead + of Replicant Alloy. + - rscdel: + Tinkerer's Caches can no longer have Replicant Alloy removed from them; + using an empty hand on them will simply check when they'll next produce a component. + - rscdel: Mending Motors can no longer use Replicant Alloy in place of power. Mervill: - - bugfix: Controlling the station status displays no longer overrides the cargo - supply timer + - bugfix: + Controlling the station status displays no longer overrides the cargo + supply timer MrStonedOne: - - experiment: Lighting was made more responsive. + - experiment: Lighting was made more responsive. XDTM: - - rscadd: Earmuffs and null rods protect against the Voice of God. - - rscadd: Earmuffs are now buildable in autolathes. - - tweak: Voice of God stuns have a longer cooldown. + - rscadd: Earmuffs and null rods protect against the Voice of God. + - rscadd: Earmuffs are now buildable in autolathes. + - tweak: Voice of God stuns have a longer cooldown. coiax: - - rscadd: Girders now offer hints to their deconstruction when examined. + - rscadd: Girders now offer hints to their deconstruction when examined. 2017-01-13: Cyberboss: - - bugfix: Walls blow up less stupidly - - bugfix: You no longer drop a beaker after attempting to load it into an already - full cryo cell + - bugfix: Walls blow up less stupidly + - bugfix: + You no longer drop a beaker after attempting to load it into an already + full cryo cell Joan: - - bugfix: Instant Summons is no longer greedy with containers. + - bugfix: Instant Summons is no longer greedy with containers. Mervill: - - bugfix: Hardsuits, amour and other suits that cover the feet now protect against - glass shards - - bugfix: You will now lose the lawyer's speech bubble effect if you unequip the - layer's badge + - bugfix: + Hardsuits, amour and other suits that cover the feet now protect against + glass shards + - bugfix: + You will now lose the lawyer's speech bubble effect if you unequip the + layer's badge MrStonedOne: - - tweak: More performance tweaks with the modulated reactive ensured entropy frame - governor system + - tweak: + More performance tweaks with the modulated reactive ensured entropy frame + governor system PKPenguin321: - - tweak: Ash walker tendrils will now restore 5% of their HP when fed. + - tweak: Ash walker tendrils will now restore 5% of their HP when fed. Shadowlight213: - - bugfix: Borg emotes should now play at the correct pitch - - bugfix: The ID console now properly handles authorization - - bugfix: Clicking on one of the ID cards in the UI will no longer eject both of - them + - bugfix: Borg emotes should now play at the correct pitch + - bugfix: The ID console now properly handles authorization + - bugfix: + Clicking on one of the ID cards in the UI will no longer eject both of + them Thunder12345: - - bugfix: Morphs will no longer retain the colour of the last thing mimicked when - reverting to their true form + - bugfix: + Morphs will no longer retain the colour of the last thing mimicked when + reverting to their true form XDTM: - - bugfix: Patches' application is now properly delayed instead of instant. - - bugfix: Accelerator laser cannons' projectile now properly grows with distance. + - bugfix: Patches' application is now properly delayed instead of instant. + - bugfix: Accelerator laser cannons' projectile now properly grows with distance. coiax: - - rscadd: The end of round stats include the number of people who escaped on the - main emergency shuttle. + - rscadd: + The end of round stats include the number of people who escaped on the + main emergency shuttle. 2017-01-14: Cyberboss: - - bugfix: Explosions now flash people properly + - bugfix: Explosions now flash people properly Lzimann: - - bugfix: Fixes TGUI not working for people without IE11 + - bugfix: Fixes TGUI not working for people without IE11 Thunder12345: - - bugfix: Recoloured mobs and objects will no longer produce coloured fire. + - bugfix: Recoloured mobs and objects will no longer produce coloured fire. XDTM: - - bugfix: Nanotrasen decided that the "violent osmosis" method for refilling fire - extinguishers was, while cathartic, too expensive, due to the water tank repair - bills. Water tanks now have a tap. - - bugfix: (refilling extinguishers from tanks won't make you hit them) - - bugfix: Golems no longer drop belt, id, and pocket contents in a fit of extreme - clumsiness when drawing a sword from a sheath. - - bugfix: Wrenching portable chem dispensers won't cause you to immediately try - unwrenching them. + - bugfix: + Nanotrasen decided that the "violent osmosis" method for refilling fire + extinguishers was, while cathartic, too expensive, due to the water tank repair + bills. Water tanks now have a tap. + - bugfix: (refilling extinguishers from tanks won't make you hit them) + - bugfix: + Golems no longer drop belt, id, and pocket contents in a fit of extreme + clumsiness when drawing a sword from a sheath. + - bugfix: + Wrenching portable chem dispensers won't cause you to immediately try + unwrenching them. coiax: - - bugfix: Blue circuit floors are now restored to their normal colour if an AI doomsday - device is disabled. + - bugfix: + Blue circuit floors are now restored to their normal colour if an AI doomsday + device is disabled. 2017-01-16: Cyberboss: - - bugfix: Firedoors no longer have maintenance panels - - tweak: Firedoors must now be welded and screwdrivered prior to be deconstructed + - bugfix: Firedoors no longer have maintenance panels + - tweak: Firedoors must now be welded and screwdrivered prior to be deconstructed Joan: - - rscadd: Ratvar will now convert lattices and catwalks to clockwork versions. + - rscadd: Ratvar will now convert lattices and catwalks to clockwork versions. XDTM: - - tweak: Updating your PDA info with an agent id card inside will also overwrite - the previous name. - - bugfix: Loading a xenobiology console with a bio bag won't cause you to smack - it with it. - - tweak: Chemical splashing is now based on distance rather than affected tiles. - - bugfix: You can now properly wet floors by putting enough water in a grenade. - - bugfix: Floating without gravity won't drain hunger. + - tweak: + Updating your PDA info with an agent id card inside will also overwrite + the previous name. + - bugfix: + Loading a xenobiology console with a bio bag won't cause you to smack + it with it. + - tweak: Chemical splashing is now based on distance rather than affected tiles. + - bugfix: You can now properly wet floors by putting enough water in a grenade. + - bugfix: Floating without gravity won't drain hunger. 2017-01-18: Mervill: - - bugfix: Using a welder to repair a mining drone now follows standard behaviour - - bugfix: Redeeming the mining voucher for a mining drone now also provides welding - goggles - - bugfix: ntnrc channels are now deleted properly + - bugfix: Using a welder to repair a mining drone now follows standard behaviour + - bugfix: + Redeeming the mining voucher for a mining drone now also provides welding + goggles + - bugfix: ntnrc channels are now deleted properly Tofa01: - - bugfix: Moved all sprites for heat pipe manifold either up or down by one so that - they will line up correctly when connected to adjacent pipes. + - bugfix: + Moved all sprites for heat pipe manifold either up or down by one so that + they will line up correctly when connected to adjacent pipes. uraniummeltdown: - - rscadd: More AI holograms! + - rscadd: More AI holograms! 2017-01-19: Cyberboss: - - bugfix: Various abstract entities will no longer be affected by spacewind - - bugfix: Ash will, once again, burn in lava - - rscadd: Active testmerges of PRs will now be shown in the MOTD - - bugfix: You will no longer appear to bleed while bandaged + - bugfix: Various abstract entities will no longer be affected by spacewind + - bugfix: Ash will, once again, burn in lava + - rscadd: Active testmerges of PRs will now be shown in the MOTD + - bugfix: You will no longer appear to bleed while bandaged Joan: - - spellcheck: Clockwork airlocks now have more explicit deconstruction messages, - using the same syntax as rwall deconstruction. + - spellcheck: + Clockwork airlocks now have more explicit deconstruction messages, + using the same syntax as rwall deconstruction. Mervill: - - bugfix: Raw Telecrystals won't appear in the Traitor's purchase log at the end - of the round + - bugfix: + Raw Telecrystals won't appear in the Traitor's purchase log at the end + of the round MrStonedOne: - - bugfix: Fixed excessive and immersion ruining delay on the smoothing of asteroid/mining - rock after a neighboring rock turf was mined up. + - bugfix: + Fixed excessive and immersion ruining delay on the smoothing of asteroid/mining + rock after a neighboring rock turf was mined up. XDTM: - - bugfix: Plasmamen that are set on fire by reacting with oxygen will burn even - if they have protective clothing. It will still protect from external fire sources. - - tweak: Atmos-sealing clothing, like hardsuits, will protect plasmamen from reacting - with the atmosphere. - - tweak: Plasmamen can survive up to 1 mole of oxygen before burning, instead of - burning with any hint of oxygen. - - bugfix: Nanotrasen no longer ships self-glueing posters. You'll have to finish - placing the posters to ensure they don't fall on the ground. - - bugfix: Exosuits can't push anchored mobs, such as megafauna or tendrils, anymore. + - bugfix: + Plasmamen that are set on fire by reacting with oxygen will burn even + if they have protective clothing. It will still protect from external fire sources. + - tweak: + Atmos-sealing clothing, like hardsuits, will protect plasmamen from reacting + with the atmosphere. + - tweak: + Plasmamen can survive up to 1 mole of oxygen before burning, instead of + burning with any hint of oxygen. + - bugfix: + Nanotrasen no longer ships self-glueing posters. You'll have to finish + placing the posters to ensure they don't fall on the ground. + - bugfix: Exosuits can't push anchored mobs, such as megafauna or tendrils, anymore. coiax: - - bugfix: AIs can no longer activate the Doomsday Device off-station. Previously - it would activate and then immediately turn off, outing the AI as a traitor - without any benefit. + - bugfix: + AIs can no longer activate the Doomsday Device off-station. Previously + it would activate and then immediately turn off, outing the AI as a traitor + without any benefit. 2017-01-20: CoreOverload: - - tweak: Any sharp item can now be used for "incise" surgery step, with 30% success - probability. + - tweak: + Any sharp item can now be used for "incise" surgery step, with 30% success + probability. Joan: - - rscadd: Sentinel's Compromise will also convert oxygen damage into half toxin, - in addition to brute and burn. - - tweak: Reduced the Ark of the Clockwork Justicar's health from 600 to 500 - - rscadd: You can now pull objects past the Ark of the Clockwork Justicar without - them being moved and or destroyed by its power. + - rscadd: + Sentinel's Compromise will also convert oxygen damage into half toxin, + in addition to brute and burn. + - tweak: Reduced the Ark of the Clockwork Justicar's health from 600 to 500 + - rscadd: + You can now pull objects past the Ark of the Clockwork Justicar without + them being moved and or destroyed by its power. MrStonedOne: - - tweak: Server side timing of the parallax shuttle launch animation now runs on - client time rather than byond time/server time. This will fix the odd issues - it has during lag. The parallax shuttle slowdown animation will still have issues, - those will be fixed in another more involved update to shuttles. - - rscadd: The window will flash in the taskbar when a new round is ready and about - to start. + - tweak: + Server side timing of the parallax shuttle launch animation now runs on + client time rather than byond time/server time. This will fix the odd issues + it has during lag. The parallax shuttle slowdown animation will still have issues, + those will be fixed in another more involved update to shuttles. + - rscadd: + The window will flash in the taskbar when a new round is ready and about + to start. Tofa01: - - bugfix: Moved The CentComm station 6 tiles to the left in order to prevent large - shuttles such as "asteroid with engines on it" from clipping off the end of - the right side of the map. + - bugfix: + Moved The CentComm station 6 tiles to the left in order to prevent large + shuttles such as "asteroid with engines on it" from clipping off the end of + the right side of the map. XDTM: - - bugfix: Chameleon PDAs can now morph into assistant PDAs. - - bugfix: A few iconless items have been blacklisted from chameleon clothing. - - tweak: Reviver implants now warn you when they're turning on or off, or when giving - a heart attack due to EMP. + - bugfix: Chameleon PDAs can now morph into assistant PDAs. + - bugfix: A few iconless items have been blacklisted from chameleon clothing. + - tweak: + Reviver implants now warn you when they're turning on or off, or when giving + a heart attack due to EMP. 2017-01-22: ChemicalRascal: - - tweak: Voice analyzers in "inclusive" mode (the default mode) are now case-insensitive. + - tweak: Voice analyzers in "inclusive" mode (the default mode) are now case-insensitive. Cyberboss: - - tweak: You can no longer meatspike bots and silicons - - bugfix: Secbots will now drop the baton type they were constructed with + - tweak: You can no longer meatspike bots and silicons + - bugfix: Secbots will now drop the baton type they were constructed with Dannno: - - rscadd: yeehaw.ogg is now a round end sound + - rscadd: yeehaw.ogg is now a round end sound Fox McCloud: - - tweak: drying meat slabs and grapes now yields a healthy non-junkfood snack + - tweak: drying meat slabs and grapes now yields a healthy non-junkfood snack Hyena: - - rscadd: Adds paint remover to the janitors closet + - rscadd: Adds paint remover to the janitors closet Joan: - - rscadd: Clockwork Proselytizers can now convert lattices and catwalks. This has - negative gameplay benefit, but looks cool. - - rscadd: Sigils of Transmission can be accessed by clockwork structures in a larger - range. - - tweak: You can see, when examining a clockwork structure, how many sigils are - in range of it. - - rscadd: Clockwork constructs will toggle clockwork structures instead of attacking - them. + - rscadd: + Clockwork Proselytizers can now convert lattices and catwalks. This has + negative gameplay benefit, but looks cool. + - rscadd: + Sigils of Transmission can be accessed by clockwork structures in a larger + range. + - tweak: + You can see, when examining a clockwork structure, how many sigils are + in range of it. + - rscadd: + Clockwork constructs will toggle clockwork structures instead of attacking + them. Shadowlight213: - - bugfix: Zombies will now get their claws upon zombification + - bugfix: Zombies will now get their claws upon zombification Thunder12345: - - rscadd: The indestructible walls on CentComm will now smooth. + - rscadd: The indestructible walls on CentComm will now smooth. Tofa01: - - tweak: Changed alert message on early launch Authorization shuttle repeal message. - - bugfix: Makes the repeal message work and push a alert to the crew properly, also - reports every Authorization repeal now. - - bugfix: Auto Capitalisation will now work with all types of MMI chat + - tweak: Changed alert message on early launch Authorization shuttle repeal message. + - bugfix: + Makes the repeal message work and push a alert to the crew properly, also + reports every Authorization repeal now. + - bugfix: Auto Capitalisation will now work with all types of MMI chat Ultimate-Chimera: - - rscadd: Adds a new costume crate to the cargo ordering console. + - rscadd: Adds a new costume crate to the cargo ordering console. XDTM: - - rscadd: Xenobiology consoles are now buildable from circuitboards in R&D. They'll - be limited to the area they're built in plus any area with the same name. - - rscadd: Stock Exchange computers are now also buildable this way. - - rscadd: Androids now speak in a more robotic tone of voice. - - imageadd: Armblades now look a bit more bladelike. + - rscadd: + Xenobiology consoles are now buildable from circuitboards in R&D. They'll + be limited to the area they're built in plus any area with the same name. + - rscadd: Stock Exchange computers are now also buildable this way. + - rscadd: Androids now speak in a more robotic tone of voice. + - imageadd: Armblades now look a bit more bladelike. coiax: - - rscadd: The Delta emergency shuttle now travels towards the south, rather than - the north. This changes nothing except which direction the stars rushing past - the windows are moving. - - bugfix: Fixed dragging the spawn protection traps on CTF. + - rscadd: + The Delta emergency shuttle now travels towards the south, rather than + the north. This changes nothing except which direction the stars rushing past + the windows are moving. + - bugfix: Fixed dragging the spawn protection traps on CTF. 2017-01-24: CoreOverload: - - rscadd: You can now buckle handcuffed people to singularity/tesla generators, - RTGs, tesla coils and grounding rods. + - rscadd: + You can now buckle handcuffed people to singularity/tesla generators, + RTGs, tesla coils and grounding rods. Cyberboss: - - tweak: Firealarms now go off if it's too cold - - bugfix: World start will no longer lag - - bugfix: Dismembered heads will now use a mob's real name + - tweak: Firealarms now go off if it's too cold + - bugfix: World start will no longer lag + - bugfix: Dismembered heads will now use a mob's real name Joan: - - rscadd: Clockwork Slabs can now focus on a specific component type to produce. - - experiment: 'Redesigned: Volt Void now allows you to fire up to 5 energy rays - at targets in view; each ray does 25 laser damage to non-Servants in the target - tile. The ray will consume power to do up to double damage, however.' - - wip: Failing to fire a Volt Void ray will damage you, though you won't die from - it unless you have access to a lot of power and are either low on health or - fail all five rays in a row. - - rscadd: The Ark of the Clockwork Justicar will gradually convert objects near - it with increasing range as it gets closer to activating. - - tweak: 'Brass windows have 20% less health, and are accordingly easier to destroy. - Fun fact: Lasers do more damage to brass windows!' - - tweak: 'Wall gears have 33% less health and are slightly faster to deconstruct. - Fun fact: You can climb over wall gears!' - - tweak: Marauders will heal more of their host's damage, on average, per life tick. - - rscadd: Clockwork Proselytizers can now repair Servant silicons and clockwork - mobs. This works in the same manner as repairing clockwork structures. - - tweak: Cogscarabs work slightly differently, and act as though the proselytizer - is a screwdriver. + - rscadd: Clockwork Slabs can now focus on a specific component type to produce. + - experiment: + "Redesigned: Volt Void now allows you to fire up to 5 energy rays + at targets in view; each ray does 25 laser damage to non-Servants in the target + tile. The ray will consume power to do up to double damage, however." + - wip: + Failing to fire a Volt Void ray will damage you, though you won't die from + it unless you have access to a lot of power and are either low on health or + fail all five rays in a row. + - rscadd: + The Ark of the Clockwork Justicar will gradually convert objects near + it with increasing range as it gets closer to activating. + - tweak: + "Brass windows have 20% less health, and are accordingly easier to destroy. + Fun fact: Lasers do more damage to brass windows!" + - tweak: + "Wall gears have 33% less health and are slightly faster to deconstruct. + Fun fact: You can climb over wall gears!" + - tweak: Marauders will heal more of their host's damage, on average, per life tick. + - rscadd: + Clockwork Proselytizers can now repair Servant silicons and clockwork + mobs. This works in the same manner as repairing clockwork structures. + - tweak: + Cogscarabs work slightly differently, and act as though the proselytizer + is a screwdriver. Kor: - - rscadd: Megafauna will not heal while on the station. Do not be afraid to throw - your life away to get in a few toolbox hits. + - rscadd: + Megafauna will not heal while on the station. Do not be afraid to throw + your life away to get in a few toolbox hits. Shadowlight213: - - rscdel: PAIs can no longer ventcrawl + - rscdel: PAIs can no longer ventcrawl Tofa01: - - rscadd: '[Delta Station] Adds a tracking beacon to AI MiniSat Exterior Hallway' + - rscadd: "[Delta Station] Adds a tracking beacon to AI MiniSat Exterior Hallway" coiax: - - rscdel: Statues are now just incredibly tough mobs, rather than GODMODE. As a - side effect, they are no longer immune to bolts of change. - - bugfix: Fixed some issues with X (as Y) names on polymorphed mobs. + - rscdel: + Statues are now just incredibly tough mobs, rather than GODMODE. As a + side effect, they are no longer immune to bolts of change. + - bugfix: Fixed some issues with X (as Y) names on polymorphed mobs. 2017-01-26: Robustin: - - tweak: Unholy Water can now be thrown or vaporized to deliver a powerful poison - unto the cult's enemies - or healing and stun resistance to its acolytes. + - tweak: + Unholy Water can now be thrown or vaporized to deliver a powerful poison + unto the cult's enemies - or healing and stun resistance to its acolytes. Tofa01: - - tweak: Moved Meta station AI MiniSat tracking beacon to AI MiniSat entrance. Should - prevent being regular teleported into space. - - bugfix: Added missing row of pixels to Flypeople torso so head connects to body - properly. + - tweak: + Moved Meta station AI MiniSat tracking beacon to AI MiniSat entrance. Should + prevent being regular teleported into space. + - bugfix: + Added missing row of pixels to Flypeople torso so head connects to body + properly. Tofa01 & XDTM: - - rscadd: Adds radio alert messages going to medical channel to the cryo tube when - a patient is fully restored. - - soundadd: Adds new alert sound for cryo tube. (cryo_warning.ogg) + - rscadd: + Adds radio alert messages going to medical channel to the cryo tube when + a patient is fully restored. + - soundadd: Adds new alert sound for cryo tube. (cryo_warning.ogg) XDTM: - - rscadd: Voice of God has received a few more commands. - - rscadd: You can now use job abbreviations (ex. hos > head of security) and first - names (ex. Duke > Duke Hayka) to focus targets. + - rscadd: Voice of God has received a few more commands. + - rscadd: + You can now use job abbreviations (ex. hos > head of security) and first + names (ex. Duke > Duke Hayka) to focus targets. coiax: - - rscadd: The nuclear operative cybernetic implant bundle now actually contains - implants. - - rscdel: The cybernetic implant bundle is no longer eligible for discounts (bundles - are, in general, not eligible). - - rscadd: Telecrystals can be purchased in stacks of five and twenty. - - rscadd: The entire stack of telecrystals are added to the uplink when charging - them. + - rscadd: + The nuclear operative cybernetic implant bundle now actually contains + implants. + - rscdel: + The cybernetic implant bundle is no longer eligible for discounts (bundles + are, in general, not eligible). + - rscadd: Telecrystals can be purchased in stacks of five and twenty. + - rscadd: + The entire stack of telecrystals are added to the uplink when charging + them. 2017-01-27: Joan: - - tweak: Buckshot now does a maximum of 75 damage, from 90. - - tweak: The unique cyborg scriptures(Linked Vanguard, Judicial Marker) take 3 seconds - to invoke, from 4. - - tweak: Invoking Inath-neq and Invoking Nzcrentr now both take 10 seconds to invoke, - from 15. + - tweak: Buckshot now does a maximum of 75 damage, from 90. + - tweak: + The unique cyborg scriptures(Linked Vanguard, Judicial Marker) take 3 seconds + to invoke, from 4. + - tweak: + Invoking Inath-neq and Invoking Nzcrentr now both take 10 seconds to invoke, + from 15. Lzimann: - - rscadd: Now you can choose what department you want to be as security! (This may - not be completly reliable). + - rscadd: + Now you can choose what department you want to be as security! (This may + not be completly reliable). RemieRichards: - - rscadd: 'Emagging a sleeper now randomises the buttons, the buttons remain the - same until randomised again so you can "learn" the new button config if you''re - a masochist, Inject omnizine but realise far too late that it''s all morphine, - woops! (Note: Epinephrine can always be injected, regardless of chem levels, - this means if something !!FUN!! ends up on the Epinephrine button, it will always - be injectable!)' + - rscadd: + 'Emagging a sleeper now randomises the buttons, the buttons remain the + same until randomised again so you can "learn" the new button config if you''re + a masochist, Inject omnizine but realise far too late that it''s all morphine, + woops! (Note: Epinephrine can always be injected, regardless of chem levels, + this means if something !!FUN!! ends up on the Epinephrine button, it will always + be injectable!)' Sweaterkittens: - - tweak: There are now updated names and descriptions for the items that your plasma-based - crewmembers start with and use frequently. + - tweak: + There are now updated names and descriptions for the items that your plasma-based + crewmembers start with and use frequently. 2017-01-28: Joan: - - tweak: Brass windows no longer start off anchored, but are constructed instantly. - - bugfix: You can no longer stack multiple windows of the same direction on a tile. - - rscadd: Vitality Matrices now share vitality globally, allowing you to use vitality - gained from any Matrix. - - tweak: Geis now mutes human targets if there are less than 6 Servants. - - tweak: Geis no longer produces resist messages below 6 Servants; this isn't a - change, as Geis cannot be successfully resisted below 6 Servants. - - tweak: Applying Geis to an already bound target will also mute them, in addition - to preventing resistance. + - tweak: Brass windows no longer start off anchored, but are constructed instantly. + - bugfix: You can no longer stack multiple windows of the same direction on a tile. + - rscadd: + Vitality Matrices now share vitality globally, allowing you to use vitality + gained from any Matrix. + - tweak: Geis now mutes human targets if there are less than 6 Servants. + - tweak: + Geis no longer produces resist messages below 6 Servants; this isn't a + change, as Geis cannot be successfully resisted below 6 Servants. + - tweak: + Applying Geis to an already bound target will also mute them, in addition + to preventing resistance. RemieRichards: - - rscadd: A New weapon for clown mechs, the Oingo Boingo Punch-face! it's a giant - boxing glove that extends out on a spring and sends atoms flying (including - anchored ones and things that make no sense to move because -clowns-) + - rscadd: + A New weapon for clown mechs, the Oingo Boingo Punch-face! it's a giant + boxing glove that extends out on a spring and sends atoms flying (including + anchored ones and things that make no sense to move because -clowns-) Tofa01: - - bugfix: Mop will no longer try and clean tile under janitorial cart when wetting - the mop. - - rscadd: Adds modular computers to Metastation. - - bugfix: Fixes no air in Deltastation maintenance kitchen. - - rscadd: Adds a modular computer to the CE office on Pubbystation. + - bugfix: + Mop will no longer try and clean tile under janitorial cart when wetting + the mop. + - rscadd: Adds modular computers to Metastation. + - bugfix: Fixes no air in Deltastation maintenance kitchen. + - rscadd: Adds a modular computer to the CE office on Pubbystation. Xhuis: - - rscadd: Energy-based weapons can now light cigarettes. + - rscadd: Energy-based weapons can now light cigarettes. coiax: - - rscadd: Communication consoles now share cooldowns on announcements. - - rscadd: Cyborgs can now alter the messages of the announcement system. - - bugfix: Deadchat is now notified of any deaths on the shuttle or on Centcom. The - CTF arena does not generate death messages, due to the high levels of death. - - rscadd: The Human-level Intelligence event now occurs slightly more often, and - produces a classified message. + - rscadd: Communication consoles now share cooldowns on announcements. + - rscadd: Cyborgs can now alter the messages of the announcement system. + - bugfix: + Deadchat is now notified of any deaths on the shuttle or on Centcom. The + CTF arena does not generate death messages, due to the high levels of death. + - rscadd: + The Human-level Intelligence event now occurs slightly more often, and + produces a classified message. kevinz000: - - rscadd: Emitters and Tesla Coils now have activation wires! - - rscadd: Emitters will shoot out an emitter bolt when pulsed, regardless of it - is on. - - rscadd: Tesla coils will shoot lightning when pulsed, if it is connected to a - cable that has power. - - bugfix: Bolas no longer restrain your hands for 10 seconds when you try to remove - them and fail. + - rscadd: Emitters and Tesla Coils now have activation wires! + - rscadd: + Emitters will shoot out an emitter bolt when pulsed, regardless of it + is on. + - rscadd: + Tesla coils will shoot lightning when pulsed, if it is connected to a + cable that has power. + - bugfix: + Bolas no longer restrain your hands for 10 seconds when you try to remove + them and fail. 2017-01-29: BASILMAN YOUR MAIN MAN: - - rscadd: Added a new sailor outfit to the autodrobe, now you can play sailors vs - pirates. + - rscadd: + Added a new sailor outfit to the autodrobe, now you can play sailors vs + pirates. BlakHoleSun: - - rscadd: Added new reaction with the rainbow slime extract. Injecting a rainbow - slime extract with 5u of holy water and 5u of uranium gives you a flight potion. + - rscadd: + Added new reaction with the rainbow slime extract. Injecting a rainbow + slime extract with 5u of holy water and 5u of uranium gives you a flight potion. Cobby: - - tweak: AI's can now be your banker by manipulating the stock machine. + - tweak: AI's can now be your banker by manipulating the stock machine. Cyberboss: - - experiment: Nuclear bombs now detonate - - rscadd: You can now link additional cloning pods in the same powered area to a - single computer using a multitool. + - experiment: Nuclear bombs now detonate + - rscadd: + You can now link additional cloning pods in the same powered area to a + single computer using a multitool. Fox McCloud: - - bugfix: Fixes Kudzu seed gene stats not being properly altered by certain reagents - - bugfix: Fixes Kudzu vine dropped seeds not properly having gene stats set - - bugfix: Fixes glowshrooms having an invalidly high lifespan - - bugfix: Fixes explosive vines not properly chaining + - bugfix: Fixes Kudzu seed gene stats not being properly altered by certain reagents + - bugfix: Fixes Kudzu vine dropped seeds not properly having gene stats set + - bugfix: Fixes glowshrooms having an invalidly high lifespan + - bugfix: Fixes explosive vines not properly chaining Joan: - - rscadd: Clockwork Marauders now grant their host action buttons to force them - to emerge/recall and communicate with them, instead of requiring the host to - type their name or use a verb, respectively. - - rscdel: Clockwork Marauders no longer see their block and counter chances; this - was mostly useless info, as knowing the chance didn't matter as to what you'd - do. - - rscdel: Clockwork Marauders can no longer change their name. - - tweak: Clockwork Marauders have a slightly lower chance to block, and take slightly - more damage when far from their host. - - bugfix: Fixes a bug where Clockwork Marauders never suffered reduced damage and - speed at low health and never got the damage bonus at high health. + - rscadd: + Clockwork Marauders now grant their host action buttons to force them + to emerge/recall and communicate with them, instead of requiring the host to + type their name or use a verb, respectively. + - rscdel: + Clockwork Marauders no longer see their block and counter chances; this + was mostly useless info, as knowing the chance didn't matter as to what you'd + do. + - rscdel: Clockwork Marauders can no longer change their name. + - tweak: + Clockwork Marauders have a slightly lower chance to block, and take slightly + more damage when far from their host. + - bugfix: + Fixes a bug where Clockwork Marauders never suffered reduced damage and + speed at low health and never got the damage bonus at high health. Kor: - - rscdel: Stimpacks are no longer available in the mining vendor. + - rscdel: Stimpacks are no longer available in the mining vendor. Lzimann: - - rscadd: You can now change your view range as ghost. To do so, either use the - View Range verb in the ghost tab, the mouse scroll up/down or control + "+"/"-". - The verb also works as a reset if you changed your view. + - rscadd: + You can now change your view range as ghost. To do so, either use the + View Range verb in the ghost tab, the mouse scroll up/down or control + "+"/"-". + The verb also works as a reset if you changed your view. Sogui: - - tweak: There are now 2 less traitors in the double agent mode - - tweak: All security (and captain) suit sensors are set to max by default + - tweak: There are now 2 less traitors in the double agent mode + - tweak: All security (and captain) suit sensors are set to max by default Supermichael777: - - tweak: The wooden chair with wings is now craft-able. -1 non reconstruct-able - map object - - rscadd: Added the Tiki mask, you can make it in wood's crafting menu. - - imageadd: Ported Tiki mask's sprites from Hippie station. It is under the same - Creative Commons 3.0 BY-SA as the rest of our sprites. They are from Nienhaus. + - tweak: + The wooden chair with wings is now craft-able. -1 non reconstruct-able + map object + - rscadd: Added the Tiki mask, you can make it in wood's crafting menu. + - imageadd: + Ported Tiki mask's sprites from Hippie station. It is under the same + Creative Commons 3.0 BY-SA as the rest of our sprites. They are from Nienhaus. Tofa01: - - rscadd: Adds a camera network onto the Omega Station. - - imageadd: Added new sprite for the AI Slipper. + - rscadd: Adds a camera network onto the Omega Station. + - imageadd: Added new sprite for the AI Slipper. XDTM: - - tweak: Implanting chainsaws is now a prosthetic replacement instead of its own - surgery. - - rscadd: You can now implant synthetic armblades (from an emagged limb grower) - into people's arms to use it at its full potential. - - rscdel: Chainsaw removal surgery has been removed as well; you'll have to sever - the limb and get a new one. + - tweak: + Implanting chainsaws is now a prosthetic replacement instead of its own + surgery. + - rscadd: + You can now implant synthetic armblades (from an emagged limb grower) + into people's arms to use it at its full potential. + - rscdel: + Chainsaw removal surgery has been removed as well; you'll have to sever + the limb and get a new one. Xhuis: - - rscadd: AI control beacons are a new item created from the exosuit fabricator. - When installed into a mech, it allows AIs to jump to and from that mech freely. - Note that malfunctioning AIs with the domination power unlocked will instead - be forced to dominate the mech. - - tweak: Some timed actions are no longer interrupted while drifting through space. - - rscadd: Riot foam darts can now be constructed from a hacked autolathe. + - rscadd: + AI control beacons are a new item created from the exosuit fabricator. + When installed into a mech, it allows AIs to jump to and from that mech freely. + Note that malfunctioning AIs with the domination power unlocked will instead + be forced to dominate the mech. + - tweak: Some timed actions are no longer interrupted while drifting through space. + - rscadd: Riot foam darts can now be constructed from a hacked autolathe. bgobandit: - - rscadd: The library computer can now upload scanned books to the newscaster. Remember, - seditious or unsavory news channels should receive a Nanotrasen D-Notice! - - rscadd: The library computer can now print corporate posters as well as Bibles. - - rscdel: Cargo no longer offers a corporate poster crate. Nobody ever bought it - anyway. + - rscadd: + The library computer can now upload scanned books to the newscaster. Remember, + seditious or unsavory news channels should receive a Nanotrasen D-Notice! + - rscadd: The library computer can now print corporate posters as well as Bibles. + - rscdel: + Cargo no longer offers a corporate poster crate. Nobody ever bought it + anyway. coiax: - - rscadd: The Librarian now starts with a chisel/soapstone/chalk/magic marker capable - of engraving messages for subsequent shifts, and permanently erasing messages - that the Librarian is unhappy with. It has limited uses, so order more at Cargo. - - bugfix: The contraband cream pie crate is now locked, and requires Theatre access. - - rscadd: Any silicons created by bolts of change have no laws. - - rscadd: Cyborgs are immune to polymorph while changing module. - - rscadd: Adds Romerol to the traitor uplink for 25 TC. (This means you need a discount, - or to work with another traitor to afford it). Romerol is a highly experimental - bioterror agent which silently create dormant nodules to be etched into the - grey matter of the brain. On death, these nodules take control of the dead body, - causing limited revivification, along with slurred speech, aggression, and the - ability to infect others with this agent. - - rscdel: Zombie infections are no longer visible on MediHUD. - - rscdel: Zombies no longer tear open airlocks, since they can just smash them open - just as fast. - - rscdel: Zombies are no longer TOXINLOVING. - - rscadd: EMPs may cause random wires to be pulsed. Please ensure that sensitive - equipment avoids exposure to heavy electromagnetic pulses. + - rscadd: + The Librarian now starts with a chisel/soapstone/chalk/magic marker capable + of engraving messages for subsequent shifts, and permanently erasing messages + that the Librarian is unhappy with. It has limited uses, so order more at Cargo. + - bugfix: The contraband cream pie crate is now locked, and requires Theatre access. + - rscadd: Any silicons created by bolts of change have no laws. + - rscadd: Cyborgs are immune to polymorph while changing module. + - rscadd: + Adds Romerol to the traitor uplink for 25 TC. (This means you need a discount, + or to work with another traitor to afford it). Romerol is a highly experimental + bioterror agent which silently create dormant nodules to be etched into the + grey matter of the brain. On death, these nodules take control of the dead body, + causing limited revivification, along with slurred speech, aggression, and the + ability to infect others with this agent. + - rscdel: Zombie infections are no longer visible on MediHUD. + - rscdel: + Zombies no longer tear open airlocks, since they can just smash them open + just as fast. + - rscdel: Zombies are no longer TOXINLOVING. + - rscadd: + EMPs may cause random wires to be pulsed. Please ensure that sensitive + equipment avoids exposure to heavy electromagnetic pulses. jughu: - - tweak: Changes some cargo export prices + - tweak: Changes some cargo export prices ma44: - - tweak: Nanotrasen has improved training of the crew, teaching crewmembers like - you to unscrew the top off the bottle and pour it into containers like beakers. + - tweak: + Nanotrasen has improved training of the crew, teaching crewmembers like + you to unscrew the top off the bottle and pour it into containers like beakers. vcordie: - - bugfix: Loads the HADES carbine with the correct bullet. - - tweak: The SRM-8 Rocket Pods have been loaded with new explosives designed to - do maximum damage to terrain. These explosives are less effective on people, - however. + - bugfix: Loads the HADES carbine with the correct bullet. + - tweak: + The SRM-8 Rocket Pods have been loaded with new explosives designed to + do maximum damage to terrain. These explosives are less effective on people, + however. 2017-01-30: BASILMAN YOUR MAIN MAN: - - rscadd: Added BM SPEEDWAGON THE BEST (AND ONLY) SPACE CAR ON THE MARKET. + - rscadd: Added BM SPEEDWAGON THE BEST (AND ONLY) SPACE CAR ON THE MARKET. CoreOverload: - - tweak: Clicking item slot now clicks the item in it. + - tweak: Clicking item slot now clicks the item in it. Cyberboss: - - bugfix: Judicial visors now recharge properly - - bugfix: Gluon grenades now properly freeze turfs - - bugfix: Revs are now properly jobbanned + - bugfix: Judicial visors now recharge properly + - bugfix: Gluon grenades now properly freeze turfs + - bugfix: Revs are now properly jobbanned Fox McCloud: - - tweak: Plant analyzers will now display plant traits - - tweak: Plant analyzers will now display all of a grown's genetic reagents + - tweak: Plant analyzers will now display plant traits + - tweak: Plant analyzers will now display all of a grown's genetic reagents Joan: - - rscdel: Cutting off legs no longer stuns. - - tweak: Volt Void now only allows you to fire 4 volt rays instead of 5, and the - damage of each ray has been reduced to 20, from 25. - - rscdel: Cyborgs using Volt Void now take damage if they fail to fire. - - experiment: 'Clockwork scripture can no longer require more components than it - consumes: This means that most scriptures ""cost"" one less component.' + - rscdel: Cutting off legs no longer stuns. + - tweak: + Volt Void now only allows you to fire 4 volt rays instead of 5, and the + damage of each ray has been reduced to 20, from 25. + - rscdel: Cyborgs using Volt Void now take damage if they fail to fire. + - experiment: + 'Clockwork scripture can no longer require more components than it + consumes: This means that most scriptures ""cost"" one less component.' MrStonedOne: - - rscadd: Because of abuse, actions on interfaces are throttled. Some bursting is - allowed. You will get a message if an action is ignored. Server operators can - configure this in config.dm + - rscadd: + Because of abuse, actions on interfaces are throttled. Some bursting is + allowed. You will get a message if an action is ignored. Server operators can + configure this in config.dm Tofa01: - - bugfix: '[Delta] Fixes area names for Deltastation' - - bugfix: '[Delta] Fixes custodial closet being cold all the time on Deltastation' + - bugfix: "[Delta] Fixes area names for Deltastation" + - bugfix: "[Delta] Fixes custodial closet being cold all the time on Deltastation" bgobandit: - - rscadd: Nanotrasen supports the arts. We now offer picture frames! + - rscadd: Nanotrasen supports the arts. We now offer picture frames! coiax: - - rscdel: The Syndicate "Uplink Implant" now has no TC precharged. You can charge - it with the use of physical telecrystals. The price has been reduced from 14TC - to 4TC accordingly. (The uplink implant in the implant bundle still has 10TC). - - rscadd: Syndicate bombs and nuclear devices now have a minimum timer of 90 seconds. - - rscadd: Camoflaged HUDs given to head revolutionaries now function the same as - chameleon glasses in the chameleon kit bundle, giving them an action button - and far more disguise options. - - rscadd: Syndicate thermals are also now more like chameleon glasses as well. - - rscadd: You can regain a use of a soapstone by erasing one of your own messages. - (This means you can remove a message if you don't like the colour and want to - try rephrasing it to get a better colour). Erasing someone else's message still - uses a charge. - - bugfix: Fixes bugs where you'd spend a charge without engraving anything. - - bugfix: Fixes a bug where the wrong ckey was entered in the engraving, you won't - be able to take advantage of the "recharging" on messages made before this change. + - rscdel: + The Syndicate "Uplink Implant" now has no TC precharged. You can charge + it with the use of physical telecrystals. The price has been reduced from 14TC + to 4TC accordingly. (The uplink implant in the implant bundle still has 10TC). + - rscadd: Syndicate bombs and nuclear devices now have a minimum timer of 90 seconds. + - rscadd: + Camoflaged HUDs given to head revolutionaries now function the same as + chameleon glasses in the chameleon kit bundle, giving them an action button + and far more disguise options. + - rscadd: Syndicate thermals are also now more like chameleon glasses as well. + - rscadd: + You can regain a use of a soapstone by erasing one of your own messages. + (This means you can remove a message if you don't like the colour and want to + try rephrasing it to get a better colour). Erasing someone else's message still + uses a charge. + - bugfix: Fixes bugs where you'd spend a charge without engraving anything. + - bugfix: + Fixes a bug where the wrong ckey was entered in the engraving, you won't + be able to take advantage of the "recharging" on messages made before this change. 2017-01-31: Cyberboss: - - tweak: The cyborg hugging module can no longer self target + - tweak: The cyborg hugging module can no longer self target Joan: - - tweak: Changed what scriptures and tools Servant cyborgs get; a full list can - be found on the clockwork cult wiki page. + - tweak: + Changed what scriptures and tools Servant cyborgs get; a full list can + be found on the clockwork cult wiki page. RemieRichards: - - rscadd: Added the ability to choose where your uplink spawns, choose between the - classic PDA, the "woops you don't actually have a PDA" fallback Radio uplink - and the brand new Pen uplink! + - rscadd: + Added the ability to choose where your uplink spawns, choose between the + classic PDA, the "woops you don't actually have a PDA" fallback Radio uplink + and the brand new Pen uplink! 2017-02-01: Cyberboss: - - bugfix: AI integrity restorer computer now respects power usage - - bugfix: Progress bars will now stack vertically instead of on top of each other - - bugfix: Progress bars will no longer be affected by lighting + - bugfix: AI integrity restorer computer now respects power usage + - bugfix: Progress bars will now stack vertically instead of on top of each other + - bugfix: Progress bars will no longer be affected by lighting Xhuis: - - rscadd: You can now fold up bluespace body bags with creatures or objects inside. - You can't fold them up if too many things are inside, but anything you fold - up in can be carried around in the object and redeployed at any time. + - rscadd: + You can now fold up bluespace body bags with creatures or objects inside. + You can't fold them up if too many things are inside, but anything you fold + up in can be carried around in the object and redeployed at any time. 2017-02-03: Cobby: - - rscadd: Ghosts will now be informed when an event has been triggered by our lovely - RNG system. + - rscadd: + Ghosts will now be informed when an event has been triggered by our lovely + RNG system. Cyberboss: - - tweak: Firedoors will eventually reseal themselves if left open during a fire - alarm + - tweak: + Firedoors will eventually reseal themselves if left open during a fire + alarm Joan: - - tweak: Clockwork Marauders have 25% less health, 300 health from 400. - - wip: The Vitality Matrix scripture is now a Script, from an Application. Its cost - has been accordingly adjusted. - - tweak: Vitality Matrices will be consumed upon successfully reviving a Servant. - They also drain and heal conscious targets slightly slower. - - wip: The Fellowship Armory scripture is now an Application, from a Script. Its - cost has been accordingly adjusted. - - tweak: Fellowship Armory now affects all Servants in view of the invoker, and - will replace weaker gear and armor with its Ratvarian armor. Also, clockwork - treads now allow you to move in no gravity like magboots. - - rscdel: Mania Motors no longer instantly convert people next to them. - - rscadd: Instead, you have to remain next to them for several seconds, after which - you will be knocked out, then converted if possible. - - tweak: Mania Motors now cost slightly less power to run. + - tweak: Clockwork Marauders have 25% less health, 300 health from 400. + - wip: + The Vitality Matrix scripture is now a Script, from an Application. Its cost + has been accordingly adjusted. + - tweak: + Vitality Matrices will be consumed upon successfully reviving a Servant. + They also drain and heal conscious targets slightly slower. + - wip: + The Fellowship Armory scripture is now an Application, from a Script. Its + cost has been accordingly adjusted. + - tweak: + Fellowship Armory now affects all Servants in view of the invoker, and + will replace weaker gear and armor with its Ratvarian armor. Also, clockwork + treads now allow you to move in no gravity like magboots. + - rscdel: Mania Motors no longer instantly convert people next to them. + - rscadd: + Instead, you have to remain next to them for several seconds, after which + you will be knocked out, then converted if possible. + - tweak: Mania Motors now cost slightly less power to run. Jordie0608: - - tweak: Admin notes, memos and watchlist entries now use a generalized system, - they can all be accessed from the former notes browser. - - rscadd: Added to this are messages, which allow admins to leave a message for - players that is delivered to them when they next connect. + - tweak: + Admin notes, memos and watchlist entries now use a generalized system, + they can all be accessed from the former notes browser. + - rscadd: + Added to this are messages, which allow admins to leave a message for + players that is delivered to them when they next connect. Lexorion: - - tweak: Laser projectiles have a new sprite! They also have a new effect when they - hit a wall. + - tweak: + Laser projectiles have a new sprite! They also have a new effect when they + hit a wall. Sweaterkittens and Joan: - - rscadd: Ocular Wardens will now provide auditory feedback when they acquire targets - and deal damage. - - soundadd: adds ocularwarden-target.ogg, ocularwarden-dot1.ogg and ocularwarden-dot2.ogg - to the game sound files. + - rscadd: + Ocular Wardens will now provide auditory feedback when they acquire targets + and deal damage. + - soundadd: + adds ocularwarden-target.ogg, ocularwarden-dot1.ogg and ocularwarden-dot2.ogg + to the game sound files. Tofa01: - - bugfix: '[Delta] Allows Station Engineers to access Delta Atmospherics Solar Panel - Array Room.' - - rscadd: '[Omega] Adds a Massdriver room to chapel on Omegastation.' + - bugfix: + "[Delta] Allows Station Engineers to access Delta Atmospherics Solar Panel + Array Room." + - rscadd: "[Omega] Adds a Massdriver room to chapel on Omegastation." bgobandit: - - rscadd: All art storage facilities offer construction paper now! + - rscadd: All art storage facilities offer construction paper now! coiax: - - rscadd: A victim of a transformation disease will retain their name. - - tweak: The slime transformation disease can turn you into any colour or age of - slime. - - rscadd: The Abductor event can now happen at any time, rather than thirty (30) - minute plus rounds. + - rscadd: A victim of a transformation disease will retain their name. + - tweak: + The slime transformation disease can turn you into any colour or age of + slime. + - rscadd: + The Abductor event can now happen at any time, rather than thirty (30) + minute plus rounds. 2017-02-04: Cyberboss: - - bugfix: Modular computers now explode properly - - bugfix: Emagged holograms can no longer be exported for credits - - bugfix: Abstract entities no longer feed the singularity - - tweak: Machine frames will no longer be anchored when created + - bugfix: Modular computers now explode properly + - bugfix: Emagged holograms can no longer be exported for credits + - bugfix: Abstract entities no longer feed the singularity + - tweak: Machine frames will no longer be anchored when created Joan: - - rscadd: Vanguard now shows you how long you have until it deactivates. + - rscadd: Vanguard now shows you how long you have until it deactivates. Kor: - - rscadd: 'By combing two flashlights and cable coil, you can create a new eye implant: - flashlight eyes. People with flashlights for eyes can not see, but they will - provide an enormous amount of light to their friends.' - - rscadd: Valentines day will now randomly pair up crew members on dates. The paired - crewmembers will get an objective to protect each other at all costs. + - rscadd: + "By combing two flashlights and cable coil, you can create a new eye implant: + flashlight eyes. People with flashlights for eyes can not see, but they will + provide an enormous amount of light to their friends." + - rscadd: + Valentines day will now randomly pair up crew members on dates. The paired + crewmembers will get an objective to protect each other at all costs. Steelpoint: - - rscadd: Addition of two security DragNETs to Deltastations, Omegastations and - Metastations armouries. + - rscadd: + Addition of two security DragNETs to Deltastations, Omegastations and + Metastations armouries. Tofa01: - - rscadd: '[Delta] Removes space money from gold crate replaces with 3 Gold Bars - Gold Wrestling belt is still there.' - - rscadd: '[Delta] Removes space money from silver crate replaces with 5 Silver - Coins.' - - bugfix: Fixes incorrect placement of RD modular computer on Metastation. + - rscadd: + "[Delta] Removes space money from gold crate replaces with 3 Gold Bars + Gold Wrestling belt is still there." + - rscadd: + "[Delta] Removes space money from silver crate replaces with 5 Silver + Coins." + - bugfix: Fixes incorrect placement of RD modular computer on Metastation. WhiteHusky: - - rscadd: Fields are supported when printing with a modular computer - - rscadd: PRINTER_FONT is now a variable - - rscdel: Removed the [logo] tag on Modular computers as the logo no longer exists - - tweak: New lines on paper are parsed properly - - tweak: '[tab] is now four non-breaking spaces on papers' - - tweak: Papers have an additional proc, reload_fields, to allow fields made programmatically - to be used - - tweak: 'stripped_input stripped_multiline_input has a new argument: no_trim' - - bugfix: Modular computers no longer spew HTML when looking at a file, rather it - is unescaped like it should - - bugfix: Modular computers no longer show escaped HTML entities when editing - - bugfix: Modular computers can now propperly read and write from external media - - bugfix: Modular computers' file browser lists files correctly - - spellcheck: NTOS File Manager had a spelling mistake; Manage instead of Manager + - rscadd: Fields are supported when printing with a modular computer + - rscadd: PRINTER_FONT is now a variable + - rscdel: Removed the [logo] tag on Modular computers as the logo no longer exists + - tweak: New lines on paper are parsed properly + - tweak: "[tab] is now four non-breaking spaces on papers" + - tweak: + Papers have an additional proc, reload_fields, to allow fields made programmatically + to be used + - tweak: "stripped_input stripped_multiline_input has a new argument: no_trim" + - bugfix: + Modular computers no longer spew HTML when looking at a file, rather it + is unescaped like it should + - bugfix: Modular computers no longer show escaped HTML entities when editing + - bugfix: Modular computers can now propperly read and write from external media + - bugfix: Modular computers' file browser lists files correctly + - spellcheck: NTOS File Manager had a spelling mistake; Manage instead of Manager coiax: - - bugfix: Engraved messages can no longer be moved by a gravitational singularity. - - tweak: The deadchat notification of randomly triggered events now uses the deadsay - span. - - rscdel: The wizard spell "Rod Form" does not produce a message in deadchat everytime - it is used. + - bugfix: Engraved messages can no longer be moved by a gravitational singularity. + - tweak: + The deadchat notification of randomly triggered events now uses the deadsay + span. + - rscdel: + The wizard spell "Rod Form" does not produce a message in deadchat everytime + it is used. 2017-02-05: Cyberboss: - - bugfix: Shuttle docking/round end shouldn't lag as much - - rscadd: There's a new round end sound! + - bugfix: Shuttle docking/round end shouldn't lag as much + - rscadd: There's a new round end sound! Hyena: - - bugfix: The bible now contains 1 whiskey + - bugfix: The bible now contains 1 whiskey Joan: - - rscadd: Ratvar-converted AIs become brass-colored, speak in Ratvarian, and cannot - be carded. + - rscadd: + Ratvar-converted AIs become brass-colored, speak in Ratvarian, and cannot + be carded. Kor: - - rscadd: Eyes are now organs. You can remove or implant them into peoples heads - with organ manipulation surgery. A mob without eyes will obviously have trouble - seeing. - - rscadd: All special eye powers are now tied to their respective organs. For example, - this means you can harvest an alien or shadow persons eyes, have them implanted, - and gain toggle-able night vision. - - rscadd: All cybernetic eye implants are now cybernetic eyes, meaning you must - replace the patients organic eyes. HUD implants are still just regular implants. + - rscadd: + Eyes are now organs. You can remove or implant them into peoples heads + with organ manipulation surgery. A mob without eyes will obviously have trouble + seeing. + - rscadd: + All special eye powers are now tied to their respective organs. For example, + this means you can harvest an alien or shadow persons eyes, have them implanted, + and gain toggle-able night vision. + - rscadd: + All cybernetic eye implants are now cybernetic eyes, meaning you must + replace the patients organic eyes. HUD implants are still just regular implants. Lzimann: - - rscadd: Tesla zaps can now generate an energy ball if they zap a tesla generator! + - rscadd: Tesla zaps can now generate an energy ball if they zap a tesla generator! Sweaterkittens: - - rscadd: The station's Plasmamen have been issued a new production of envirosuits. - The most notable change aside from small aesthetic differences is the addition - of an integrated helmet light. - - tweak: Tweaked a few of the Plasma Envirosuit sprites to be more fitting thematically. + - rscadd: + The station's Plasmamen have been issued a new production of envirosuits. + The most notable change aside from small aesthetic differences is the addition + of an integrated helmet light. + - tweak: Tweaked a few of the Plasma Envirosuit sprites to be more fitting thematically. Swindly: - - bugfix: Saline-glucose solution can no longer decrease blood volume - - rscadd: Cyborg hyposprays can now dispense saline-glucose solution - - rscadd: Saline-glucose solution now increases blood volume when it heals + - bugfix: Saline-glucose solution can no longer decrease blood volume + - rscadd: Cyborg hyposprays can now dispense saline-glucose solution + - rscadd: Saline-glucose solution now increases blood volume when it heals coiax: - - bugfix: The mulligan reagent can now be created with 1u stable mutation toxin - + 1u unstable mutagen. - - rscdel: Tesla balls cannot dust people near grounding rods. - - rscadd: Soapstones/chisel/magic markers/chalk can remove messages for free. Removing - one of your own messages still grants a use. - - rscadd: The Janitor starts with a dull soapstone for removing unwanted messages. + - bugfix: + The mulligan reagent can now be created with 1u stable mutation toxin + + 1u unstable mutagen. + - rscdel: Tesla balls cannot dust people near grounding rods. + - rscadd: + Soapstones/chisel/magic markers/chalk can remove messages for free. Removing + one of your own messages still grants a use. + - rscadd: The Janitor starts with a dull soapstone for removing unwanted messages. xmikey555: - - tweak: The tesla engine no longer destroys energy ball generators. + - tweak: The tesla engine no longer destroys energy ball generators. 2017-02-06: Xhuis: - - rscadd: Traitor janitors can now order EZ-clean grenades for 6 telecrystals per - bundle. They function like normal cleaning grenades with an added "oh god my - face is melting" effect, and can also be found in surplus crates. + - rscadd: + Traitor janitors can now order EZ-clean grenades for 6 telecrystals per + bundle. They function like normal cleaning grenades with an added "oh god my + face is melting" effect, and can also be found in surplus crates. 2017-02-07: Cyberboss: - - bugfix: Wire, atmos, and disposal networks no longer work across hyperspace when - on the border of a shuttle - - bugfix: Implants that work on death will now work for simple_animals - - bugfix: The target moving while being implanted will no longer continue the implant - - bugfix: Implanters now show progress bars as they were intended to - - bugfix: Pipe painters are no longer aggressive - - bugfix: Carding the AI will now stop a doomsday device - - rscadd: The job subsystem now loads instantly. No more waiting to set your occupation - prefs! - - bugfix: The rare case of duping your inventory at roundstart has been fixed - - bugfix: Self deleting stackable items are fixed + - bugfix: + Wire, atmos, and disposal networks no longer work across hyperspace when + on the border of a shuttle + - bugfix: Implants that work on death will now work for simple_animals + - bugfix: The target moving while being implanted will no longer continue the implant + - bugfix: Implanters now show progress bars as they were intended to + - bugfix: Pipe painters are no longer aggressive + - bugfix: Carding the AI will now stop a doomsday device + - rscadd: + The job subsystem now loads instantly. No more waiting to set your occupation + prefs! + - bugfix: The rare case of duping your inventory at roundstart has been fixed + - bugfix: Self deleting stackable items are fixed Dannno: - - tweak: We've switched to a new brand of colored jumpsuit. + - tweak: We've switched to a new brand of colored jumpsuit. JJRcop: - - tweak: Adds 4% chance when assigning a valentines day date to also assign someone - else to the same date, but your date will still have you as their only date. + - tweak: + Adds 4% chance when assigning a valentines day date to also assign someone + else to the same date, but your date will still have you as their only date. Poojawa: - - bugfix: '[Delta] Active turfs down from 300+' - - bugfix: '[Delta] Janitor closet isn''t 2.7K anymore' - - bugfix: '[Delta] Various pipe fixes' + - bugfix: "[Delta] Active turfs down from 300+" + - bugfix: "[Delta] Janitor closet isn't 2.7K anymore" + - bugfix: "[Delta] Various pipe fixes" RemieRichards: - - rscadd: Added a new checmial, Skewium, it's produced by mixing rotatium, plasma - and sulphuric acid in the ratio 2:2:1, which results in 5 Skewium. + - rscadd: + Added a new checmial, Skewium, it's produced by mixing rotatium, plasma + and sulphuric acid in the ratio 2:2:1, which results in 5 Skewium. Swindly: - - bugfix: Robotic eyes can no longer be eaten + - bugfix: Robotic eyes can no longer be eaten Tofa01: - - bugfix: Fixes grammar issue when changing someones appearance via plastic surgery. - - tweak: '[OmegaStation] Allows Chaplain job to be selectable.' - - bugfix: '[Omega] Fixes Overpressurization In Mass Driver Room' + - bugfix: Fixes grammar issue when changing someones appearance via plastic surgery. + - tweak: "[OmegaStation] Allows Chaplain job to be selectable." + - bugfix: "[Omega] Fixes Overpressurization In Mass Driver Room" Xhuis: - - rscadd: Traitor clowns can now buy a reverse revolver. I'll leave it up to you - to guess what it does. Honk. + - rscadd: + Traitor clowns can now buy a reverse revolver. I'll leave it up to you + to guess what it does. Honk. iamthedigitalme: - - imageadd: Legion has a new, animated sprite. + - imageadd: Legion has a new, animated sprite. kevinz000: - - rscadd: 'ADMINS: SDQL2 has been given some new features!' - - bugfix: SDQL2 now gives you an exception on runtime instead of flooding server - runtime logs. - - rscadd: SDQL2 now supports usr, which makes that variable reference to whatever - mob you are in, src, which targets the object it is being called on itself, - and marked, which targets the datum marked by the admin calling it. Also, it - supports hex references (the hex number at the top of a VV panel) in {}s, so - you can target nearly anything! Also, global procs are supported by global.[procname](args), - for CALL queries. - - bugfix: SDQL2 can no longer edit /datum/admins or /datum/admin_rank, and is protected - from changing x/y/z of a turf and anything that would cause broken movement - for movable atoms. - - rscadd: SDQL2 can now get list input with [arg1, arg2]! - - experiment: Do '""' to put strings inside of SDQL2 or it won't work. + - rscadd: "ADMINS: SDQL2 has been given some new features!" + - bugfix: + SDQL2 now gives you an exception on runtime instead of flooding server + runtime logs. + - rscadd: + SDQL2 now supports usr, which makes that variable reference to whatever + mob you are in, src, which targets the object it is being called on itself, + and marked, which targets the datum marked by the admin calling it. Also, it + supports hex references (the hex number at the top of a VV panel) in {}s, so + you can target nearly anything! Also, global procs are supported by global.[procname](args), + for CALL queries. + - bugfix: + SDQL2 can no longer edit /datum/admins or /datum/admin_rank, and is protected + from changing x/y/z of a turf and anything that would cause broken movement + for movable atoms. + - rscadd: SDQL2 can now get list input with [arg1, arg2]! + - experiment: Do '""' to put strings inside of SDQL2 or it won't work. 2017-02-09: Cyberboss: - - bugfix: Certain firedoors that should have closed during an alarm now actually - close - - soundadd: You can now knock on firedoors - - bugfix: Supermatter in a closet/crate will now properly fee the singulo - - bugfix: Paper planes can be unfolded again - - bugfix: Paper planes can be stamped properly + - bugfix: + Certain firedoors that should have closed during an alarm now actually + close + - soundadd: You can now knock on firedoors + - bugfix: Supermatter in a closet/crate will now properly fee the singulo + - bugfix: Paper planes can be unfolded again + - bugfix: Paper planes can be stamped properly Joan: - - tweak: Impaling someone with a sharp item by pulling them with a changeling Tentacle - now does significantly less damage and stuns for less time. + - tweak: + Impaling someone with a sharp item by pulling them with a changeling Tentacle + now does significantly less damage and stuns for less time. Jordie0608: - - rscadd: Admins can now filter watchlist entries to only users who are connected. - - tweak: Messages no longer delete themselves when sent. + - rscadd: Admins can now filter watchlist entries to only users who are connected. + - tweak: Messages no longer delete themselves when sent. Kor: - - rscadd: The limb grower has been replaced with a box of surplus limbs. Visit robotics - or harvest limbs from another person if you want quality. + - rscadd: + The limb grower has been replaced with a box of surplus limbs. Visit robotics + or harvest limbs from another person if you want quality. Reeeeimstupid: - - rscadd: Silly Abductee objectives. Try not to go crazy trading life stories with - Lord Singulo. + - rscadd: + Silly Abductee objectives. Try not to go crazy trading life stories with + Lord Singulo. Tofa01: - - tweak: Removes virology access to jobs including Medical Doctor, Geneticist and - Chemist. - - tweak: '[Delta] Changes NW supermatter filter to filter O2 instead of N2' - - rscadd: '[Delta] Adds wardrobes to Dorms & Arrivals Shuttle' - - rscadd: '[Delta] Adds access buttons to virology doors for extra security' - - rscadd: '[Delta] Adds bolt door button to all dorms' - - rscadd: '[Delta] Adds three pairs of optical meson scanners to supermatter room' - - rscadd: '[Delta] Adds a disk fridge to botany' - - rscadd: '[Delta] Adds a cake hat to the bar' - - bugfix: '[Delta] Fixes misplaced station intercom in Supermatter SMES room' + - tweak: + Removes virology access to jobs including Medical Doctor, Geneticist and + Chemist. + - tweak: "[Delta] Changes NW supermatter filter to filter O2 instead of N2" + - rscadd: "[Delta] Adds wardrobes to Dorms & Arrivals Shuttle" + - rscadd: "[Delta] Adds access buttons to virology doors for extra security" + - rscadd: "[Delta] Adds bolt door button to all dorms" + - rscadd: "[Delta] Adds three pairs of optical meson scanners to supermatter room" + - rscadd: "[Delta] Adds a disk fridge to botany" + - rscadd: "[Delta] Adds a cake hat to the bar" + - bugfix: "[Delta] Fixes misplaced station intercom in Supermatter SMES room" XDTM: - - rscadd: A Law Removal module can be build in RnD. It can remove a specified core - or freeform law. - - tweak: 'When stating laws, silicons won''t skip a number when hiding laws. (example: - 1. Law 1; 2. Law 2; 3. Law 4 if you choose not to state Law 3)' + - rscadd: + A Law Removal module can be build in RnD. It can remove a specified core + or freeform law. + - tweak: + "When stating laws, silicons won't skip a number when hiding laws. (example: + 1. Law 1; 2. Law 2; 3. Law 4 if you choose not to state Law 3)" Xhuis: - - rscadd: Artistic toolboxes now spawn in maintenance and possess various supplies - for wire art and crayon art. - - rscadd: Traitors can now obtain His Grace. Chaplains can buy it for 20 TC, or - it can be found in a surplus crate. - - rscadd: Soapstone messages can now be rated! Attack the message with your hand - to rate it positive or negative. Anyone can see the rating, and you cannot rate - a message more than once, even across rounds. - - rscdel: Soapstones no longer have a write time. - - tweak: Soapstones now have a fixed vocabulary to write messages with. + - rscadd: + Artistic toolboxes now spawn in maintenance and possess various supplies + for wire art and crayon art. + - rscadd: + Traitors can now obtain His Grace. Chaplains can buy it for 20 TC, or + it can be found in a surplus crate. + - rscadd: + Soapstone messages can now be rated! Attack the message with your hand + to rate it positive or negative. Anyone can see the rating, and you cannot rate + a message more than once, even across rounds. + - rscdel: Soapstones no longer have a write time. + - tweak: Soapstones now have a fixed vocabulary to write messages with. chanoc1: - - tweak: The salt and pepper shakers have new sprites. + - tweak: The salt and pepper shakers have new sprites. coiax: - - rscadd: Added metal rods and floor tiles to Standard cyborgs. - - rscadd: Added a remote signaling device to Engineering cyborg. - - rscadd: Adds a 'Guardian of Balance' lawset and AI module, currently admin spawn - only. + - rscadd: Added metal rods and floor tiles to Standard cyborgs. + - rscadd: Added a remote signaling device to Engineering cyborg. + - rscadd: + Adds a 'Guardian of Balance' lawset and AI module, currently admin spawn + only. uraniummeltdown: - - tweak: Kinetic Accelerator Cosmetic and Tracer Modkits now don't use mod capacity. - Cosmetic kits change the name of the KA. + - tweak: + Kinetic Accelerator Cosmetic and Tracer Modkits now don't use mod capacity. + Cosmetic kits change the name of the KA. 2017-02-10: Ausops: - - rscadd: Air tanks and plasma tanks have been resprited. + - rscadd: Air tanks and plasma tanks have been resprited. ChemicalRascal: - - tweak: Pen is able to wind up ruined tapes. + - tweak: Pen is able to wind up ruined tapes. CoreOverload: - - rscadd: You can now emag the escape pods to launch them under any alert code. - - tweak: Shuttle name is no longer displayed on "Status" panel. Instead, you can - now examine a status screen to see it. + - rscadd: You can now emag the escape pods to launch them under any alert code. + - tweak: + Shuttle name is no longer displayed on "Status" panel. Instead, you can + now examine a status screen to see it. Cyberboss: - - bugfix: Simple animals now deathgasp properly again - - bugfix: Testmerged PRs will no longer duplicate in the list - - bugfix: Pods and shuttles now have air again + - bugfix: Simple animals now deathgasp properly again + - bugfix: Testmerged PRs will no longer duplicate in the list + - bugfix: Pods and shuttles now have air again Joan: - - experiment: Clockwork Cults must always construct and activate the Ark. - - imageadd: Updates air tank inhands to match Ausops' new sprites. + - experiment: Clockwork Cults must always construct and activate the Ark. + - imageadd: Updates air tank inhands to match Ausops' new sprites. Mekhi Anderson: - - rscadd: All mobs can now *spin! - - rscadd: Cyborgs now have handholds. This means you can ride around on them, but - if you get stunned or hit, you fall off! The cyborg can also throw you off by - spinning. + - rscadd: All mobs can now *spin! + - rscadd: + Cyborgs now have handholds. This means you can ride around on them, but + if you get stunned or hit, you fall off! The cyborg can also throw you off by + spinning. Tofa01: - - soundadd: Changes fire alarm to make new sound FireAlarm.ogg + - soundadd: Changes fire alarm to make new sound FireAlarm.ogg Xhuis: - - rscdel: The Syndicate will no longer prank their operatives by including reverse - revolvers in surplus crates. + - rscdel: + The Syndicate will no longer prank their operatives by including reverse + revolvers in surplus crates. coiax: - - rscadd: A reverse revolver now comes in a box of hugs. - - rscadd: 'Added a new admin only event: Station-wide Human-level Intelligence. - Like the random animal intelligence event, but affecting as many animals as - there are ghosties.' - - rscadd: The Luxury Shuttle grabs cash in your wallet and backpack, and shares - approval between the entrance gates. - - rscadd: The NES Port shuttle now costs 500 credits. + - rscadd: A reverse revolver now comes in a box of hugs. + - rscadd: + "Added a new admin only event: Station-wide Human-level Intelligence. + Like the random animal intelligence event, but affecting as many animals as + there are ghosties." + - rscadd: + The Luxury Shuttle grabs cash in your wallet and backpack, and shares + approval between the entrance gates. + - rscadd: The NES Port shuttle now costs 500 credits. 2017-02-11: Dannno: - - tweak: hahaha I switched your toolboxes you MORONS + - tweak: hahaha I switched your toolboxes you MORONS Kor: - - rscadd: Killing bubblegum now unlocks a new shuttle for purchase. + - rscadd: Killing bubblegum now unlocks a new shuttle for purchase. Lzimann: - - tweak: Hardsuit built-in jetpacks no longer have a speed boost. + - tweak: Hardsuit built-in jetpacks no longer have a speed boost. Pyko: - - bugfix: Fixed legit posters and map editing official/serial number for poster - decals. + - bugfix: + Fixed legit posters and map editing official/serial number for poster + decals. Tofa01: - - bugfix: '[Delta] Fixes doors walls and windows being incorrectly placed due to - mapmerge issues.' - - bugfix: '[Box] Fixes access levels for HOP shutters.' + - bugfix: + "[Delta] Fixes doors walls and windows being incorrectly placed due to + mapmerge issues." + - bugfix: "[Box] Fixes access levels for HOP shutters." 2017-02-12: AnturK: - - rscadd: Added Poison Pen to uplink. + - rscadd: Added Poison Pen to uplink. Drunk Musicians: - - rscadd: Drunk music + - rscadd: Drunk music Gun Hog: - - rscadd: Nanotrasen Engineering has devised a construction console to assist with - building the Auxiliary Mining Base, usually located near a station's Arrivals - hallway. A breakthrough in bluespace technology, this console employs an advanced - internal Rapid Construction Device linked to a camera-assisted holocrane for - rapid, remote construction! + - rscadd: + Nanotrasen Engineering has devised a construction console to assist with + building the Auxiliary Mining Base, usually located near a station's Arrivals + hallway. A breakthrough in bluespace technology, this console employs an advanced + internal Rapid Construction Device linked to a camera-assisted holocrane for + rapid, remote construction! Lzimann: - - bugfix: MMIs/posibrains works with mechas again + - bugfix: MMIs/posibrains works with mechas again RandomMarine: - - rscadd: The Russians have expanded to the shuttle business. A new escape shuttle - is available for purchase. + - rscadd: + The Russians have expanded to the shuttle business. A new escape shuttle + is available for purchase. Sweaterkittens: - - tweak: Plasmamen burn damage multiplier reduced to 1.5x from 2x + - tweak: Plasmamen burn damage multiplier reduced to 1.5x from 2x coiax: - - rscdel: Removes the STV5 shuttle from purchase. - - rscadd: Swarmers no longer consume the deep fryer, since they have too much respect - for the potential fried foods it can produce. - - rscadd: The clown's survival/internals box is now a box of hugs. Dawww. + - rscdel: Removes the STV5 shuttle from purchase. + - rscadd: + Swarmers no longer consume the deep fryer, since they have too much respect + for the potential fried foods it can produce. + - rscadd: The clown's survival/internals box is now a box of hugs. Dawww. 2017-02-13: ChemicalRascal: - - tweak: Delta station brig cell chairs have been replaced with beds. One bed per - cell, no funny business. + - tweak: + Delta station brig cell chairs have been replaced with beds. One bed per + cell, no funny business. Cyberboss: - - bugfix: Simple animals that are deleted when killed will now deathrattle - - bugfix: Fixed Alt-click stack duplication + - bugfix: Simple animals that are deleted when killed will now deathrattle + - bugfix: Fixed Alt-click stack duplication Joan: - - imageadd: Updated the back and belt sprites for airtanks to match the new sprites. + - imageadd: Updated the back and belt sprites for airtanks to match the new sprites. Kor: - - rscadd: Mobile pAIs are now slower than humans. + - rscadd: Mobile pAIs are now slower than humans. Swindly: - - rscadd: Added Nuka Cola as a premium item in Robust Softdrinks + - rscadd: Added Nuka Cola as a premium item in Robust Softdrinks Tofa01: - - bugfix: '[Delta] Fixes double windoor on chemistry windows.' - - tweak: Lowered volume of fire alarm sound also makes it more quiet. + - bugfix: "[Delta] Fixes double windoor on chemistry windows." + - tweak: Lowered volume of fire alarm sound also makes it more quiet. coiax: - - rscadd: Added an admin only tool, the life candle. Touch the candle, and when - you die, you'll respawn shortly afterwards. Touch it again to stop. Used for - testing, thunderdome brawls and good old fashioned memery. - - bugfix: Fried foods no longer shrink to miniature size. + - rscadd: + Added an admin only tool, the life candle. Touch the candle, and when + you die, you'll respawn shortly afterwards. Touch it again to stop. Used for + testing, thunderdome brawls and good old fashioned memery. + - bugfix: Fried foods no longer shrink to miniature size. 2017-02-14: Cyberboss: - - bugfix: Fixed unequipping items while stunned - - bugfix: Fixed various things deleting when unequipped - - bugfix: Fixed tablet ID slots deleting cards - - bugfix: Fixed water mister nozzle getting stuck in hands - - tweak: Title music now starts immediately upon login - - tweak: You can no longer sharpen energy weapons + - bugfix: Fixed unequipping items while stunned + - bugfix: Fixed various things deleting when unequipped + - bugfix: Fixed tablet ID slots deleting cards + - bugfix: Fixed water mister nozzle getting stuck in hands + - tweak: Title music now starts immediately upon login + - tweak: You can no longer sharpen energy weapons Joan: - - tweak: Mania Motors are overall less effective and only affect people who can - see the motor. - - tweak: Mania Motors have slightly more health; 100, from 80. + - tweak: + Mania Motors are overall less effective and only affect people who can + see the motor. + - tweak: Mania Motors have slightly more health; 100, from 80. MrStonedOne: - - tweak: Station time is now always visible in the status tab. - - tweak: Both server time and station time now displays seconds so you can actively - see how game time (ByondTime[tm]) is progressing along side real time. - - rscadd: Added a time dilation tracker, this allows you to better understand how - time will progress in game. It shows the time dilation percent for the last - minute as well as some rolling averages. + - tweak: Station time is now always visible in the status tab. + - tweak: + Both server time and station time now displays seconds so you can actively + see how game time (ByondTime[tm]) is progressing along side real time. + - rscadd: + Added a time dilation tracker, this allows you to better understand how + time will progress in game. It shows the time dilation percent for the last + minute as well as some rolling averages. RandomMarine: - - tweak: Pre-made charcoal pills now contain 10 units instead of 50. The amount - of pills inside of toxin first aid kits and the smartfridge have been increased - to compensate. Keep in mind that each ten unit pill recovers 100 points of toxin - damage and purges 50 units of other reagents. + - tweak: + Pre-made charcoal pills now contain 10 units instead of 50. The amount + of pills inside of toxin first aid kits and the smartfridge have been increased + to compensate. Keep in mind that each ten unit pill recovers 100 points of toxin + damage and purges 50 units of other reagents. Steelpoint: - - tweak: All Drones now have a walking animation. + - tweak: All Drones now have a walking animation. Tofa01: - - bugfix: '[Delta] Fixes space cleaner being empty in brig medbay' - - bugfix: '[Delta] Fixes some areas that are not radiation proof' - - bugfix: '[Meta] Fixes Atmospherics Freezer Spawning As A Heater' + - bugfix: "[Delta] Fixes space cleaner being empty in brig medbay" + - bugfix: "[Delta] Fixes some areas that are not radiation proof" + - bugfix: "[Meta] Fixes Atmospherics Freezer Spawning As A Heater" uraniummeltdown: - - rscadd: Window Flashing is now a preference - - rscadd: Your game window will flash when alerted as a ghost. This includes being - revived by defibs/cloning and events such as borers, swarmers, revenant, etc. + - rscadd: Window Flashing is now a preference + - rscadd: + Your game window will flash when alerted as a ghost. This includes being + revived by defibs/cloning and events such as borers, swarmers, revenant, etc. 2017-02-16: Cyberboss: - - rscadd: Test merged PRs are now more detailed + - rscadd: Test merged PRs are now more detailed Steelpoint: - - rscadd: The Head of Security's Hardsuit is now equipped with a inbuilt Jetpack. + - rscadd: The Head of Security's Hardsuit is now equipped with a inbuilt Jetpack. coiax: - - rscadd: The Hyperfractal Gigashuttle is now purchasable for 100,000 credits. Help - Centcom by testing this very safe and efficient shuttle design. (Terms and conditions - apply.) - - rscadd: The changeling power "Anatomic Panacea" now causes the changeling to vomit - out zombie infections, along with headslugs and xeno infections, as before. - - bugfix: The main CTF laser gun disappears when dropped on the floor. + - rscadd: + The Hyperfractal Gigashuttle is now purchasable for 100,000 credits. Help + Centcom by testing this very safe and efficient shuttle design. (Terms and conditions + apply.) + - rscadd: + The changeling power "Anatomic Panacea" now causes the changeling to vomit + out zombie infections, along with headslugs and xeno infections, as before. + - bugfix: The main CTF laser gun disappears when dropped on the floor. 2017-02-17: Arianya: - - tweak: The Labour Camp rivet wall has been removed! - - spellcheck: Fixed some typos in Prison Ofitser's description. + - tweak: The Labour Camp rivet wall has been removed! + - spellcheck: Fixed some typos in Prison Ofitser's description. Cobby: - - experiment: Flashes have been rebalanced to be more powerful + - experiment: Flashes have been rebalanced to be more powerful Cyberboss: - - bugfix: Rack construction progress bars will no longer be spammed - - tweak: The round start timer will count down during subsystem initialization - - tweak: Total subsystem initialization time will now be displayed + - bugfix: Rack construction progress bars will no longer be spammed + - tweak: The round start timer will count down during subsystem initialization + - tweak: Total subsystem initialization time will now be displayed Joan: - - rscdel: His Grace no longer globally announces when He is awakened or falls to - sleep. - - rscdel: His Grace is not a toolbox, even if He looks like one. - - experiment: His Grace no longer requires organs to awaken. - - tweak: His Grace now gains 4 force for each victim consumed, always provides stun - immunity, and will, generally, take longer to consume His owner. - - experiment: His Grace must be destroyed to free the bodies within Him. - - experiment: Dropping His Grace while He is awake will cause you to suffer His - Wrath until you hold Him again. - - rscadd: His Grace becomes highly aggressive after consuming His owner, and will - hunt His own prey. - - experiment: The Ark of the Clockwork Justicar now only costs 3 of each component - to summon, but must consume an additional 7 of each component before it will - activate and start counting down. - - rscadd: The presence of the Ark will be immediately announced, though the location - will still only be announced after it has been active and counting down for - 2 minutes. - - tweak: The Ark also requires an additional invoker to invoke. + - rscdel: + His Grace no longer globally announces when He is awakened or falls to + sleep. + - rscdel: His Grace is not a toolbox, even if He looks like one. + - experiment: His Grace no longer requires organs to awaken. + - tweak: + His Grace now gains 4 force for each victim consumed, always provides stun + immunity, and will, generally, take longer to consume His owner. + - experiment: His Grace must be destroyed to free the bodies within Him. + - experiment: + Dropping His Grace while He is awake will cause you to suffer His + Wrath until you hold Him again. + - rscadd: + His Grace becomes highly aggressive after consuming His owner, and will + hunt His own prey. + - experiment: + The Ark of the Clockwork Justicar now only costs 3 of each component + to summon, but must consume an additional 7 of each component before it will + activate and start counting down. + - rscadd: + The presence of the Ark will be immediately announced, though the location + will still only be announced after it has been active and counting down for + 2 minutes. + - tweak: The Ark also requires an additional invoker to invoke. Lobachevskiy: - - bugfix: Fixed glass shards affecting buckled and flying mobs + - bugfix: Fixed glass shards affecting buckled and flying mobs MrStonedOne: - - experiment: The game will now force hardware rendering on for all clients. + - experiment: The game will now force hardware rendering on for all clients. Nienhaus: - - rscadd: Drying racks have new sprites. + - rscadd: Drying racks have new sprites. Swindly: - - rscadd: Trays can now be used to insert food into food processors + - rscadd: Trays can now be used to insert food into food processors Thunder12345: - - bugfix: It's ACTUALLY possible to pat people on the head now + - bugfix: It's ACTUALLY possible to pat people on the head now WJohn: - - imageadd: Improved blueshift sprites, courtesy of Nienhaus. + - imageadd: Improved blueshift sprites, courtesy of Nienhaus. XDTM: - - rscadd: Bluespace Crystals are now a material that can be inserted in Protolathes - and Circuit Printers. Some items now require Bluespace Mesh. - - rscadd: Bluespace Crystal can now be ground in a reagent grinder to gain bluespace - dust. It has no uses, but it teleports people if splashed on them, and if ingested - it will occasionally cause teleportation. + - rscadd: + Bluespace Crystals are now a material that can be inserted in Protolathes + and Circuit Printers. Some items now require Bluespace Mesh. + - rscadd: + Bluespace Crystal can now be ground in a reagent grinder to gain bluespace + dust. It has no uses, but it teleports people if splashed on them, and if ingested + it will occasionally cause teleportation. coiax: - - rscadd: Engraved messages now have a UI, which any player, living or dead can - access. See when the message was engraved, and upvote or downvote accordingly. - - rscadd: Admins have additional options with the UI, seeing the player ckey, original - character name, and the ability to outright delete messages at the press of - a button. + - rscadd: + Engraved messages now have a UI, which any player, living or dead can + access. See when the message was engraved, and upvote or downvote accordingly. + - rscadd: + Admins have additional options with the UI, seeing the player ckey, original + character name, and the ability to outright delete messages at the press of + a button. kevinz000: - - bugfix: Flightsuits actually fly over people - - bugfix: Flightsuits don't interrupt pulls when you pass through doors + - bugfix: Flightsuits actually fly over people + - bugfix: Flightsuits don't interrupt pulls when you pass through doors 2017-02-18: Cyberboss: - - imageadd: New round end animation. Inspired by @Iamgoofball + - imageadd: New round end animation. Inspired by @Iamgoofball Gun Hog: - - rscadd: The Aux Base console now controls turrets made by the construction console. - - rscadd: The Aux Base may now be dropped at a random location if miners fail to - use the landing remote. - - rscadd: The mining shuttle may now dock at the Aux Base's spot once the base is - dropped. - - tweak: Removed access levels on the mining shuttle so it can be used at the public - dock. - - tweak: The Aux Base's turrets now fire through glass. Reminder that the turrets - need to be installed outside the base for full damage. - - rscadd: Added a base construction console to Delta Station. + - rscadd: The Aux Base console now controls turrets made by the construction console. + - rscadd: + The Aux Base may now be dropped at a random location if miners fail to + use the landing remote. + - rscadd: + The mining shuttle may now dock at the Aux Base's spot once the base is + dropped. + - tweak: + Removed access levels on the mining shuttle so it can be used at the public + dock. + - tweak: + The Aux Base's turrets now fire through glass. Reminder that the turrets + need to be installed outside the base for full damage. + - rscadd: Added a base construction console to Delta Station. Mysterious Basilman: - - rscadd: More powerful toolboxes are active in this world... + - rscadd: More powerful toolboxes are active in this world... Scoop: - - tweak: Condimasters now correctly drop their items in front of their sprite. + - tweak: Condimasters now correctly drop their items in front of their sprite. Tofa01: - - bugfix: Re-Arranges And Extends Pubby Escape Hallway To Allow Larger Shuttle To - Dock - - bugfix: '[Meta] Fixes top left grounding rod from being destroyed by the Tesla - engine.' + - bugfix: + Re-Arranges And Extends Pubby Escape Hallway To Allow Larger Shuttle To + Dock + - bugfix: + "[Meta] Fixes top left grounding rod from being destroyed by the Tesla + engine." TrustyGun: - - rscadd: Traitor mimes can now learn two new spells for 15 tc. - - rscadd: The first, Invisible Blockade, creates a 3x1 invisible wall. - - rscadd: The second, Finger Guns, allows them to shoot bullets out of their fingers. + - rscadd: Traitor mimes can now learn two new spells for 15 tc. + - rscadd: The first, Invisible Blockade, creates a 3x1 invisible wall. + - rscadd: The second, Finger Guns, allows them to shoot bullets out of their fingers. kevinz000: - - rscadd: You can now ride piggyback on other human beings, as a human being! To - do so they must grab you aggressively and you must climb on without outside - assistance without being restrained or incapacitated in any manner. They must - also not be restrained or incapacitated in any manner. - - rscadd: If someone is riding on you and you want them to get off, disarm them - to instantly floor them for a few seconds! It's pretty rude, though. + - rscadd: + You can now ride piggyback on other human beings, as a human being! To + do so they must grab you aggressively and you must climb on without outside + assistance without being restrained or incapacitated in any manner. They must + also not be restrained or incapacitated in any manner. + - rscadd: + If someone is riding on you and you want them to get off, disarm them + to instantly floor them for a few seconds! It's pretty rude, though. rock: - - soundadd: you can now harmlessly slap somebody by aiming for the mouth on disarm - intent. - - soundadd: you can only slap somebody who is unarmed on help intent, restrained, - or ready to slap you. + - soundadd: + you can now harmlessly slap somebody by aiming for the mouth on disarm + intent. + - soundadd: + you can only slap somebody who is unarmed on help intent, restrained, + or ready to slap you. 2017-02-19: Basilman: - - rscadd: some toolboxes, very rarely, have more than one latch + - rscadd: some toolboxes, very rarely, have more than one latch Joan: - - rscadd: You can now put components, and deposit components from slabs, directly - into the Ark of the Clockwork Justicar provided it actually requires components. - - experiment: Taunting Tirade now leaves a confusing and weakening trail instead - of confusing and weakening everyone in view. - - tweak: Invoking Inath-neq/Nzcrentr is now 33% cheaper and has a 33% lower cooldown. + - rscadd: + You can now put components, and deposit components from slabs, directly + into the Ark of the Clockwork Justicar provided it actually requires components. + - experiment: + Taunting Tirade now leaves a confusing and weakening trail instead + of confusing and weakening everyone in view. + - tweak: Invoking Inath-neq/Nzcrentr is now 33% cheaper and has a 33% lower cooldown. Tofa01: - - rscdel: '[Delta] Removes SSU From Mining Equipment Room' - - tweak: Changes centcomm ferry to require centcomm general access instead of admin - permission. + - rscdel: "[Delta] Removes SSU From Mining Equipment Room" + - tweak: + Changes centcomm ferry to require centcomm general access instead of admin + permission. coiax: - - rscadd: Nuke ops syndicate cyborgs have been split into two seperate uplink items. - Medical cyborgs now cost 35 TC, assault cyborgs now cost 65 TC. + - rscadd: + Nuke ops syndicate cyborgs have been split into two seperate uplink items. + Medical cyborgs now cost 35 TC, assault cyborgs now cost 65 TC. grimreaperx15: - - tweak: Blood Cult Pylons will now rapidly regenerate any nearby cultists blood, - in addition to the normal healing they do. + - tweak: + Blood Cult Pylons will now rapidly regenerate any nearby cultists blood, + in addition to the normal healing they do. ma44: - - tweak: Intercepted messages from a lavaland syndicate base reveals they have additional - grenade and other miscellaneous equipment. + - tweak: + Intercepted messages from a lavaland syndicate base reveals they have additional + grenade and other miscellaneous equipment. uraniummeltdown: - - rscadd: Shuttle engines have new sprites. + - rscadd: Shuttle engines have new sprites. 2017-02-20: Cyberboss: - - bugfix: The frequncy fire alarms play at is now consistent + - bugfix: The frequncy fire alarms play at is now consistent MrStonedOne: - - tweak: bluespace ore cap changed from 100 ores to 500 + - tweak: bluespace ore cap changed from 100 ores to 500 Tofa01: - - tweak: '[Meta] Replaces orange jumpsuit in holding cell with prisoner jumpsuits' + - tweak: "[Meta] Replaces orange jumpsuit in holding cell with prisoner jumpsuits" XDTM: - - tweak: Repairing someone else's robotic limb is instant. Repairing your own robotic - limbs will still take time. - - tweak: Repairing limbs with cable or welding will now heal more. + - tweak: + Repairing someone else's robotic limb is instant. Repairing your own robotic + limbs will still take time. + - tweak: Repairing limbs with cable or welding will now heal more. Xhuis: - - bugfix: Medipens are no longer reusable. + - bugfix: Medipens are no longer reusable. 2017-02-21: Cyberboss: - - bugfix: You can now unshunt as a malfunctioning AI again + - bugfix: You can now unshunt as a malfunctioning AI again Kor: - - bugfix: You will now retain your facing when getting pushed by another mob. + - bugfix: You will now retain your facing when getting pushed by another mob. Tofa01: - - bugfix: '[Z2] Fixed Centcomm shutters to have proper access levels for inspectors - and other Admin given roles' + - bugfix: + "[Z2] Fixed Centcomm shutters to have proper access levels for inspectors + and other Admin given roles" coiax: - - rscadd: Refactors heart attack code, a cardiac arrest will knock someone unconscious - and kill them very quickly. - - rscadd: Adds corazone, an anti-heart attack drug, made by mixing 2 parts Phenol, - 1 part Lithium. A person with corazone in their system will not suffer any negative - effects from missing a heart. Use it during surgery. - - rscadd: Abductor glands are now hearts, the abductor operation table now automatically - injects corazone to prevent deaths during surgery. The gland will restart if - it stops beating. - - bugfix: Cloning pods always know the name of the person they are cloning. - - rscadd: You can swipe a medical ID card to eject someone from the cloning pod - early. The cloning pod will announce this over the radio. - - rscdel: Fresh clones have no organs or limbs, they gain them during the cloning - process. Ejecting a clone too early is not recommended. Power loss will also - eject a clone as before. - - rscdel: An ejected clone will take damage from being at critical health very quickly - upon ejection, rather than before, where a clone could be stable in critical - for up to two minutes. - - rscadd: Occupants of cloning pods do not interact with the air outside the pod. + - rscadd: + Refactors heart attack code, a cardiac arrest will knock someone unconscious + and kill them very quickly. + - rscadd: + Adds corazone, an anti-heart attack drug, made by mixing 2 parts Phenol, + 1 part Lithium. A person with corazone in their system will not suffer any negative + effects from missing a heart. Use it during surgery. + - rscadd: + Abductor glands are now hearts, the abductor operation table now automatically + injects corazone to prevent deaths during surgery. The gland will restart if + it stops beating. + - bugfix: Cloning pods always know the name of the person they are cloning. + - rscadd: + You can swipe a medical ID card to eject someone from the cloning pod + early. The cloning pod will announce this over the radio. + - rscdel: + Fresh clones have no organs or limbs, they gain them during the cloning + process. Ejecting a clone too early is not recommended. Power loss will also + eject a clone as before. + - rscdel: + An ejected clone will take damage from being at critical health very quickly + upon ejection, rather than before, where a clone could be stable in critical + for up to two minutes. + - rscadd: Occupants of cloning pods do not interact with the air outside the pod. uraniummeltdown: - - bugfix: All shuttle engines should now be facing the right way + - bugfix: All shuttle engines should now be facing the right way 2017-02-22: AnonymousNow: - - rscadd: Added Medical HUD Sunglasses. Not currently available on-station, unless - you can convince Centcom to send you a pair. + - rscadd: + Added Medical HUD Sunglasses. Not currently available on-station, unless + you can convince Centcom to send you a pair. Cyberboss: - - bugfix: Spawning to the station should now be a less hitchy experience + - bugfix: Spawning to the station should now be a less hitchy experience MrPerson: - - experiment: 'Ion storms have several new additions:' - - rscadd: 25% chance to flatly replace the AI's core lawset with something random - in the config. Suddenly the AI is Corporate, deal w/ it. - - rscadd: 10% chance to delete one of the AI's core or supplied laws. Hope you treated - the AI well without its precious law 1 to protect your sorry ass. - - rscadd: 10% chance that, instead of adding a random law, it will instead replace - one of the AI's existing core or supplied laws with the ion law. Otherwise, - it adds the generated law as normal. There's still a 100% chance of getting - a generated ion law. - - rscadd: 10% chance afterwards to shuffle all the AI's laws. + - experiment: "Ion storms have several new additions:" + - rscadd: + 25% chance to flatly replace the AI's core lawset with something random + in the config. Suddenly the AI is Corporate, deal w/ it. + - rscadd: + 10% chance to delete one of the AI's core or supplied laws. Hope you treated + the AI well without its precious law 1 to protect your sorry ass. + - rscadd: + 10% chance that, instead of adding a random law, it will instead replace + one of the AI's existing core or supplied laws with the ion law. Otherwise, + it adds the generated law as normal. There's still a 100% chance of getting + a generated ion law. + - rscadd: 10% chance afterwards to shuffle all the AI's laws. TalkingCactus: - - bugfix: New characters will now have their backpack preference correctly set to - "Department Backpack". + - bugfix: + New characters will now have their backpack preference correctly set to + "Department Backpack". Tofa01: - - bugfix: '[Delta] Fixes missing R&D shutter near public autolathe' + - bugfix: "[Delta] Fixes missing R&D shutter near public autolathe" Xhuis: - - tweak: Highlanders can no longer hide behind chairs and plants. - - tweak: Highlanders no longer bleed and are no longer slowed down by damage. + - tweak: Highlanders can no longer hide behind chairs and plants. + - tweak: Highlanders no longer bleed and are no longer slowed down by damage. 2017-02-23: Cyberboss: - - bugfix: Fixed a bug where the fire overlay wasn't getting removed from objects - - bugfix: The graphical delays with characters at roundstart are gone - - bugfix: The crew manifest is working again - - rscadd: Admins can now asay with ":p" and dsay with ":d" + - bugfix: Fixed a bug where the fire overlay wasn't getting removed from objects + - bugfix: The graphical delays with characters at roundstart are gone + - bugfix: The crew manifest is working again + - rscadd: Admins can now asay with ":p" and dsay with ":d" Dannno: - - imageadd: Robust Softdrinks LLC. has sent out new vendies to the stendy. + - imageadd: Robust Softdrinks LLC. has sent out new vendies to the stendy. Joan: - - rscdel: Off-station and carded AIs no longer prevent Judgement scripture from - unlocking. + - rscdel: + Off-station and carded AIs no longer prevent Judgement scripture from + unlocking. Nienhaus: - - tweak: Updates ammo sprites to the new perspective. + - tweak: Updates ammo sprites to the new perspective. Tofa01: - - bugfix: Disables sound/frequency variance on cryo tube alert sound + - bugfix: Disables sound/frequency variance on cryo tube alert sound coiax: - - rscadd: Nanotrasen reminds its employees that they have ALWAYS been able to taste. - Anyone claiming that they've recently only just gained the ability to taste - are probably Syndicate agents. + - rscadd: + Nanotrasen reminds its employees that they have ALWAYS been able to taste. + Anyone claiming that they've recently only just gained the ability to taste + are probably Syndicate agents. 2017-02-24: MrStonedOne: - - rscdel: Limit on Mining Satchel of Holding Removed - - tweak: Dumping/mass pickup/mass transfer of items is now lag checked - - rscadd: Dumping/mass pickup/mass transfer of items has a progress bar + - rscdel: Limit on Mining Satchel of Holding Removed + - tweak: Dumping/mass pickup/mass transfer of items is now lag checked + - rscadd: Dumping/mass pickup/mass transfer of items has a progress bar 2017-02-25: AnonymousNow: - - rscadd: Nerd Co. has sent pairs of thicker prescription glasses out to Nanotrasen - stations, for your local geek to wear. + - rscadd: + Nerd Co. has sent pairs of thicker prescription glasses out to Nanotrasen + stations, for your local geek to wear. Basilman: - - rscadd: New box sprites + - rscadd: New box sprites Robustin: - - tweak: Hulks can no longer use pneumatic cannons or flamethrowers + - tweak: Hulks can no longer use pneumatic cannons or flamethrowers Tofa01: - - rscadd: '[All Maps] The new and improved Centcom transportation ferry version - 2.0 is out now!' + - rscadd: + "[All Maps] The new and improved Centcom transportation ferry version + 2.0 is out now!" coiax: - - rscadd: Cargo can now order plastic sheets to make plastic flaps. No doubt other - uses for plastic will be discovered in the future. - - rscadd: To deconstruct plastic flaps, unscrew from the floor, then cut apart with - wirecutters. Plastic flaps have examine tips like reinforced walls. + - rscadd: + Cargo can now order plastic sheets to make plastic flaps. No doubt other + uses for plastic will be discovered in the future. + - rscadd: + To deconstruct plastic flaps, unscrew from the floor, then cut apart with + wirecutters. Plastic flaps have examine tips like reinforced walls. uraniummeltdown: - - rscadd: Science crates now have new sprites + - rscadd: Science crates now have new sprites 2017-02-26: Ausops: - - imageadd: New sprites for water, fuel and hydroponics tanks. + - imageadd: New sprites for water, fuel and hydroponics tanks. Joan: - - experiment: 'Clockwork objects are overall easier to deconstruct:' - - wip: Clockwork Walls now take 33% less time to slice through, Brass Windows now - work like non-reinforced windows, and Pinion Airlocks now have less health and - only two steps to decon(wrench, then crowbar). - - rscadd: EMPing Pinion Airlocks and Brass Windoors now has a high chance to open - them and will not shock or bolt them. - - rscadd: Anima fragments will very gradually self-repair. + - experiment: "Clockwork objects are overall easier to deconstruct:" + - wip: + Clockwork Walls now take 33% less time to slice through, Brass Windows now + work like non-reinforced windows, and Pinion Airlocks now have less health and + only two steps to decon(wrench, then crowbar). + - rscadd: + EMPing Pinion Airlocks and Brass Windoors now has a high chance to open + them and will not shock or bolt them. + - rscadd: Anima fragments will very gradually self-repair. Tofa01: - - bugfix: '[Omega] Fixes ORM input and output directions' - - bugfix: Fixes space bar kitchen freezer access level - - bugfix: Fixes giving IDs proper access for players who spawn on a ruin via a player - sleeper/spawners - - bugfix: '[Delta] Fixes varedited tiles causing tiles to appear as if they have - no texture' - - bugfix: Fixes robotic limb repair grammar issue + - bugfix: "[Omega] Fixes ORM input and output directions" + - bugfix: Fixes space bar kitchen freezer access level + - bugfix: + Fixes giving IDs proper access for players who spawn on a ruin via a player + sleeper/spawners + - bugfix: + "[Delta] Fixes varedited tiles causing tiles to appear as if they have + no texture" + - bugfix: Fixes robotic limb repair grammar issue 2017-02-27: Kor, Jordie0608 and Tokiko1: - - rscadd: Singularity containment has been replaced on box, meta, and delta with - a supermatter room. The supermatter gives ample warning when melting down, so - hopefully we'll see fewer 15 minute rounds ended by a loose singularity. - - rscadd: Supermatter crystals now collapse into singularities when they fail, rather - than explode. + - rscadd: + Singularity containment has been replaced on box, meta, and delta with + a supermatter room. The supermatter gives ample warning when melting down, so + hopefully we'll see fewer 15 minute rounds ended by a loose singularity. + - rscadd: + Supermatter crystals now collapse into singularities when they fail, rather + than explode. Tofa01: - - bugfix: Stops AI And Borgs From Interfacing With Ferry Console + - bugfix: Stops AI And Borgs From Interfacing With Ferry Console TrustyGun: - - imageadd: Box sprites are improved. + - imageadd: Box sprites are improved. WJohnston: - - imageadd: New and improved BRPED beam. The old one was hideous. + - imageadd: New and improved BRPED beam. The old one was hideous. coiax: - - rscadd: Drone shells are now points of interest in the orbit list. - - rscadd: Derelict drone shells now spawn with appropriate headgear. + - rscadd: Drone shells are now points of interest in the orbit list. + - rscadd: Derelict drone shells now spawn with appropriate headgear. 2017-02-28: Cyberboss: - - tweak: You will no longer be shown empty memories when the game starts - - bugfix: Built APCs now work again - - bugfix: Borg AI cameras now work again + - tweak: You will no longer be shown empty memories when the game starts + - bugfix: Built APCs now work again + - bugfix: Borg AI cameras now work again Joan: - - rscadd: Anima Fragments now slam into non-Servants when bumping. This will ONLY - happen if the fragment is not slowed, and slamming into someone will slightly - damage the fragment and slow it severely. + - rscadd: + Anima Fragments now slam into non-Servants when bumping. This will ONLY + happen if the fragment is not slowed, and slamming into someone will slightly + damage the fragment and slow it severely. Lzimann: - - tweak: Communications console can also check the ID the user is wearing. + - tweak: Communications console can also check the ID the user is wearing. Supermichael777: - - tweak: The button now has a five second delay when detonating bombs + - tweak: The button now has a five second delay when detonating bombs XDTM: - - rscadd: You can now change the input/output directons for Ore Redemption Machines - by using a multitool on them with the panel open. - - rscadd: Diagnostic HUDs can now see if airlocks are shocked. + - rscadd: + You can now change the input/output directons for Ore Redemption Machines + by using a multitool on them with the panel open. + - rscadd: Diagnostic HUDs can now see if airlocks are shocked. 2017-03-01: Cyberboss: - - bugfix: Lobby music is no longer delayed + - bugfix: Lobby music is no longer delayed 2017-03-02: Gun Hog: - - tweak: Advanced camera, Slime Management, and Base Construction consoles may now - be operated by drones and cyborgs. + - tweak: + Advanced camera, Slime Management, and Base Construction consoles may now + be operated by drones and cyborgs. Robustin: - - rscadd: The syndicate power beacon will now announce the distance and direction - of any engines every 10 seconds. + - rscadd: + The syndicate power beacon will now announce the distance and direction + of any engines every 10 seconds. Steelpoint: - - rscadd: Robotics and Mech Bay have seen a mapping overhaul on Boxstation. - - rscadd: A cautery surgical tool has been added to the Robotics surgical area on - Boxstation. + - rscadd: Robotics and Mech Bay have seen a mapping overhaul on Boxstation. + - rscadd: + A cautery surgical tool has been added to the Robotics surgical area on + Boxstation. XDTM: - - tweak: Hallucinations have been modified to increase the creepiness factor and - reduce the boring factor. - - rscadd: Added some new hallucinations. - - bugfix: Fixed a bug where the singularity hallucination was stunning for longer - than intended and leaving the fake HUD crit icon permanently. + - tweak: + Hallucinations have been modified to increase the creepiness factor and + reduce the boring factor. + - rscadd: Added some new hallucinations. + - bugfix: + Fixed a bug where the singularity hallucination was stunning for longer + than intended and leaving the fake HUD crit icon permanently. coiax: - - rscadd: Ghosts are polled if they want to play an alien larva that is about to - chestburst. They are also told who is the (un)lucky victim. - - bugfix: Clones no longer gasp for air while in cloning pods. - - rscadd: Adds a new reagent, "Mime's Bane", that prevents all emoting while it - is in a victim's system. Currently admin only. - - experiment: Mappers now have an easier time adding posters, and specifying whether - they're random, random official, random contraband or a specific poster. - - rscdel: Posters no longer have serial numbers when rolled up; their names are - visible instead. + - rscadd: + Ghosts are polled if they want to play an alien larva that is about to + chestburst. They are also told who is the (un)lucky victim. + - bugfix: Clones no longer gasp for air while in cloning pods. + - rscadd: + Adds a new reagent, "Mime's Bane", that prevents all emoting while it + is in a victim's system. Currently admin only. + - experiment: + Mappers now have an easier time adding posters, and specifying whether + they're random, random official, random contraband or a specific poster. + - rscdel: + Posters no longer have serial numbers when rolled up; their names are + visible instead. kevinz000: - - rscadd: You can now craft pressure plates. - - rscadd: Pressure plates are hidden under the floor like smuggler satchels are, - but you can attach a signaller to them to have it signal when a mob passes over - them! - - experiment: Bomb armor is now effective in lessening the chance of being knocked - out by bombs. + - rscadd: You can now craft pressure plates. + - rscadd: + Pressure plates are hidden under the floor like smuggler satchels are, + but you can attach a signaller to them to have it signal when a mob passes over + them! + - experiment: + Bomb armor is now effective in lessening the chance of being knocked + out by bombs. 2017-03-03: Cyberboss: - - tweak: You can now repair shuttles in transit space + - tweak: You can now repair shuttles in transit space Incoming5643: - - imageadd: 'Server Owners: There is a new system for title screens accessible from - config/title_screen folder.' - - rscadd: This system allows for multiple rotating title screens as well as map - specific title screens. - - rscadd: It also allows for hosting title screens in formats other than DMI. - - rscadd: 'See the readme.txt in config/title_screen for full details. remove: The - previous method of title screen selection, the define TITLESCREEN, has been - depreciated by this change.' + - imageadd: + "Server Owners: There is a new system for title screens accessible from + config/title_screen folder." + - rscadd: + This system allows for multiple rotating title screens as well as map + specific title screens. + - rscadd: It also allows for hosting title screens in formats other than DMI. + - rscadd: + "See the readme.txt in config/title_screen for full details. remove: The + previous method of title screen selection, the define TITLESCREEN, has been + depreciated by this change." Sligneris: - - imageadd: Updated sprites for the small xeno queen mode + - imageadd: Updated sprites for the small xeno queen mode 2017-03-04: Cyberboss: - - bugfix: You can build lattice in space again + - bugfix: You can build lattice in space again Hyena: - - tweak: Detective revolver/ammo now starts in their shoulder holster + - tweak: Detective revolver/ammo now starts in their shoulder holster Joan: - - tweak: Weaker cult talismans take less time to imbue. + - tweak: Weaker cult talismans take less time to imbue. PJB3005: - - rscadd: Rebased to /vg/station lighting code. + - rscadd: Rebased to /vg/station lighting code. Supermichael777: - - rscadd: Grey security uniforms have unique names and descriptions + - rscadd: Grey security uniforms have unique names and descriptions Tofa01: - - rscadd: Adds the new Centcomm Raven Battlecruiser to the purchasable shuttle list - buy now get one free! + - rscadd: + Adds the new Centcomm Raven Battlecruiser to the purchasable shuttle list + buy now get one free! coiax: - - rscadd: CTF players start with their helmet toggled off, better to see the whites - of their opponents eyes. Very briefly. - - bugfix: Existing CTF barricades are repaired between rounds, and deploy instantly - when replaced. - - tweak: Healing non-critical CTF damage is faster. Remember though, if you drop - into crit, YOU DIE. - - rscadd: Admin ghosts can just click directly on the CTF controller to enable them, - in addition to using the Secrets panel. - - bugfix: Cyborg radios can no longer have their inaccessible wires pulsed by EMPs. + - rscadd: + CTF players start with their helmet toggled off, better to see the whites + of their opponents eyes. Very briefly. + - bugfix: + Existing CTF barricades are repaired between rounds, and deploy instantly + when replaced. + - tweak: + Healing non-critical CTF damage is faster. Remember though, if you drop + into crit, YOU DIE. + - rscadd: + Admin ghosts can just click directly on the CTF controller to enable them, + in addition to using the Secrets panel. + - bugfix: Cyborg radios can no longer have their inaccessible wires pulsed by EMPs. 2017-03-06: Cyberboss: - - experiment: Map rotation has been made smoother + - experiment: Map rotation has been made smoother Gun Hog: - - bugfix: The Aux Base Construction Console now directs to the correct Base Management - Console. - - bugfix: The missing Science Department access has been added to the Auxiliary - Base Management Console. + - bugfix: + The Aux Base Construction Console now directs to the correct Base Management + Console. + - bugfix: + The missing Science Department access has been added to the Auxiliary + Base Management Console. Hyena: - - rscdel: Space bar is out of bussiness + - rscdel: Space bar is out of bussiness MrStonedOne: - - bugfix: patched a hacky workaround for /vg/lights memory leaking crashing the - server + - bugfix: + patched a hacky workaround for /vg/lights memory leaking crashing the + server Penguaro: - - bugfix: Changed DIR of Gas Filter for O2 in Waste Loop from 1 to 4 + - bugfix: Changed DIR of Gas Filter for O2 in Waste Loop from 1 to 4 Sligneris: - - imageadd: '''xeno queen'' AI hologram now actually uses the xeno queen sprite - as a reference' + - imageadd: + "'xeno queen' AI hologram now actually uses the xeno queen sprite + as a reference" Tofa01: - - bugfix: '[Omega] Fixes missing walls and wires new dock to the powergrid' + - bugfix: "[Omega] Fixes missing walls and wires new dock to the powergrid" XDTM: - - rscadd: Changelings can now click their fake clothing to remove it, without needing - to drop the full disguise. + - rscadd: + Changelings can now click their fake clothing to remove it, without needing + to drop the full disguise. coiax: - - rscadd: The Bardrone and Barmaid are neutral, even in the face of reality altering - elder gods. + - rscadd: + The Bardrone and Barmaid are neutral, even in the face of reality altering + elder gods. 2017-03-07: Supermichael777: - - rscadd: Wannabe ninjas have been found carrying an experimental chameleon belt. - The Spider clan has disavowed any involvement. + - rscadd: + Wannabe ninjas have been found carrying an experimental chameleon belt. + The Spider clan has disavowed any involvement. 2017-03-08: Cyberboss: - - imageadd: Added roundstart animation - - experiment: Roundstart should now be a smoother experience... again - - bugfix: You can now scan storage items with the forensic scanner - - bugfix: Unfolding paper planes no longer deletes them - - bugfix: Plastic no longer conducts electricity - - tweak: The map rotation message will only show if the map is actually changing + - imageadd: Added roundstart animation + - experiment: Roundstart should now be a smoother experience... again + - bugfix: You can now scan storage items with the forensic scanner + - bugfix: Unfolding paper planes no longer deletes them + - bugfix: Plastic no longer conducts electricity + - tweak: The map rotation message will only show if the map is actually changing Francinum: - - bugfix: Holopads now require power. + - bugfix: Holopads now require power. Fun Police: - - tweak: Reject Adminhelp and IC Issue buttons have a cooldown. + - tweak: Reject Adminhelp and IC Issue buttons have a cooldown. Joan: - - rscadd: Circuit tiles now glow faintly. - - rscadd: Glowshrooms now have colored light. - - tweak: Tweaked the potency scaling for glowshroom/glowberry light; high-potency - plantss no longer light up a huge area, but are slightly brighter. + - rscadd: Circuit tiles now glow faintly. + - rscadd: Glowshrooms now have colored light. + - tweak: + Tweaked the potency scaling for glowshroom/glowberry light; high-potency + plantss no longer light up a huge area, but are slightly brighter. Kor: - - rscadd: People with mutant parts (cat ears) are no longer outright barred from - selecting command roles in their preferences, but will have their mutant parts - removed on spawning if they are selected for that role. + - rscadd: + People with mutant parts (cat ears) are no longer outright barred from + selecting command roles in their preferences, but will have their mutant parts + removed on spawning if they are selected for that role. LanCartwright: - - rscadd: Adds scaling damage to buckshot. + - rscadd: Adds scaling damage to buckshot. Robustin: - - tweak: The DNA Vault has 2 new powers - - tweak: The DNA Vault requires super capacitors instead of quadratic - - tweak: Cargo's Vault Pack now includes DNA probes + - tweak: The DNA Vault has 2 new powers + - tweak: The DNA Vault requires super capacitors instead of quadratic + - tweak: Cargo's Vault Pack now includes DNA probes Supermichael777: - - rscadd: Robust Soft Drinks LLC is proud to announce Premium canned air for select - markets. There is not an air shortage. Robust Soft Drinks has never engaged - in any form of profiteering. + - rscadd: + Robust Soft Drinks LLC is proud to announce Premium canned air for select + markets. There is not an air shortage. Robust Soft Drinks has never engaged + in any form of profiteering. TalkingCactus: - - rscadd: Energy swords (and other energy melee weapons) now have a colored light - effect when active. + - rscadd: + Energy swords (and other energy melee weapons) now have a colored light + effect when active. Tofa01: - - bugfix: '[All Maps] Fixes syndicate shuttles spawning too close to stations by - moving their spawn further from the station' - - rscadd: '[Omegastation] This station now has a syndicate shuttle and syndicate - shuttle spawn.' + - bugfix: + "[All Maps] Fixes syndicate shuttles spawning too close to stations by + moving their spawn further from the station" + - rscadd: + "[Omegastation] This station now has a syndicate shuttle and syndicate + shuttle spawn." coiax: - - rscadd: Wizards now have a new spell "The Traps" in their spellbook. Summon an - array of temporary and permanent hazards for your foes, but don't fall into - your own trap(s)! - - rscadd: Permanent wizard traps can be triggered relatively safely by throwing - objects across the trap, or examining it at close range. The trap will then - be on cooldown for a minute. - - rscadd: Toy magic eightballs can now be found around the station in maintenance - and arcade machines. Ask your question aloud, and then shake for guidance. - - rscadd: Adds new Librarian traitor item, the Haunted Magic Eightball. Although - identical in appearance to the harmless toys, this occult device reaches into - the spirit world to find its answers. Be warned, that spirits are often capricious - or just little assholes. - - rscadd: You only have a headache looking at the supermatter if you're a human - without mesons. - - rscadd: The supermatter now speaks in a robotic fashion. - - rscadd: Admins have a "Rename Station Name" option, under Secrets. - - rscadd: A special admin station charter exists, that has unlimited uses and can - be used at any time. - - rscadd: Added glowsticks. Found in maintenance, emergency toolboxes and Party - Crates. + - rscadd: + Wizards now have a new spell "The Traps" in their spellbook. Summon an + array of temporary and permanent hazards for your foes, but don't fall into + your own trap(s)! + - rscadd: + Permanent wizard traps can be triggered relatively safely by throwing + objects across the trap, or examining it at close range. The trap will then + be on cooldown for a minute. + - rscadd: + Toy magic eightballs can now be found around the station in maintenance + and arcade machines. Ask your question aloud, and then shake for guidance. + - rscadd: + Adds new Librarian traitor item, the Haunted Magic Eightball. Although + identical in appearance to the harmless toys, this occult device reaches into + the spirit world to find its answers. Be warned, that spirits are often capricious + or just little assholes. + - rscadd: + You only have a headache looking at the supermatter if you're a human + without mesons. + - rscadd: The supermatter now speaks in a robotic fashion. + - rscadd: Admins have a "Rename Station Name" option, under Secrets. + - rscadd: + A special admin station charter exists, that has unlimited uses and can + be used at any time. + - rscadd: + Added glowsticks. Found in maintenance, emergency toolboxes and Party + Crates. kevinz000: - - rscadd: The Syndicate reports a breakthrough in chameleon laser gun technology - that will disguise its projectiles to be just like the real thing! + - rscadd: + The Syndicate reports a breakthrough in chameleon laser gun technology + that will disguise its projectiles to be just like the real thing! 2017-03-10: Cyberboss: - - bugfix: You should no longer be seeing entities with `\improper` in front of their - name - - rscadd: The arrivals shuttle will now ferry new arrivals to the station. It will - not depart if any intelligent living being is on board. It will remain docked - if it is depressurized. - - tweak: You now late-join spawn buckled to arrivals shuttle chairs - - tweak: Ghost spawn points have been moved to the center of the station - - tweak: Departing shuttles will now try and shut their docking airlocks - - bugfix: The arrivals shuttle airlocks are now properly cycle-linked - - bugfix: You can now hear hyperspace sounds outside of shuttles - - experiment: The map loader is faster - - tweak: Lavaland will now load instantly when the game starts + - bugfix: + You should no longer be seeing entities with `\improper` in front of their + name + - rscadd: + The arrivals shuttle will now ferry new arrivals to the station. It will + not depart if any intelligent living being is on board. It will remain docked + if it is depressurized. + - tweak: You now late-join spawn buckled to arrivals shuttle chairs + - tweak: Ghost spawn points have been moved to the center of the station + - tweak: Departing shuttles will now try and shut their docking airlocks + - bugfix: The arrivals shuttle airlocks are now properly cycle-linked + - bugfix: You can now hear hyperspace sounds outside of shuttles + - experiment: The map loader is faster + - tweak: Lavaland will now load instantly when the game starts Jordie0608: - - tweak: The Banning Panel now organises search results into pages of 15 each. + - tweak: The Banning Panel now organises search results into pages of 15 each. XDTM: - - bugfix: Slimes can now properly latch onto humans. - - bugfix: Slimes won't aggro neutral mobs anymore. This includes blood-spawned gold - slime mobs. - - rscadd: Clicking on a tile with another tile and a crowbar in hand directly replaces - the tile. + - bugfix: Slimes can now properly latch onto humans. + - bugfix: + Slimes won't aggro neutral mobs anymore. This includes blood-spawned gold + slime mobs. + - rscadd: + Clicking on a tile with another tile and a crowbar in hand directly replaces + the tile. Xhuis: - - imageadd: Ratvar and Nar-Sie now have fancy colored lighting! + - imageadd: Ratvar and Nar-Sie now have fancy colored lighting! coiax: - - rscadd: Wizards can now use their magic to make ghosts visible to haunt the crew, - and possibly attempt to betray the wizard. - - rscadd: When someone dies, if their body is no longer present, the (F) link will - instead jump to the turf they previously occupied. - - bugfix: Stacks of materials will automatically merge together when created. You - may notice differences when ejecting metal, glass or using the cash machine - in the vault. - - rscadd: You can find green and red glowsticks in YouTool vending machines. + - rscadd: + Wizards can now use their magic to make ghosts visible to haunt the crew, + and possibly attempt to betray the wizard. + - rscadd: + When someone dies, if their body is no longer present, the (F) link will + instead jump to the turf they previously occupied. + - bugfix: + Stacks of materials will automatically merge together when created. You + may notice differences when ejecting metal, glass or using the cash machine + in the vault. + - rscadd: You can find green and red glowsticks in YouTool vending machines. fludd12: - - bugfix: Modifying/deconstructing skateboards while riding them no longer nails - you to the sky. + - bugfix: + Modifying/deconstructing skateboards while riding them no longer nails + you to the sky. lordpidey: - - rscadd: Glitter bombs have been added to arcade prizes. + - rscadd: Glitter bombs have been added to arcade prizes. 2017-03-11: AnturK: - - rscadd: Traitors now have access to radio jammers for 10 TC + - rscadd: Traitors now have access to radio jammers for 10 TC Hyena: - - bugfix: fixes anti toxin pill naming + - bugfix: fixes anti toxin pill naming Joan: - - tweak: Window construction steps are slightly faster; normal windows now take - 6 seconds with standard tools, from 7 and reinforced windows now take 12 seconds - with standard tools, from 14. - - tweak: Brass windows take 8 seconds with standard tools, from 7. - - rscadd: Added Shadowshrooms as a glowshroom mutation. They do exactly what you'd - expect. - - rscdel: Removed His Grace ascension. + - tweak: + Window construction steps are slightly faster; normal windows now take + 6 seconds with standard tools, from 7 and reinforced windows now take 12 seconds + with standard tools, from 14. + - tweak: Brass windows take 8 seconds with standard tools, from 7. + - rscadd: + Added Shadowshrooms as a glowshroom mutation. They do exactly what you'd + expect. + - rscdel: Removed His Grace ascension. PKPenguin321: - - tweak: Cryoxadone's ability to heal cloneloss has been greatly reduced. - - rscadd: Clonexadone has been readded. It functions exactly like cryoxadone, but - only heals cloneloss, and at a decent rate. Brew it with 1 part cryoxadone, - 1 part sodium, and 5 units of plasma for a catalyst. + - tweak: Cryoxadone's ability to heal cloneloss has been greatly reduced. + - rscadd: + Clonexadone has been readded. It functions exactly like cryoxadone, but + only heals cloneloss, and at a decent rate. Brew it with 1 part cryoxadone, + 1 part sodium, and 5 units of plasma for a catalyst. Penguaro: - - tweak: Adjusted table locations - - tweak: Moved chair and Cargo Tech start location - - tweak: Moved filing cabinet - - rscdel: Removed Stock Computer + - tweak: Adjusted table locations + - tweak: Moved chair and Cargo Tech start location + - tweak: Moved filing cabinet + - rscdel: Removed Stock Computer Tofa01: - - bugfix: '[Meta] Fixes Supermatter Shutters Not Working' + - bugfix: "[Meta] Fixes Supermatter Shutters Not Working" coiax: - - rscadd: Swarmer lights are coloured cyan. + - rscadd: Swarmer lights are coloured cyan. kevinz000: - - bugfix: Deadchat no longer has huge amount of F's. + - bugfix: Deadchat no longer has huge amount of F's. 2017-03-12: JStheguy: - - imageadd: Changed Desert Eagle sprites, changed .50 AE magazine sprites, added - Desert Eagle magazine overlay to icons/obj/guns/projectile.dmi. - - tweak: The empty Desert Eagle sprite now only displays on an empty chamber. The - existence or lack thereof of the magazine is rendered using an overlay instead. + - imageadd: + Changed Desert Eagle sprites, changed .50 AE magazine sprites, added + Desert Eagle magazine overlay to icons/obj/guns/projectile.dmi. + - tweak: + The empty Desert Eagle sprite now only displays on an empty chamber. The + existence or lack thereof of the magazine is rendered using an overlay instead. Lzimann: - - tweak: Braindead has a more intuitive message + - tweak: Braindead has a more intuitive message coiax: - - rscdel: A cloner that is EMP'd will merely eject the clone early, rather than - gibbing it. Emagging the cloner will still gib the clone. + - rscdel: + A cloner that is EMP'd will merely eject the clone early, rather than + gibbing it. Emagging the cloner will still gib the clone. 2017-03-13: Cyberboss: - - tweak: You must now be on any intent EXCEPT help to weld an airlock shut - - rscadd: You can now repair airlocks with welding tools on help intent (broken - airlocks still need their wires mended though) + - tweak: You must now be on any intent EXCEPT help to weld an airlock shut + - rscadd: + You can now repair airlocks with welding tools on help intent (broken + airlocks still need their wires mended though) Cyberboss, Bgobandit, and Yogstation: - - rscadd: The HoP can now prioritze roles for late-joiners + - rscadd: The HoP can now prioritze roles for late-joiners Every coder, player, and admin in Space Station 13: - - rscadd: Adds the Tomb Of The Unknown Employee to Central Command, - - rscadd: Rest in peace, those who died after contributing to Space Station 13. + - rscadd: Adds the Tomb Of The Unknown Employee to Central Command, + - rscadd: Rest in peace, those who died after contributing to Space Station 13. Hyena: - - bugfix: Surplus leg r/l name fixed - - bugfix: You can now carry honey in plant bags + - bugfix: Surplus leg r/l name fixed + - bugfix: You can now carry honey in plant bags Lordpidey: - - bugfix: Devils can no longer break into areas with sheer force of disco funk - - rscadd: The pitchfork of an ascended devil can now break down walls. - - rscadd: Hell has decided to at least clothe it's devils when sending them a brand - new body. - - rscadd: Pitchforks glow red now. + - bugfix: Devils can no longer break into areas with sheer force of disco funk + - rscadd: The pitchfork of an ascended devil can now break down walls. + - rscadd: + Hell has decided to at least clothe it's devils when sending them a brand + new body. + - rscadd: Pitchforks glow red now. Penguaro: - - rscdel: '**Engineering** - Removed Tables, paper bin, and pen' - - rscadd: '**Engineering** - Replaced with Welder and Electrical Lockers' - - rscadd: '**Engineering** - Moved First-Aid Burn kit to Engineering Foyer' - - tweak: '**Chapel** - Replaced one Window with Win-Door for Coffin Storage' + - rscdel: "**Engineering** - Removed Tables, paper bin, and pen" + - rscadd: "**Engineering** - Replaced with Welder and Electrical Lockers" + - rscadd: "**Engineering** - Moved First-Aid Burn kit to Engineering Foyer" + - tweak: "**Chapel** - Replaced one Window with Win-Door for Coffin Storage" Space Bicycle Consortium: - - bugfix: Bicycles now only cost 10,000 yen, down from 1,000,000 yen. + - bugfix: Bicycles now only cost 10,000 yen, down from 1,000,000 yen. coiax: - - rscadd: The egg spawner on Metastation will generate a station message and inform - the admins if an egg is spawned. (It's only a two percent chance, but live in - hope.) - - rscadd: Glowsticks can now be found in "Swarmer Cyan" colors. + - rscadd: + The egg spawner on Metastation will generate a station message and inform + the admins if an egg is spawned. (It's only a two percent chance, but live in + hope.) + - rscadd: Glowsticks can now be found in "Swarmer Cyan" colors. 2017-03-14: Joan: - - rscadd: Shuttles now have dynamic lighting; you can remove the lights on them - and use your own lights. - - tweak: All maps now use Deltastation's fancy syndicate shuttle. - - tweak: Shadowshrooms of lower potency are much less able to blanket the station - in darkness. + - rscadd: + Shuttles now have dynamic lighting; you can remove the lights on them + and use your own lights. + - tweak: All maps now use Deltastation's fancy syndicate shuttle. + - tweak: + Shadowshrooms of lower potency are much less able to blanket the station + in darkness. PKPenguin321: - - tweak: Lattices now require wirecutters to deconstruct, rather than welding tools. + - tweak: Lattices now require wirecutters to deconstruct, rather than welding tools. 2017-03-15: Cyberboss: - - bugfix: You can no longer depart on the arrivals shuttle by hiding inside things + - bugfix: You can no longer depart on the arrivals shuttle by hiding inside things Joan: - - tweak: Proselytizers converting clockwork floors to walls now always take 10 seconds, - regardless of how fast the proselytizer is. - - tweak: Clockwork grilles no longer provide CV. + - tweak: + Proselytizers converting clockwork floors to walls now always take 10 seconds, + regardless of how fast the proselytizer is. + - tweak: Clockwork grilles no longer provide CV. Penguaro: - - bugfix: '**Engineering** - Changed Access Level from **24** (_Atmo_) to **10** - (_Engine_) on **Radiation Shutter Control**' + - bugfix: + "**Engineering** - Changed Access Level from **24** (_Atmo_) to **10** + (_Engine_) on **Radiation Shutter Control**" TrustyGun: - - tweak: Traitor Mimes with the finger guns spell now fire 3 bullets at a time, - as opposed to just 1. + - tweak: + Traitor Mimes with the finger guns spell now fire 3 bullets at a time, + as opposed to just 1. octareenroon91: - - rscadd: Allow new reflector frames to be built from metal sheets. + - rscadd: Allow new reflector frames to be built from metal sheets. oranges: - - rscdel: Removed patting + - rscdel: Removed patting 2017-03-16: BASILMAN YOUR MAIN MAN: - - rscadd: The BM Speedwagon has been improved both in terms of aesthetics and performance! + - rscadd: The BM Speedwagon has been improved both in terms of aesthetics and performance! Cyberboss: - - bugfix: The shield generators in Boxstation Xenobiology now have the correct access + - bugfix: The shield generators in Boxstation Xenobiology now have the correct access Joan: - - rscadd: Cult structures that emitted light now have colored light. + - rscadd: Cult structures that emitted light now have colored light. MrPerson: - - rscadd: Humans can see in darkness slightly again. This is only so you can see - where you are when the lights go out. + - rscadd: + Humans can see in darkness slightly again. This is only so you can see + where you are when the lights go out. MrStonedOne: - - bugfix: Fixed lighting not updating when a opaque object was deleted + - bugfix: Fixed lighting not updating when a opaque object was deleted Penguaro: - - tweak: Increased Synchronization Range on Exosuit Fabricator + - tweak: Increased Synchronization Range on Exosuit Fabricator Tofa01: - - bugfix: '[Delta] Fixes telecoms temperature and gas mixing / being contaminated.' - - bugfix: '[Delta] Fixes some doubled up turfs causing items and objects to get - stuck to stuff' - - tweak: '[Omega] Makes telecoms room cool down and be cold.' + - bugfix: "[Delta] Fixes telecoms temperature and gas mixing / being contaminated." + - bugfix: + "[Delta] Fixes some doubled up turfs causing items and objects to get + stuck to stuff" + - tweak: "[Omega] Makes telecoms room cool down and be cold." Tokiko1: - - rscadd: Most gases now have unique effects when surrounding the supermatter crystal. - - tweak: The supermatter crystal can now take damage from too much energy and too - much gas. - - rscadd: Added a dangerous overcharged state to the supermatter crystal. - - rscadd: Readded explosion delaminations, a new tesla delamination and allowed - the singulo delamination to absorb the supermatter. - - tweak: The type of delamination now depends on the state of the supermatter crystal. - - tweak: Various supermatter engine rebalancing and fixes. + - rscadd: Most gases now have unique effects when surrounding the supermatter crystal. + - tweak: + The supermatter crystal can now take damage from too much energy and too + much gas. + - rscadd: Added a dangerous overcharged state to the supermatter crystal. + - rscadd: + Readded explosion delaminations, a new tesla delamination and allowed + the singulo delamination to absorb the supermatter. + - tweak: The type of delamination now depends on the state of the supermatter crystal. + - tweak: Various supermatter engine rebalancing and fixes. kevinz000: - - rscadd: SDQL2 now supports outputting proccalls to variables, and associative - lists + - rscadd: + SDQL2 now supports outputting proccalls to variables, and associative + lists peoplearestrange: - - bugfix: Fixed buildmodes full tile window to be correct path + - bugfix: Fixed buildmodes full tile window to be correct path rock: - - tweak: if we can have glowsticks in toolvends why not flashlights amirite guys + - tweak: if we can have glowsticks in toolvends why not flashlights amirite guys 2017-03-17: BeeSting12: - - bugfix: Moved Metastation's deep fryer so that the chef can walk all the way around - the table. + - bugfix: + Moved Metastation's deep fryer so that the chef can walk all the way around + the table. Cobby: - - tweak: The gulag mineral ratio has been tweaked so there are PLENTY of iron ore, - nice bits of silver/plasma, with the negative of having less really high valued - ores. If you need minerals, it may be a good time to ask the warden now! + - tweak: + The gulag mineral ratio has been tweaked so there are PLENTY of iron ore, + nice bits of silver/plasma, with the negative of having less really high valued + ores. If you need minerals, it may be a good time to ask the warden now! Joan: - - rscadd: You can now place lights and most wall objects on shuttles. + - rscadd: You can now place lights and most wall objects on shuttles. Xhuis: - - rscadd: Added the power flow control console, which allows remote manipulation - of most APCs on the z-level. You can find them in the Chief Engineer's office - on all maps. + - rscadd: + Added the power flow control console, which allows remote manipulation + of most APCs on the z-level. You can find them in the Chief Engineer's office + on all maps. 2017-03-18: Supermichael777: - - rscadd: Free golems can now buy new ids for 250 points. + - rscadd: Free golems can now buy new ids for 250 points. XDTM: - - rscadd: You can now complete a golem shell with runed metal, if you somehow manage - to get both. - - rscadd: Runic golems don't have passive bonuses over golems, but they have some - special abilities. + - rscadd: + You can now complete a golem shell with runed metal, if you somehow manage + to get both. + - rscadd: + Runic golems don't have passive bonuses over golems, but they have some + special abilities. coiax: - - bugfix: The alert level is no longer lowered by a nuke's detonation. + - bugfix: The alert level is no longer lowered by a nuke's detonation. 2017-03-19: BeeSting12: - - rscadd: Nanotrasen has decided to better equip the box-class emergency shuttles - with a recharger on a table in the cockpit. + - rscadd: + Nanotrasen has decided to better equip the box-class emergency shuttles + with a recharger on a table in the cockpit. Cheridan: - - tweak: The slime created by a pyroclastic anomaly detonating is now adult and - player-controlled! Reminder that if you see an anomaly alert, you should grab - an analyzer and head to the announced location to scan it, and then signal the - given frequency on a signaller! + - tweak: + The slime created by a pyroclastic anomaly detonating is now adult and + player-controlled! Reminder that if you see an anomaly alert, you should grab + an analyzer and head to the announced location to scan it, and then signal the + given frequency on a signaller! Penguaro: - - bugfix: change access variables for turrets and shield gens - - bugfix: Box Station - Replaces the smiling table grilles with their more serious - counterparts. + - bugfix: change access variables for turrets and shield gens + - bugfix: + Box Station - Replaces the smiling table grilles with their more serious + counterparts. coiax: - - tweak: The Syndicate lavaland base now has a single self destruct bomb located - next to the Communications Room. Guaranteed destruction of the base is guaranteed - by payloads embedded in the walls. + - tweak: + The Syndicate lavaland base now has a single self destruct bomb located + next to the Communications Room. Guaranteed destruction of the base is guaranteed + by payloads embedded in the walls. octareenroon91: - - bugfix: Fixes infinite vaping bug. + - bugfix: Fixes infinite vaping bug. uraniummeltdown: - - rscadd: Plant data disks have new sprites. - - bugfix: Fixed Monkey Recycler board not showing in Circuit Imprinter - - tweak: Kinetic Accelerator Range Mod now takes up 25% space instead of 24% + - rscadd: Plant data disks have new sprites. + - bugfix: Fixed Monkey Recycler board not showing in Circuit Imprinter + - tweak: Kinetic Accelerator Range Mod now takes up 25% space instead of 24% 2017-03-21: ExcessiveUseOfCobblestone: - - experiment: All core traits [Hydroponics] scale with the parts in the gene machine. - Time to beg Duke's Guide Read.... I mean RND! - - tweak: Data disks with genes on them will have just the name of the gene instead - of the prefix "plant data disk". - - tweak: If you were unaware, you can rename these disks with a pen. Now, you can - also change the description if you felt inclined to. + - experiment: + All core traits [Hydroponics] scale with the parts in the gene machine. + Time to beg Duke's Guide Read.... I mean RND! + - tweak: + Data disks with genes on them will have just the name of the gene instead + of the prefix "plant data disk". + - tweak: + If you were unaware, you can rename these disks with a pen. Now, you can + also change the description if you felt inclined to. Joan: - - experiment: Caches produce components every 70 seconds, from every 90, but each - other linked, component-producing cache slows down cache generation by 10 seconds. + - experiment: + Caches produce components every 70 seconds, from every 90, but each + other linked, component-producing cache slows down cache generation by 10 seconds. Lombardo2: - - rscadd: The tentacle changeling mutation now changes the arm appearance when activated. + - rscadd: The tentacle changeling mutation now changes the arm appearance when activated. MrPerson: - - bugfix: Everyone's eyes aren't white anymore. + - bugfix: Everyone's eyes aren't white anymore. Penguaro: - - tweak: Box Station - The Vents and Scrubbers for the Supermatter Air Alarm are - now isolated from the rest of the Air Alarms in Engineering. + - tweak: + Box Station - The Vents and Scrubbers for the Supermatter Air Alarm are + now isolated from the rest of the Air Alarms in Engineering. Supermichael777: - - bugfix: Chasms now smooth properly. + - bugfix: Chasms now smooth properly. Tokiko1: - - tweak: Minor supermatter balancing changes. - - tweak: Supermatter now announces its damage half as frequently. - - tweak: Badly unstable supermatter now occasionally zaps nearby engineers and causes - anomalies to appear nearby, similar to overcharged supermatter. + - tweak: Minor supermatter balancing changes. + - tweak: Supermatter now announces its damage half as frequently. + - tweak: + Badly unstable supermatter now occasionally zaps nearby engineers and causes + anomalies to appear nearby, similar to overcharged supermatter. XDTM: - - rscadd: Golem Shells can now be completed with medical gauze or cloth to form - cloth golems, which are weaker and extremely flammable. However, if they die, - they turn into a pile of cloth that will eventually re-animate back into full - health. That is, unless someone lights it on fire. + - rscadd: + Golem Shells can now be completed with medical gauze or cloth to form + cloth golems, which are weaker and extremely flammable. However, if they die, + they turn into a pile of cloth that will eventually re-animate back into full + health. That is, unless someone lights it on fire. 2017-03-22: BeeSting12: - - rscadd: Added an autolathe circuit board to deltastation's tech storage. - - rscadd: Added 49 sheets of metal to deltastation's auxiliary tool storage. + - rscadd: Added an autolathe circuit board to deltastation's tech storage. + - rscadd: Added 49 sheets of metal to deltastation's auxiliary tool storage. Iamgoofball: - - bugfix: Freon no longer bypasses atmos hardsuits. + - bugfix: Freon no longer bypasses atmos hardsuits. Penguaro: - - rscadd: Meta - Added Tool Belts to Engineering and Engineering Foyer - - rscdel: Meta - Removed Coffee Machine from Permabrig - - rscadd: Added Cameras for Supermatter Chamber (to view rad collectors and crystal) - - tweak: Adjusted Engine Camera Names for Station Consistency - - bugfix: Adjusted Monitor Names / Networks to view the Engine Cameras + - rscadd: Meta - Added Tool Belts to Engineering and Engineering Foyer + - rscdel: Meta - Removed Coffee Machine from Permabrig + - rscadd: Added Cameras for Supermatter Chamber (to view rad collectors and crystal) + - tweak: Adjusted Engine Camera Names for Station Consistency + - bugfix: Adjusted Monitor Names / Networks to view the Engine Cameras coiax: - - rscadd: APCs now glow faintly with their charging lights. So red is not charging, - blue is charging, green is full. Emagged APCs are also blue. Broken APCs do - not emit light. - - rscadd: Alien glowing resin now glows. + - rscadd: + APCs now glow faintly with their charging lights. So red is not charging, + blue is charging, green is full. Emagged APCs are also blue. Broken APCs do + not emit light. + - rscadd: Alien glowing resin now glows. 2017-03-23: Joan: - - tweak: Clock cults always have to summon Ratvar, but that always involves a proselytization - burst. - - rscdel: The proselytization burst will no longer convert heretics, leaving Ratvar - free to chase them down. - - spellcheck: Places that referred to the Ark of the Clockwork Justicar as the "Gateway - to the Celestial Derelict" have been corrected to always refer to the Ark. + - tweak: + Clock cults always have to summon Ratvar, but that always involves a proselytization + burst. + - rscdel: + The proselytization burst will no longer convert heretics, leaving Ratvar + free to chase them down. + - spellcheck: + Places that referred to the Ark of the Clockwork Justicar as the "Gateway + to the Celestial Derelict" have been corrected to always refer to the Ark. Penguaro: - - bugfix: Wizard Ship - Bolts that floating light to the wall. + - bugfix: Wizard Ship - Bolts that floating light to the wall. XDTM: - - rscadd: Medical Gauze now stacks up to 12 - - bugfix: Pressure plates are now craftable. + - rscadd: Medical Gauze now stacks up to 12 + - bugfix: Pressure plates are now craftable. bgobandit: - - tweak: Alt-clicking a command headset toggles HIGH VOLUME mode. + - tweak: Alt-clicking a command headset toggles HIGH VOLUME mode. coiax: - - bugfix: A dead AI no longer counts as an "unconverted AI" for clockcult. + - bugfix: A dead AI no longer counts as an "unconverted AI" for clockcult. 2017-03-24: BeeSting12: - - bugfix: Auxiliary base maintenance airlock now requires the proper access. Sorry - greyshirts, no loot for you! + - bugfix: + Auxiliary base maintenance airlock now requires the proper access. Sorry + greyshirts, no loot for you! Cyberboss: - - tweak: The recycler's base reclaim rate has been buffed from 1% to 50%. Manipulator - upgrades now give +12.5% per level instead of +25% - - bugfix: You can now successfully remove a pen from a PDA while it's in a container + - tweak: + The recycler's base reclaim rate has been buffed from 1% to 50%. Manipulator + upgrades now give +12.5% per level instead of +25% + - bugfix: You can now successfully remove a pen from a PDA while it's in a container Fox McCloud: - - rscadd: Modular receiver removed from the protolathe to autolathe - - tweak: Modular receiver cost is now 15,000 metal + - rscadd: Modular receiver removed from the protolathe to autolathe + - tweak: Modular receiver cost is now 15,000 metal Joan: - - bugfix: Fixes structures being unable to go through spatial gateways. - - tweak: Blazing Oil blobs take 33% less damage from water. + - bugfix: Fixes structures being unable to go through spatial gateways. + - tweak: Blazing Oil blobs take 33% less damage from water. Penguaro: - - rscadd: '[Meta] Replaced Power Monitoring Console in Engineering with Modular - Engineering Console' - - rscadd: '[Pubby] Replaced Power Monitoring Console in Engineering with Modular - Engineering Console' - - rscadd: '[Omega] Replaced Power Monitoring Console in Engineering with Modular - Engineering Console' - - rscadd: '[Omega] Added RD and Command Modular Consoles to Bridge' - - rscadd: '[Delta] Replaced Power Monitoring Console in Engineering with Modular - Engineering Console' - - rscadd: '[Delta] Replaced duplicate Atmospherics Monitoring Console in Atmo with - Modular Engineering Console' + - rscadd: + "[Meta] Replaced Power Monitoring Console in Engineering with Modular + Engineering Console" + - rscadd: + "[Pubby] Replaced Power Monitoring Console in Engineering with Modular + Engineering Console" + - rscadd: + "[Omega] Replaced Power Monitoring Console in Engineering with Modular + Engineering Console" + - rscadd: "[Omega] Added RD and Command Modular Consoles to Bridge" + - rscadd: + "[Delta] Replaced Power Monitoring Console in Engineering with Modular + Engineering Console" + - rscadd: + "[Delta] Replaced duplicate Atmospherics Monitoring Console in Atmo with + Modular Engineering Console" coiax: - - rscadd: Destroying a lich's body does not destroy the lich permanently, provided - the phylactery is intact. - - rscadd: A lich will respawn three minutes after its death, provided the phylactery - is intact. - - rscadd: The Soul Bind spell is forgotten after cast, respawn is now automatic. - - rscdel: Stationloving objects like the nuke disk are not valid objects for a phylactery. - - rscadd: Explosive implants can always be triggered via action button, even if - unconscious. + - rscadd: + Destroying a lich's body does not destroy the lich permanently, provided + the phylactery is intact. + - rscadd: + A lich will respawn three minutes after its death, provided the phylactery + is intact. + - rscadd: The Soul Bind spell is forgotten after cast, respawn is now automatic. + - rscdel: Stationloving objects like the nuke disk are not valid objects for a phylactery. + - rscadd: + Explosive implants can always be triggered via action button, even if + unconscious. rock: - - tweak: lizards are hurt slightly more by cold but less by heat. this does not - mean they are more resistant to being lasered, fortunately. + - tweak: + lizards are hurt slightly more by cold but less by heat. this does not + mean they are more resistant to being lasered, fortunately. 2017-03-26: BeeSting12: - - spellcheck: The bar shuttle's buckable bar stools are now buckleable bar stools. + - spellcheck: The bar shuttle's buckable bar stools are now buckleable bar stools. Gun Hog and Shadowlight213: - - rscadd: The AI may now deploy to cyborgs prepared as AI shells. The module to - do this may be research in the exosuit fabricator. Simply slot the module into - a completed cyborg frame as with an MMI, or into a playerless (with no ckey) - cyborg. - - rscadd: AI shells and AIs controlling a shell can be determined through the Diagnostic - HUD. - - rscadd: AIs can deploy to a shell using the new action buttons or by simply clicking - on it. - - experiment: An AI shell will always have the laws of its controlling AI. + - rscadd: + The AI may now deploy to cyborgs prepared as AI shells. The module to + do this may be research in the exosuit fabricator. Simply slot the module into + a completed cyborg frame as with an MMI, or into a playerless (with no ckey) + cyborg. + - rscadd: + AI shells and AIs controlling a shell can be determined through the Diagnostic + HUD. + - rscadd: + AIs can deploy to a shell using the new action buttons or by simply clicking + on it. + - experiment: An AI shell will always have the laws of its controlling AI. Penguaro: - - rscadd: Brig - Added Air Alarm - - rscdel: Engineering - Removed Brig Shutter - - tweak: Omega, Meta, & Delta Stations - The Vents and Scrubbers for the Supermatter - Air Alarm are now isolated from the rest of the Air Alarms in Engineering. + - rscadd: Brig - Added Air Alarm + - rscdel: Engineering - Removed Brig Shutter + - tweak: + Omega, Meta, & Delta Stations - The Vents and Scrubbers for the Supermatter + Air Alarm are now isolated from the rest of the Air Alarms in Engineering. Qbopper: - - spellcheck: Drones are now given OOC guidelines to follow as well as their IC - lawset. + - spellcheck: + Drones are now given OOC guidelines to follow as well as their IC + lawset. Robustin: - - rscadd: Added the prototype canister with expanded volume, valve pressure, and - access/timer features + - rscadd: + Added the prototype canister with expanded volume, valve pressure, and + access/timer features TrustyGun: - - bugfix: Deconstructing display cases and coffins now drop the correct amount of - wood. + - bugfix: + Deconstructing display cases and coffins now drop the correct amount of + wood. XDTM: - - tweak: Some golems now spawn with more thematic names. - - tweak: Adamantine Golems are no longer numbered, but receive a random golem name. - - bugfix: Airlocks properly remove the shock overlay when a temporary shock runs - out. + - tweak: Some golems now spawn with more thematic names. + - tweak: Adamantine Golems are no longer numbered, but receive a random golem name. + - bugfix: + Airlocks properly remove the shock overlay when a temporary shock runs + out. coiax: - - bugfix: Teams playing CTF have their own radio channels, rather than using the - Centcom and Syndicate channels. - - bugfix: Actually actually makes CTF barricades repair between rounds. - - bugfix: Blue CTF lasers have little blue effects when they hit things, rather - than red effects. + - bugfix: + Teams playing CTF have their own radio channels, rather than using the + Centcom and Syndicate channels. + - bugfix: Actually actually makes CTF barricades repair between rounds. + - bugfix: + Blue CTF lasers have little blue effects when they hit things, rather + than red effects. 2017-03-28: Supermichael777: - - rscadd: Backup operatives now get the nukes code. + - rscadd: Backup operatives now get the nukes code. XDTM: - - bugfix: Wooden tiles can now be quick-replaced with a screwdriver instead of a - crowbar, preserving the floor tile. + - bugfix: + Wooden tiles can now be quick-replaced with a screwdriver instead of a + crowbar, preserving the floor tile. octareenroon91: - - bugfix: Bonfires that have a metal rod added should buckle instead of runtiming. + - bugfix: Bonfires that have a metal rod added should buckle instead of runtiming. 2017-03-29: BeeSting12: - - rscadd: Adds emergency launch console to the backup emergency shuttle. + - rscadd: Adds emergency launch console to the backup emergency shuttle. Joan: - - rscdel: Putting sec armour and a helmet on a corgi no longer makes the corgi immune - to item attacks. - - rscadd: All items with armour will now grant corgis actual armour. + - rscdel: + Putting sec armour and a helmet on a corgi no longer makes the corgi immune + to item attacks. + - rscadd: All items with armour will now grant corgis actual armour. Kevinz000: - - rscadd: High-powered floodlights may be constructed with 5 sheets of metal, a - wrench, a screwdriver, 5 cable coils, and a light tube. They require a powernet - connection via direct wire node. + - rscadd: + High-powered floodlights may be constructed with 5 sheets of metal, a + wrench, a screwdriver, 5 cable coils, and a light tube. They require a powernet + connection via direct wire node. coiax: - - bugfix: All tophats, rather than just the ones in maintenance, hurt a tiny bit - if you throw them at people. - - bugfix: Supermatter anomalies are more shortlived than regular anomalies, as intended. + - bugfix: + All tophats, rather than just the ones in maintenance, hurt a tiny bit + if you throw them at people. + - bugfix: Supermatter anomalies are more shortlived than regular anomalies, as intended. 2017-03-30: coiax: - - rscadd: Autoimplanters have been renamed to autosurgeons. Currently only the CMO - and nuclear operatives have access to autosurgeons. What is the CMO hiding? - - bugfix: All upgraded organs for purchase by nuclear operatives now actually come - in an autosurgeon, for speed of surgery. + - rscadd: + Autoimplanters have been renamed to autosurgeons. Currently only the CMO + and nuclear operatives have access to autosurgeons. What is the CMO hiding? + - bugfix: + All upgraded organs for purchase by nuclear operatives now actually come + in an autosurgeon, for speed of surgery. 2017-03-31: Cobby: - - tweak: Shot glasses are now more ambiguous [EASIER TO MAINTAIN] + - tweak: Shot glasses are now more ambiguous [EASIER TO MAINTAIN] Cyberboss: - - bugfix: Temperature changes will now properly cause atmospherics simulation to - activate - - bugfix: The command report for random xeno eggs will now be delivered along with - the rest of the roundstart reports - - bugfix: Drones can no longer be irradiated + - bugfix: + Temperature changes will now properly cause atmospherics simulation to + activate + - bugfix: + The command report for random xeno eggs will now be delivered along with + the rest of the roundstart reports + - bugfix: Drones can no longer be irradiated 2017-04-01: Cyberboss: - - bugfix: The contents of the shelterpod smart fridge work again + - bugfix: The contents of the shelterpod smart fridge work again XDTM: - - bugfix: Facehuggers no longer rip masks from people protected by helmets. + - bugfix: Facehuggers no longer rip masks from people protected by helmets. 2017-04-02: BeeSting12: - - bugfix: Metastation's northeast radiation collector is now connected to the grid. - Nanotrasen would like to apologize for any inconvenience caused to engineers, - but copper is expensive. - - rscadd: Boxstation's HoP office now has a PDA tech. + - bugfix: + Metastation's northeast radiation collector is now connected to the grid. + Nanotrasen would like to apologize for any inconvenience caused to engineers, + but copper is expensive. + - rscadd: Boxstation's HoP office now has a PDA tech. Cyberboss: - - tweak: Firedoors no longer operate automatically without power - - bugfix: Blood and other decals will no longer remain on turfs they shouldn't - - bugfix: The splashscreen is working again - - bugfix: False alarms are now guaranteed to actually announce something + - tweak: Firedoors no longer operate automatically without power + - bugfix: Blood and other decals will no longer remain on turfs they shouldn't + - bugfix: The splashscreen is working again + - bugfix: False alarms are now guaranteed to actually announce something Incoming5643: - - rscadd: Lighting visuals have been changed slightly to reduce it's cost to the - client. If you had trouble running the new lighting, it might run a little better - now. + - rscadd: + Lighting visuals have been changed slightly to reduce it's cost to the + client. If you had trouble running the new lighting, it might run a little better + now. MMMiracles (CereStation): - - rscadd: Added a patrol path for bots, includes 2 round-start securitrons placed - on opposite sites of station. - - wip: Due to map size, mulebots are still somewhat unreliable on longer distances. - Disposals are still advised, but mule bots are now technically an option for - delivery. - - rscadd: Added multiple status displays, extinguishers, and appropriate newscasters - to hallways. - - rscadd: A drone dispenser is now located underneath Engineering in maintenance. - - rscadd: Each security checkpoint now has a disposal chute that directs to a waiting - cell in the Brig for rapid processing of criminals. Why run half-way across - the station with some petty thief when you can just shove him in the criminal - chute and have the warden deal with him? - - tweak: Security's mail chute no longer leads into the armory. This was probably - not the best idea in hindsight. - - tweak: Virology has a bathroom now. - - tweak: Genetics monkey pen is a bit more green now. - - bugfix: Lawyer now has access the brig cells so he can complain more effectively. - - bugfix: Xenobio kill chamber is now in range of a camera. - - bugfix: Removed rogue bits of Vault area. - - bugfix: Medbay escape pod no longer juts out far enough to block the disposal's - path. - - bugfix: Captain's spare ID is now real and not just a gold ID card. + - rscadd: + Added a patrol path for bots, includes 2 round-start securitrons placed + on opposite sites of station. + - wip: + Due to map size, mulebots are still somewhat unreliable on longer distances. + Disposals are still advised, but mule bots are now technically an option for + delivery. + - rscadd: + Added multiple status displays, extinguishers, and appropriate newscasters + to hallways. + - rscadd: A drone dispenser is now located underneath Engineering in maintenance. + - rscadd: + Each security checkpoint now has a disposal chute that directs to a waiting + cell in the Brig for rapid processing of criminals. Why run half-way across + the station with some petty thief when you can just shove him in the criminal + chute and have the warden deal with him? + - tweak: + Security's mail chute no longer leads into the armory. This was probably + not the best idea in hindsight. + - tweak: Virology has a bathroom now. + - tweak: Genetics monkey pen is a bit more green now. + - bugfix: Lawyer now has access the brig cells so he can complain more effectively. + - bugfix: Xenobio kill chamber is now in range of a camera. + - bugfix: Removed rogue bits of Vault area. + - bugfix: + Medbay escape pod no longer juts out far enough to block the disposal's + path. + - bugfix: Captain's spare ID is now real and not just a gold ID card. Penguaro: - - tweak: '[Meta] The Chapel Security Hatches were very intimidating. They have been - changed to more inviting glass doors.' - - bugfix: '[Meta] The maintenance tunnels in the Xeno Lab now have radiation shielding. - The Slime Euthanization Chamber will not have radiation shielding at this time - as dead slimes will not mind radiation.' + - tweak: + "[Meta] The Chapel Security Hatches were very intimidating. They have been + changed to more inviting glass doors." + - bugfix: + "[Meta] The maintenance tunnels in the Xeno Lab now have radiation shielding. + The Slime Euthanization Chamber will not have radiation shielding at this time + as dead slimes will not mind radiation." coiax: - - rscadd: Adds seperate languages to the game. Now Ratvarian, Drone, Machine, Swarmer, - Human (now called Galactic Common), Slime and Monkey are separate languages. - Each languages has its own comma prefix, for example, Galcom has the ,0 prefix, - while Ratvarian has the ,r prefix. If you don't understand a language when it - is spoken to you, you will hear a scrambled version that will vary depending - on the language that you're not understanding. - - experiment: This does not change who can understand what. - - rscdel: Removed the talk wheel feature. - - rscadd: Clicking the speech bubble icon now opens the Language Menu, allowing - you to review which languages you speak, their keys, and letting you set which - language you speak by default. Admins have additional abilities to add and remove - languages from mobs using this menu. + - rscadd: + Adds seperate languages to the game. Now Ratvarian, Drone, Machine, Swarmer, + Human (now called Galactic Common), Slime and Monkey are separate languages. + Each languages has its own comma prefix, for example, Galcom has the ,0 prefix, + while Ratvarian has the ,r prefix. If you don't understand a language when it + is spoken to you, you will hear a scrambled version that will vary depending + on the language that you're not understanding. + - experiment: This does not change who can understand what. + - rscdel: Removed the talk wheel feature. + - rscadd: + Clicking the speech bubble icon now opens the Language Menu, allowing + you to review which languages you speak, their keys, and letting you set which + language you speak by default. Admins have additional abilities to add and remove + languages from mobs using this menu. ktccd: - - bugfix: Ninja suits have received a new software update, making them able to **actually - steal tech levels** from R&D consoles and servers, thus avoid being forced to - honourably kill themselves for failing their objective. + - bugfix: + Ninja suits have received a new software update, making them able to **actually + steal tech levels** from R&D consoles and servers, thus avoid being forced to + honourably kill themselves for failing their objective. 2017-04-05: Cyberboss: - - bugfix: Cardboard boxes and bodybags can no longer be anchored + - bugfix: Cardboard boxes and bodybags can no longer be anchored Penguaro: - - rscadd: '[Box] A fire alarm has been added to the Lawyer''s office.' - - rscadd: '[Box] Adds access for Scientists to Starboard Maintenance Areas outside - of Toxins.' - - tweak: '[Box] Adjusted Science doors to more logical access codes.' + - rscadd: "[Box] A fire alarm has been added to the Lawyer's office." + - rscadd: + "[Box] Adds access for Scientists to Starboard Maintenance Areas outside + of Toxins." + - tweak: "[Box] Adjusted Science doors to more logical access codes." QV: - - bugfix: Fixed taking max suffocation damage whenever oxygen was slightly low + - bugfix: Fixed taking max suffocation damage whenever oxygen was slightly low RemieRichards: - - bugfix: Using TK on the supermatter will burn your head off violently, don't do - this. - - rscadd: 'Examining clothing with pockets will now give information about the pockets: - number of slots, how it is interacted with (backpack, etc.), if it has quickdraw - (Alt-Click) support and whether or not it is silent to interact with.' + - bugfix: + Using TK on the supermatter will burn your head off violently, don't do + this. + - rscadd: + "Examining clothing with pockets will now give information about the pockets: + number of slots, how it is interacted with (backpack, etc.), if it has quickdraw + (Alt-Click) support and whether or not it is silent to interact with." coiax: - - bugfix: Emergency shuttles will now forget early launch authorizations if they - cannot launch due to a hostile environment. + - bugfix: + Emergency shuttles will now forget early launch authorizations if they + cannot launch due to a hostile environment. 2017-04-07: Qbopper: - - bugfix: Secure lockers will no longer have multiple lines about being broken. + - bugfix: Secure lockers will no longer have multiple lines about being broken. 2017-04-09: 4dplanner: - - bugfix: Gas analyzers can now detect more gases in pipes + - bugfix: Gas analyzers can now detect more gases in pipes Joan: - - bugfix: Fixed a bug where getting caught between two shield generators as they - activated wouldn't cause you to gib and die. + - bugfix: + Fixed a bug where getting caught between two shield generators as they + activated wouldn't cause you to gib and die. QV: - - tweak: Refactored the way limbs that aren't limbs work + - tweak: Refactored the way limbs that aren't limbs work octareenroon91: - - bugfix: Hackable wires should work as intended again. + - bugfix: Hackable wires should work as intended again. 2017-04-11: BeeSting12: - - spellcheck: '"the herpes of arts and crafts" is now "The herpes of arts and crafts."' + - spellcheck: '"the herpes of arts and crafts" is now "The herpes of arts and crafts."' Cyberboss: - - bugfix: Runes no longer make you/themselves/random atoms yuge + - bugfix: Runes no longer make you/themselves/random atoms yuge JJRcop: - - tweak: Refactors whisper, now all living mobs can use it - - rscadd: 'Prefix any message with # to whisper, for example, "# Man, that guy is - weird.", you can still use the whisper verb if you whish.' - - rscadd: This is compatible with languages, for example "#,r That HoS is a problem, - we should kill him" - - rscdel: 'Removes #a #b #c etc radio codes, as well as :w and .w, which used to - be whisper.' + - tweak: Refactors whisper, now all living mobs can use it + - rscadd: + 'Prefix any message with # to whisper, for example, "# Man, that guy is + weird.", you can still use the whisper verb if you whish.' + - rscadd: + This is compatible with languages, for example "#,r That HoS is a problem, + we should kill him" + - rscdel: + "Removes #a #b #c etc radio codes, as well as :w and .w, which used to + be whisper." MrStonedOne: - - tweak: Nightvision was heavily modified. - - rscadd: Nightvision has been given 3 levels of nightvisionness. (some, most, and - full) - - tweak: ghosts, aliens, guardians, night vision eyes, and statues were given all - 3 levels in a cycling toggle - - tweak: thermals, and hud+NV goggles give "some" nightvisionness - - tweak: standalone masons are unchanged. - - tweak: Nightvision goggles (that aren't also sec huds or medhuds or the like) - give "most" nightvisionness. Nightvision masons also give "most" nightvisionness - - tweak: Most simple mobs with the ability to see in the dark were given "most" - nightvisionness, others got full nightvisionness. - - bugfix: Fixed certain ghost only things disappearing when disabling darkness. - - bugfix: Fixed ash storms not being visible when using things that modified your - ability to see darkness - - bugfix: fix a bug with the new github web processor + - tweak: Nightvision was heavily modified. + - rscadd: + Nightvision has been given 3 levels of nightvisionness. (some, most, and + full) + - tweak: + ghosts, aliens, guardians, night vision eyes, and statues were given all + 3 levels in a cycling toggle + - tweak: thermals, and hud+NV goggles give "some" nightvisionness + - tweak: standalone masons are unchanged. + - tweak: + Nightvision goggles (that aren't also sec huds or medhuds or the like) + give "most" nightvisionness. Nightvision masons also give "most" nightvisionness + - tweak: + Most simple mobs with the ability to see in the dark were given "most" + nightvisionness, others got full nightvisionness. + - bugfix: Fixed certain ghost only things disappearing when disabling darkness. + - bugfix: + Fixed ash storms not being visible when using things that modified your + ability to see darkness + - bugfix: fix a bug with the new github web processor Shadowlight213: - - bugfix: The anime admin button will no longer cause equipped items to drop. + - bugfix: The anime admin button will no longer cause equipped items to drop. coiax: - - rscadd: Examining a ghost determines whether it is visible. + - rscadd: Examining a ghost determines whether it is visible. 2017-04-13: Cyberboss: - - bugfix: Fixed the incorrectly named Brig APC on Box Station= - - spellcheck: Fixed simple animal attack grammar - - bugfix: Roundstart department head announcements have been fixed - - bugfix: Brig cell doors now properly require the correct access - - bugfix: Fixed a bug preventing chameleon stamps from being picked up - - bugfix: Fixed a bug where honey frames couldn't be picked up - - bugfix: Photocopied papers will now retain their stamps + - bugfix: Fixed the incorrectly named Brig APC on Box Station= + - spellcheck: Fixed simple animal attack grammar + - bugfix: Roundstart department head announcements have been fixed + - bugfix: Brig cell doors now properly require the correct access + - bugfix: Fixed a bug preventing chameleon stamps from being picked up + - bugfix: Fixed a bug where honey frames couldn't be picked up + - bugfix: Photocopied papers will now retain their stamps Davidj361: - - bugfix: Made it so chemsprayers, peppersprays, extinguishers don't spray when - you click your inventory items - - bugfix: Spray guns now actually have their range change when changing modes between - spray and stream - - bugfix: Krav maga now gets its abilities toggled if you click the same ability - twice - - bugfix: Added a link to the bottom right of paper when writing that shows help - for paper writing - - bugfix: Fixed the shift+middle-click pointing shortcut to work for cyborgs as - the functionality wasn't even there - - bugfix: Bodies in body bags get cremated properly now + - bugfix: + Made it so chemsprayers, peppersprays, extinguishers don't spray when + you click your inventory items + - bugfix: + Spray guns now actually have their range change when changing modes between + spray and stream + - bugfix: + Krav maga now gets its abilities toggled if you click the same ability + twice + - bugfix: + Added a link to the bottom right of paper when writing that shows help + for paper writing + - bugfix: + Fixed the shift+middle-click pointing shortcut to work for cyborgs as + the functionality wasn't even there + - bugfix: Bodies in body bags get cremated properly now RemieRichards: - - bugfix: Constructing lattice no longer prevents space transitions. + - bugfix: Constructing lattice no longer prevents space transitions. Robustin: - - rscadd: Ranged RCD added to the game - - rscadd: Rapid Lighting Device (also ranged) has been added. It can create wall, - floor, and temporary lights of any color you desire. + - rscadd: Ranged RCD added to the game + - rscadd: + Rapid Lighting Device (also ranged) has been added. It can create wall, + floor, and temporary lights of any color you desire. coiax: - - bugfix: Cigarette branding has been fixed. - - rscadd: Uplift Smooth brand cigarettes now taste minty as advertised. - - rscdel: You can no longer inject cigarette packets to inject all cigarettes simultaneously. + - bugfix: Cigarette branding has been fixed. + - rscadd: Uplift Smooth brand cigarettes now taste minty as advertised. + - rscdel: You can no longer inject cigarette packets to inject all cigarettes simultaneously. powergaming research director: - - bugfix: woops i dropped the emp protection module when i made your cns rebooters - today, guess they're vulnerable again! + - bugfix: + woops i dropped the emp protection module when i made your cns rebooters + today, guess they're vulnerable again! 2017-04-15: Cyberboss: - - bugfix: Holopads can no longer be interacted with while unpowered + - bugfix: Holopads can no longer be interacted with while unpowered Davidj361: - - bugfix: Monkeys won't pickup items or rob you while they are in your stomach, - neither walk out of your stomach. - - bugfix: You can't cheat with eyewear/eye-implants when using advanced cameras - - bugfix: Mutant digitigrade legs re-added to the ashwalker species + - bugfix: + Monkeys won't pickup items or rob you while they are in your stomach, + neither walk out of your stomach. + - bugfix: You can't cheat with eyewear/eye-implants when using advanced cameras + - bugfix: Mutant digitigrade legs re-added to the ashwalker species Robustin: - - rscadd: The Prototype Emitter, will function like an ordinary emitter while also - charging a secondary power supply that will allow a buckled user to manually - fire the emitter. Returning to automatic fire will have the emitter continue - to fire at the last target struck by manual fire. - - rscadd: The Engineering Dance Machine, along with assorted effects/sounds. + - rscadd: + The Prototype Emitter, will function like an ordinary emitter while also + charging a secondary power supply that will allow a buckled user to manually + fire the emitter. Returning to automatic fire will have the emitter continue + to fire at the last target struck by manual fire. + - rscadd: The Engineering Dance Machine, along with assorted effects/sounds. coiax: - - bugfix: Plasmamen no longer burn to death while inside a cloning pod. + - bugfix: Plasmamen no longer burn to death while inside a cloning pod. 2017-04-18: BeeSting12: - - bugfix: Cerestation's shuttle now has a recharger. - - rscdel: Centcomm's thunderdome airlocks have been removed due to contestants breaking - out. - - bugfix: Deltastation's chemistry lab now has a pill bottle closet. - - bugfix: The shield wall generators in xenobiology on Deltastation, Boxstation, - Metastation, and Pubbystation can now be locked and unlocked by scientists. + - bugfix: Cerestation's shuttle now has a recharger. + - rscdel: + Centcomm's thunderdome airlocks have been removed due to contestants breaking + out. + - bugfix: Deltastation's chemistry lab now has a pill bottle closet. + - bugfix: + The shield wall generators in xenobiology on Deltastation, Boxstation, + Metastation, and Pubbystation can now be locked and unlocked by scientists. Davidj361: - - bugfix: Spawned humans no longer spawn eyeless (sprite) + - bugfix: Spawned humans no longer spawn eyeless (sprite) MMMiracles (Cerestation): - - rscadd: Departments have been given head offices for a more secure place to chill - in their departments. - - rscadd: There is now a theatre on the service asteroid. - - tweak: Maintenance visuals and loot have been overhauled to be more visually interesting - and have more scattered bits of loot. - - bugfix: Various fixes with missing APCs, camera coverage, and misc things. + - rscadd: + Departments have been given head offices for a more secure place to chill + in their departments. + - rscadd: There is now a theatre on the service asteroid. + - tweak: + Maintenance visuals and loot have been overhauled to be more visually interesting + and have more scattered bits of loot. + - bugfix: Various fixes with missing APCs, camera coverage, and misc things. QualityVan: - - rscadd: Some foam guns can now be suppressed + - rscadd: Some foam guns can now be suppressed coiax: - - rscadd: Drone, monkey and swarmer language now have distinctive colours when spoken. - - rscadd: Since drones are allowed to interact with pAIs, pAIs in mobile chassis - form are no longer distorted to drone viewpoints. - - bugfix: The shuttle's arrival can no longer be delayed after Nar-Sie's arrival. - The End cannot be delayed. + - rscadd: Drone, monkey and swarmer language now have distinctive colours when spoken. + - rscadd: + Since drones are allowed to interact with pAIs, pAIs in mobile chassis + form are no longer distorted to drone viewpoints. + - bugfix: + The shuttle's arrival can no longer be delayed after Nar-Sie's arrival. + The End cannot be delayed. 2017-04-19: QualityVan: - - bugfix: Improved stethoscopes + - bugfix: Improved stethoscopes Thunder12345: - - bugfix: You can no longer extract negative sheets from the ORM + - bugfix: You can no longer extract negative sheets from the ORM XDTM: - - bugfix: APCs hacked by a malfunctioning AI are no longer immune to alien attacks. - - bugfix: Fixed bug where flashlight eyes weren't emitting light. + - bugfix: APCs hacked by a malfunctioning AI are no longer immune to alien attacks. + - bugfix: Fixed bug where flashlight eyes weren't emitting light. 2017-04-20: Cyberboss: - - bugfix: Fixed mining closets having extra, unrelated items + - bugfix: Fixed mining closets having extra, unrelated items 2017-04-22: Cyberboss: - - bugfix: Conveyors no longer move things they aren't supposed to + - bugfix: Conveyors no longer move things they aren't supposed to XDTM: - - bugfix: Gold and Light Pink slime extracts no longer disappear before working. + - bugfix: Gold and Light Pink slime extracts no longer disappear before working. coiax: - - bugfix: Fixed people understanding languages over the radio when they shouldn't. + - bugfix: Fixed people understanding languages over the radio when they shouldn't. 2017-04-23: coiax: - - rscadd: Centcom would like to inform all employees that they have ears. - - rscadd: Adds "ear" organs to all carbons. These organs store ear damage and deafness. - A carbon without any ears is deaf. Genetic deafness functions as before. + - rscadd: Centcom would like to inform all employees that they have ears. + - rscadd: + Adds "ear" organs to all carbons. These organs store ear damage and deafness. + A carbon without any ears is deaf. Genetic deafness functions as before. 2017-04-25: BeeSting12: - - bugfix: Deltastation's secure tech storage is no longer all access. + - bugfix: Deltastation's secure tech storage is no longer all access. CoreOverload: - - bugfix: Disposals no longer get broken by shuttles rotation. - - bugfix: Wires no longer get broken by shuttles movement and rotation. - - bugfix: Atmospheric equipment no longer gets broken by shuttles movement and rotation. - Glory to the Flying Fortress of Atmosia! + - bugfix: Disposals no longer get broken by shuttles rotation. + - bugfix: Wires no longer get broken by shuttles movement and rotation. + - bugfix: + Atmospheric equipment no longer gets broken by shuttles movement and rotation. + Glory to the Flying Fortress of Atmosia! Jalleo: - - rscdel: WW_maze from lavaland has been removed it wasnt that good really anyhow + - rscdel: WW_maze from lavaland has been removed it wasnt that good really anyhow QualityVan: - - bugfix: Changeling brains are now more fully vestigial + - bugfix: Changeling brains are now more fully vestigial WJohnston: - - tweak: Skeletons and plasmamen's hitboxes now more closely match that of humans. - They are no longer full of holes and incredibly frustrating to hit, should they - run around naked. + - tweak: + Skeletons and plasmamen's hitboxes now more closely match that of humans. + They are no longer full of holes and incredibly frustrating to hit, should they + run around naked. XDTM: - - bugfix: Items will no longer be used on backpacks if they fail to insert when - they're too full. - - bugfix: T-Ray scans are no longer visible to bystanders. - - bugfix: T-Ray scans no longer allow viewers to interact with underfloor objects. + - bugfix: + Items will no longer be used on backpacks if they fail to insert when + they're too full. + - bugfix: T-Ray scans are no longer visible to bystanders. + - bugfix: T-Ray scans no longer allow viewers to interact with underfloor objects. basilman: - - bugfix: fixed species with no skin dropping skin when gibbed. + - bugfix: fixed species with no skin dropping skin when gibbed. coiax: - - rscadd: Examining a window now gives hints to the appropriate tool for the next - stage of construction/deconstruction. - - rscadd: You can examine a firedoor for hints on how to construct/deconstruct it. - - rscadd: Add an additional hint during construction where you can add plasteel - to make the firedoor reinforced. - - bugfix: Fixed easter eggs spawning during non-Easter. - - bugfix: Fixes stations not having holiday specific prefixes during the holidays. - - bugfix: Ghosts no longer drift in space. - - bugfix: Swarmers now only speak their own language, rather than swarmer and common. - - bugfix: When you are crushed by a door, it prints a visible message, instead of, - in some cases, silently damaging you. - - bugfix: The vent in the Escape Coridoor on Omega Station has been fixed. - - bugfix: You no longer die when turning into a monkey. + - rscadd: + Examining a window now gives hints to the appropriate tool for the next + stage of construction/deconstruction. + - rscadd: You can examine a firedoor for hints on how to construct/deconstruct it. + - rscadd: + Add an additional hint during construction where you can add plasteel + to make the firedoor reinforced. + - bugfix: Fixed easter eggs spawning during non-Easter. + - bugfix: Fixes stations not having holiday specific prefixes during the holidays. + - bugfix: Ghosts no longer drift in space. + - bugfix: Swarmers now only speak their own language, rather than swarmer and common. + - bugfix: + When you are crushed by a door, it prints a visible message, instead of, + in some cases, silently damaging you. + - bugfix: The vent in the Escape Coridoor on Omega Station has been fixed. + - bugfix: You no longer die when turning into a monkey. coiax, WJohnston: - - rscadd: Plasmamen lungs, also known as "plasma filters" now look different from - human lungs. - - rscadd: Plasmamen now have their own special type of bone tongue. They still sound - the same, it's just purple. Like them. + - rscadd: + Plasmamen lungs, also known as "plasma filters" now look different from + human lungs. + - rscadd: + Plasmamen now have their own special type of bone tongue. They still sound + the same, it's just purple. Like them. 2017-04-26: CoreOverload: - - rscadd: Gas injectors are now buildable! + - rscadd: Gas injectors are now buildable! Joan: - - tweak: Ash Drake swoops no longer teleport the Ash Drake to your position. - - balance: Some other tweaks to Ash Drake attacks and patterns; discover these yourself! + - tweak: Ash Drake swoops no longer teleport the Ash Drake to your position. + - balance: Some other tweaks to Ash Drake attacks and patterns; discover these yourself! coiax: - - balance: The wizard spell Rod Form now costs 3 points, up from 2. + - balance: The wizard spell Rod Form now costs 3 points, up from 2. flashdim: - - bugfix: Omega Station had two APCs not wired properly. (#26526) + - bugfix: Omega Station had two APCs not wired properly. (#26526) 2017-04-27: Gun Hog: - - rscadd: The GPS interface has been converted to tgui. - - experiment: GPS now update automatically or manually, give distance and direction - to a signal, and many other improvements! + - rscadd: The GPS interface has been converted to tgui. + - experiment: + GPS now update automatically or manually, give distance and direction + to a signal, and many other improvements! MrStonedOne: - - tweak: Tweaked how things were deleted to cut down on lag from consecutive deletes - and provide better logging for things that cause lag when hard-deleted. - - tweak: Server hop verb moved to the OOC tab - - rscadd: Server hop verb can now be used in the lobby as well as while a ghost. + - tweak: + Tweaked how things were deleted to cut down on lag from consecutive deletes + and provide better logging for things that cause lag when hard-deleted. + - tweak: Server hop verb moved to the OOC tab + - rscadd: Server hop verb can now be used in the lobby as well as while a ghost. QualityVan: - - bugfix: You can hit emagged cloning pods with a medical ID to empty them - - rscadd: Crayons can be ground - - rscadd: Crayon powder can be used to color stuff + - bugfix: You can hit emagged cloning pods with a medical ID to empty them + - rscadd: Crayons can be ground + - rscadd: Crayon powder can be used to color stuff Shadowlight213: - - tweak: Heads of staff may now download the ID card modification program from NTNet. + - tweak: Heads of staff may now download the ID card modification program from NTNet. bgobandit: - - tweak: When jumpsuits take severe damage, their suit sensors break. They can be - fixed by applying a cable coil. + - tweak: + When jumpsuits take severe damage, their suit sensors break. They can be + fixed by applying a cable coil. coiax: - - rscadd: Anomalous crystals can be examined by ghosts to determine their function - and activation method. - - rscdel: Lightbringers can understand Slime and Galactic Common, and can only speak - Slime, as before. - - rscadd: The helper anomalous crystal is in the orbit list after it has been activated. + - rscadd: + Anomalous crystals can be examined by ghosts to determine their function + and activation method. + - rscdel: + Lightbringers can understand Slime and Galactic Common, and can only speak + Slime, as before. + - rscadd: The helper anomalous crystal is in the orbit list after it has been activated. 2017-04-28: Kor: - - rscadd: Librarians can speak any language + - rscadd: Librarians can speak any language coiax, WJohnston: - - rscdel: Languages no longer colour their text. - - rscadd: Languages now have icons to identify them. Galatic Common does not have - an icon if understood. + - rscdel: Languages no longer colour their text. + - rscadd: + Languages now have icons to identify them. Galatic Common does not have + an icon if understood. 2017-04-29: BeeSting12: - - bugfix: The emergency backup shuttle has lighting now. - - bugfix: Plating in deltastation's aux tool storage is no longer checkered. + - bugfix: The emergency backup shuttle has lighting now. + - bugfix: Plating in deltastation's aux tool storage is no longer checkered. Cobby: - - rscadd: Syndicate Lavabase now has more explicit instructions when it comes to - outing non-syndicate affiliated enemies of Nanotrasen. - - tweak: The GPS set tag has gone from a limit of 5 characters to 20. - - rscadd: The GPS can now be personalized in both name and description using a pen. + - rscadd: + Syndicate Lavabase now has more explicit instructions when it comes to + outing non-syndicate affiliated enemies of Nanotrasen. + - tweak: The GPS set tag has gone from a limit of 5 characters to 20. + - rscadd: The GPS can now be personalized in both name and description using a pen. Joan: - - rscdel: Removed Mending Motor. - - rscadd: Added Mending Mantra, which is a script that causes you to repair nearby - constructs and structures as long as you continue chanting it. - - tweak: Mending Mantra will also heal Servants as long as they're wearing clockwork - armor. + - rscdel: Removed Mending Motor. + - rscadd: + Added Mending Mantra, which is a script that causes you to repair nearby + constructs and structures as long as you continue chanting it. + - tweak: + Mending Mantra will also heal Servants as long as they're wearing clockwork + armor. Kor: - - rscdel: Removed double agents mode. - - rscadd: Replaced it with Internal Affairs mode. + - rscdel: Removed double agents mode. + - rscadd: Replaced it with Internal Affairs mode. Swindly: - - rscadd: Added organ storage bags for medical cyborgs. They can hold an organic - body part. Use the bag on a carbon during organ manipulation or prosthetic replacement - to add the held body part. + - rscadd: + Added organ storage bags for medical cyborgs. They can hold an organic + body part. Use the bag on a carbon during organ manipulation or prosthetic replacement + to add the held body part. coiax: - - rscdel: Swarmer traps are no longer summoned by The Traps. - - balance: Wizard traps automatically disappear five minutes after being summoned. - - balance: Wizard traps disappear after firing, whether triggered via person or - something being thrown across it. - - balance: Wizards are immune to their own traps. - - tweak: The Traps are now marked as a Defensive spell, rather than an Offensive - spell. + - rscdel: Swarmer traps are no longer summoned by The Traps. + - balance: Wizard traps automatically disappear five minutes after being summoned. + - balance: + Wizard traps disappear after firing, whether triggered via person or + something being thrown across it. + - balance: Wizards are immune to their own traps. + - tweak: + The Traps are now marked as a Defensive spell, rather than an Offensive + spell. kevinz000: - - experiment: Songs can now be added to disco machines with add_track(file, name, - length, beat). Only file is required, the other 3 should still be put in, though. + - experiment: + Songs can now be added to disco machines with add_track(file, name, + length, beat). Only file is required, the other 3 should still be put in, though. tacolizard forever: - - bugfix: Rechargers no longer flash the 'fully charged' animation before charging - something + - bugfix: + Rechargers no longer flash the 'fully charged' animation before charging + something 2017-04-30: QualityVan: - - bugfix: Changelings can once again revive with their brain missing + - bugfix: Changelings can once again revive with their brain missing XDTM: - - rscdel: Voice of God's Rest command now no longer makes listeners rest. It instead - activates the sleep command. + - rscdel: + Voice of God's Rest command now no longer makes listeners rest. It instead + activates the sleep command. coiax: - - rscadd: The Bank Machine in the vault now uses the radio to announce unauthorized - withdrawals, rather than an endless stream of loud announcements. + - rscadd: + The Bank Machine in the vault now uses the radio to announce unauthorized + withdrawals, rather than an endless stream of loud announcements. 2017-05-01: 4dplanner: - - tweak: Syndicate surplus crates now contain fewer implants + - tweak: Syndicate surplus crates now contain fewer implants Bawhoppen: - - rscadd: Deep storage space ruin has been readded. - - rscadd: Space Cola machines now stock bottles of water. + - rscadd: Deep storage space ruin has been readded. + - rscadd: Space Cola machines now stock bottles of water. Cobby: - - balance: The Gang pen is now stealthy. Stab away! + - balance: The Gang pen is now stealthy. Stab away! Cyberboss: - - rscadd: You can now make holocalls! Simply stand on a pad, bring up the menu, - and select the holopad you wish to call. Remain still until someone answers. - When they do, you'll be able to act just like an AI hologram until the call - ends + - rscadd: + You can now make holocalls! Simply stand on a pad, bring up the menu, + and select the holopad you wish to call. Remain still until someone answers. + When they do, you'll be able to act just like an AI hologram until the call + ends Joan: - - rscadd: Belligerent now prevents you from running for 7 seconds after every chant. - - rscdel: However, you no longer remain walking after Belligerent's effect fades. - - rscadd: Clockcult component generation will automatically focus on components - needed to activate the Ark if it exists. - - rscadd: Gaining Vanguard, such as from the Linked Vanguard scripture, will remove - existing stuns. - - rscadd: Proselytizers can now charge from Sigils of Transmission at a rate of - 1000W per second. - - rscadd: Sigils of Transmission can be charged with brass at a rate of 250W per - sheet. + - rscadd: Belligerent now prevents you from running for 7 seconds after every chant. + - rscdel: However, you no longer remain walking after Belligerent's effect fades. + - rscadd: + Clockcult component generation will automatically focus on components + needed to activate the Ark if it exists. + - rscadd: + Gaining Vanguard, such as from the Linked Vanguard scripture, will remove + existing stuns. + - rscadd: + Proselytizers can now charge from Sigils of Transmission at a rate of + 1000W per second. + - rscadd: + Sigils of Transmission can be charged with brass at a rate of 250W per + sheet. Moonlighting Mac says: - - bugfix: Due to a clerical error in the chef's cookbooks now being resolved, you - can now make the pristine cookery dish "Stuffed Legion" out of exotic ingredients - from Lavaland. - - experiment: After being found again you will now be able to enjoy its special - blend of flavors with your tastebuds. Mmm. + - bugfix: + Due to a clerical error in the chef's cookbooks now being resolved, you + can now make the pristine cookery dish "Stuffed Legion" out of exotic ingredients + from Lavaland. + - experiment: + After being found again you will now be able to enjoy its special + blend of flavors with your tastebuds. Mmm. QualityVan: - - tweak: Saline glucose now acts as temporary blood instead of increasing blood - regeneration + - tweak: + Saline glucose now acts as temporary blood instead of increasing blood + regeneration Swindly: - - tweak: Mercury and Lithium make people move when not in space instead of when - in space. + - tweak: + Mercury and Lithium make people move when not in space instead of when + in space. ninjanomnom: - - tweak: TEG displays power in kw or MW now - - tweak: TEG power bar only maxes over 1MW now - - experiment: Moves TEG to SSair - - experiment: Moves SM to SSair + - tweak: TEG displays power in kw or MW now + - tweak: TEG power bar only maxes over 1MW now + - experiment: Moves TEG to SSair + - experiment: Moves SM to SSair 2017-05-02: 4dplanner: - - bugfix: Squishy plants will now affect walls and other turfs they get squished - on + - bugfix: + Squishy plants will now affect walls and other turfs they get squished + on Kor, Goof and Plizzard: - - rscadd: Adds persistent trophy cases. They are not on any map yet. + - rscadd: Adds persistent trophy cases. They are not on any map yet. Shadowlight213: - - bugfix: The biogenerator will now show its recipes again. + - bugfix: The biogenerator will now show its recipes again. XDTM: - - tweak: Blood Cult's talisman of Horrors now works at range. It will still give - no warning to the victim. - - rscadd: Golems can now click on empty golem shells to transfer into them. - - tweak: Plasma Golems now no longer explode on death. They instead explode if they're - on fire and are hot enough. The explosion size has been increased. - - tweak: Plasma Golems are now always flammable. + - tweak: + Blood Cult's talisman of Horrors now works at range. It will still give + no warning to the victim. + - rscadd: Golems can now click on empty golem shells to transfer into them. + - tweak: + Plasma Golems now no longer explode on death. They instead explode if they're + on fire and are hot enough. The explosion size has been increased. + - tweak: Plasma Golems are now always flammable. coiax: - - rscadd: When talking on the alien hivemind, a person will be identified by their - real name, rather than who they are disguised as. + - rscadd: + When talking on the alien hivemind, a person will be identified by their + real name, rather than who they are disguised as. 2017-05-03: BeeSting12: - - bugfix: Omega shuttle now has lighting. + - bugfix: Omega shuttle now has lighting. Joan: - - balance: Clockwork component generation is twice as fast. - - balance: Scriptures cost up to twice as much; Driver scriptures are unaffected, - meaning they cost 50% less, Script scriptures cost 25% less, Application scriptures - cost about 12.5% less, and Revenant scriptures cost about 5% less. + - balance: Clockwork component generation is twice as fast. + - balance: + Scriptures cost up to twice as much; Driver scriptures are unaffected, + meaning they cost 50% less, Script scriptures cost 25% less, Application scriptures + cost about 12.5% less, and Revenant scriptures cost about 5% less. Jordie0608: - - rscadd: Investigate logs are now persistent. - - tweak: Game logs are now stored per-round; use .getserverlog to access previous - rounds. - - rscdel: .giveruntimelog and .getruntimelog removed. + - rscadd: Investigate logs are now persistent. + - tweak: + Game logs are now stored per-round; use .getserverlog to access previous + rounds. + - rscdel: .giveruntimelog and .getruntimelog removed. Kor, Profakos, Iamgoofball: - - rscadd: The Librarian has been replaced by the Curator. - - rscadd: Persistent trophy cases have been added to the library on Meta, Delta, - and Box. These are only usable by the Curator. - - rscadd: The Curator now starts with his whip. - - rscadd: The Curator now has access to his treasure hunter outfit, stashed in his - private office. + - rscadd: The Librarian has been replaced by the Curator. + - rscadd: + Persistent trophy cases have been added to the library on Meta, Delta, + and Box. These are only usable by the Curator. + - rscadd: The Curator now starts with his whip. + - rscadd: + The Curator now has access to his treasure hunter outfit, stashed in his + private office. coiax: - - balance: Plasma vessels, the organs inside aliens that are responsible for their - internal plasma storage, will regenerate small amounts of plasma even if the - owner is not on resin weeds. - - rscadd: Restrictions on Lizardpeople using their native language on the station - have been lifted by Centcom, in order to maximise worker productivity. The language's - key is ",o". + - balance: + Plasma vessels, the organs inside aliens that are responsible for their + internal plasma storage, will regenerate small amounts of plasma even if the + owner is not on resin weeds. + - rscadd: + Restrictions on Lizardpeople using their native language on the station + have been lifted by Centcom, in order to maximise worker productivity. The language's + key is ",o". deathride58: - - tweak: Fixed the slimecore HUD's neck slot sprite. + - tweak: Fixed the slimecore HUD's neck slot sprite. 2017-05-04: 4dplanner: - - bugfix: revenants now properly resurrect from ectoplasm, as opposed to ectoplasm - merely spawning a new grief ghost - - bugfix: Turrets can no longer see invisible things, such as unrevealed revenants + - bugfix: + revenants now properly resurrect from ectoplasm, as opposed to ectoplasm + merely spawning a new grief ghost + - bugfix: Turrets can no longer see invisible things, such as unrevealed revenants Joan: - - rscadd: Mania Motors now do minor toxin damage over time and will convert those - affected if the toxin damage is high enough. - - balance: The effects of a Mania Motor continue to apply to targets after they - leave its range, though they will fall off extremely quickly. - - rscdel: Mania Motors no longer cause brain damage. - - imageadd: Ratvarian Spears have new inhand icons. + - rscadd: + Mania Motors now do minor toxin damage over time and will convert those + affected if the toxin damage is high enough. + - balance: + The effects of a Mania Motor continue to apply to targets after they + leave its range, though they will fall off extremely quickly. + - rscdel: Mania Motors no longer cause brain damage. + - imageadd: Ratvarian Spears have new inhand icons. Lzimann: - - rscdel: Gang game mode was removed + - rscdel: Gang game mode was removed Moonlighting Mac says: - - rscadd: Courtesy of the art & crafts division, imitation basalt tiles themed on - the rough volcanic terrain of lavaland are now available to be made out of sandstone. - - experiment: The manufacturer even managed to replicate the way that it lights - up with volcanic energy, it is the perfect accompaniment to other fake (or real) - lava-land tiles or a independent piece. + - rscadd: + Courtesy of the art & crafts division, imitation basalt tiles themed on + the rough volcanic terrain of lavaland are now available to be made out of sandstone. + - experiment: + The manufacturer even managed to replicate the way that it lights + up with volcanic energy, it is the perfect accompaniment to other fake (or real) + lava-land tiles or a independent piece. QualityVan: - - rscadd: Point flashlights at mouths to see what's inside them + - rscadd: Point flashlights at mouths to see what's inside them 2017-05-05: Incoming: - - tweak: Display cases now require a key to open, which the curator spawns with + - tweak: Display cases now require a key to open, which the curator spawns with Joan: - - balance: Sigil of Accession, Fellowship Armory, Memory Allocation, Anima Fragment, - and Sigil of Transmission are not affected by the previously-mentioned % reduction - to Application scripture costs. + - balance: + Sigil of Accession, Fellowship Armory, Memory Allocation, Anima Fragment, + and Sigil of Transmission are not affected by the previously-mentioned % reduction + to Application scripture costs. LanCartwright: - - rscadd: Lesser smoke book to Delta and Metastation - - rscdel: Normal smoke book from Delta and Metastation - - tweak: Civilian smoke book now has a 360 max cooldown (from 120) and halved smoke - output. + - rscadd: Lesser smoke book to Delta and Metastation + - rscdel: Normal smoke book from Delta and Metastation + - tweak: + Civilian smoke book now has a 360 max cooldown (from 120) and halved smoke + output. QualityVan: - - bugfix: Dental implants stay with the head they're in + - bugfix: Dental implants stay with the head they're in bgobandit: - - tweak: The Syndicate has added basic functionality to their state-of-the-art equipment. - Nuke ops can now donate all TCs at once. + - tweak: + The Syndicate has added basic functionality to their state-of-the-art equipment. + Nuke ops can now donate all TCs at once. lordpidey: - - rscadd: There is a new traitor poison, spewium. It will cause uncontrollable - vomiting, which gets worse the longer it's in your system. An overdose can - cause vomiting of organs. - - tweak: Committing suicide with a gas pump can now shoot out random organs. - - bugfix: Toxic vomit now shows up as intended. + - rscadd: + There is a new traitor poison, spewium. It will cause uncontrollable + vomiting, which gets worse the longer it's in your system. An overdose can + cause vomiting of organs. + - tweak: Committing suicide with a gas pump can now shoot out random organs. + - bugfix: Toxic vomit now shows up as intended. 2017-05-06: 4dplanner: - - rscadd: Internal Affairs Agents now obtain the kill objectives of their targets - when they die. - - rscadd: Internal Affairs Agents now have an integrated nanotrasen pinpointer that - tracks their target at distances further than ten squares. - - rscadd: Internal Affairs Agents will now lose any restrictions on collateral damage - and gain a "Die a glorious death" objective upon becoming the last man standing, - and revert if any of their targets are cloned. + - rscadd: + Internal Affairs Agents now obtain the kill objectives of their targets + when they die. + - rscadd: + Internal Affairs Agents now have an integrated nanotrasen pinpointer that + tracks their target at distances further than ten squares. + - rscadd: + Internal Affairs Agents will now lose any restrictions on collateral damage + and gain a "Die a glorious death" objective upon becoming the last man standing, + and revert if any of their targets are cloned. BeeSting12: - - bugfix: Pubbystation no longer has two airlocks stacked on top of each other leading - into xenobiology's kill room. - - rscadd: Deltastation's chemistry now has a screwdriver. - - bugfix: Deltastation's morgue no longer has a blue tile. - - bugfix: Deltastation's chemistry smart fridge is no longer blocked by a disposal - unit. + - bugfix: + Pubbystation no longer has two airlocks stacked on top of each other leading + into xenobiology's kill room. + - rscadd: Deltastation's chemistry now has a screwdriver. + - bugfix: Deltastation's morgue no longer has a blue tile. + - bugfix: + Deltastation's chemistry smart fridge is no longer blocked by a disposal + unit. Cyberboss: - - tweak: Teslas now give off light + - tweak: Teslas now give off light Joan: - - balance: Sigils of Transgression are slightly more visible and glow very faintly. + - balance: Sigils of Transgression are slightly more visible and glow very faintly. LanCartwright: - - rscadd: Reduction to nutrition when consuming Miner's salve. - - rscdel: Stun/weaken that bypasses bugged chemical protection when consuming Miner's - salve. + - rscadd: Reduction to nutrition when consuming Miner's salve. + - rscdel: + Stun/weaken that bypasses bugged chemical protection when consuming Miner's + salve. Lzimann: - - rscdel: Telescience is no more. + - rscdel: Telescience is no more. PKPenguin321: - - rscadd: Undid the gang gamemode removal. + - rscadd: Undid the gang gamemode removal. QualityVan: - - rscadd: Cargo can order restocking units for NanoMed vending machines - - rscadd: NanoMed vending machines can be build and unbuilt + - rscadd: Cargo can order restocking units for NanoMed vending machines + - rscadd: NanoMed vending machines can be build and unbuilt Robustin: - - rscadd: Blood Cultists can now attempt to claim the position of Cult Master with - the approval of a majority of their brethren. - - rscadd: 'The Cult Master has access to unique blood magic that will aid them in - leading the cult to victory:' - - rscadd: The Cult Master can mark targets, allowing the entire cult to track them - down. - - rscadd: The Cult Master has single-use, noisy, and overt channeled spell that - will summon the entire cult to their location. - - rscadd: All cultists gain a HUD alert that will assist them in completing their - objectives. - - rscadd: Constructs created by soul shards will now be able to track their master. - - rscadd: Cultists created outside of cult mode will now get a working sacrifice - and summon objective and the summon rune will no longer fail outside of cult - mode. - - tweak: Gang Dominator max time is now 8 minutes down from 15m - - tweak: Gang Tagging now reduces the timer by 9 seconds per territory, down from - 12 seconds. + - rscadd: + Blood Cultists can now attempt to claim the position of Cult Master with + the approval of a majority of their brethren. + - rscadd: + "The Cult Master has access to unique blood magic that will aid them in + leading the cult to victory:" + - rscadd: + The Cult Master can mark targets, allowing the entire cult to track them + down. + - rscadd: + The Cult Master has single-use, noisy, and overt channeled spell that + will summon the entire cult to their location. + - rscadd: + All cultists gain a HUD alert that will assist them in completing their + objectives. + - rscadd: Constructs created by soul shards will now be able to track their master. + - rscadd: + Cultists created outside of cult mode will now get a working sacrifice + and summon objective and the summon rune will no longer fail outside of cult + mode. + - tweak: Gang Dominator max time is now 8 minutes down from 15m + - tweak: + Gang Tagging now reduces the timer by 9 seconds per territory, down from + 12 seconds. coiax: - - rscadd: Adamantine golems have special vocal cords that allow them to send one-way - messages to all golems, due to fragments of resonating adamantine in their heads. - Both of these are organs, and can be removed and put in other species. - - rscadd: You can use adamantine vocal cords by prefixing your message with ":x". - - rscdel: Xenobiology is no longer capable of making golem runes with plasma. Instead, - inject plasma into the adamantine slime core to get bars of adamantine which - you can then craft into an incomplete golem shell. Add 10 sheets of suitable - material to finish the shell. - - experiment: The metal adamantine is also quite valuable when sold via cargo. - - bugfix: If you know more than the usual number of languages, you'll now remember - them after you get cloned. - - rscdel: Humans turning into monkeys will not suddenly be able to speak the monkey - language, and will continue to understand and speak human. - - rscadd: Ghosts can now modify their own understood languages with the language - menu. - - rscadd: Any mob can also open their language menu with the IC->Open Language Menu - verb. - - rscadd: Silicons can now understand Draconic as part of their internal databases. - - bugfix: Golems no longer have underwear, undershorts or socks. - - tweak: The lavaland Seed Vault ruin can spawn only once. - - rscadd: It is now possible to make plastic golems, who are made of a material - flexible enough to crawl through vents (while not carrying equipment). They - also can pass through plastic flaps. - - bugfix: Fixed adamantine vocal cord (F) links not working for observers. + - rscadd: + Adamantine golems have special vocal cords that allow them to send one-way + messages to all golems, due to fragments of resonating adamantine in their heads. + Both of these are organs, and can be removed and put in other species. + - rscadd: You can use adamantine vocal cords by prefixing your message with ":x". + - rscdel: + Xenobiology is no longer capable of making golem runes with plasma. Instead, + inject plasma into the adamantine slime core to get bars of adamantine which + you can then craft into an incomplete golem shell. Add 10 sheets of suitable + material to finish the shell. + - experiment: The metal adamantine is also quite valuable when sold via cargo. + - bugfix: + If you know more than the usual number of languages, you'll now remember + them after you get cloned. + - rscdel: + Humans turning into monkeys will not suddenly be able to speak the monkey + language, and will continue to understand and speak human. + - rscadd: + Ghosts can now modify their own understood languages with the language + menu. + - rscadd: + Any mob can also open their language menu with the IC->Open Language Menu + verb. + - rscadd: Silicons can now understand Draconic as part of their internal databases. + - bugfix: Golems no longer have underwear, undershorts or socks. + - tweak: The lavaland Seed Vault ruin can spawn only once. + - rscadd: + It is now possible to make plastic golems, who are made of a material + flexible enough to crawl through vents (while not carrying equipment). They + also can pass through plastic flaps. + - bugfix: Fixed adamantine vocal cord (F) links not working for observers. 2017-05-07: Anonmare: - - tweak: Removes organic check from mediborg storage container + - tweak: Removes organic check from mediborg storage container Joan: - - rscadd: Cultists of Nar-sie have their own language. The language's key is ",n". - - balance: Sigils of Transgression are slightly brighter. + - rscadd: Cultists of Nar-sie have their own language. The language's key is ",n". + - balance: Sigils of Transgression are slightly brighter. Moonlighting Mac: - - experiment: Due to budget cuts and oil synthesis replacing expensive processes - of digging up haunted primeval ashwalker burial grounds, Nanotransen has taught - chemists how to make plastic from chemicals in the hopes that new plastic products - can reduce expenditure on metal and glass. - - rscadd: you can now make plastic sheets from chemistry out of heated up crude - oil, ash & sodium chloride + - experiment: + Due to budget cuts and oil synthesis replacing expensive processes + of digging up haunted primeval ashwalker burial grounds, Nanotrasen has taught + chemists how to make plastic from chemicals in the hopes that new plastic products + can reduce expenditure on metal and glass. + - rscadd: + you can now make plastic sheets from chemistry out of heated up crude + oil, ash & sodium chloride MrStonedOne: - - bugfix: fixed bug that caused an infinite connection loop when connecting on a - new computer or computer with recently changed hardware. - - rscadd: Moved to a new system to make top menu items easier to edit. - - tweak: Moved icon size stuff to a sub menu - - rscadd: Added option to change icon scaling mode. - - bugfix: Byond added fancy shader supported scaling(Point Sampling), this sucks - because it's blurry, the default for /tg/station has changed back to the old - nearest neighbor scaling. + - bugfix: + fixed bug that caused an infinite connection loop when connecting on a + new computer or computer with recently changed hardware. + - rscadd: Moved to a new system to make top menu items easier to edit. + - tweak: Moved icon size stuff to a sub menu + - rscadd: Added option to change icon scaling mode. + - bugfix: + Byond added fancy shader supported scaling(Point Sampling), this sucks + because it's blurry, the default for /tg/station has changed back to the old + nearest neighbor scaling. Penguaro: - - bugfix: Adjusted the Examine description of the right-most tiles of the Space - Station 13 sign to be consistent with the rest of the tiles. - - bugfix: Anywhere there was lava below a tile on the station is now space. + - bugfix: + Adjusted the Examine description of the right-most tiles of the Space + Station 13 sign to be consistent with the rest of the tiles. + - bugfix: Anywhere there was lava below a tile on the station is now space. Robustin: - - tweak: c4 planting is now 40% faster + - tweak: c4 planting is now 40% faster coiax: - - bugfix: Smartfridges no longer magically gain medicines if deconstructed and rebuilt. - - rscadd: Ash walkers now know and speak Draconic by default, but still know Galactic - Common. Remember, Galcom's language key is ",0" and you can review your known - languages with the Language Menu. + - bugfix: Smartfridges no longer magically gain medicines if deconstructed and rebuilt. + - rscadd: + Ash walkers now know and speak Draconic by default, but still know Galactic + Common. Remember, Galcom's language key is ",0" and you can review your known + languages with the Language Menu. octareenroon91: - - rscadd: Showers and sinks added to gulag and mining station for hygiene and fire - safety. - - rscadd: Watertanks added to mining station for convenient fire extinguisher refill. + - rscadd: + Showers and sinks added to gulag and mining station for hygiene and fire + safety. + - rscadd: Watertanks added to mining station for convenient fire extinguisher refill. 2017-05-08: Dorsisdwarf: - - bugfix: Fixed being unable to hit museum cases in melee + - bugfix: Fixed being unable to hit museum cases in melee Joan: - - tweak: The verb to Assert Leadership over the cult has been replaced with an action - button that does the same thing, but is much more visible. + - tweak: + The verb to Assert Leadership over the cult has been replaced with an action + button that does the same thing, but is much more visible. Moonlighting Mac says: - - tweak: After a recent trade fair, employees have took it upon themselves to learn - how to craft leather objects out of finished leather sheets, for novices they - are pretty good at it! Try it yourself! - - rscadd: Muzzles to silence people are now craftable out of leather sheets. - - rscdel: You can no longer print off designs from a bio-generator that can now - be crafted out of leather sheets. - - tweak: Complete sheets of leather can be printed from the bio-generator for 150 - biomass to accommodate for a loss of designs. - - experiment: Specialist objects from the leather & cloth category bio-generator - category were not removed as to encourage interdepartmental interaction & balance. + - tweak: + After a recent trade fair, employees have took it upon themselves to learn + how to craft leather objects out of finished leather sheets, for novices they + are pretty good at it! Try it yourself! + - rscadd: Muzzles to silence people are now craftable out of leather sheets. + - rscdel: + You can no longer print off designs from a bio-generator that can now + be crafted out of leather sheets. + - tweak: + Complete sheets of leather can be printed from the bio-generator for 150 + biomass to accommodate for a loss of designs. + - experiment: + Specialist objects from the leather & cloth category bio-generator + category were not removed as to encourage interdepartmental interaction & balance. Penguaro: - - rscadd: The Slime Scanner is available from the Autolathe. - - tweak: The Design Names in the various machines are now capitalized consistently + - rscadd: The Slime Scanner is available from the Autolathe. + - tweak: The Design Names in the various machines are now capitalized consistently coiax: - - bugfix: Fixes various mobs speaking languages that they were only supposed to - understand. - - bugfix: Fixes being able to bypass language restrictions by selecting languages - you can't speak as your default language. + - bugfix: + Fixes various mobs speaking languages that they were only supposed to + understand. + - bugfix: + Fixes being able to bypass language restrictions by selecting languages + you can't speak as your default language. ninjanomnom: - - tweak: Highlander no longer breaks your speakers + - tweak: Highlander no longer breaks your speakers 2017-05-09: Expletive: - - rscadd: Curator's fedora has a pocket, like all the other fedoras. - - tweak: Treasure hunter suits can now hold large internal tanks, to ease the exploration - of lavaland. - - tweak: The curator can now access the Auxillary Base and open doors on the mining - station. + - rscadd: Curator's fedora has a pocket, like all the other fedoras. + - tweak: + Treasure hunter suits can now hold large internal tanks, to ease the exploration + of lavaland. + - tweak: + The curator can now access the Auxillary Base and open doors on the mining + station. MrStonedOne: - - tweak: Lighting now defaults to fully bright until the first update tick for that - tile. This makes shuttle movements less immersion breaking. - - experiment: Rather than remove the light source from the system and then re-adding - it on light movements, the system now calculates and applies the difference - to each tile. This should speed up lighting updates. + - tweak: + Lighting now defaults to fully bright until the first update tick for that + tile. This makes shuttle movements less immersion breaking. + - experiment: + Rather than remove the light source from the system and then re-adding + it on light movements, the system now calculates and applies the difference + to each tile. This should speed up lighting updates. Penguaro: - - tweak: Adjusts Meteor Shuttle Name - - bugfix: The Central Command Ferry will now dock at one of the ports in Arrivals - - tweak: '[Meta] The Slime Control Console boundaries have been adjusted around - the Kill Room' + - tweak: Adjusts Meteor Shuttle Name + - bugfix: The Central Command Ferry will now dock at one of the ports in Arrivals + - tweak: + "[Meta] The Slime Control Console boundaries have been adjusted around + the Kill Room" XDTM: - - rscadd: Added bluespace launchpads. They can be built with R&D, and can teleport - objects and mobs up to 5 tiles away (8 at max upgrades), from the pad to the - target and viceversa. - - rscadd: To set up a launchpad, a launchpad and a launchpad console must be built. - The pad must be opened with a screwdriver, then linked to the console using - a multitool. A console can support up to 4 pads. - - rscadd: Launchpads require some time to charge up teleports, but don't require - cooldowns unlike quantum pads. Upgrading launchpads increases the range by 1 - per manipulator tier. - - rscadd: A special variant, the Briefcase Launchpad, has also been added to the - traitor uplink for 6 TC. - - rscadd: Briefcase Launchpads look like briefcases until setup (which requires - a few seconds). When setup, the launchpad will be functional, but can still - be dragged on the ground. To pick a pad back up, click and drag it to your character's - sprite. - - rscadd: Unlike stationary launchpads, briefcase pads only have 3 tiles of maximum - range. - - rscadd: Briefcase pads are controlled by a remote (that is sent with the briefcase) - instead of a console. The remote must be linked to the briefcase by simply hitting - it. Each remote can only be linked to one pad, unlike consoles. + - rscadd: + Added bluespace launchpads. They can be built with R&D, and can teleport + objects and mobs up to 5 tiles away (8 at max upgrades), from the pad to the + target and viceversa. + - rscadd: + To set up a launchpad, a launchpad and a launchpad console must be built. + The pad must be opened with a screwdriver, then linked to the console using + a multitool. A console can support up to 4 pads. + - rscadd: + Launchpads require some time to charge up teleports, but don't require + cooldowns unlike quantum pads. Upgrading launchpads increases the range by 1 + per manipulator tier. + - rscadd: + A special variant, the Briefcase Launchpad, has also been added to the + traitor uplink for 6 TC. + - rscadd: + Briefcase Launchpads look like briefcases until setup (which requires + a few seconds). When setup, the launchpad will be functional, but can still + be dragged on the ground. To pick a pad back up, click and drag it to your character's + sprite. + - rscadd: + Unlike stationary launchpads, briefcase pads only have 3 tiles of maximum + range. + - rscadd: + Briefcase pads are controlled by a remote (that is sent with the briefcase) + instead of a console. The remote must be linked to the briefcase by simply hitting + it. Each remote can only be linked to one pad, unlike consoles. coiax: - - rscadd: Visible ghosts emit light. + - rscadd: Visible ghosts emit light. 2017-05-11: Joan: - - rscadd: You can now buy double eswords from the uplink for 16 telecrystals. They - cannot be bought below 25 players. - - rscdel: You can no longer use two eswords to construct a double esword. + - rscadd: + You can now buy double eswords from the uplink for 16 telecrystals. They + cannot be bought below 25 players. + - rscdel: You can no longer use two eswords to construct a double esword. Joan, Robustin: - - rscdel: Harvesters can no longer break walls, construct walls, convert floors, - or emit paralyzing smoke. - - rscadd: Harvesters now remove the limbs of humans when attacking, can heal OTHER - constructs, have thermal vision, and can move through cult walls. - - rscadd: Harvesters can now convert turfs in a small area around them and can create - a wall of force. - - tweak: Harvesters are now cultists. - - rscadd: When Nar-Sie is summoned, she will convert all living non-construct cultists - to harvesters, who will automatically track her. + - rscdel: + Harvesters can no longer break walls, construct walls, convert floors, + or emit paralyzing smoke. + - rscadd: + Harvesters now remove the limbs of humans when attacking, can heal OTHER + constructs, have thermal vision, and can move through cult walls. + - rscadd: + Harvesters can now convert turfs in a small area around them and can create + a wall of force. + - tweak: Harvesters are now cultists. + - rscadd: + When Nar-Sie is summoned, she will convert all living non-construct cultists + to harvesters, who will automatically track her. Kor: - - rscadd: a new mysterious book has been discovered in lavaland chests! - - tweak: weird purple hearts found in lavaland chests have started beating again! - what could this mean? + - rscadd: a new mysterious book has been discovered in lavaland chests! + - tweak: + weird purple hearts found in lavaland chests have started beating again! + what could this mean? MrStonedOne: - - bugfix: Fixes t-ray mode on engineering goggles not resetting the lighting override - properly. + - bugfix: + Fixes t-ray mode on engineering goggles not resetting the lighting override + properly. QualityVan: - - tweak: Machine names will be capitalized when they talk on radio + - tweak: Machine names will be capitalized when they talk on radio Robustin: - - tweak: Dominators now require a significant amount of open (non-walled) space - around them in order to operate. + - tweak: + Dominators now require a significant amount of open (non-walled) space + around them in order to operate. TehZombehz: - - rscadd: Sticks of butter and liquid mayonnaise can now be produced via a new 'mix' - function on the grinder. Please eat responsibly. + - rscadd: + Sticks of butter and liquid mayonnaise can now be produced via a new 'mix' + function on the grinder. Please eat responsibly. XDTM: - - bugfix: Plasma Golems now have the correct updated tip. - - tweak: Plasma Golems no longer take damage from fire, and take normal instead - of increased burn damage from other sources. They will still explode if on fire - and hot enough. - - rscadd: Plasma Golems can now self-ignite with an action button. - - tweak: Plasma Golems are now warned when they're close to exploding. - - tweak: Plasma Golems now have a constant chance of exploding after 850K instead - of a precise threshold at 900K, making it less predictable. + - bugfix: Plasma Golems now have the correct updated tip. + - tweak: + Plasma Golems no longer take damage from fire, and take normal instead + of increased burn damage from other sources. They will still explode if on fire + and hot enough. + - rscadd: Plasma Golems can now self-ignite with an action button. + - tweak: Plasma Golems are now warned when they're close to exploding. + - tweak: + Plasma Golems now have a constant chance of exploding after 850K instead + of a precise threshold at 900K, making it less predictable. bandit: - - tweak: Nanotrasen has enhanced personality matchmaking for its personal AIs. pAI - candidates will now see who is requesting a pAI personality. + - tweak: + Nanotrasen has enhanced personality matchmaking for its personal AIs. pAI + candidates will now see who is requesting a pAI personality. duncathan: - - tweak: opening a dangerous canister will only alert admins if it contains meaningful - amounts of a dangerous gas. No more being bwoinked because you opened an empty - canister that used to have plasma in it. + - tweak: + opening a dangerous canister will only alert admins if it contains meaningful + amounts of a dangerous gas. No more being bwoinked because you opened an empty + canister that used to have plasma in it. lordpidey: - - tweak: Modified chances for returning someone's soul using an employment contract. Now - everyone has a chance, not just lawyers and HoP. - - rscadd: Particularly brain damaged people can no longer sign infernal contracts - properly. - - tweak: Infernal contracts for power no longer give fireball, and instead give - robeless 'lightning bolt' spell. - - rscadd: Devils can now sell you a friend, for the cost of your soul. - - tweak: The codex gigas should now be easier to use, and less finicky. - - rscdel: The codex gigas no longer sintouches readers. + - tweak: + Modified chances for returning someone's soul using an employment contract. Now + everyone has a chance, not just lawyers and HoP. + - rscadd: + Particularly brain damaged people can no longer sign infernal contracts + properly. + - tweak: + Infernal contracts for power no longer give fireball, and instead give + robeless 'lightning bolt' spell. + - rscadd: Devils can now sell you a friend, for the cost of your soul. + - tweak: The codex gigas should now be easier to use, and less finicky. + - rscdel: The codex gigas no longer sintouches readers. ma44: - - tweak: Doubles the amount of points wooden planks sell for (now 50 points) + - tweak: Doubles the amount of points wooden planks sell for (now 50 points) 2017-05-12: Joan: - - tweak: Manifest Spirit will no longer continue to cost the user health if the - summoned ghost is put into critical or gibbed. - - rscadd: Ghosts summoned by Manifest Spirit are outfitted with ghostly armor and - a ghostly cult blade that does slightly less damage than a normal cult blade. - - balance: Manifest Spirit now consumes 1 health per second per summoned ghost, - from 0.333~. - - balance: Manifest Spirit can now only summon a maximum of 5 ghosts per rune, and - the summoned ghosts cannot use Manifest Spirit to summon more ghosts. - - rscadd: Wraiths now refund Phase Shift's cooldown by attacking; 1 second on normal - attacks, 5 seconds when putting a target into critical, and a full refund when - killing a target. - - balance: Increased Phase Shift's cooldown from 20 seconds to 25 seconds. + - tweak: + Manifest Spirit will no longer continue to cost the user health if the + summoned ghost is put into critical or gibbed. + - rscadd: + Ghosts summoned by Manifest Spirit are outfitted with ghostly armor and + a ghostly cult blade that does slightly less damage than a normal cult blade. + - balance: + Manifest Spirit now consumes 1 health per second per summoned ghost, + from 0.333~. + - balance: + Manifest Spirit can now only summon a maximum of 5 ghosts per rune, and + the summoned ghosts cannot use Manifest Spirit to summon more ghosts. + - rscadd: + Wraiths now refund Phase Shift's cooldown by attacking; 1 second on normal + attacks, 5 seconds when putting a target into critical, and a full refund when + killing a target. + - balance: Increased Phase Shift's cooldown from 20 seconds to 25 seconds. KorPhaeron: - - rscadd: Zombies can now see in the dark. If you steal their eyes you'll be able - to see in the dark as well! + - rscadd: + Zombies can now see in the dark. If you steal their eyes you'll be able + to see in the dark as well! MMMiracles (Cerestation): - - tweak: Hydroponics has been revamped, adding a few things missing before and adding - a bee room in place of the backroom. - - bugfix: Fixed some other stuff. + - tweak: + Hydroponics has been revamped, adding a few things missing before and adding + a bee room in place of the backroom. + - bugfix: Fixed some other stuff. New Antag Alert sounds: - - soundadd: added sounds that alert players to their antag status - - soundadd: Blood cult has a new alert sound - - soundadd: Clock cult has a new alert sound - - soundadd: changeling has a new alert sound - - soundadd: Malf/traitor AI has a new alert sound - - soundadd: Nuke Ops has a new alert sound - - soundadd: Ragin' Mages has a new alert sound - - soundadd: Traitor has a new alert sound + - soundadd: added sounds that alert players to their antag status + - soundadd: Blood cult has a new alert sound + - soundadd: Clock cult has a new alert sound + - soundadd: changeling has a new alert sound + - soundadd: Malf/traitor AI has a new alert sound + - soundadd: Nuke Ops has a new alert sound + - soundadd: Ragin' Mages has a new alert sound + - soundadd: Traitor has a new alert sound Swindly: - - tweak: Solid plasma now begins burning at the temperature at which it was ignited. - - balance: Snow walls no longer block explosions, are deconstructed faster, and - no longer leave girders when deconstructed. + - tweak: Solid plasma now begins burning at the temperature at which it was ignited. + - balance: + Snow walls no longer block explosions, are deconstructed faster, and + no longer leave girders when deconstructed. coiax: - - balance: Nanotrasen Cloning Divison's three hundred identical scientists have - announced an upgrade to the cloning computer's software. You can now scan brains - or dismembered heads and successfully clone from them. Brains seem to remember - the DNA of the last body they were attached to. + - balance: + Nanotrasen Cloning Divison's three hundred identical scientists have + announced an upgrade to the cloning computer's software. You can now scan brains + or dismembered heads and successfully clone from them. Brains seem to remember + the DNA of the last body they were attached to. 2017-05-13: QualityVan: - - bugfix: Pizza boxes once again look different when open - 'Tacolizard Forever: It''s hip to fuck bees': - - rscadd: Added a honey jar item. It's not implemented yet. - - balance: Honey is now more robust at healing, but don't eat too much or you'll - turn into a fatty landwhale. + - bugfix: Pizza boxes once again look different when open + "Tacolizard Forever: It's hip to fuck bees": + - rscadd: Added a honey jar item. It's not implemented yet. + - balance: + Honey is now more robust at healing, but don't eat too much or you'll + turn into a fatty landwhale. TehZombehz: - - rscadd: Butter noodles, butter biscuits, buttered toast, and pigs in a blanket - can now be crafted using sticks of butter and other ingredients. + - rscadd: + Butter noodles, butter biscuits, buttered toast, and pigs in a blanket + can now be crafted using sticks of butter and other ingredients. coiax: - - rscadd: Servant golems now follow the "Material Golem (123)" naming scheme. + - rscadd: Servant golems now follow the "Material Golem (123)" naming scheme. octareenroon91: - - rscadd: Hermit ruin now includes a portable seed extractor. + - rscadd: Hermit ruin now includes a portable seed extractor. 2017-05-14: coiax: - - rscadd: Free Golems can purchase Royal Capes of the Liberator at their mining - equipment vendor. + - rscadd: + Free Golems can purchase Royal Capes of the Liberator at their mining + equipment vendor. 2017-05-15: Dorsidwarf: - - balance: Nanotrasen Robotics Supply Division has successfully petitioned to replace - the "My First Robot" motors in turret coverings with a standard commercial brand. - As such, they will now open faster. + - balance: + Nanotrasen Robotics Supply Division has successfully petitioned to replace + the "My First Robot" motors in turret coverings with a standard commercial brand. + As such, they will now open faster. Expletive: - - rscadd: You can now create water bottles and wet floor signs by using plastic - sheets. - - rscadd: You can create toy swords out of plastic sheets, a piece of cable, and - a light bulb. + - rscadd: + You can now create water bottles and wet floor signs by using plastic + sheets. + - rscadd: + You can create toy swords out of plastic sheets, a piece of cable, and + a light bulb. Joan: - - tweak: Glowshrooms now have a less saturated glow. - - balance: The summoned ghosts from Manifest Spirit can no longer break airlocks - with their standard blade. - - balance: Manifest Spirit now does a small amount of damage when initially manifesting - a ghost. + - tweak: Glowshrooms now have a less saturated glow. + - balance: + The summoned ghosts from Manifest Spirit can no longer break airlocks + with their standard blade. + - balance: + Manifest Spirit now does a small amount of damage when initially manifesting + a ghost. McBawbaggings: - - tweak: SMES units will now accept charge from the power network even if the available - load is less than the input rate. Credit to Zaers for the original code. - - bugfix: Wizards are now at least 30 years old. Apprentices will be in-between - ages 17 to 29. + - tweak: + SMES units will now accept charge from the power network even if the available + load is less than the input rate. Credit to Zaers for the original code. + - bugfix: + Wizards are now at least 30 years old. Apprentices will be in-between + ages 17 to 29. Penguaro: - - bugfix: The Gravity Generator description now mentions a graviton field as opposed - to a gravaton field. What is Gravaty anyway? - - bugfix: Centcom Engineering has reviewed the plans for the Box series station - and has addressed some concerns related to some APCs not affecting their designated - section. APCs for the Detective's Office, Cargobay, and Gateway, now control - those rooms. The Bridge Maintenance APC has been removed from future construction - as it serves no purpose and thus is an unnecessary construction cost. - - bugfix: The pipe from the station to the AI Satellite has been completed. + - bugfix: + The Gravity Generator description now mentions a graviton field as opposed + to a gravaton field. What is Gravaty anyway? + - bugfix: + Centcom Engineering has reviewed the plans for the Box series station + and has addressed some concerns related to some APCs not affecting their designated + section. APCs for the Detective's Office, Cargobay, and Gateway, now control + those rooms. The Bridge Maintenance APC has been removed from future construction + as it serves no purpose and thus is an unnecessary construction cost. + - bugfix: The pipe from the station to the AI Satellite has been completed. Profakos: - - rscadd: Centcom has decided to upgrade the Ore Redemption machines with a floppy - drive, intended for design disks. + - rscadd: + Centcom has decided to upgrade the Ore Redemption machines with a floppy + drive, intended for design disks. Qbopper: - - tweak: The supermatter crystal now sends its warning messages to the engineering - channel. (if it's in critical condition the message will be sent to the common - radio channel as before) + - tweak: + The supermatter crystal now sends its warning messages to the engineering + channel. (if it's in critical condition the message will be sent to the common + radio channel as before) Swindly: - - balance: Nitrous oxide now causes anemia. + - balance: Nitrous oxide now causes anemia. coiax: - - bugfix: Curator soapstones now successfully leave messages for future shifts. - - rscdel: Soapstones can no longer be purchased in cargo. - - rscdel: The janitor no longer starts with an empty soapstone. - - experiment: Engraved messages can be left anywhere in the world, but be wary that - the terrain of places like lavaland and space can change shift to shift. - - rscadd: Goats on the station have developed a taste for glowshrooms, and will - eat them if they encounter any. + - bugfix: Curator soapstones now successfully leave messages for future shifts. + - rscdel: Soapstones can no longer be purchased in cargo. + - rscdel: The janitor no longer starts with an empty soapstone. + - experiment: + Engraved messages can be left anywhere in the world, but be wary that + the terrain of places like lavaland and space can change shift to shift. + - rscadd: + Goats on the station have developed a taste for glowshrooms, and will + eat them if they encounter any. ma44: - - tweak: Seed vault remapped - - tweak: The seed vault random seed spawner can now spawn cherry bombs instead of - regular cherry seeds - - rscadd: BEES to plant vault + - tweak: Seed vault remapped + - tweak: + The seed vault random seed spawner can now spawn cherry bombs instead of + regular cherry seeds + - rscadd: BEES to plant vault octareenroon91: - - rscadd: Ambrosia Deus can now mutate into Gaia, and Gaia into Deus. - - rscdel: A single branch of Ambrosia Gaia will not immediately make a hydroponics - tray self-sufficient. - - balance: A (total) dose of 20u Earthsblood (from Gaia) will make a hydroponics - tray self-sufficient. + - rscadd: Ambrosia Deus can now mutate into Gaia, and Gaia into Deus. + - rscdel: + A single branch of Ambrosia Gaia will not immediately make a hydroponics + tray self-sufficient. + - balance: + A (total) dose of 20u Earthsblood (from Gaia) will make a hydroponics + tray self-sufficient. uraniummeltdown: - - rscadd: Ambrosia Gaia is back + - rscadd: Ambrosia Gaia is back 2017-05-16: Moonlighting Mac says: - - rscadd: Starthistles now return seeds when they are harvested, amongst having - a overhaul of description, alteration of statistics & a mutational path into - harebells. These seeds have been supplied into the hydroponics seed vendor. - - imageadd: Starthistle tray sprites have been restructured & also fixed from a - issue of them being broken and not appearing in trays. In addition there are - new sprites for its seeds. + - rscadd: + Starthistles now return seeds when they are harvested, amongst having + a overhaul of description, alteration of statistics & a mutational path into + harebells. These seeds have been supplied into the hydroponics seed vendor. + - imageadd: + Starthistle tray sprites have been restructured & also fixed from a + issue of them being broken and not appearing in trays. In addition there are + new sprites for its seeds. Penguaro: - - bugfix: There is now Space under the rocks at the Dragoon's Tomb - - bugfix: Centcom Intelligence reports that the Hidden Syndicate Research Base may - have received a shipment of viruses. + - bugfix: There is now Space under the rocks at the Dragoon's Tomb + - bugfix: + Centcom Intelligence reports that the Hidden Syndicate Research Base may + have received a shipment of viruses. QualityVan: - - bugfix: Fixed fire alarms not being repairable if the board was broken - - bugfix: People without eyes and ears are no longer susceptible to flashbangs they - aren't directly on top of + - bugfix: Fixed fire alarms not being repairable if the board was broken + - bugfix: + People without eyes and ears are no longer susceptible to flashbangs they + aren't directly on top of Robustin: - - rscadd: Summoning Nar'Sie now triggers a different ending. No shuttle is coming! - Survivors must escape on a pod or survive the Red Harvest for 3 minutes. If - Nar'Sie acquires enough souls, the round ends immediately with a **special ending**. - - rscadd: New Harvester Sprite - - rscadd: Harvesters can now track a random survivor on the station, then switch - back to tracking Nar'Sie, via a new action button. + - rscadd: + Summoning Nar'Sie now triggers a different ending. No shuttle is coming! + Survivors must escape on a pod or survive the Red Harvest for 3 minutes. If + Nar'Sie acquires enough souls, the round ends immediately with a **special ending**. + - rscadd: New Harvester Sprite + - rscadd: + Harvesters can now track a random survivor on the station, then switch + back to tracking Nar'Sie, via a new action button. fludd12: - - rscadd: You can now add grills to a bonfire, letting you cook things on top of - them. + - rscadd: + You can now add grills to a bonfire, letting you cook things on top of + them. 2017-05-17: 4dplanner: - - bugfix: revenant respawning will not spam up deadchat so much, and is less likely - to break. + - bugfix: + revenant respawning will not spam up deadchat so much, and is less likely + to break. Expletive: - - rscadd: Syndicate Tomes have been added to traitor uplinks for 9 TC. They let - an agent or an operative provide both weal and woe. + - rscadd: + Syndicate Tomes have been added to traitor uplinks for 9 TC. They let + an agent or an operative provide both weal and woe. Penguaro: - - bugfix: Centcom Engineering has reviewed the power schematic for the engine room - and added an Area Power Controller. + - bugfix: + Centcom Engineering has reviewed the power schematic for the engine room + and added an Area Power Controller. coiax: - - balance: Magic eightballs are now tiny items, able to fit into a box and pocket. + - balance: Magic eightballs are now tiny items, able to fit into a box and pocket. 2017-05-18: Joan: - - rscadd: Proselytizing alloy shards will now proselytize all the shards in the - tile, instead of requiring you to proselytize each one at a time. + - rscadd: + Proselytizing alloy shards will now proselytize all the shards in the + tile, instead of requiring you to proselytize each one at a time. Lordpidey: - - tweak: Space ninjas now use action buttons instead of verbs for a more consistent - user experience. - - rscadd: Toy toolboxes with realistic rumbling action have been added to arcade - prizes. - 'Tacolizard Forever: Plasmaman Powercreep': - - tweak: Plasmaman tanks are the same size as emergency oxygen tanks. + - tweak: + Space ninjas now use action buttons instead of verbs for a more consistent + user experience. + - rscadd: + Toy toolboxes with realistic rumbling action have been added to arcade + prizes. + "Tacolizard Forever: Plasmaman Powercreep": + - tweak: Plasmaman tanks are the same size as emergency oxygen tanks. coiax: - - rscadd: Syndicate agents can purchase a "codespeak manual", that teaches them - a language that sounds like a series of codewords. You can also hit other people - with the manual to teach them. One use per manual. - - rscadd: Nuclear operatives have access to a deluxe manual that is more expensive - but has unlimited uses. - - rscadd: Syndicate AIs know Codespeak for free. - - bugfix: Spacevines can no longer spread on space transit turfs. - - balance: Plastic explosives can no longer be detonated by EMPs. - - rscadd: Various vending machines, when shooting their inventory at nearby people, - will "demonstrate their products features". This means that if a cigarette vending - machine throws a lighter at you, it will be on. Vending machines also choose - random products when throwing, rather than the first available one. + - rscadd: + Syndicate agents can purchase a "codespeak manual", that teaches them + a language that sounds like a series of codewords. You can also hit other people + with the manual to teach them. One use per manual. + - rscadd: + Nuclear operatives have access to a deluxe manual that is more expensive + but has unlimited uses. + - rscadd: Syndicate AIs know Codespeak for free. + - bugfix: Spacevines can no longer spread on space transit turfs. + - balance: Plastic explosives can no longer be detonated by EMPs. + - rscadd: + Various vending machines, when shooting their inventory at nearby people, + will "demonstrate their products features". This means that if a cigarette vending + machine throws a lighter at you, it will be on. Vending machines also choose + random products when throwing, rather than the first available one. kevinz000: - - rscadd: Peacekeeper cyborgs now have projectile dampening fields. + - rscadd: Peacekeeper cyborgs now have projectile dampening fields. 2017-05-19: 4dplanner: - - balance: the Hierophant club has gained in power + - balance: the Hierophant club has gained in power 2017-05-20: Joan: - - balance: Proto-kinetic crushers have been worked over by our highly qualified - techs, will recharge 12% faster, and no longer require very low-pressure atmospheres - to fire! - - balance: In addition, our techs have tweaked the quantum linker module and proto-kinetic - crushers can apply multiple marks to different targets! Marks applied may eventually - expire if not detonated. + - balance: + Proto-kinetic crushers have been worked over by our highly qualified + techs, will recharge 12% faster, and no longer require very low-pressure atmospheres + to fire! + - balance: + In addition, our techs have tweaked the quantum linker module and proto-kinetic + crushers can apply multiple marks to different targets! Marks applied may eventually + expire if not detonated. Steelpoint: - - rscadd: All Pulse weapons now accurately show, by their sprites, what fire mode - they are in. - - rscadd: ERT, non-red alert, Security Response Officers spawn with a Tactical Energy - Gun. This is a military variant of the Egun that, in addition to laser and disable - rounds, has access to stun rounds. - - tweak: Pulse Pistols can now be recharged. + - rscadd: + All Pulse weapons now accurately show, by their sprites, what fire mode + they are in. + - rscadd: + ERT, non-red alert, Security Response Officers spawn with a Tactical Energy + Gun. This is a military variant of the Egun that, in addition to laser and disable + rounds, has access to stun rounds. + - tweak: Pulse Pistols can now be recharged. Swindly: - - rscadd: Added modified syringe guns. They fire DNA injectors. Geneticists and - CMOs can buy them from the traitor uplink for 14 TC. + - rscadd: + Added modified syringe guns. They fire DNA injectors. Geneticists and + CMOs can buy them from the traitor uplink for 14 TC. coiax: - - rscadd: When a shuttle is called, sometimes an on-call admiral, using available - information to them, will recall the shuttle from Centcom. + - rscadd: + When a shuttle is called, sometimes an on-call admiral, using available + information to them, will recall the shuttle from Centcom. octareenroon91: - - bugfix: Golems touching a shell can now choose to stay in their own body. + - bugfix: Golems touching a shell can now choose to stay in their own body. 2017-05-21: Gun Hog: - - bugfix: The Auxiliary Base can no longer land outside the lavaland map's boundaries. + - bugfix: The Auxiliary Base can no longer land outside the lavaland map's boundaries. RandomMarine: - - tweak: Drone laws no longer restrict drones to the station. + - tweak: Drone laws no longer restrict drones to the station. Steelpoint: - - rscadd: The Warden's Cycler Shotgun has been replaced with a Compact Combat Shotgun. - A unique weapon, it can fit in armour slots but at the sacrifice of a smaller - ammo capacity of four shells. + - rscadd: + The Warden's Cycler Shotgun has been replaced with a Compact Combat Shotgun. + A unique weapon, it can fit in armour slots but at the sacrifice of a smaller + ammo capacity of four shells. 2017-05-22: Joan: - - tweak: Resonator fields now visually show how long they have until they burst. - - bugfix: Hitting a legion skull with a resonator will now produce a field. - - balance: Swapped how far plasma cutter blasts go when going through rock and in - open air. This means blasts through air will go 4/5 tiles, but will mine 7/10 - tiles, for normal/advanced plasma cutters, respectively. - - tweak: There is now a buffer zone between the mining base and lavaland where megafauna - will not spawn. - - tweak: Ruins will no longer spawn directly in front of the mining base. + - tweak: Resonator fields now visually show how long they have until they burst. + - bugfix: Hitting a legion skull with a resonator will now produce a field. + - balance: + Swapped how far plasma cutter blasts go when going through rock and in + open air. This means blasts through air will go 4/5 tiles, but will mine 7/10 + tiles, for normal/advanced plasma cutters, respectively. + - tweak: + There is now a buffer zone between the mining base and lavaland where megafauna + will not spawn. + - tweak: Ruins will no longer spawn directly in front of the mining base. Lzimann: - - rscadd: Pandemic is now tgui! + - rscadd: Pandemic is now tgui! Robustin: - - rscadd: Gang influence is now decentralized, each gangster has their own influence - that they can increase by spraying (and protecting) their tags and new influence-enhancing - bling. - - rscadd: Gang uniforms are now created based on your gang's color and can be purchased - by any gang member. They will increase the wearer's influence and provide protection, - but will make it fairly obvious which gang you belong to. - - rscadd: Gangs have access to a new surplus rifle; it is a semi-automatic rifle - that is very bulky and has a very low rate of fire. Gang members can buy this - gun for just 8 influence. - - rscadd: Gangs have access to the new machine gun turret; it unleashes a volley - of bullets with an extended view range. It does not run out of ammo, but a significant - delay between volleys and its stationary nature leaves the gunner vulnerable - to flanking and return fire. Holding down the trigger will allow you to aim - the gun while firing. It will cost gangs 50 influence. - - rscadd: The sawn-off improvised shotgun is now available to gangs for 6 influence. - With buckshot shells being easy to produce or purchase, this gun gives the most - "bang for your buck" but its single-shell capacity will leave you vulnerable - during a pitched gunfight. - - rscadd: The Wetwork boots give gangs access to a lightly armored noslip variant. - - tweak: The armored gang outfits are now slightly more resistant to ballistic and - bomb damage + - rscadd: + Gang influence is now decentralized, each gangster has their own influence + that they can increase by spraying (and protecting) their tags and new influence-enhancing + bling. + - rscadd: + Gang uniforms are now created based on your gang's color and can be purchased + by any gang member. They will increase the wearer's influence and provide protection, + but will make it fairly obvious which gang you belong to. + - rscadd: + Gangs have access to a new surplus rifle; it is a semi-automatic rifle + that is very bulky and has a very low rate of fire. Gang members can buy this + gun for just 8 influence. + - rscadd: + Gangs have access to the new machine gun turret; it unleashes a volley + of bullets with an extended view range. It does not run out of ammo, but a significant + delay between volleys and its stationary nature leaves the gunner vulnerable + to flanking and return fire. Holding down the trigger will allow you to aim + the gun while firing. It will cost gangs 50 influence. + - rscadd: + The sawn-off improvised shotgun is now available to gangs for 6 influence. + With buckshot shells being easy to produce or purchase, this gun gives the most + "bang for your buck" but its single-shell capacity will leave you vulnerable + during a pitched gunfight. + - rscadd: The Wetwork boots give gangs access to a lightly armored noslip variant. + - tweak: + The armored gang outfits are now slightly more resistant to ballistic and + bomb damage Swindly: - - balance: Monkeys can be weakened by stamina loss + - balance: Monkeys can be weakened by stamina loss kevinz000: - - bugfix: Nanotrasen decided to remove the integrated jet engines from jetpacks. - They can no longer be used successfully indoors. + - bugfix: + Nanotrasen decided to remove the integrated jet engines from jetpacks. + They can no longer be used successfully indoors. 2017-05-23: ClosingBracket: - - spellcheck: Fixed very minor inconsistencies on items & punctuation on items. + - spellcheck: Fixed very minor inconsistencies on items & punctuation on items. Joan: - - rscdel: Nanotrasen has taken a lower bid for their meson suppliers, and meson - scanners will no longer display terrain layouts while on the planet. - - tweak: However, they have discovered that, with some tweaks, mineral scanners - will no longer actually require you to be wearing mesons. - - tweak: The cheaper mesons will not completely remove reliance on light. - - tweak: Ripleys will collect all ore in front of them when they move with a clamp - and stored ore box. - - tweak: Chasms will glow dimly, like lava. + - rscdel: + Nanotrasen has taken a lower bid for their meson suppliers, and meson + scanners will no longer display terrain layouts while on the planet. + - tweak: + However, they have discovered that, with some tweaks, mineral scanners + will no longer actually require you to be wearing mesons. + - tweak: The cheaper mesons will not completely remove reliance on light. + - tweak: + Ripleys will collect all ore in front of them when they move with a clamp + and stored ore box. + - tweak: Chasms will glow dimly, like lava. Joan, Repukan: - - rscadd: Traitor miners can now buy up to 2 KA Pressure Mods for 5 TC each. - - balance: KA Pressure Mods now only take up 35 mod capacity each, allowing traitor - miners to use 2 and have space for 1 other mod. - - rscdel: R&D can no longer build KA Pressure Mods. + - rscadd: Traitor miners can now buy up to 2 KA Pressure Mods for 5 TC each. + - balance: + KA Pressure Mods now only take up 35 mod capacity each, allowing traitor + miners to use 2 and have space for 1 other mod. + - rscdel: R&D can no longer build KA Pressure Mods. Robustin: - - rscadd: Added a sexy new icon for the harvester's AOE conversion spell - - bugfix: Fixed construct's forcewall being invisible - - bugfix: Fixed cult constructs "Locate Master" and "Locate Prey" not functioning - - bugfix: Fixed spell action buttons not showing their actual availability status - - tweak: Changed the duration of a few frames for the new Cult ending + - rscadd: Added a sexy new icon for the harvester's AOE conversion spell + - bugfix: Fixed construct's forcewall being invisible + - bugfix: Fixed cult constructs "Locate Master" and "Locate Prey" not functioning + - bugfix: Fixed spell action buttons not showing their actual availability status + - tweak: Changed the duration of a few frames for the new Cult ending Steelpoint: - - rscadd: Auto Rifle alt ammo mags (AP, Incendiary, Uranium Tipped) now have a coloured - stripe to denote them. + - rscadd: + Auto Rifle alt ammo mags (AP, Incendiary, Uranium Tipped) now have a coloured + stripe to denote them. That Really Good Soda Flavor: - - bugfix: Martial arts are no longer lost when mind-swapping, cloning, moving your - brain, et cetera. - - bugfix: Fixed a bug where paper bins could swallow up pens into the void. + - bugfix: + Martial arts are no longer lost when mind-swapping, cloning, moving your + brain, et cetera. + - bugfix: Fixed a bug where paper bins could swallow up pens into the void. coiax: - - rscadd: Galactic Common has been added to silicon's internal language database, - meaning even if a cyborg is created from someone who previously did not know - Galactic Common, they will be able to speak it as a silicon. + - rscadd: + Galactic Common has been added to silicon's internal language database, + meaning even if a cyborg is created from someone who previously did not know + Galactic Common, they will be able to speak it as a silicon. kevinz000: - - bugfix: Spessmen seems to have stopped suffering from the mental condition that - makes them believe they can't move fast if they have only one leg, even if they're - in space and using a jetpack! + - bugfix: + Spessmen seems to have stopped suffering from the mental condition that + makes them believe they can't move fast if they have only one leg, even if they're + in space and using a jetpack! ma44: - - rscadd: Reports of syndicate base on lavaland has been outfitted with a state - of the art donksoft toy weapon dispenser. + - rscadd: + Reports of syndicate base on lavaland has been outfitted with a state + of the art donksoft toy weapon dispenser. 2017-05-24: Joan, WJohnston: - - rscadd: Adds marker beacons to mining as a vendible item. They can be bought in - stacks of 1, 10, and 30 at a rate of 10 points per beacon. - - rscadd: Miners start with a stack of 10 in their backpack, and the Extraction - and Rescue Kit contains a stack of 30. - - rscadd: Marker beacons come in a large selection of colors and simply light up - a small area when placed, but are useful as a path marker or to indicate dangers. + - rscadd: + Adds marker beacons to mining as a vendible item. They can be bought in + stacks of 1, 10, and 30 at a rate of 10 points per beacon. + - rscadd: + Miners start with a stack of 10 in their backpack, and the Extraction + and Rescue Kit contains a stack of 30. + - rscadd: + Marker beacons come in a large selection of colors and simply light up + a small area when placed, but are useful as a path marker or to indicate dangers. QualityVan: - - rscadd: Hairless hides now become wet when exposed to water - - rscadd: You can microwave wet leather to dry it - - bugfix: Inserted legion cores no longer work if they went inert before implanting + - rscadd: Hairless hides now become wet when exposed to water + - rscadd: You can microwave wet leather to dry it + - bugfix: Inserted legion cores no longer work if they went inert before implanting Steelpoint: - - rscadd: Sketchin alternative magazines (Armour Piercing, Hollow Point, Incendiary) - now have unique sprites to better identify them. - - rscadd: ERT Sec Tactical Energy Guns now have a unique sprite. - - tweak: Changes to production of Nanotrasen Auto Rifle armour piercing bullets - have now made AP bullets better able to penetrate armour, but at the cost of - the amount of possible damage the bullet can do to soft targets. - - rscadd: Many Ballistic weapons now have new sounds related to reloading or placing - bullets into magazines. - - rscadd: Boxstation armoury weapon racks now have glass panes to help prevent the - weapons easily flying out of a breached hull. - - bugfix: Fixed Battleship Raven's bridge blast doors not working. + - rscadd: + Sketchin alternative magazines (Armour Piercing, Hollow Point, Incendiary) + now have unique sprites to better identify them. + - rscadd: ERT Sec Tactical Energy Guns now have a unique sprite. + - tweak: + Changes to production of Nanotrasen Auto Rifle armour piercing bullets + have now made AP bullets better able to penetrate armour, but at the cost of + the amount of possible damage the bullet can do to soft targets. + - rscadd: + Many Ballistic weapons now have new sounds related to reloading or placing + bullets into magazines. + - rscadd: + Boxstation armoury weapon racks now have glass panes to help prevent the + weapons easily flying out of a breached hull. + - bugfix: Fixed Battleship Raven's bridge blast doors not working. Tacolizard: - - tweak: Station based armour is slightly more descriptive of what it does. + - tweak: Station based armour is slightly more descriptive of what it does. That Really Good Soda Flavor: - - tweak: Changed spray tan overdoses to be more realistic. - - rscadd: People who are high and beach bums can now talk in their own stoner language. - - tweak: Beach bums can only communicate with other beach bums and people who are - high. + - tweak: Changed spray tan overdoses to be more realistic. + - rscadd: People who are high and beach bums can now talk in their own stoner language. + - tweak: + Beach bums can only communicate with other beach bums and people who are + high. 2017-05-25: 4dplanner: - - bugfix: crushers now apply marks properly - - rscadd: 20% of internal affairs agents are actually traitors + - bugfix: crushers now apply marks properly + - rscadd: 20% of internal affairs agents are actually traitors 4dplanner, robustin: - - bugfix: c4 has always taken 3 seconds to plant, and you are not allow to believe - otherwise + - bugfix: + c4 has always taken 3 seconds to plant, and you are not allow to believe + otherwise Crexfu: - - spellcheck: typo fix for origin tech + - spellcheck: typo fix for origin tech Cyberboss: - - experiment: Explosions will no longer have a start up delay - - bugfix: Indestructible objects can no longer be destroyed by bombs + - experiment: Explosions will no longer have a start up delay + - bugfix: Indestructible objects can no longer be destroyed by bombs Oldman Robustin: - - tweak: Gang mode now calls a 4 minute unrecallable shuttle once 60% of the crew - is dead + - tweak: + Gang mode now calls a 4 minute unrecallable shuttle once 60% of the crew + is dead ohnopigeons: - - balance: The cost of plasma has been reduced from 500 to 300, but retain their - immunity to saturation + - balance: + The cost of plasma has been reduced from 500 to 300, but retain their + immunity to saturation 2017-05-26: Moonlighting Mac says: - - rscadd: You can now craft a strong cloak with a hood made out of goliath and monster - materials from within the primitive crafting screen. - - rscadd: The cloak has a suit slot for all kind of primitive supplies, however - it cannot carry most electronic miner equipment. - - balance: Due to the recipe requiring leather, it is not normally accessible to - all ghost roles without a source of water & electricity. + - rscadd: + You can now craft a strong cloak with a hood made out of goliath and monster + materials from within the primitive crafting screen. + - rscadd: + The cloak has a suit slot for all kind of primitive supplies, however + it cannot carry most electronic miner equipment. + - balance: + Due to the recipe requiring leather, it is not normally accessible to + all ghost roles without a source of water & electricity. kevinz000: - - rscadd: You can now add bayonets to kinetic accelerators. However, only combat - knives and survival knives can be added. Harm intent attacking things will cause - you to attack that thing with the bayonet instead! + - rscadd: + You can now add bayonets to kinetic accelerators. However, only combat + knives and survival knives can be added. Harm intent attacking things will cause + you to attack that thing with the bayonet instead! 2017-05-28: ClosingBracket: - - tweak: Allows explorer webbings to hold marker beacons. + - tweak: Allows explorer webbings to hold marker beacons. Expletive: - - tweak: E-Cigarettes can now fit in your pocket. + - tweak: E-Cigarettes can now fit in your pocket. Iamgoofball: - - bugfix: After the Syndicate realized their top chemist was both mixing a stamina - destroying drug with a stimulant to avoid slowdowns entirely in their sleepypens, - they fired him and replaced him with a new chemist. + - bugfix: + After the Syndicate realized their top chemist was both mixing a stamina + destroying drug with a stimulant to avoid slowdowns entirely in their sleepypens, + they fired him and replaced him with a new chemist. Joan: - - rscadd: Miner borgs can now place marker beacons from a storage of 30. - - bugfix: Necropolis tendrils will once again emit light. - - rscadd: The kinetic crusher can now gain bonus effects via trophy items gained - by killing bosses with it. - - rscadd: Yes, you do have to kill the boss primarily doing damage via the kinetic - crusher, or you won't get the trophy item and the bonus effect it grants. + - rscadd: Miner borgs can now place marker beacons from a storage of 30. + - bugfix: Necropolis tendrils will once again emit light. + - rscadd: + The kinetic crusher can now gain bonus effects via trophy items gained + by killing bosses with it. + - rscadd: + Yes, you do have to kill the boss primarily doing damage via the kinetic + crusher, or you won't get the trophy item and the bonus effect it grants. Kor: - - bugfix: The chaplains possessed blade, shades, and constructs, can once again - speak galactic common. + - bugfix: + The chaplains possessed blade, shades, and constructs, can once again + speak galactic common. QualityVan: - - bugfix: Bayonets can now be used for butchery - - tweak: Cloning pods which are interrupted by a emagging will now produce a slightly - lumpier smoothie - - bugfix: Cloning pods that have stopped cloning early can no longer be broken open - to extract leftover parts - - bugfix: Crew monitoring consoles once again have minimaps while you're on the - station level + - bugfix: Bayonets can now be used for butchery + - tweak: + Cloning pods which are interrupted by a emagging will now produce a slightly + lumpier smoothie + - bugfix: + Cloning pods that have stopped cloning early can no longer be broken open + to extract leftover parts + - bugfix: + Crew monitoring consoles once again have minimaps while you're on the + station level Steelpoint: - - rscadd: A New Iron Hawk troop transport ruin has been added to lavaland. Can the - sole surviving Marine somehow survive the horrors of lavaland? Lore fluff included. - - rscadd: Central Command has listened to complaints and, as such, has now stationed - "real" Private Security Officers at centcom docks. - - rscadd: A new Nanotrasen Security Officer NPC variant is available to admins, - this 'peaceful' version will only attack people who attack it first. Great for - keeping order. + - rscadd: + A New Iron Hawk troop transport ruin has been added to lavaland. Can the + sole surviving Marine somehow survive the horrors of lavaland? Lore fluff included. + - rscadd: + Central Command has listened to complaints and, as such, has now stationed + "real" Private Security Officers at centcom docks. + - rscadd: + A new Nanotrasen Security Officer NPC variant is available to admins, + this 'peaceful' version will only attack people who attack it first. Great for + keeping order. Swindly: - - bugfix: fixed not being able to attach heads without brainmobs in them + - bugfix: fixed not being able to attach heads without brainmobs in them cacogen: - - rscadd: You can now rename dog beds by buckling a new owner to them - - rscadd: Dogs that spawn in an area with a vacant bed will take possession of and - rename the bed - - rscadd: Adds AI follow links to holopad speech and PDA messages. Note that PDA - messages point to the owner of the PDA and not the PDA's actual location. - - bugfix: Fixes PDA icon not showing up beside received messages for AIs + - rscadd: You can now rename dog beds by buckling a new owner to them + - rscadd: + Dogs that spawn in an area with a vacant bed will take possession of and + rename the bed + - rscadd: + Adds AI follow links to holopad speech and PDA messages. Note that PDA + messages point to the owner of the PDA and not the PDA's actual location. + - bugfix: Fixes PDA icon not showing up beside received messages for AIs kevinz000: - - rscadd: Nanotrasen's new titanium wall blueprints are smooth enough that it can - reflect projectiles! + - rscadd: + Nanotrasen's new titanium wall blueprints are smooth enough that it can + reflect projectiles! 2017-05-29: Joan: - - spellcheck: Renames hivelord and legion cores to 'regenerative core'. Their descs - have also been updated to be more clear. + - spellcheck: + Renames hivelord and legion cores to 'regenerative core'. Their descs + have also been updated to be more clear. Nanotrasen Plasmaman Outreach Division: - - tweak: plasmaman tank volume has been increased from 3 to 6. + - tweak: plasmaman tank volume has been increased from 3 to 6. XDTM: - - balance: Abductors have learned how to properly delete the memories of their test - subjects. + - balance: + Abductors have learned how to properly delete the memories of their test + subjects. bandit: - - tweak: The officer's sabre standard in Nanotrasen captain rollouts can be used - to remove the tails of lizard traitors, or lizards in general. + - tweak: + The officer's sabre standard in Nanotrasen captain rollouts can be used + to remove the tails of lizard traitors, or lizards in general. oranges: - - rscadd: AI's can now hang up all holocalls at a station with alt+click + - rscadd: AI's can now hang up all holocalls at a station with alt+click 2017-05-30: Expletive: - - rscadd: Luxury versions of the bluespace shelter capsule are now available! Purchase - them at the mining equipment vendor. - - rscadd: 'Cardboard cutouts have a new option: Xenomorph Maid' - - rscadd: Black Carpet can now be crafted using a stack of carpet and a black crayon. - - rscadd: Black fancy tables can now be crafted using Black Carpet. - - rscadd: Shower curtains can now be recoloured with crayons, unscrewed from the - floor, disassembled with wire cutters, and reassembled using cloth, plastic, - and a metal rod. + - rscadd: + Luxury versions of the bluespace shelter capsule are now available! Purchase + them at the mining equipment vendor. + - rscadd: "Cardboard cutouts have a new option: Xenomorph Maid" + - rscadd: Black Carpet can now be crafted using a stack of carpet and a black crayon. + - rscadd: Black fancy tables can now be crafted using Black Carpet. + - rscadd: + Shower curtains can now be recoloured with crayons, unscrewed from the + floor, disassembled with wire cutters, and reassembled using cloth, plastic, + and a metal rod. kevinz000: - - rscadd: Research and Development have recieved designs for new prototype Beam - Marksman Rifles. These rifles require a short aiming cycle to fire, however, - have extreme velocity over other weapons. - - experiment: Aiming time is 2 seconds, hold down mouse to aim, aiming time increases - if you change your aim based on angle changed, or if you move while aiming. - The weapon can not be fired while unscoped. - - rscdel: However, someone tripped and pulled out the power cord while your servers - were being updated with the latest revision of accelerator laser cannons. All - data have been lost... + - rscadd: + Research and Development have recieved designs for new prototype Beam + Marksman Rifles. These rifles require a short aiming cycle to fire, however, + have extreme velocity over other weapons. + - experiment: + Aiming time is 2 seconds, hold down mouse to aim, aiming time increases + if you change your aim based on angle changed, or if you move while aiming. + The weapon can not be fired while unscoped. + - rscdel: + However, someone tripped and pulled out the power cord while your servers + were being updated with the latest revision of accelerator laser cannons. All + data have been lost... 2017-06-02: Cyberboss: - - experiment: New server backend! - - tweak: Test merged PRs now show the commit of the PR at which they were merged + - experiment: New server backend! + - tweak: Test merged PRs now show the commit of the PR at which they were merged Expletive: - - rscadd: Adds the NT75 Electromagnetic Power Inducer, a tool which can be used - to quickly recharge many devices! They can be found in Electrical Closets, the - CE's locker, ordered by cargo, or created in RnD. + - rscadd: + Adds the NT75 Electromagnetic Power Inducer, a tool which can be used + to quickly recharge many devices! They can be found in Electrical Closets, the + CE's locker, ordered by cargo, or created in RnD. Goodstuff: - - bugfix: Fixes the crafting recipe for black carpet - - bugfix: Removed a random white dot on the black carpet sprite + - bugfix: Fixes the crafting recipe for black carpet + - bugfix: Removed a random white dot on the black carpet sprite Joan: - - rscadd: Goliaths, Watchers, and Legions have a small chance of dropping a kinetic - crusher trophy item when killed with a kinetic crusher. Like the boss trophy - items, these give various effects. - - tweak: Kinetic crushers recharge very slightly slower. - - rscadd: Three unique Kinetic Accelerator modules will now appear in necropolis - chests. + - rscadd: + Goliaths, Watchers, and Legions have a small chance of dropping a kinetic + crusher trophy item when killed with a kinetic crusher. Like the boss trophy + items, these give various effects. + - tweak: Kinetic crushers recharge very slightly slower. + - rscadd: + Three unique Kinetic Accelerator modules will now appear in necropolis + chests. MMMiracles (Cerestation): - - rscadd: CereStation's Security department has been overhauled entirely thanks - to the tireless efforts of Nanotrasen's construction division. + - rscadd: + CereStation's Security department has been overhauled entirely thanks + to the tireless efforts of Nanotrasen's construction division. Nanotrasen Mining Alert: - - rscadd: Nanotrasen's mining operations have created far more corpses than an entire - galaxy of cooks could hope to deal with. To solve this, we decided to just dump - them all from orbit onto the barren lava planet. Unfortunately, the creatures - called "Legion" have infested a great number of them, and you can now commonly - find the bodies of former Nanotrasen employees left behind. Additionally, there - are reports of natives, other settlers, and even stranger things found among - the corpses. + - rscadd: + Nanotrasen's mining operations have created far more corpses than an entire + galaxy of cooks could hope to deal with. To solve this, we decided to just dump + them all from orbit onto the barren lava planet. Unfortunately, the creatures + called "Legion" have infested a great number of them, and you can now commonly + find the bodies of former Nanotrasen employees left behind. Additionally, there + are reports of natives, other settlers, and even stranger things found among + the corpses. QualityVan: - - tweak: The tactical rigging in op closets is more tacticool + - tweak: The tactical rigging in op closets is more tacticool Shadowlight213: - - balance: The reset wire on borgs must now be cut to reset a borg's module instead - of pulsed. - - tweak: Portable pump max pressure has been lowered. + - balance: + The reset wire on borgs must now be cut to reset a borg's module instead + of pulsed. + - tweak: Portable pump max pressure has been lowered. Steelpoint: - - tweak: Iron Hawk Marine no longer has Centcom all access. My mistake. - - bugfix: Fixes Iron Hawk marine carbine not having a visible sprite. + - tweak: Iron Hawk Marine no longer has Centcom all access. My mistake. + - bugfix: Fixes Iron Hawk marine carbine not having a visible sprite. Swindly: - - balance: Nitrous oxide no longer produces water as a by-product, requires 2 parts - ammonia instead of 3, and produces 5 parts when made instead of 2. + - balance: + Nitrous oxide no longer produces water as a by-product, requires 2 parts + ammonia instead of 3, and produces 5 parts when made instead of 2. kevinz000: - - experiment: Gang turrets now follow the mouse of the person using them! Yay! + - experiment: Gang turrets now follow the mouse of the person using them! Yay! octareenroon91: - - bugfix: Attempts to add items to a storage container beyond its slots limit will - now obtain a failure message again. + - bugfix: + Attempts to add items to a storage container beyond its slots limit will + now obtain a failure message again. 2017-06-03: Expletive: - - tweak: Chem Dispensers now store their power in their batteries. - - tweak: Instead of being based on battery and capacitor ratings, recharge delay - for portable chem dispensers is now based on their capacitor and matter bin - ratings. - - tweak: The Seed Vault's chemical dispenser now has all the chemicals a pod person - could want. - - rscadd: The crafting menu now has subcategories! - - rscadd: Food recipe categories have been combined as subcategories of the Foods - category. - - rscadd: Weaponry and Ammunition have been combined as subcategories of the Weaponry - category. + - tweak: Chem Dispensers now store their power in their batteries. + - tweak: + Instead of being based on battery and capacitor ratings, recharge delay + for portable chem dispensers is now based on their capacitor and matter bin + ratings. + - tweak: + The Seed Vault's chemical dispenser now has all the chemicals a pod person + could want. + - rscadd: The crafting menu now has subcategories! + - rscadd: + Food recipe categories have been combined as subcategories of the Foods + category. + - rscadd: + Weaponry and Ammunition have been combined as subcategories of the Weaponry + category. Improvedname: - - rscadd: Janitors now start with a flyswatter + - rscadd: Janitors now start with a flyswatter Mothership Epsilon: - - tweak: All your base are belong to us. + - tweak: All your base are belong to us. Penguaro: - - bugfix: '[Box] Removes extra/unattached vent from Xeno Lab' + - bugfix: "[Box] Removes extra/unattached vent from Xeno Lab" Planned Spaceparenthood: - - bugfix: We would like to apologize for mislabeled cloning pod buttons. + - bugfix: We would like to apologize for mislabeled cloning pod buttons. WJohnston: - - bugfix: Deltastation's south nuke op shuttle location should no longer be possible - to teleport into by moving off the map and back on, and moved the rest closer - to the station. + - bugfix: + Deltastation's south nuke op shuttle location should no longer be possible + to teleport into by moving off the map and back on, and moved the rest closer + to the station. p440: - - bugfix: Fixed duping cable coils with magic APC terminals - - bugfix: Fixed invalid icon state for empty APCs + - bugfix: Fixed duping cable coils with magic APC terminals + - bugfix: Fixed invalid icon state for empty APCs 2017-06-04: Expletive: - - rscadd: Many stacks now update their sprite based on their amount. - - rscadd: Stacks will now weigh less if they're less than full. - - imageadd: Added new icon states for glass, reinforced glass, metal, plasteel, - plastic, plasma, plastitanium, titanium, gold, silver, adamantine, brass, bruise - packs, ointment, gauze, cloth, leather, wet leather, hairless hide, human hide, - ash drake hide, goliath hide, bones, sandstone blocks, and snow blocks. - - tweak: Some lavaland stacks' max amounts have been reduced. - - bugfix: Bulldog Shotguns should update their sprite properly when you remove the - magazine. - - bugfix: Riot suits no longer hide jumpsuits. + - rscadd: Many stacks now update their sprite based on their amount. + - rscadd: Stacks will now weigh less if they're less than full. + - imageadd: + Added new icon states for glass, reinforced glass, metal, plasteel, + plastic, plasma, plastitanium, titanium, gold, silver, adamantine, brass, bruise + packs, ointment, gauze, cloth, leather, wet leather, hairless hide, human hide, + ash drake hide, goliath hide, bones, sandstone blocks, and snow blocks. + - tweak: Some lavaland stacks' max amounts have been reduced. + - bugfix: + Bulldog Shotguns should update their sprite properly when you remove the + magazine. + - bugfix: Riot suits no longer hide jumpsuits. Joan: - - balance: Rod Form now costs 2 points, from 3. - - balance: Rod Form now does 70 damage, from 160, but gains 20 damage, per upgrade, - when upgraded. This means you'll need to spend 6 points on it to instantly crit - people from full health. + - balance: Rod Form now costs 2 points, from 3. + - balance: + Rod Form now does 70 damage, from 160, but gains 20 damage, per upgrade, + when upgraded. This means you'll need to spend 6 points on it to instantly crit + people from full health. Swindly: - - balance: Chemical grenades are no longer permanently disabled after being unlocked - by wirecutters after being primed. + - balance: + Chemical grenades are no longer permanently disabled after being unlocked + by wirecutters after being primed. 2017-06-05: Expletive: - - rscadd: The Ore Redemption Machine has been ported to TGUI. New features include - the addition of "Release All" and "Smelt All" buttons. - - rscadd: The Ore Redemption Machine now be loaded with sheets of material. - - rscadd: The Ore Redemption Machine can now 'smelt' Reinforced Glass. + - rscadd: + The Ore Redemption Machine has been ported to TGUI. New features include + the addition of "Release All" and "Smelt All" buttons. + - rscadd: The Ore Redemption Machine now be loaded with sheets of material. + - rscadd: The Ore Redemption Machine can now 'smelt' Reinforced Glass. Joan: - - balance: Only human and silicon servants can help recite multi-invoker scriptures. - This means cogscarabs, clockwork marauders, and anima fragments DO NOT COUNT - for scriptures that require multiple invokers. - - balance: Clockcult scripture tiers can no longer be lost by dipping below their - requirements once they are unlocked. - - rscdel: Removes Revenant scriptures entirely. + - balance: + Only human and silicon servants can help recite multi-invoker scriptures. + This means cogscarabs, clockwork marauders, and anima fragments DO NOT COUNT + for scriptures that require multiple invokers. + - balance: + Clockcult scripture tiers can no longer be lost by dipping below their + requirements once they are unlocked. + - rscdel: Removes Revenant scriptures entirely. MMMiracles: - - tweak: Deepstorage ruin has been redone to be more self-sufficient and up to better - mapping standards. + - tweak: + Deepstorage ruin has been redone to be more self-sufficient and up to better + mapping standards. 2017-06-06: Joan: - - rscadd: Added a new unique Kinetic Accelerator module to necropolis chests. - - spellcheck: Renames Clockwork Proselytizers to Replica Fabricators. - - balance: Replica Fabricators can directly consume floor tiles, rods, metal, and - plasteel for power instead of needing to convert to brass first. - - balance: Cogscarabs can no longer use guns. - - tweak: KA modkits in necropolis chests are now design discs with designs for those - modkits, to force miners to bring back minerals. + - rscadd: Added a new unique Kinetic Accelerator module to necropolis chests. + - spellcheck: Renames Clockwork Proselytizers to Replica Fabricators. + - balance: + Replica Fabricators can directly consume floor tiles, rods, metal, and + plasteel for power instead of needing to convert to brass first. + - balance: Cogscarabs can no longer use guns. + - tweak: + KA modkits in necropolis chests are now design discs with designs for those + modkits, to force miners to bring back minerals. PKPenguin321: - - bugfix: The fake pits that the arcade machines can vend now vend properly, for - real this time. + - bugfix: + The fake pits that the arcade machines can vend now vend properly, for + real this time. Robustin: - - rscadd: The cult master has finally acquired their 3rd spell, Eldritch Pulse. - This ability allows the cult master to quickly teleport any cultist or cult - structure in visual range to another tile in visual range. This spell has an - obvious spell effect that will indicate where the target has gone but without - explicitly revealing who the master is. This spell should assist with moving - obstinate cultists off an important rune, getting wandering cultists back onto - an important rune, save a cultist from an untimely arrest/summary execution, - assist in getting your allies into secure areas, etc. - - bugfix: The void torch now only works on items that have been placed on surfaces, - this prevents the inventory bugs associated with this item. + - rscadd: + The cult master has finally acquired their 3rd spell, Eldritch Pulse. + This ability allows the cult master to quickly teleport any cultist or cult + structure in visual range to another tile in visual range. This spell has an + obvious spell effect that will indicate where the target has gone but without + explicitly revealing who the master is. This spell should assist with moving + obstinate cultists off an important rune, getting wandering cultists back onto + an important rune, save a cultist from an untimely arrest/summary execution, + assist in getting your allies into secure areas, etc. + - bugfix: + The void torch now only works on items that have been placed on surfaces, + this prevents the inventory bugs associated with this item. thefastfoodguy: - - tweak: you can burn your brains out with a flashlight if you're tired of life + - tweak: you can burn your brains out with a flashlight if you're tired of life 2017-06-07: Expletive: - - rscadd: New plasma medals have been added to the Captain's medal box. Don't get - them too warm. - - imageadd: New sprites for plasma medals. - - imageadd: Icon and worn sprites for all medals and the lawyer's badge have been - improved. Worn medals more closely match their icons. - - tweak: The bone talisman is an accessory again, so it's not useless. - - imageadd: It also has a new worn sprite, based on an arm band. - - imagedel: Ties have been removed from accessories.dmi and vice versa. Same for - the explorer's webbing sprites that were in there. ties.dmi is now neck.dmi, - and has sprites for scarves, ties, sthetoscopes, etc. - - tweak: Examining an accessory now tells you how to use it. + - rscadd: + New plasma medals have been added to the Captain's medal box. Don't get + them too warm. + - imageadd: New sprites for plasma medals. + - imageadd: + Icon and worn sprites for all medals and the lawyer's badge have been + improved. Worn medals more closely match their icons. + - tweak: The bone talisman is an accessory again, so it's not useless. + - imageadd: It also has a new worn sprite, based on an arm band. + - imagedel: + Ties have been removed from accessories.dmi and vice versa. Same for + the explorer's webbing sprites that were in there. ties.dmi is now neck.dmi, + and has sprites for scarves, ties, sthetoscopes, etc. + - tweak: Examining an accessory now tells you how to use it. Joan: - - spellcheck: Renamed Volt Void to Volt Blaster. - - tweak: Volt Blaster does not consume power when firing and does not cause backlash - if you don't fire. - - balance: Volt Blaster does 25 damage, from 20-40 depending on power, and has 5 - shots, from 4, over its duration. + - spellcheck: Renamed Volt Void to Volt Blaster. + - tweak: + Volt Blaster does not consume power when firing and does not cause backlash + if you don't fire. + - balance: + Volt Blaster does 25 damage, from 20-40 depending on power, and has 5 + shots, from 4, over its duration. QualityVan: - - bugfix: Surplus rifles are no longer invisible while unloaded + - bugfix: Surplus rifles are no longer invisible while unloaded Shadowlight213: - - balance: The Changeling Transformation Sting is once again stealthy. However, - it no longer transfers mutations. - - balance: The chemical cost of Transformation Sting has been increased to 50 + - balance: + The Changeling Transformation Sting is once again stealthy. However, + it no longer transfers mutations. + - balance: The chemical cost of Transformation Sting has been increased to 50 2017-06-08: 4dplanner: - - bugfix: traitors show up on antagHUD + - bugfix: traitors show up on antagHUD Expletive: - - tweak: The detective's flask has Hearty Punch instead of whiskey. - - bugfix: The Detective's fedora no longer clips with hair. - - imageadd: Adds 91 new sprites to fix clipping issues with the Detective's fedora - and hair. - - imageadd: Change the standard fedora to match the detective and treasure hunter - variants. - - tweak: Detective, Treasure Hunter, and standard fedoras now all benefit from new - sprites. + - tweak: The detective's flask has Hearty Punch instead of whiskey. + - bugfix: The Detective's fedora no longer clips with hair. + - imageadd: + Adds 91 new sprites to fix clipping issues with the Detective's fedora + and hair. + - imageadd: + Change the standard fedora to match the detective and treasure hunter + variants. + - tweak: + Detective, Treasure Hunter, and standard fedoras now all benefit from new + sprites. Joan: - - balance: Tinkerer's Daemons are no longer totally disabled if you drop below the - servant requirement. - - balance: Instead, Tinkerer's Daemons will disable until the number of active daemons - is equal to or less than one-fifth of the living Servants. - - tweak: Tinkerer's Daemons produce components very slightly slower. - - rscadd: Added Prolonging Prism as an application scripture. - - balance: Prolonging Prism will delay the arrival of an emergency shuttle by 2 - minutes at the cost of 2500W of power plus 75W for every 10 CV and 750W for - every previous activation. In addition to the high cost, it very obviously affects - the shuttle dock and leaves an obvious trail to the prism. - - balance: Script scripture now requires 6 Servants to unlock, from 5, and Application - scripture now requires 9 Servants to unlock, from 8. + - balance: + Tinkerer's Daemons are no longer totally disabled if you drop below the + servant requirement. + - balance: + Instead, Tinkerer's Daemons will disable until the number of active daemons + is equal to or less than one-fifth of the living Servants. + - tweak: Tinkerer's Daemons produce components very slightly slower. + - rscadd: Added Prolonging Prism as an application scripture. + - balance: + Prolonging Prism will delay the arrival of an emergency shuttle by 2 + minutes at the cost of 2500W of power plus 75W for every 10 CV and 750W for + every previous activation. In addition to the high cost, it very obviously affects + the shuttle dock and leaves an obvious trail to the prism. + - balance: + Script scripture now requires 6 Servants to unlock, from 5, and Application + scripture now requires 9 Servants to unlock, from 8. Lzimann + Cyberboss: - - experiment: Ported goonchat. Much less laggy and crashy than BYOND chat. + Frills! + - experiment: Ported goonchat. Much less laggy and crashy than BYOND chat. + Frills! NanoTrasen Public Relations Department: - - rscadd: A mining accident has released large amounts of space dust, which is starting - to drift near our stations. Don't panic, it's probably safe. + - rscadd: + A mining accident has released large amounts of space dust, which is starting + to drift near our stations. Don't panic, it's probably safe. Nanotrasen Plastic Surgery Advert: - - rscadd: Are you a mutant? Were you born hideously deformed? Do you have ears growing - out of the top of your head? Or even a tail? Don't worry, with our patented - surgical techniques, Nanotrasen's highly trained medical staff can make you - normal! Schedule an appointment, and one of our surgeons can see you same day. - - balance: Cat ears now give you double the ear damage. + - rscadd: + Are you a mutant? Were you born hideously deformed? Do you have ears growing + out of the top of your head? Or even a tail? Don't worry, with our patented + surgical techniques, Nanotrasen's highly trained medical staff can make you + normal! Schedule an appointment, and one of our surgeons can see you same day. + - balance: Cat ears now give you double the ear damage. QualityVan: - - bugfix: Cremators now still work when there's only one thing in them - - bugfix: The ORM now uses the intended amount of resources when making alloys - - rscdel: Cyborgs can no longer alt-click their material stacks to split them + - bugfix: Cremators now still work when there's only one thing in them + - bugfix: The ORM now uses the intended amount of resources when making alloys + - rscdel: Cyborgs can no longer alt-click their material stacks to split them Robustin: - - balance: The blood cult can only attempt to summon Nar-Sie in one of three rooms - that are randomly selected at round-start. + - balance: + The blood cult can only attempt to summon Nar-Sie in one of three rooms + that are randomly selected at round-start. Shadowlight213: - - rscadd: Tracking implants and chem implants have been added to rnd - - rscdel: Adrenaline and freedom implants have been removed from rnd + - rscadd: Tracking implants and chem implants have been added to rnd + - rscdel: Adrenaline and freedom implants have been removed from rnd Xhuis: - - tweak: Defibrillator paddles will no longer stick to your hands, and will snap - back onto the unit if you drop them somehow. + - tweak: + Defibrillator paddles will no longer stick to your hands, and will snap + back onto the unit if you drop them somehow. lzimann: - - rscdel: Xeno queens can no longer be maids + - rscdel: Xeno queens can no longer be maids oranges: - - rscadd: Added stungloves to the brain damage lines + - rscadd: Added stungloves to the brain damage lines 2017-06-09: Nanotrasen Shiny Object Appreciation Club: - - rscadd: The RD and HoS now receive medal lockboxes in their lockers, containing - science and security medals, respectively. + - rscadd: + The RD and HoS now receive medal lockboxes in their lockers, containing + science and security medals, respectively. Tacolizard and Cyberboss, idea by RandomMarine: - - rscadd: You can now add a commendation message when pinning a medal on someone. - - rscadd: Medal commendations will be displayed when the round ends. - - tweak: Refactored the outfit datum to allow accessories as part of an outfit. - - bugfix: The Captain spawns with the Medal of Captaincy again. + - rscadd: You can now add a commendation message when pinning a medal on someone. + - rscadd: Medal commendations will be displayed when the round ends. + - tweak: Refactored the outfit datum to allow accessories as part of an outfit. + - bugfix: The Captain spawns with the Medal of Captaincy again. TrustyGun: - - rscadd: Some of the clown's toys have been moved into a crate in the theater. - If you think you are missing something, check in there. - - rscadd: Wooden crates have been added. You can construct them with 6 wooden planks, - and deconstruct them the same way as regular crates + - rscadd: + Some of the clown's toys have been moved into a crate in the theater. + If you think you are missing something, check in there. + - rscadd: + Wooden crates have been added. You can construct them with 6 wooden planks, + and deconstruct them the same way as regular crates oranges: - - tweak: Security minor and major crime descriptors are now a single line input, - making it easier to add them - - tweak: Medical record descriptions are single inputs now + - tweak: + Security minor and major crime descriptors are now a single line input, + making it easier to add them + - tweak: Medical record descriptions are single inputs now 2017-06-11: Expletive: - - imageadd: Glass tables are shinier + - imageadd: Glass tables are shinier Nanotrasen Consistency Affairs: - - bugfix: You no longer see yourself in place of the user when examining active - Spirit Sight runes. + - bugfix: + You no longer see yourself in place of the user when examining active + Spirit Sight runes. Shadowlight213: - - bugfix: Cloning dismembered heads and brains now respects husking and other clone - preventing disabilities. + - bugfix: + Cloning dismembered heads and brains now respects husking and other clone + preventing disabilities. WJohn: - - bugfix: It is now easier to wire the powernet into box's telecomms SMES cell. + - bugfix: It is now easier to wire the powernet into box's telecomms SMES cell. Xhuis: - - rscadd: You can now pin papers and photos to airlocks. Anyone examining the airlock - from up close can see the details. You can cut them down with wirecutters. + - rscadd: + You can now pin papers and photos to airlocks. Anyone examining the airlock + from up close can see the details. You can cut them down with wirecutters. lordpidey: - - rscadd: Added F.R.A.M.E. cartridge to uplinks. This PDA cartridge contains 5 - viruses, which when used will unlock the target's PDA into a syndicate uplink, - in addition, you will receive the code needed to unlock the uplink again, if - you so desire. - - rscadd: If you use telecrystals on a F.R.A.M.E. cartridge, the next time it is - used, it will also give those crystals to the target uplink. + - rscadd: + Added F.R.A.M.E. cartridge to uplinks. This PDA cartridge contains 5 + viruses, which when used will unlock the target's PDA into a syndicate uplink, + in addition, you will receive the code needed to unlock the uplink again, if + you so desire. + - rscadd: + If you use telecrystals on a F.R.A.M.E. cartridge, the next time it is + used, it will also give those crystals to the target uplink. octareenroon91: - - bugfix: Mecha tools now respond to MMI control signals as intended. + - bugfix: Mecha tools now respond to MMI control signals as intended. shizcalev: - - tweak: '"Species immune to radiation are no longer compatible targets of radiation - based DNA injectors."' - - bugfix: '"A gun''s firing pin will no longer malfunction when placed into your - own mouth. Phew!"' - - imageadd: '"Bedsheets capes are now slightly more accurate. Be jealous of the - clown and their sexy cape!"' + - tweak: + '"Species immune to radiation are no longer compatible targets of radiation + based DNA injectors."' + - bugfix: + '"A gun''s firing pin will no longer malfunction when placed into your + own mouth. Phew!"' + - imageadd: + '"Bedsheets capes are now slightly more accurate. Be jealous of the + clown and their sexy cape!"' 2017-06-13: Expletive: - - tweak: Paper planes are now the same color as the paper used to make them. - - bugfix: Flashdarks can no longer be used to examine head based organs. + - tweak: Paper planes are now the same color as the paper used to make them. + - bugfix: Flashdarks can no longer be used to examine head based organs. Fox McCloud: - - tweak: Tweaked game options animal speed value to match live server + - tweak: Tweaked game options animal speed value to match live server Joan: - - spellcheck: Renamed AI liquid dispensers to foam dispensers. - - tweak: Foam dispensers now activate immediately when clicked, rather than forcing - the user to go through a menu. They also have better visual, message, and examine - feedback on if they can be activated. + - spellcheck: Renamed AI liquid dispensers to foam dispensers. + - tweak: + Foam dispensers now activate immediately when clicked, rather than forcing + the user to go through a menu. They also have better visual, message, and examine + feedback on if they can be activated. MrStonedOne: - - experiment: Added some code to detect the byond bug causing clients to send phantom - actions shortly after connection. It will attempt to fix or work around the - issue. + - experiment: + Added some code to detect the byond bug causing clients to send phantom + actions shortly after connection. It will attempt to fix or work around the + issue. Nanotrasen Robotics Department: - - rscadd: To aid in general-purpose cleaning and maintaining of station faculties, - all janitor cyborgs are now outfitted with a screwdriver, crowbar, and floor - tile synthesizer. + - rscadd: + To aid in general-purpose cleaning and maintaining of station faculties, + all janitor cyborgs are now outfitted with a screwdriver, crowbar, and floor + tile synthesizer. WJohnston: - - bugfix: Survival bunker ruin's power now works, mostly. + - bugfix: Survival bunker ruin's power now works, mostly. shizcalev: - - tweak: '"Radiation immune species are now incompatible with the radiation based - genetics DNA scanner/modifier."' + - tweak: + '"Radiation immune species are now incompatible with the radiation based + genetics DNA scanner/modifier."' 2017-06-14: Expletive: - - rscadd: The medalboxes are now fancy. - - imageadd: New sprites for opened medal boxes. + - rscadd: The medalboxes are now fancy. + - imageadd: New sprites for opened medal boxes. Joan: - - tweak: Being converted to clockcult will briefly cause your world to turn yellow - and you to hear the machines of Reebe, matching the description in the messages. - - spellcheck: The messages for being converted and for failing conversion to clockcult - have been updated. + - tweak: + Being converted to clockcult will briefly cause your world to turn yellow + and you to hear the machines of Reebe, matching the description in the messages. + - spellcheck: + The messages for being converted and for failing conversion to clockcult + have been updated. Tacolizard: - - bugfix: Flamethrowers no longer say they're being ignited when you extinguish - them + - bugfix: + Flamethrowers no longer say they're being ignited when you extinguish + them 2017-06-17: Cyberboss: - - tweak: NT now provides education on the proper response for experiencing the excrutiating - pain of varying degree burns (You scream when burning) + - tweak: + NT now provides education on the proper response for experiencing the excrutiating + pain of varying degree burns (You scream when burning) Expletive: - - rscadd: The Captain now starts with a deluxe fountain pen in their PDA. - - rscadd: The quartermaster, curator, research director, lawyer, and bartender start - with normal fountain pens in their PDAs. - - rscadd: Cargo can order fountain pens via the Calligraphy Crate. - - rscadd: Nerds on the station will be pleased to know they now have pocket protectors. - - bugfix: Cryo cells work properly on mobs with varying max health values. + - rscadd: The Captain now starts with a deluxe fountain pen in their PDA. + - rscadd: + The quartermaster, curator, research director, lawyer, and bartender start + with normal fountain pens in their PDAs. + - rscadd: Cargo can order fountain pens via the Calligraphy Crate. + - rscadd: Nerds on the station will be pleased to know they now have pocket protectors. + - bugfix: Cryo cells work properly on mobs with varying max health values. Joan: - - rscdel: Cultists must be human to run for Cult Master status. - - tweak: The Hierophant is a little less chaotic and murdery on average. + - rscdel: Cultists must be human to run for Cult Master status. + - tweak: The Hierophant is a little less chaotic and murdery on average. LanCartwright: - - rscadd: Penguins, penguin chicks, penguin eggs. - - rscadd: Penguin family to Winter Wonderland. + - rscadd: Penguins, penguin chicks, penguin eggs. + - rscadd: Penguin family to Winter Wonderland. MrStonedOne and Lummox JR: - - bugfix: Fixed icon scaling and size preferences not loading (Technically size - preferences were loading because byond saves that locally, but that's not reliable - because ss13 shares a hub) + - bugfix: + Fixed icon scaling and size preferences not loading (Technically size + preferences were loading because byond saves that locally, but that's not reliable + because ss13 shares a hub) QualityVan: - - rscadd: The botany vending machine now has a stock of onion seeds + - rscadd: The botany vending machine now has a stock of onion seeds RandomMarine: - - tweak: RCDs now always use matter consistent with the material needed when building. - - tweak: Floors now cost 3 or 1 matter to build, based on if a lattice exists on - the tile. - - tweak: Reinforced windows cost 12 matter. Normal windows cost 8 matter. (Both - up/down from 10) - - tweak: Glass airlocks cost 20 matter. - - tweak: RCDs are faster at building grilles and plain glass windows. + - tweak: RCDs now always use matter consistent with the material needed when building. + - tweak: + Floors now cost 3 or 1 matter to build, based on if a lattice exists on + the tile. + - tweak: + Reinforced windows cost 12 matter. Normal windows cost 8 matter. (Both + up/down from 10) + - tweak: Glass airlocks cost 20 matter. + - tweak: RCDs are faster at building grilles and plain glass windows. Steelpoint: - - tweak: Slightly reshuffles the Head of Security's, and Research Directors, locker - to place fluff items below essential items. + - tweak: + Slightly reshuffles the Head of Security's, and Research Directors, locker + to place fluff items below essential items. Tacolizard: - - rscdel: Flashes no longer have a tech requirement + - rscdel: Flashes no longer have a tech requirement That Really Good Soda Flavor: - - bugfix: High luminosity eyes will have material science instead of an error research - type + - bugfix: + High luminosity eyes will have material science instead of an error research + type Thunder12345 and Improvedname: - - rscadd: You can now turn severed cat tails and ears into genuine kitty ears - - rscadd: Cat tails can now be used to make a cat o' nine tails, similarly to the - liz o' nine tails. + - rscadd: You can now turn severed cat tails and ears into genuine kitty ears + - rscadd: + Cat tails can now be used to make a cat o' nine tails, similarly to the + liz o' nine tails. Xhuis: - - spellcheck: The names of the hand drill, jaws of life, and emitter are now lowercase. - - spellcheck: The descriptions of the hand drill, jaws of life, and emitter have - been changed to be more descriptive and less lengthy. - - rscadd: Tablets with IDs in them now show the ID's name when examining someone - with that tablet in their ID slot, similar to a PDA would. + - spellcheck: The names of the hand drill, jaws of life, and emitter are now lowercase. + - spellcheck: + The descriptions of the hand drill, jaws of life, and emitter have + been changed to be more descriptive and less lengthy. + - rscadd: + Tablets with IDs in them now show the ID's name when examining someone + with that tablet in their ID slot, similar to a PDA would. bandit: - - tweak: Default short/medium/long brig times are now, in order, 2, 3, and 5 minutes. + - tweak: Default short/medium/long brig times are now, in order, 2, 3, and 5 minutes. 2017-06-18: Expletive: - - tweak: Stacks of space cash now tell you their total value and their value per - bill when you examine them. + - tweak: + Stacks of space cash now tell you their total value and their value per + bill when you examine them. RandomMarine: - - tweak: Compressed matter cartridge production costs now reflect their material - worth at basic efficiency. - - bugfix: Compressed matter cartridges can now be exported. + - tweak: + Compressed matter cartridge production costs now reflect their material + worth at basic efficiency. + - bugfix: Compressed matter cartridges can now be exported. Xhuis: - - bugfix: Puny windows will no longer stop the progress of Ratvar. + - bugfix: Puny windows will no longer stop the progress of Ratvar. 2017-06-19: Expletive: - - rscadd: Paper frames can be created using wood and paper, and can be used to create - decorative structures. - - rscadd: Natural paper can now be crafted - - rscadd: KorPhaeron can now start a maid cafe, if they so desire. - - rscadd: Thanks to the invention of "Bill slots", vending machines can now accept - space cash. - - tweak: The Clown and Mime can now find their unique crayons stored inside their - PDAs + - rscadd: + Paper frames can be created using wood and paper, and can be used to create + decorative structures. + - rscadd: Natural paper can now be crafted + - rscadd: KorPhaeron can now start a maid cafe, if they so desire. + - rscadd: + Thanks to the invention of "Bill slots", vending machines can now accept + space cash. + - tweak: + The Clown and Mime can now find their unique crayons stored inside their + PDAs LanCartwright: - - rscadd: 1D4 into Lavaland Mining base crate. + - rscadd: 1D4 into Lavaland Mining base crate. RandomMarine: - - tweak: Bonfires now work on lavaland! + - tweak: Bonfires now work on lavaland! Tacolizard: - - rscadd: Repurposed the action button tooltip code to add tooltips with the examine - details of all held and equipped items. Hover your mouse over any item equipped, - held or in your inventory to examine it. - - rscadd: Examine tooltips can be toggled with the 'toggle-examine-tooltips' verb, - which can be typed or accessed from the OOC menu. - - rscadd: You can change the delay before a tooltip appears with the 'set-examine-tooltip-delay' - verb, also accessible via the OOC menu. The default delay is 500ms. + - rscadd: + Repurposed the action button tooltip code to add tooltips with the examine + details of all held and equipped items. Hover your mouse over any item equipped, + held or in your inventory to examine it. + - rscadd: + Examine tooltips can be toggled with the 'toggle-examine-tooltips' verb, + which can be typed or accessed from the OOC menu. + - rscadd: + You can change the delay before a tooltip appears with the 'set-examine-tooltip-delay' + verb, also accessible via the OOC menu. The default delay is 500ms. 2017-06-20: Bawhoppen: - - bugfix: Grenade belts and bandoliers will no longer obscure half the screen when - they're completely filled. + - bugfix: + Grenade belts and bandoliers will no longer obscure half the screen when + they're completely filled. LanCartwright: - - rscdel: Removed loot drops from Syndicate Simple mobs. + - rscdel: Removed loot drops from Syndicate Simple mobs. Tacolizard: - - rscadd: Some items now have custom force strings in their tooltips. - - bugfix: items with no force can still use a custom force string. + - rscadd: Some items now have custom force strings in their tooltips. + - bugfix: items with no force can still use a custom force string. Xhuis: - - bugfix: The station's heaters and freezers have been sternly reprimanded and will - now drop the correct circuit boards and cable coils. - - rscadd: The straight jacket now takes five seconds to put on. - - bugfix: The display cases in luxury shelter capsules will no longer spawn unobtainable, - abstract offhand objects. - - bugfix: Disablers now have an in-hand sprite. + - bugfix: + The station's heaters and freezers have been sternly reprimanded and will + now drop the correct circuit boards and cable coils. + - rscadd: The straight jacket now takes five seconds to put on. + - bugfix: + The display cases in luxury shelter capsules will no longer spawn unobtainable, + abstract offhand objects. + - bugfix: Disablers now have an in-hand sprite. nicbn: - - imageadd: Changed cryo sprites to Bay cryopods, which show the person inside of - them. + - imageadd: + Changed cryo sprites to Bay cryopods, which show the person inside of + them. 2017-06-22: Bawhoppen: - - rscadd: Dressers are now constructable, and unanchorable with a wrench. + - rscadd: Dressers are now constructable, and unanchorable with a wrench. ClosingBracket: - - spellcheck: Fixes small typographical errors on flight suits and implanters. + - spellcheck: Fixes small typographical errors on flight suits and implanters. Ergovisavi: - - tweak: Nanofrost setting and metal foam synthesizer on the Atmos watertank backpack - changed to "Resin", which is a solid, but transparent structure similar to metal - foam that scrubs the air of toxins, regulates temperature, etc - - tweak: Atmos holobarrier device swapped out for an Atmos holo-firelock device, - which creates holographic firelocks that prevent atmospheric changes from going - over them + - tweak: + Nanofrost setting and metal foam synthesizer on the Atmos watertank backpack + changed to "Resin", which is a solid, but transparent structure similar to metal + foam that scrubs the air of toxins, regulates temperature, etc + - tweak: + Atmos holobarrier device swapped out for an Atmos holo-firelock device, + which creates holographic firelocks that prevent atmospheric changes from going + over them Expletive: - - tweak: Flame thrower plasma tanks can be removed with alt-click. + - tweak: Flame thrower plasma tanks can be removed with alt-click. Lordpidey: - - bugfix: True and arch devils are no longer deaf. - - bugfix: Fixed some edge cases with devils getting two sets of spells. - - bugfix: True/arch devils can now instabreak cuffs. - - rscadd: The codex gigas now indicates if a devil is ascendable or not. - - tweak: Hellfire has been buffed, it now explodes multiple times. + - bugfix: True and arch devils are no longer deaf. + - bugfix: Fixed some edge cases with devils getting two sets of spells. + - bugfix: True/arch devils can now instabreak cuffs. + - rscadd: The codex gigas now indicates if a devil is ascendable or not. + - tweak: Hellfire has been buffed, it now explodes multiple times. Nanotrasen Robotics Department: - - tweak: Traitor AIs' malfunction modules have received a firmware update and are - more responsive, with HUD buttons and more sensible menus. - - tweak: Overload and Override Machines now function differently; instead of right-clicking - a machine to choose a context menu option, you activate the ability, which lets - you left-click on a machine to overload or override it. This also changes your - cursor. + - tweak: + Traitor AIs' malfunction modules have received a firmware update and are + more responsive, with HUD buttons and more sensible menus. + - tweak: + Overload and Override Machines now function differently; instead of right-clicking + a machine to choose a context menu option, you activate the ability, which lets + you left-click on a machine to overload or override it. This also changes your + cursor. Xhuis: - - rscadd: Alt-clicking the Show/Hide Actions button will now reset the positions - of all action buttons. - - rscadd: Hints to the two shortcuts for action buttons are now included in the - Show/Hide Actions button's tooltip. - - rscadd: (As a reminder, that's shift-click to reset the clicked button, and alt-clicking - the Show/Hide Actions button to reset it and all the others!) - - spellcheck: The names of several objects, such as the holopad and biogenerator, - have been lowercased. - - spellcheck: Added some descriptions to a few objects that lacked them. - - rscadd: Tablets now have a built-in flashlight! It can even change colors, as - long as they're light enough in hue. + - rscadd: + Alt-clicking the Show/Hide Actions button will now reset the positions + of all action buttons. + - rscadd: + Hints to the two shortcuts for action buttons are now included in the + Show/Hide Actions button's tooltip. + - rscadd: + (As a reminder, that's shift-click to reset the clicked button, and alt-clicking + the Show/Hide Actions button to reset it and all the others!) + - spellcheck: + The names of several objects, such as the holopad and biogenerator, + have been lowercased. + - spellcheck: Added some descriptions to a few objects that lacked them. + - rscadd: + Tablets now have a built-in flashlight! It can even change colors, as + long as they're light enough in hue. bandit: - - rscadd: Nanotrasen researchers have made the breakthrough discovery that Lavaland's - plants are, in fact, plants, and can be harvested with seed extractors. + - rscadd: + Nanotrasen researchers have made the breakthrough discovery that Lavaland's + plants are, in fact, plants, and can be harvested with seed extractors. ohnopigeons: - - bugfix: After a janitorial audit Nanotrasen has decided to further cut costs by - removing the janicart's secret space propulsion functionality + - bugfix: + After a janitorial audit Nanotrasen has decided to further cut costs by + removing the janicart's secret space propulsion functionality 2017-06-23: BeeSting12: - - bugfix: The clowndagger now has the correct skin. + - bugfix: The clowndagger now has the correct skin. MrStonedOne: - - tweak: Makes old chat show while goonchat loads. Should goonchat fail to load, - the old chat will still be operational. + - tweak: + Makes old chat show while goonchat loads. Should goonchat fail to load, + the old chat will still be operational. 2017-06-25: Expletive: - - rscadd: Adds the skull codpiece, which can be crafted from parts of lavaland monsters. - - rscadd: Maid Costume aprons can now be detached and reattached to any uniform. + - rscadd: Adds the skull codpiece, which can be crafted from parts of lavaland monsters. + - rscadd: Maid Costume aprons can now be detached and reattached to any uniform. Improvedname: - - rscadd: You can now export cat ears/tails for 1000 credits + - rscadd: You can now export cat ears/tails for 1000 credits JJRcop: - - bugfix: Fixed telekinesis remote item pick up exploit + - bugfix: Fixed telekinesis remote item pick up exploit Kor: - - rscadd: Robotic legs now let you use pockets without a jumpsuit, and a robot chest - now lets you use the belt slot and ID slot without a jumpsuit. + - rscadd: + Robotic legs now let you use pockets without a jumpsuit, and a robot chest + now lets you use the belt slot and ID slot without a jumpsuit. RandomMarine: - - rscadd: Cargo can now export mechs! + - rscadd: Cargo can now export mechs! Steelpoint: - - rscadd: Station Engineers spawn with a Industrial Welder in their toolbelt. - - tweak: Engineering Welder Locker now only holds three standard Welders. - - rscadd: An old Nanotrasen Space Station has quietly reawoken its surviving crew - one hundred years after they fell to slumber. Can the surviving crew, using - old, broken and out of date equipment, overcome all odds and survive, or will - the cold embrace of the stars become their new home? - - tweak: Nanotrasens Corps of Engineers has refitted and refurbished NTSS Boxstations - Engineering area into, what Centcom believes, a more efficient design. + - rscadd: Station Engineers spawn with a Industrial Welder in their toolbelt. + - tweak: Engineering Welder Locker now only holds three standard Welders. + - rscadd: + An old Nanotrasen Space Station has quietly reawoken its surviving crew + one hundred years after they fell to slumber. Can the surviving crew, using + old, broken and out of date equipment, overcome all odds and survive, or will + the cold embrace of the stars become their new home? + - tweak: + Nanotrasens Corps of Engineers has refitted and refurbished NTSS Boxstations + Engineering area into, what Centcom believes, a more efficient design. That Really Good Soda Flavor: - - experiment: Added the ability for a holiday to start on the nth weekday of a month. - - experiment: Allahu ackbar! Added the ability to calculate Ramadan. - - rscadd: Added Thanksgiving, Mother's Day, Father's Day, Ramadan, and Columbus - Day to the possible holidays. - - bugfix: Fixed nuclear bombs being radioactive. + - experiment: Added the ability for a holiday to start on the nth weekday of a month. + - experiment: Allahu ackbar! Added the ability to calculate Ramadan. + - rscadd: + Added Thanksgiving, Mother's Day, Father's Day, Ramadan, and Columbus + Day to the possible holidays. + - bugfix: Fixed nuclear bombs being radioactive. Xhuis: - - rscadd: You can now unfasten intercoms from walls and place them elsewhere on - the station. - - rscadd: Intercom frames can now be created at an autolathe for 75 metal and 25 - glass. - - bugfix: Nearly-full goliath hide stacks now correctly have a sprite. + - rscadd: + You can now unfasten intercoms from walls and place them elsewhere on + the station. + - rscadd: + Intercom frames can now be created at an autolathe for 75 metal and 25 + glass. + - bugfix: Nearly-full goliath hide stacks now correctly have a sprite. 2017-06-27: Ergovisavi: - - bugfix: Fixed a few anomalous crystal effects - - bugfix: Fixes stacking atmos resin objects in a single tile - - tweak: Lasers now go through atmos resin objects + - bugfix: Fixed a few anomalous crystal effects + - bugfix: Fixes stacking atmos resin objects in a single tile + - tweak: Lasers now go through atmos resin objects Joan: - - tweak: The Necropolis has been rethemed. + - tweak: The Necropolis has been rethemed. Kor: - - rscadd: Added dash weapons, which let you do a short teleport within line of sight. - - rscadd: The ninjas energy katana now lets him dash. He can no longer teleport - with right click. - - rscadd: Glass shards will no longer hurt people with robotic legs. - - rscadd: Mesons work on lavaland again. + - rscadd: Added dash weapons, which let you do a short teleport within line of sight. + - rscadd: + The ninjas energy katana now lets him dash. He can no longer teleport + with right click. + - rscadd: Glass shards will no longer hurt people with robotic legs. + - rscadd: Mesons work on lavaland again. Xhuis: - - spellcheck: The names of most glasses, like mesons, t-ray scanners, and night - vision goggles, have been lowercased. - - spellcheck: The thermonocle's description now changes based on the gender of the - person examining it. - - bugfix: Straight jackets can now properly be put onto others. + - spellcheck: + The names of most glasses, like mesons, t-ray scanners, and night + vision goggles, have been lowercased. + - spellcheck: + The thermonocle's description now changes based on the gender of the + person examining it. + - bugfix: Straight jackets can now properly be put onto others. drline: - - bugfix: Nanotrasen finally sent out IT personnel to plug your modular consoles - back in. You're welcome. + - bugfix: + Nanotrasen finally sent out IT personnel to plug your modular consoles + back in. You're welcome. 2017-06-28: Cyberboss: - - rscdel: Cortical borers have been removed + - rscdel: Cortical borers have been removed Shadowlight213: - - rscadd: There is now a new monitor program that engineers can use to monitor the - supermatter status + - rscadd: + There is now a new monitor program that engineers can use to monitor the + supermatter status Tacolizard: - - rscadd: NanoTrasen has now outfitted their employees with Extra-Loud(TM) Genetically - Modified Hearts! Now you can hear your heart about to explode when the clown - shoots you full of meth, or hear it slowly coming to a stop as you bleed out - in critical condition after being toolboxed by an unknown gas-mask wearing assistant. + - rscadd: + NanoTrasen has now outfitted their employees with Extra-Loud(TM) Genetically + Modified Hearts! Now you can hear your heart about to explode when the clown + shoots you full of meth, or hear it slowly coming to a stop as you bleed out + in critical condition after being toolboxed by an unknown gas-mask wearing assistant. 2017-07-07: Ergovisavi: - - tweak: Added a recovery window after some variable length megafauna attacks - - rscadd: Adds a new mob to the game, the "leaper" - - rscadd: Adds another planetstation mob, the "wanderer/mook" to the backend - - bugfix: Fixes a problem with player controlled leapers where they occasionally - can't fire + - tweak: Added a recovery window after some variable length megafauna attacks + - rscadd: Adds a new mob to the game, the "leaper" + - rscadd: Adds another planetstation mob, the "wanderer/mook" to the backend + - bugfix: + Fixes a problem with player controlled leapers where they occasionally + can't fire Joan: - - tweak: Rethemes the ash walker nest to match the Necropolis. - - balance: Chasms, asteroid turfs, basalt, and lava can no longer be made wet. - - rscadd: A strange new Resonant Signal has appeared on lavaland. - - tweak: Dreams while sleeping are now slightly longer on average and will contain - more possibilities. - - rscadd: Bedsheets may affect what you can dream. + - tweak: Rethemes the ash walker nest to match the Necropolis. + - balance: Chasms, asteroid turfs, basalt, and lava can no longer be made wet. + - rscadd: A strange new Resonant Signal has appeared on lavaland. + - tweak: + Dreams while sleeping are now slightly longer on average and will contain + more possibilities. + - rscadd: Bedsheets may affect what you can dream. Lexorion: - - imageadd: The portable PACMAN generators now have new icons, including on and - off states. + - imageadd: + The portable PACMAN generators now have new icons, including on and + off states. More Robust Than You: - - rscadd: Nanotrasen has added lids to their soda that POP! when opened. Up to 3 - possible sounds! - - bugfix: brain damage should no longer attempt to emote/say things while unconcious + - rscadd: + Nanotrasen has added lids to their soda that POP! when opened. Up to 3 + possible sounds! + - bugfix: brain damage should no longer attempt to emote/say things while unconcious NanoTrasen Smithy Department: - - soundadd: Tasked by corporate heads to make NanoTrasen's line of captain rapiers - flashier, a few brave smiths have managed to forge their steel in a way that - enhances their swords' acoustic properties. + - soundadd: + Tasked by corporate heads to make NanoTrasen's line of captain rapiers + flashier, a few brave smiths have managed to forge their steel in a way that + enhances their swords' acoustic properties. Shadowlight213: - - rscdel: The majority of the tiny fans on Deltastation have been removed. - - tweak: Airlocks going to space, and secure areas like the bridge and sec on Delta - have been given the cycling system. - - balance: The freedom suit no longer slows you down and can withstand the FIRES - OF LIBERTY! + - rscdel: The majority of the tiny fans on Deltastation have been removed. + - tweak: + Airlocks going to space, and secure areas like the bridge and sec on Delta + have been given the cycling system. + - balance: + The freedom suit no longer slows you down and can withstand the FIRES + OF LIBERTY! Steelpoint (Ancient Station): - - rscadd: Major changes to Ancient Station include new sounds for the prototype - RIG hardsuit, the NASA Engineering Voidsuit slowing the user down properly and - new insulated gloves in engineering. - - rscadd: Several minor changes, such as an extra oxygen tank, spawn in equipment - and minor tile changes. + - rscadd: + Major changes to Ancient Station include new sounds for the prototype + RIG hardsuit, the NASA Engineering Voidsuit slowing the user down properly and + new insulated gloves in engineering. + - rscadd: + Several minor changes, such as an extra oxygen tank, spawn in equipment + and minor tile changes. Supermichael777: - - balance: The AI swap menu is now given to the person with the multi-tool rather - than the Borg. Old behavior remains for all non multi-tool sources - - bugfix: Borgs and shells now notify when un-linked due to the wire being cut. + - balance: + The AI swap menu is now given to the person with the multi-tool rather + than the Borg. Old behavior remains for all non multi-tool sources + - bugfix: Borgs and shells now notify when un-linked due to the wire being cut. Tacolizard: - - bugfix: Nanotrasen has begun a program to inform the souls of the departed that - their hearts can't beat after death. - - bugfix: heartbeat noises now loop (i can't come up with any dumb fluff for this - one sorry) + - bugfix: + Nanotrasen has begun a program to inform the souls of the departed that + their hearts can't beat after death. + - bugfix: + heartbeat noises now loop (i can't come up with any dumb fluff for this + one sorry) That Really Good Soda Flavor: - - bugfix: Martial arts will no longer be transferred in cloning, etc. if they are - temporary (i.e. wrestling, krav maga). + - bugfix: + Martial arts will no longer be transferred in cloning, etc. if they are + temporary (i.e. wrestling, krav maga). Xhuis: - - tweak: Recollection has been separated into categories and should be easier to - read and more informative. - - bugfix: Ratvar has been reminded that he hates Nar-Sie and will now actively pursue - fighting her. - - bugfix: You can now properly dig out plants from patches of soil. - - bugfix: Reskinnable guns no longer become invisible after firing a single shot. - - bugfix: The kinetic crusher and other forced two-handed objects can now correctly - be stored in a bag of holding. - - bugfix: Positronic brains' icons will now properly change depending on status. - - tweak: Positronic brains will now stop searching as soon as they're occupied. - - tweak: Positronic brains now have error messages if activating them fails for - whatever reason. - - bugfix: Unconscious Servants are now properly informed when they're deconverted. - - bugfix: The Voice of God no longer specifically targets creatures like constructs - and clockwork marauders. - - bugfix: Heartbeat sounds no longer play indefinitely if your body is destroyed. + - tweak: + Recollection has been separated into categories and should be easier to + read and more informative. + - bugfix: + Ratvar has been reminded that he hates Nar-Sie and will now actively pursue + fighting her. + - bugfix: You can now properly dig out plants from patches of soil. + - bugfix: Reskinnable guns no longer become invisible after firing a single shot. + - bugfix: + The kinetic crusher and other forced two-handed objects can now correctly + be stored in a bag of holding. + - bugfix: Positronic brains' icons will now properly change depending on status. + - tweak: Positronic brains will now stop searching as soon as they're occupied. + - tweak: + Positronic brains now have error messages if activating them fails for + whatever reason. + - bugfix: Unconscious Servants are now properly informed when they're deconverted. + - bugfix: + The Voice of God no longer specifically targets creatures like constructs + and clockwork marauders. + - bugfix: Heartbeat sounds no longer play indefinitely if your body is destroyed. kevinz000: - - rscadd: Headphones have been provided to the station in Autodrobes, mixed wardrobes, - and fitness wardrobes. Please use them responsibly, and remember to focus on - your job above all else! - - experiment: Headphones fit in head, ears, OR neck slots! + - rscadd: + Headphones have been provided to the station in Autodrobes, mixed wardrobes, + and fitness wardrobes. Please use them responsibly, and remember to focus on + your job above all else! + - experiment: Headphones fit in head, ears, OR neck slots! ohnopigeons: - - bugfix: Nanotrasen Electronics have fixed a bug where issued factory-fresh PDAs - did not link to their cartridges, requiring manual reinsertion. + - bugfix: + Nanotrasen Electronics have fixed a bug where issued factory-fresh PDAs + did not link to their cartridges, requiring manual reinsertion. shizcalev: - - balance: Nanotrasen has upgraded the obsolete teleporter consoles on most NT branded - stations with newer ones preloaded with the newest Supermatter monitoring application! - - soundadd: The supermatter base now has a speaker and will provide audio cues as - to it's current status! + - balance: + Nanotrasen has upgraded the obsolete teleporter consoles on most NT branded + stations with newer ones preloaded with the newest Supermatter monitoring application! + - soundadd: + The supermatter base now has a speaker and will provide audio cues as + to it's current status! somebody: - - rscadd: Strong plasma glass windows + - rscadd: Strong plasma glass windows 2017-07-09: Crexfu: - - tweak: 2 plasma sheets have been added to viro break room on box + - tweak: 2 plasma sheets have been added to viro break room on box More Robust Than You: - - bugfix: Plasma and Reinforced plasma glass no longer merge with Normal and Reinforced - Glass + - bugfix: + Plasma and Reinforced plasma glass no longer merge with Normal and Reinforced + Glass Xhuis: - - bugfix: You can no longer catch objects that require two hands at all times with - only one hand. + - bugfix: + You can no longer catch objects that require two hands at all times with + only one hand. 2017-07-11: RandomMarine: - - rscadd: Drones can now switch between help and harm intent. + - rscadd: Drones can now switch between help and harm intent. Tacolizard: - - rscadd: Admins can now set a message/warning when they delay the round end, to - be shown to anyone who tries to reboot the world. + - rscadd: + Admins can now set a message/warning when they delay the round end, to + be shown to anyone who tries to reboot the world. Tacolizard and Cyberboss: - - rscadd: Added two new organs, the liver and stomach. Without them, you won't metabolize - chemicals. - - rscadd: The liver is responsible for processing all chemicals except nutrients. - If your liver is removed, you will be unable to metabolize any drugs and will - slowly die of toxin damage. - - rscadd: Drinking too much alcohol or having too many toxins in you will damage - your liver, if it becomes too damaged, it will undergo liver failure and you - will slowly die of toxin damage. Your liver naturally heals a small amount of - its damage. However, it doesn't heal enough to offset stronger alcohols or large - amounts of toxins, at least until they are metabolized out of your body. - - rscadd: to conduct a liver transplant, inject corazone into the patient. Corazone - will prevent the patient from taking damage due to either not having a liver - or undergoing liver failure. Corazone will metabolize out of the patient quickly, - so at least 50u is recommended. - - rscadd: The stomach is responsible for metabolizing nutrients. Without a stomach, - you will be unable to get fat, but you will also be unable to process any nutrients, - meaning you will eventually starve to death. + - rscadd: + Added two new organs, the liver and stomach. Without them, you won't metabolize + chemicals. + - rscadd: + The liver is responsible for processing all chemicals except nutrients. + If your liver is removed, you will be unable to metabolize any drugs and will + slowly die of toxin damage. + - rscadd: + Drinking too much alcohol or having too many toxins in you will damage + your liver, if it becomes too damaged, it will undergo liver failure and you + will slowly die of toxin damage. Your liver naturally heals a small amount of + its damage. However, it doesn't heal enough to offset stronger alcohols or large + amounts of toxins, at least until they are metabolized out of your body. + - rscadd: + to conduct a liver transplant, inject corazone into the patient. Corazone + will prevent the patient from taking damage due to either not having a liver + or undergoing liver failure. Corazone will metabolize out of the patient quickly, + so at least 50u is recommended. + - rscadd: + The stomach is responsible for metabolizing nutrients. Without a stomach, + you will be unable to get fat, but you will also be unable to process any nutrients, + meaning you will eventually starve to death. Xhuis: - - bugfix: Mobs spawned by Necropolis curses are now immune to chasms. - - tweak: The BoxStation warden's office now has a crew monitoring console. - - imageadd: Clockwork slabs now show icons of the components used in scripture instead - of initials. + - bugfix: Mobs spawned by Necropolis curses are now immune to chasms. + - tweak: The BoxStation warden's office now has a crew monitoring console. + - imageadd: + Clockwork slabs now show icons of the components used in scripture instead + of initials. factoryman942: - - bugfix: Boxstation Robotics now has 6 flashes, from 2. - - bugfix: Metastation Robotics now has 40 sheets of glass, instead of 20. + - bugfix: Boxstation Robotics now has 6 flashes, from 2. + - bugfix: Metastation Robotics now has 40 sheets of glass, instead of 20. shizcalev: - - tweak: The supermatter reporting system has been updated to report remaining integrity, - as opposed to how unstable the SM currently is. + - tweak: + The supermatter reporting system has been updated to report remaining integrity, + as opposed to how unstable the SM currently is. 2017-07-18: BeeSting12: - - tweak: Deltastation's auxiliary storage in arrivals can be accessed by anyone - now. - - bugfix: Deltastation's cargo bay maintenance can now be accessed by cargo techs. + - tweak: + Deltastation's auxiliary storage in arrivals can be accessed by anyone + now. + - bugfix: Deltastation's cargo bay maintenance can now be accessed by cargo techs. Dannno/Supermichael777/InsaneHyena: - - rscadd: You can now pick from a few different styles when augmenting someone with - robot parts by putting them in the augment manipulator. Alt+click to take parts - out. + - rscadd: + You can now pick from a few different styles when augmenting someone with + robot parts by putting them in the augment manipulator. Alt+click to take parts + out. Ergovisavi: - - bugfix: Fixed the refresher variant of the anomalous crystal making holodeck items - real + - bugfix: + Fixed the refresher variant of the anomalous crystal making holodeck items + real Fox McCloud: - - rscdel: blood and gibs on turfs can no longer infect nearby people - - tweak: Tuberculosis bypasses species virus immunity (it's not a virus!) - - tweak: Disease and appendicitis events no longer infect clientless mobs - - tweak: Disease event will no longer pick virus immune mobs - - tweak: Appendicitis event will no longer pick mobs without an appendix - - bugfix: Fixed changeling panacea curing non-harmful viruses - - bugfix: Fixes IV drips not properly injecting the right amount of blood + - rscdel: blood and gibs on turfs can no longer infect nearby people + - tweak: Tuberculosis bypasses species virus immunity (it's not a virus!) + - tweak: Disease and appendicitis events no longer infect clientless mobs + - tweak: Disease event will no longer pick virus immune mobs + - tweak: Appendicitis event will no longer pick mobs without an appendix + - bugfix: Fixed changeling panacea curing non-harmful viruses + - bugfix: Fixes IV drips not properly injecting the right amount of blood Joan: - - rscdel: Removed the Soul Vessel, Cogscarab, and Anima Fragment Scriptures. - - bugfix: The Ark of the Clockwork Justicar will still forcibly take up a 3x3 area - even if it still needs components to activate. + - rscdel: Removed the Soul Vessel, Cogscarab, and Anima Fragment Scriptures. + - bugfix: + The Ark of the Clockwork Justicar will still forcibly take up a 3x3 area + even if it still needs components to activate. MrStonedOne & Fox-McCloud: - - tweak: Made pathfinding much quicker + - tweak: Made pathfinding much quicker NewSta: - - bugfix: Fixes the maid apron being invisible when in-hand or attached to the maid - outfit. + - bugfix: + Fixes the maid apron being invisible when in-hand or attached to the maid + outfit. XDTM: - - experiment: Viruses and symptoms have been havily reworked. - - rscadd: Symptoms now have statistic thresholds, that give them new properties - or improve their existing ones if the overall virus statistic is above the threshold. - Check the pull request in github or the wiki (soon) for the full list. - - rscdel: Some symptoms no longer scale linearly with stats, and instead have thresholds. - - tweak: The symptom limit is now 6. - - rscdel: Viruses can no longer be made invisible to the Pandemic - - tweak: Symptoms no longer trigger with a 5% chance every second, but instead have - a minimum and maximum number of seconds between each activation, making them - more consistent. - - rscdel: The symptoms Blood Vomit and Projectile Vomit have been removed, and are - now bonuses for the base Vomit symptom. - - rscdel: The Weakness symptom has been removed as it was completely useless. - - tweak: The Sensory Destruction symptom has been reworked into Narcolepsy, which - causes drowsiness and sleep. - - tweak: Viral Aggressive Metabolism now has a timer before it starts decaying the - virus. It scales with the highest between Resistance or Stage Speed. - - rscadd: You can now neuter symptoms, making them inactive. They will still affect - stats. Adding formaldehyde to a virus will neuter a random symptom. A bottle - of formaldehyde starts in the virus fridge. + - experiment: Viruses and symptoms have been havily reworked. + - rscadd: + Symptoms now have statistic thresholds, that give them new properties + or improve their existing ones if the overall virus statistic is above the threshold. + Check the pull request in github or the wiki (soon) for the full list. + - rscdel: Some symptoms no longer scale linearly with stats, and instead have thresholds. + - tweak: The symptom limit is now 6. + - rscdel: Viruses can no longer be made invisible to the Pandemic + - tweak: + Symptoms no longer trigger with a 5% chance every second, but instead have + a minimum and maximum number of seconds between each activation, making them + more consistent. + - rscdel: + The symptoms Blood Vomit and Projectile Vomit have been removed, and are + now bonuses for the base Vomit symptom. + - rscdel: The Weakness symptom has been removed as it was completely useless. + - tweak: + The Sensory Destruction symptom has been reworked into Narcolepsy, which + causes drowsiness and sleep. + - tweak: + Viral Aggressive Metabolism now has a timer before it starts decaying the + virus. It scales with the highest between Resistance or Stage Speed. + - rscadd: + You can now neuter symptoms, making them inactive. They will still affect + stats. Adding formaldehyde to a virus will neuter a random symptom. A bottle + of formaldehyde starts in the virus fridge. Xhuis: - - tweak: The tachyon-doppler array's rotation now has messages, sprites, and examine - text. - - bugfix: Time stop is now fixed, finally! - - soundadd: Time stop's sound now plays in reverse when the effect ends. - - bugfix: Missiles can no longer ricochet off of shuttle walls, etc. - - bugfix: Winter coats now hold all flashlights properly, instead of seclites. + - tweak: + The tachyon-doppler array's rotation now has messages, sprites, and examine + text. + - bugfix: Time stop is now fixed, finally! + - soundadd: Time stop's sound now plays in reverse when the effect ends. + - bugfix: Missiles can no longer ricochet off of shuttle walls, etc. + - bugfix: Winter coats now hold all flashlights properly, instead of seclites. Xhuis & Cyberboss: - - rscadd: New hivebot invasion event + - rscadd: New hivebot invasion event kevinz000: - - rscadd: Personal Cabinets now have piano synthesizers for handheld piano playing. - - experiment: Thank @nicbn for the sprites! + - rscadd: Personal Cabinets now have piano synthesizers for handheld piano playing. + - experiment: Thank @nicbn for the sprites! ninjanomnom: - - experiment: Thank you for updating your ShuttlSoft product! Your last update was - -ERROR- years ago. A full changelog can be found at CYG10408.SHSO.b9 along with - the EULA. This update lays a foundation for new things to come and a sample - in the form of new and improved docking procedures. + - experiment: + Thank you for updating your ShuttlSoft product! Your last update was + -ERROR- years ago. A full changelog can be found at CYG10408.SHSO.b9 along with + the EULA. This update lays a foundation for new things to come and a sample + in the form of new and improved docking procedures. shizcalev: - - bugfix: Cerestation's emergency shuttle autopilot will no longer fly you in reverse - back to Centcom! + - bugfix: + Cerestation's emergency shuttle autopilot will no longer fly you in reverse + back to Centcom! 2017-07-27: Anonmare: - - bugfix: Informs a person about how bomb cores work + - bugfix: Informs a person about how bomb cores work BeeSting12: - - rscdel: Water bottles from the sustenance vendor are gone. Wait for the ice in - the ice cups melt, criminal scum. - - rscdel: There is no longer a sink in gulag. Hygiene is for the moral members of - society. - - tweak: Janitor and service cyborgs now get pocket fire extinguishers for fire - suppression and space propulsion. - - rscadd: Pubbystation's dorms now has a dresser. - - bugfix: Crafting satchels from leather now makes a leather satchel rather than - a regular satchel. + - rscdel: + Water bottles from the sustenance vendor are gone. Wait for the ice in + the ice cups melt, criminal scum. + - rscdel: + There is no longer a sink in gulag. Hygiene is for the moral members of + society. + - tweak: + Janitor and service cyborgs now get pocket fire extinguishers for fire + suppression and space propulsion. + - rscadd: Pubbystation's dorms now has a dresser. + - bugfix: + Crafting satchels from leather now makes a leather satchel rather than + a regular satchel. Fox McCloud: - - tweak: breathing plasma now causes direct tox damage - - tweak: breathing hot/cold air now warns you when you're doing so, again - - tweak: species heat/cold mod now impacts damage from breathing hot/cold gases + - tweak: breathing plasma now causes direct tox damage + - tweak: breathing hot/cold air now warns you when you're doing so, again + - tweak: species heat/cold mod now impacts damage from breathing hot/cold gases HAL 9000: - - bugfix: I'm sorry Dave, I'm afraid I can't do that + - bugfix: I'm sorry Dave, I'm afraid I can't do that JStheguy: - - imageadd: Resprited the tablet, including completely redone screen sprites. - - rscadd: Tablets can now come spawn in one of 5 colors; red, green, yellow, blue, - and black. - - imageadd: Most alcohol bottles have been resprited, as well as a poster that used - one of the current bottles as part of it's design. + - imageadd: Resprited the tablet, including completely redone screen sprites. + - rscadd: + Tablets can now come spawn in one of 5 colors; red, green, yellow, blue, + and black. + - imageadd: + Most alcohol bottles have been resprited, as well as a poster that used + one of the current bottles as part of it's design. Joan: - - balance: Unwrenching clockwork structures no longer damages them. - - tweak: The Hierophant will now release a burst when melee attacking instead of - actually hitting its target. - - bugfix: The Hierophant Club's blasts will now properly aggro hostile mobs. - - tweak: The blood-drunk miner will fire its KA a bit more often. + - balance: Unwrenching clockwork structures no longer damages them. + - tweak: + The Hierophant will now release a burst when melee attacking instead of + actually hitting its target. + - bugfix: The Hierophant Club's blasts will now properly aggro hostile mobs. + - tweak: The blood-drunk miner will fire its KA a bit more often. PopNotes: - - soundadd: Nar-Sie now sounds like an eldritch abomination that obliterates worlds - instead of a sweet maiden that gently whispers sweet nothings in your ear. + - soundadd: + Nar-Sie now sounds like an eldritch abomination that obliterates worlds + instead of a sweet maiden that gently whispers sweet nothings in your ear. Supermichael777: - - bugfix: delayed chloral hydrate actually works now. + - bugfix: delayed chloral hydrate actually works now. Tacolizard: - - rscadd: Added cybernetic organs to RnD, they can be used to replace organic organs. - Remember to administer corazone during implantation though! - - rscadd: Added the upgraded cybernetic liver. It is exceptionally robust against - toxins and alcohol poisoning. + - rscadd: + Added cybernetic organs to RnD, they can be used to replace organic organs. + Remember to administer corazone during implantation though! + - rscadd: + Added the upgraded cybernetic liver. It is exceptionally robust against + toxins and alcohol poisoning. Xhuis: - - bugfix: Cyborgs now regenerate oxygen damage. - - bugfix: If a cyborg somehow takes toxin damage, it can be healed with cables as - though it was burn damage. - - spellcheck: Picking up ores by walking over them now longer spams messages, instead - showing one message per tile of ore picked up. - - tweak: You can now control-click action buttons to lock them and prevent them - from being moved. Alt-clicking the "Show/Hide Actions" button will unlock all - buttons. - - tweak: There is now a preference for if buttons should be locked by default or - not. - - rscadd: Pizza box stacks can now fall over - - imageadd: Pizza box inhands now stacks depending on how many you're holding. - - bugfix: Mining satchels no longer hold infinite amounts of ore. - - bugfix: Reviving Stasis now consistently regenerates organs. - - bugfix: Medibots now properly render the overlays of the medkits they are made - from. - - bugfix: The latest batch of Syndicate screwdrivers fell into a vat of paint and - were colored randomly. We have rinsed them off and they will no longer come - in random colors. - - bugfix: Supermatter slivers can now be stolen properly. - - tweak: Whenever you're trying to hack off your own limbs, you'll now always hit - those limbs. + - bugfix: Cyborgs now regenerate oxygen damage. + - bugfix: + If a cyborg somehow takes toxin damage, it can be healed with cables as + though it was burn damage. + - spellcheck: + Picking up ores by walking over them now longer spams messages, instead + showing one message per tile of ore picked up. + - tweak: + You can now control-click action buttons to lock them and prevent them + from being moved. Alt-clicking the "Show/Hide Actions" button will unlock all + buttons. + - tweak: + There is now a preference for if buttons should be locked by default or + not. + - rscadd: Pizza box stacks can now fall over + - imageadd: Pizza box inhands now stacks depending on how many you're holding. + - bugfix: Mining satchels no longer hold infinite amounts of ore. + - bugfix: Reviving Stasis now consistently regenerates organs. + - bugfix: + Medibots now properly render the overlays of the medkits they are made + from. + - bugfix: + The latest batch of Syndicate screwdrivers fell into a vat of paint and + were colored randomly. We have rinsed them off and they will no longer come + in random colors. + - bugfix: Supermatter slivers can now be stolen properly. + - tweak: + Whenever you're trying to hack off your own limbs, you'll now always hit + those limbs. Xhuis & MoreRobustThanYou: - - imageadd: Toolbelts now have overlays for crowbars, wirecutters, screwdrivers, - multitools, and wrenches. + - imageadd: + Toolbelts now have overlays for crowbars, wirecutters, screwdrivers, + multitools, and wrenches. Y0SH1_M4S73R: - - bugfix: Romerol zombies count as dead for assassinate and maroon objectives. + - bugfix: Romerol zombies count as dead for assassinate and maroon objectives. bandit: - - rscadd: New Cards against Spess cards are available! + - rscadd: New Cards against Spess cards are available! ktccd: - - bugfix: Hijacking should now be possible again! + - bugfix: Hijacking should now be possible again! 2017-07-29: Fox McCloud: - - rscadd: Sound should carry further, but should get quieter and quieter the further - you are from it + - rscadd: + Sound should carry further, but should get quieter and quieter the further + you are from it Joan: - - tweak: Sigils of Transmission can now drain power in a large area when activated - by a Servant. - - rscdel: Interdiction Lenses have been removed, as they were largely only used - to drain power into Sigils of Transmission. - - balance: Sigils can no longer directly be removed by Servants. - - balance: Prolonging Prisms have a higher cost to delay, but no longer increase - in cost based off of CV. - - balance: Base delay cost changed from 2500W to 3000W, cost increase per activation - changed from 750W to 1250W, cost increase per 10 CV changed from 75W to 0W. - - rscdel: Removed the Volt Blaster scripture. - - rscdel: Ratvarian spears can no longer impale. - - balance: Vitality Matrices now require a flat 150 Vitality to revive Servants, - from 20 + the Servant's non-oxygen damage. Vitality Matrices are also no longer - destroyed when reviving Servants. - - balance: Ratvarian spear damage changed from 18 to 20, Ratvarian spears now generate - 5 Vitality when attacking living targets. Ratvarian spear armour penetration - changed from 0 to 10. - - balance: The Judicial Visor's mark now immediately applies Belligerent and knocks - down for 0.5 seconds. Mark exploding no longer mutes, mark explosion stun changed - from 16 seconds to 1.5 seconds, mark explosion damage changed from 10 to 20. + - tweak: + Sigils of Transmission can now drain power in a large area when activated + by a Servant. + - rscdel: + Interdiction Lenses have been removed, as they were largely only used + to drain power into Sigils of Transmission. + - balance: Sigils can no longer directly be removed by Servants. + - balance: + Prolonging Prisms have a higher cost to delay, but no longer increase + in cost based off of CV. + - balance: + Base delay cost changed from 2500W to 3000W, cost increase per activation + changed from 750W to 1250W, cost increase per 10 CV changed from 75W to 0W. + - rscdel: Removed the Volt Blaster scripture. + - rscdel: Ratvarian spears can no longer impale. + - balance: + Vitality Matrices now require a flat 150 Vitality to revive Servants, + from 20 + the Servant's non-oxygen damage. Vitality Matrices are also no longer + destroyed when reviving Servants. + - balance: + Ratvarian spear damage changed from 18 to 20, Ratvarian spears now generate + 5 Vitality when attacking living targets. Ratvarian spear armour penetration + changed from 0 to 10. + - balance: + The Judicial Visor's mark now immediately applies Belligerent and knocks + down for 0.5 seconds. Mark exploding no longer mutes, mark explosion stun changed + from 16 seconds to 1.5 seconds, mark explosion damage changed from 10 to 20. More Robust Than You: - - rscadd: Nanotrasen has begun production of the Rapid Cable Layer, a tool that - helps you lay down cables faster - - rscadd: You can now craft ghetto RCLs with metal, a screwdriver, welder, and wrench. - They hold less cable, and may fall apart or jam! + - rscadd: + Nanotrasen has begun production of the Rapid Cable Layer, a tool that + helps you lay down cables faster + - rscadd: + You can now craft ghetto RCLs with metal, a screwdriver, welder, and wrench. + They hold less cable, and may fall apart or jam! Xhuis: - - spellcheck: Player-controlled medibots now receive a notice whenever they try - to heal someone with too high health. - - bugfix: Syringes now properly inject targets wearing thick clothing on different - slots. - - bugfix: Stun baton overlays now appear on security belts when active. + - spellcheck: + Player-controlled medibots now receive a notice whenever they try + to heal someone with too high health. + - bugfix: + Syringes now properly inject targets wearing thick clothing on different + slots. + - bugfix: Stun baton overlays now appear on security belts when active. kevinz000: - - rscadd: 'Badmins: Buildmode map generators have names in the list to select them, - instead of paths.' - - rscadd: Also, a new map generator has been added, repair/reload station. Use it - VERY sparingly, it deletes the block of the map and reloads it to roundstart. - THIS CAN CAUSE ISSUES WITH MACHINES AND ATMOSPHERICS, SO DO NOT USE IT UNLESS - YOU ABSOLUTELY HAVE TO! - - experiment: The reload station one tagged DO NOT USE shouldn't be used as it doesn't - delete anything before loading, so if you use it you'll have two copies of things. - That can result in a LOT of issues, so don't use it unless you're a codermin - and know what you're doing/abusing! + - rscadd: + "Badmins: Buildmode map generators have names in the list to select them, + instead of paths." + - rscadd: + Also, a new map generator has been added, repair/reload station. Use it + VERY sparingly, it deletes the block of the map and reloads it to roundstart. + THIS CAN CAUSE ISSUES WITH MACHINES AND ATMOSPHERICS, SO DO NOT USE IT UNLESS + YOU ABSOLUTELY HAVE TO! + - experiment: + The reload station one tagged DO NOT USE shouldn't be used as it doesn't + delete anything before loading, so if you use it you'll have two copies of things. + That can result in a LOT of issues, so don't use it unless you're a codermin + and know what you're doing/abusing! ktccd: - - bugfix: Ashstorms no longer pierces the protected people to kill anyone/anything - in them. + - bugfix: + Ashstorms no longer pierces the protected people to kill anyone/anything + in them. 2017-08-06: Anonmare: - - rscadd: Surgical toolarm to protolathe and exofab - - tweak: Toolarm tools are less robust but more efficient at surgery - - tweak: Arm augments are no longer a huge item + - rscadd: Surgical toolarm to protolathe and exofab + - tweak: Toolarm tools are less robust but more efficient at surgery + - tweak: Arm augments are no longer a huge item AnturK: - - balance: Cyborg remote control range is now limited to 7 tiles. + - balance: Cyborg remote control range is now limited to 7 tiles. Ergovisavi: - - rscadd: Adds the "seedling" planetstation mob to the backend + - rscadd: Adds the "seedling" planetstation mob to the backend Floyd: - - bugfix: No longer does everyone look like a sick, nauseated weirdo! + - bugfix: No longer does everyone look like a sick, nauseated weirdo! Galactic Corgi Breeding Mills, LLC: - - bugfix: Fixed corgis being able to wear spacesuit helmets despite lacking the - proper code and sprites for them. + - bugfix: + Fixed corgis being able to wear spacesuit helmets despite lacking the + proper code and sprites for them. Joan: - - tweak: Colossus's shotgun is now a static-spread blast of 6 bolts, making it more - predictable. - - balance: Geis now mutes for 12-14 seconds and "stuns" the target, via a binding - effect, for 25 seconds instead of initiating a conversion. - - experiment: Geis's "stun" restrains the target and prevents them from taking actions, - but its duration is halved if the binding is not being pulled by a Servant. - - wip: Using Geis on a target prevents you from taking actions other than attempting - to pull the binding. If you are pulling the binding, you can dispel it at any - time. - - wip: As should be obvious, if the binding is destroyed or dispelled, you can once - again take normal actions. - - tweak: Sigils of Submission are now permanent and have been moved from the Script - tier to the Driver tier, with an according cost adjustment. They still do not - penetrate mindshield implants. - - rscdel: Removed Taunting Tirade. - - rscdel: Removed Sigils of Accession. + - tweak: + Colossus's shotgun is now a static-spread blast of 6 bolts, making it more + predictable. + - balance: + Geis now mutes for 12-14 seconds and "stuns" the target, via a binding + effect, for 25 seconds instead of initiating a conversion. + - experiment: + Geis's "stun" restrains the target and prevents them from taking actions, + but its duration is halved if the binding is not being pulled by a Servant. + - wip: + Using Geis on a target prevents you from taking actions other than attempting + to pull the binding. If you are pulling the binding, you can dispel it at any + time. + - wip: + As should be obvious, if the binding is destroyed or dispelled, you can once + again take normal actions. + - tweak: + Sigils of Submission are now permanent and have been moved from the Script + tier to the Driver tier, with an according cost adjustment. They still do not + penetrate mindshield implants. + - rscdel: Removed Taunting Tirade. + - rscdel: Removed Sigils of Accession. Lexorion: - - imageadd: Hearty Punch has a new, fancier sprite. + - imageadd: Hearty Punch has a new, fancier sprite. More Robust Than You: - - bugfix: RCL and Ghetto RCLs are no longer invisible - - bugfix: RCL action button now has a sprite - - bugfix: RCLs can no longer go inside you + - bugfix: RCL and Ghetto RCLs are no longer invisible + - bugfix: RCL action button now has a sprite + - bugfix: RCLs can no longer go inside you XDTM: - - bugfix: Eyes can now be properly damaged. + - bugfix: Eyes can now be properly damaged. Xhuis: - - spellcheck: Removed an improper period from the supermatter sliver theft objective's - name. - - bugfix: Alien hunters can no longer pounce through shields. - - bugfix: Observing mobs that have no HUD will no longer cause intense lighting - glare. - - bugfix: Objects on shuttles now rotate in the correct directions. - - soundadd: The speakers in the ceiling have been upgraded, and many sounds are - now less tinny. + - spellcheck: + Removed an improper period from the supermatter sliver theft objective's + name. + - bugfix: Alien hunters can no longer pounce through shields. + - bugfix: + Observing mobs that have no HUD will no longer cause intense lighting + glare. + - bugfix: Objects on shuttles now rotate in the correct directions. + - soundadd: + The speakers in the ceiling have been upgraded, and many sounds are + now less tinny. Xhuis and oranges: - - bugfix: Banana cream pies no longer splat when they're caught by someone. - - soundadd: Throwing a pie in someone's face now has a splat sound. + - bugfix: Banana cream pies no longer splat when they're caught by someone. + - soundadd: Throwing a pie in someone's face now has a splat sound. kingofkosmos: - - bugfix: Fixed hair sticking through headgear. + - bugfix: Fixed hair sticking through headgear. 2017-08-13: JStheguy: - - imageadd: Laptops now have actual sprites for using the supermatter monitoring - instead of defaulting to a generic one. + - imageadd: + Laptops now have actual sprites for using the supermatter monitoring + instead of defaulting to a generic one. Joan: - - imageadd: Belligerent now has a visible indicator over the caster. + - imageadd: Belligerent now has a visible indicator over the caster. More Robust Than You: - - tweak: Mulligan and non-continuous completion checks will not consider afk/logged - out people to be "living crew". - - tweak: The wiki button now asks what page you want to be taken to - - tweak: His Grace now shows up on the orbit list + - tweak: + Mulligan and non-continuous completion checks will not consider afk/logged + out people to be "living crew". + - tweak: The wiki button now asks what page you want to be taken to + - tweak: His Grace now shows up on the orbit list Pubby: - - rscadd: The Curator job is now available on PubbyStation - - rscadd: Beekeeping has been added to PubbyStation's monastery - - tweak: PubbyStation's bar has been rearranged + - rscadd: The Curator job is now available on PubbyStation + - rscadd: Beekeeping has been added to PubbyStation's monastery + - tweak: PubbyStation's bar has been rearranged Xhuis: - - bugfix: Swarmer shells now have ghost notifications again. - - bugfix: Minebots no longer lack icons for their action buttons. + - bugfix: Swarmer shells now have ghost notifications again. + - bugfix: Minebots no longer lack icons for their action buttons. kingofkosmos: - - imageadd: Adds icon_states to the unused and used Eldritch whetstones. Sprites - by Fury McFlurry. + - imageadd: + Adds icon_states to the unused and used Eldritch whetstones. Sprites + by Fury McFlurry. 2017-08-14: Joan: - - imageadd: Ported CEV-Eris's APC sprites. + - imageadd: Ported CEV-Eris's APC sprites. More Robust Than You: - - bugfix: Fixes a typo in the blobbernaut spawn text + - bugfix: Fixes a typo in the blobbernaut spawn text WJohnston: - - rscadd: Adds an ore box and shuttle console to aux bases on all stations. + - rscadd: Adds an ore box and shuttle console to aux bases on all stations. Xhuis: - - bugfix: The Resurrect Cultist rune now works as intended. - - bugfix: Cyborg energy swords now properly have an icon. + - bugfix: The Resurrect Cultist rune now works as intended. + - bugfix: Cyborg energy swords now properly have an icon. kingofkosmos: - - tweak: Canisters don't flash red lights anymore when empty. + - tweak: Canisters don't flash red lights anymore when empty. 2017-08-19: Anonmare: - - balance: Raised airlock deflection by one point + - balance: Raised airlock deflection by one point BeeSting12: - - balance: The meth explosion temperature has been raised. + - balance: The meth explosion temperature has been raised. FrozenGuy5/PraiseRatvar: - - balance: Nerfs L6 SAW Hollow Point Bullets from -10 armour penetration to -60 - armour penetration. + - balance: + Nerfs L6 SAW Hollow Point Bullets from -10 armour penetration to -60 + armour penetration. Joan: - - balance: Deathsquads no longer get shielded hardsuits. + - balance: Deathsquads no longer get shielded hardsuits. More Robust Than You: - - rscadd: Blobs can now sense when they're being cuddled! - - bugfix: Fixes mining hardsuit heat_protection - - bugfix: RCL icons are now better at updating + - rscadd: Blobs can now sense when they're being cuddled! + - bugfix: Fixes mining hardsuit heat_protection + - bugfix: RCL icons are now better at updating NewSta: - - bugfix: Fixes the wiki button - - spellcheck: Fixes a typo in the wiki button description + - bugfix: Fixes the wiki button + - spellcheck: Fixes a typo in the wiki button description XDTM: - - rscadd: You can now click on symptoms in the Pandemic to see their description - and stats + - rscadd: + You can now click on symptoms in the Pandemic to see their description + and stats Xhuis: - - soundadd: The station's explosion now uses a new (or old) sound. - - rscadd: Adds smart metal foam, which conforms to area borders and walls. It can - be made through chemistry by mixing foaming agent, acetone, and iron. - - rscadd: Smart metal foam will create foamed plating on tiles exposed to space. - Foamed plating can be struck with floor tiles to turn it into regular plating! - - spellcheck: The chat message has been removed from *spin. I hope you're happy. + - soundadd: The station's explosion now uses a new (or old) sound. + - rscadd: + Adds smart metal foam, which conforms to area borders and walls. It can + be made through chemistry by mixing foaming agent, acetone, and iron. + - rscadd: + Smart metal foam will create foamed plating on tiles exposed to space. + Foamed plating can be struck with floor tiles to turn it into regular plating! + - spellcheck: The chat message has been removed from *spin. I hope you're happy. nicbn: - - imageadd: Nanotrasen redesigned the area power controllers! - - imageadd: Thanks Xhuis for the contrast tweak on APCs + - imageadd: Nanotrasen redesigned the area power controllers! + - imageadd: Thanks Xhuis for the contrast tweak on APCs 2017-08-23: Cobby: - - balance: Planting kudzu now has a short delay with a visible message to users - around you. Hit-N-Run planting is no longer possible. - - rscdel: kudzu bluespace mutation and spacewalk mutation are removed. + - balance: + Planting kudzu now has a short delay with a visible message to users + around you. Hit-N-Run planting is no longer possible. + - rscdel: kudzu bluespace mutation and spacewalk mutation are removed. Cruix: - - rscadd: The syndicate shuttle now has a navigation computer that allows it to - fly to any unoccupied location on the station z-level. + - rscadd: + The syndicate shuttle now has a navigation computer that allows it to + fly to any unoccupied location on the station z-level. Ergovisavi: - - tweak: Slightly increased the radius of the atmos resin launcher, and resin now - makes floors unslippery + - tweak: + Slightly increased the radius of the atmos resin launcher, and resin now + makes floors unslippery Pubby: - - rscadd: Gorillas - - rscadd: Irradiating monkeys can now turn them into hostile gorillas + - rscadd: Gorillas + - rscadd: Irradiating monkeys can now turn them into hostile gorillas Shadowlight213: - - experiment: The amount of time spent playing, and jobs played are now tracked - per player. - - experiment: This tracking can be used as a requirement of playtime to unlock jobs. + - experiment: + The amount of time spent playing, and jobs played are now tracked + per player. + - experiment: This tracking can be used as a requirement of playtime to unlock jobs. ShizCalev: - - balance: Morphlings now have to restore to their original form before taking a - new one. - - bugfix: Morphlings will no longer have combined object appearances + - balance: + Morphlings now have to restore to their original form before taking a + new one. + - bugfix: Morphlings will no longer have combined object appearances Supermichael777: - - bugfix: Boss tiles have been reconstructed out of an unstoppable force. + - bugfix: Boss tiles have been reconstructed out of an unstoppable force. TehZombehz: - - rscadd: Nanotrasen Culinary Division has authorized the construction of pancakes, - including blueberry and chocolate chip pancakes. Pancakes can be stacked on - top of each other. + - rscadd: + Nanotrasen Culinary Division has authorized the construction of pancakes, + including blueberry and chocolate chip pancakes. Pancakes can be stacked on + top of each other. 2017-08-26: Cyberboss: - - rscadd: Added the credits roll + - rscadd: Added the credits roll Iamgoofball: - - rscadd: Plasmamen now hallucinate with blackpowder in their system + - rscadd: Plasmamen now hallucinate with blackpowder in their system Joan: - - balance: Geis bindings no longer decay faster if not pulled by a Servant, but - last for 20 seconds, from 25. - - tweak: Geis bindings will decay slower when on a Sigil of Submission, and, if - being pulled by a Servant when crossing a Sigil of Submission, will helpfully - remove the pull. - - tweak: Removing Geis bindings is no longer instant and can be done by any Servant - with a slab, not just the initiator. - - wip: Geis no longer prevents you from taking actions, but you remain unable to - recite scripture while the target is bound. In addition, dealing damage to a - bound target will cause the bindings to decay much more rapidly. - - rscadd: You can now remove sigils by hitting them with a clockwork slab for a - small refund. + - balance: + Geis bindings no longer decay faster if not pulled by a Servant, but + last for 20 seconds, from 25. + - tweak: + Geis bindings will decay slower when on a Sigil of Submission, and, if + being pulled by a Servant when crossing a Sigil of Submission, will helpfully + remove the pull. + - tweak: + Removing Geis bindings is no longer instant and can be done by any Servant + with a slab, not just the initiator. + - wip: + Geis no longer prevents you from taking actions, but you remain unable to + recite scripture while the target is bound. In addition, dealing damage to a + bound target will cause the bindings to decay much more rapidly. + - rscadd: + You can now remove sigils by hitting them with a clockwork slab for a + small refund. More Robust Than You: - - balance: Lowers the chance for monkeys to become gorillas - - rscadd: Holoparasite prompts now have a "Never For This Round" option + - balance: Lowers the chance for monkeys to become gorillas + - rscadd: Holoparasite prompts now have a "Never For This Round" option Naksu: - - spellcheck: fixed inconsistent grammar between machines that derive from /obj/machinery/chem_dispenser - - spellcheck: touched up some chat messages to include references to objects instead - of "that" or "the machine" etc., also removed references to beakers being loaded - in machines that can accept any container + - spellcheck: fixed inconsistent grammar between machines that derive from /obj/machinery/chem_dispenser + - spellcheck: + touched up some chat messages to include references to objects instead + of "that" or "the machine" etc., also removed references to beakers being loaded + in machines that can accept any container 2017-08-30: CPTANT: - - balance: Hacked AI module cost is reduced to 9TC + - balance: Hacked AI module cost is reduced to 9TC Cobby & Cyberboss: - - rscadd: A stealth option for the traitor microlaser has been added. When used, - it adds 30 seconds to the cooldown of the device. + - rscadd: + A stealth option for the traitor microlaser has been added. When used, + it adds 30 seconds to the cooldown of the device. Cyberboss (unwillingly by Kor's hand): - - balance: You no longer take damage/are as heavily blinded in crit while above - -30HP - - balance: Whispering in crit above -30HP will not cause you to succumb - - balance: You can now hear in crit above -30HP + - balance: + You no longer take damage/are as heavily blinded in crit while above + -30HP + - balance: Whispering in crit above -30HP will not cause you to succumb + - balance: You can now hear in crit above -30HP Joan: - - imageadd: Cult blades have updated item and inhand sprites. + - imageadd: Cult blades have updated item and inhand sprites. Kor: - - rscadd: Added Shadow Walk, a new form of jaunt that lasts for an unlimited amount - of time, but ends if you enter a well lit tile. It is planned for use in a Shadowling - rework, but feel free to hassle admins to test it out in the mean time. - - balance: Slime people can consume meat and dairy again. + - rscadd: + Added Shadow Walk, a new form of jaunt that lasts for an unlimited amount + of time, but ends if you enter a well lit tile. It is planned for use in a Shadowling + rework, but feel free to hassle admins to test it out in the mean time. + - balance: Slime people can consume meat and dairy again. Lzimann: - - rscadd: Ghosts now have a way to see all available ghost roles! Check your ghost - tab! + - rscadd: + Ghosts now have a way to see all available ghost roles! Check your ghost + tab! MMMiracles: - - rscdel: Cerestation has been decommissioned. Nanotrasen apologizes for any spikes - of suicidal tendencies, sporadic outbursts of primitive anger, and other issues - that may of been caused during the station's run. + - rscdel: + Cerestation has been decommissioned. Nanotrasen apologizes for any spikes + of suicidal tendencies, sporadic outbursts of primitive anger, and other issues + that may of been caused during the station's run. Naksu: - - bugfix: fixed portable chem dispensers charging 50% slower than intended when - initialized. - - bugfix: fixed portable chem dispensers getting faster charging rate every time - refreshparts() is called + - bugfix: + fixed portable chem dispensers charging 50% slower than intended when + initialized. + - bugfix: + fixed portable chem dispensers getting faster charging rate every time + refreshparts() is called Pubby: - - rscadd: Crew-tracking pinpointers to replace laggy crew monitoring console functionality - - rscadd: Crew-tracking pinpointers in medical vendors and the detective's office + - rscadd: Crew-tracking pinpointers to replace laggy crew monitoring console functionality + - rscadd: Crew-tracking pinpointers in medical vendors and the detective's office RemieRichards: - - rscadd: AltClick listing now updates instantly on AltClick - - bugfix: AltClick listing no longer reveals obscured items + - rscadd: AltClick listing now updates instantly on AltClick + - bugfix: AltClick listing no longer reveals obscured items ShizCalev: - - tweak: The singularity now poses a threat towards asteroids as well as stations. - - tweak: All power systems will now report their wattage values in Watts, Kilowatts, - Megawatts, and Gigawatts. Gone are the days of seeing 48760 W total load when - working with an APC! + - tweak: The singularity now poses a threat towards asteroids as well as stations. + - tweak: + All power systems will now report their wattage values in Watts, Kilowatts, + Megawatts, and Gigawatts. Gone are the days of seeing 48760 W total load when + working with an APC! kingofkosmos: - - tweak: You can now unbuckle out a chair/bed by moving. + - tweak: You can now unbuckle out a chair/bed by moving. ninjanomnom: - - bugfix: Fixed a problem with shuttles being unrepairable under certain circumstances. + - bugfix: Fixed a problem with shuttles being unrepairable under certain circumstances. 2017-09-01: Fury McFlurry: - - rscadd: Added more halloween costumes. - - rscadd: Among them are a lobster suit, a cold villain costume and some gothic - clothes + - rscadd: Added more halloween costumes. + - rscadd: + Among them are a lobster suit, a cold villain costume and some gothic + clothes More Robust Than You: - - rscdel: Finally fucking removed gangs + - rscdel: Finally fucking removed gangs MrStonedOne: - - rscadd: Player notes can now be configured to fade out over time to allow admins - to quickly see how recent notes are. Server Operators, check the config for - more info + - rscadd: + Player notes can now be configured to fade out over time to allow admins + to quickly see how recent notes are. Server Operators, check the config for + more info Pubby: - - rscdel: The multiverse sword is toast + - rscdel: The multiverse sword is toast YPOQ: - - bugfix: Pouring radium into a ninja suit restores adrenaline boosts. - - bugfix: Adrenaline boost works while unconscious again. - - bugfix: Energy nets can be used again! + - bugfix: Pouring radium into a ninja suit restores adrenaline boosts. + - bugfix: Adrenaline boost works while unconscious again. + - bugfix: Energy nets can be used again! 2017-09-02: Frozenguy5: - - tweak: Added new station prefixes, names and suffixes! + - tweak: Added new station prefixes, names and suffixes! Tortellini Tony: - - tweak: Round-end credits can now be toggled on or off in the server game options. + - tweak: Round-end credits can now be toggled on or off in the server game options. XDTM: - - tweak: The Disease Outbreak event now can generate random advanced viruses, with - more symptoms and higher level as round time goes on. + - tweak: + The Disease Outbreak event now can generate random advanced viruses, with + more symptoms and higher level as round time goes on. 2017-09-11: Anonmare: - - balance: Altered pressure plate crafting recipe + - balance: Altered pressure plate crafting recipe Basilman: - - rscadd: A strange asteroid has drifted nearby... + - rscadd: A strange asteroid has drifted nearby... Firecage: - - rscadd: The NanoTrasen Department for Cybernetics (NDC) would like to announce - the creation of Cybernetic Lungs. Both a stock variety to replace traditional - stock human lungs in emergencies, and a more enhanced variety allowing greater - tolerance of breathing cold air, toxins, and CO2. + - rscadd: + The NanoTrasen Department for Cybernetics (NDC) would like to announce + the creation of Cybernetic Lungs. Both a stock variety to replace traditional + stock human lungs in emergencies, and a more enhanced variety allowing greater + tolerance of breathing cold air, toxins, and CO2. JJRcop: - - rscadd: Admins can now play media content from the web to players. - - rscadd: Adds a volume slider for admin midis to the chat options menu. + - rscadd: Admins can now play media content from the web to players. + - rscadd: Adds a volume slider for admin midis to the chat options menu. Jay: - - bugfix: Goliaths can be butchered again + - bugfix: Goliaths can be butchered again Joan: - - tweak: While below 0 health but above -30 health, you will be able to crawl slowly - if not pulled, whisper, hear speech, and see with worsening vision. - - wip: The previous softcrit got reverted, for changelog context. - - rscdel: Standard attacks, such as swords, hulk punches, mech punches, xeno slashes, - and slime glomps, will no longer damage clothing. + - tweak: + While below 0 health but above -30 health, you will be able to crawl slowly + if not pulled, whisper, hear speech, and see with worsening vision. + - wip: The previous softcrit got reverted, for changelog context. + - rscdel: + Standard attacks, such as swords, hulk punches, mech punches, xeno slashes, + and slime glomps, will no longer damage clothing. Kor: - - rscadd: People in soft crit will take oxyloss more slowly than people in full - crit if they remain still. - - rscadd: People dragging themselves in critical condition will now leave blood - trails. This will rapidly deal oxyloss to you. + - rscadd: + People in soft crit will take oxyloss more slowly than people in full + crit if they remain still. + - rscadd: + People dragging themselves in critical condition will now leave blood + trails. This will rapidly deal oxyloss to you. MrStonedOne: - - rscadd: Admins may now show the variables interface to players to help contributors - debug their new additions + - rscadd: + Admins may now show the variables interface to players to help contributors + debug their new additions Naksu: - - rscadd: Added TGUI interfaces to various smartfridges of different kinds, drying - racks and the disk compartmentalizer + - rscadd: + Added TGUI interfaces to various smartfridges of different kinds, drying + racks and the disk compartmentalizer Pubby: - - bugfix: Escape pods and PubbyStation's monastery shuttle are back in commission + - bugfix: Escape pods and PubbyStation's monastery shuttle are back in commission Robustin: - - tweak: Golem shells no longer fit in standard crew bags. + - tweak: Golem shells no longer fit in standard crew bags. Supermichael777: - - bugfix: Stands now check if their user got queue deleted somehow + - bugfix: Stands now check if their user got queue deleted somehow VexingRaven: - - bugfix: Hearty Punch once again pulls people out of crit. + - bugfix: Hearty Punch once again pulls people out of crit. Xhuis: - - spellcheck: Various grammar in the Orion Trail arcade game has been tweaked. - - rscadd: You can now kill yourself in fun and creative ways with the hierophant - club. - - rscadd: Common lavaland mobs now have rare mutations! Keep an eye out for rare - Poke- err, monsters. - - imageadd: The hand drill and jaws of life now have sprites on the toolbelt. + - spellcheck: Various grammar in the Orion Trail arcade game has been tweaked. + - rscadd: + You can now kill yourself in fun and creative ways with the hierophant + club. + - rscadd: + Common lavaland mobs now have rare mutations! Keep an eye out for rare + Poke- err, monsters. + - imageadd: The hand drill and jaws of life now have sprites on the toolbelt. YPOQ: - - bugfix: Windoors open when emagged again + - bugfix: Windoors open when emagged again as334: - - rscadd: Added a mass spectrometer to the detective's closet + - rscadd: Added a mass spectrometer to the detective's closet basilman: - - rscadd: penguins may now have shamebreros, noot noot + - rscadd: penguins may now have shamebreros, noot noot 2017-09-13: BeeSting12: - - balance: The stetchkin APS pistol is smaller. - - rscadd: The 9mm pistol magazines can be purchased from nuke op uplinks at two - telecrystals each. + - balance: The stetchkin APS pistol is smaller. + - rscadd: + The 9mm pistol magazines can be purchased from nuke op uplinks at two + telecrystals each. Kor: - - rscadd: Added Nightmares. They're admin only currently, so as usual, make sure - to beg admins to be one. - - rscadd: The Chaplain may now choose the Unholy Blessing as a null rod skin. + - rscadd: + Added Nightmares. They're admin only currently, so as usual, make sure + to beg admins to be one. + - rscadd: The Chaplain may now choose the Unholy Blessing as a null rod skin. KorPhaeron: - - rscadd: Added Jacob's ladder to the necropolis chest + - rscadd: Added Jacob's ladder to the necropolis chest Lordpidey: - - bugfix: Centcom roundstart threat reports are fixed, and can now be used to narrow - down the types of threats facing the station. + - bugfix: + Centcom roundstart threat reports are fixed, and can now be used to narrow + down the types of threats facing the station. MrROBUST: - - rscadd: Mechs now can be connected to atmos ports + - rscadd: Mechs now can be connected to atmos ports VexingRaven: - - bugfix: Changeling Augmented Eyesight ability now grants flash protection when - toggled off - - bugfix: Changeling Augmented Eyesight ability can now be toggled properly - - bugfix: Changeling Augmented Eyesight ability is properly removed when readapting - - bugfix: The syndicate have once again stocked the toy C20r and L6 Saw with riot - darts. + - bugfix: + Changeling Augmented Eyesight ability now grants flash protection when + toggled off + - bugfix: Changeling Augmented Eyesight ability can now be toggled properly + - bugfix: Changeling Augmented Eyesight ability is properly removed when readapting + - bugfix: + The syndicate have once again stocked the toy C20r and L6 Saw with riot + darts. Xhuis: - - rscadd: You can now use metal rods and departmental jumpsuits to craft departments - for each banner. - - tweak: The lavaland animal hospital ruin has been remapped, including more supplies - as well as light sources. + - rscadd: + You can now use metal rods and departmental jumpsuits to craft departments + for each banner. + - tweak: + The lavaland animal hospital ruin has been remapped, including more supplies + as well as light sources. 2017-09-14: BeeSting12: - - balance: Deltastation's and Metastation's armory now starts with three riot shotguns! + - balance: Deltastation's and Metastation's armory now starts with three riot shotguns! Fun Police: - - rscdel: Removed some of the free lag. + - rscdel: Removed some of the free lag. Kor: - - bugfix: It is possible to multitool the cargo computer circuitboard for contraband - again + - bugfix: + It is possible to multitool the cargo computer circuitboard for contraband + again ShizCalev: - - bugfix: Holding a potted plant will no longer put you above objects on walls. - - bugfix: Replaced leftover references to loyalty implants with mindshield implants. + - bugfix: Holding a potted plant will no longer put you above objects on walls. + - bugfix: Replaced leftover references to loyalty implants with mindshield implants. ninjanomnom: - - bugfix: Shuttle transit parallax should be working again + - bugfix: Shuttle transit parallax should be working again 2017-09-16: Basilman: - - rscadd: Gondolas are now procedural generated. + - rscadd: Gondolas are now procedural generated. Mey-Ha-Zah: - - imageadd: Updated the knife sprite. + - imageadd: Updated the knife sprite. Naksu: - - bugfix: Evidence bags will no longer show ghosts of items such as primed flashbangs - after the flashbang inside explodes - - bugfix: Prevents dead monkeys from fleeing their attackers or escaping His Grace - only to be eaten again - - rscdel: Corgis can no longer be targeted by facehuggers - - rscdel: Removed unused vine floors and their sprite. + - bugfix: + Evidence bags will no longer show ghosts of items such as primed flashbangs + after the flashbang inside explodes + - bugfix: + Prevents dead monkeys from fleeing their attackers or escaping His Grace + only to be eaten again + - rscdel: Corgis can no longer be targeted by facehuggers + - rscdel: Removed unused vine floors and their sprite. Robustin: - - rscadd: Due to budget cuts, airlocks that control access to non-functional maint - rooms and other abandoned areas now have a chance to spawn welded, bolted, screwdrivered, - or flat out replaced by a wall at roundstart. - - bugfix: Dice will now roll when thrown + - rscadd: + Due to budget cuts, airlocks that control access to non-functional maint + rooms and other abandoned areas now have a chance to spawn welded, bolted, screwdrivered, + or flat out replaced by a wall at roundstart. + - bugfix: Dice will now roll when thrown YPOQ: - - rscadd: Ninja adrenaline boost removes stamina damage - - bugfix: Depowered AIs can no longer use abilities or interact with machinery - - bugfix: The doomsday device will again periodically announce the time until its - activation - - bugfix: Crafting stackable items results in the right stack sizes + - rscadd: Ninja adrenaline boost removes stamina damage + - bugfix: Depowered AIs can no longer use abilities or interact with machinery + - bugfix: + The doomsday device will again periodically announce the time until its + activation + - bugfix: Crafting stackable items results in the right stack sizes 2017-09-18: More Robust Than you: - - balance: Blobbernauts are healed quicker by cores and nodes + - balance: Blobbernauts are healed quicker by cores and nodes Naksu: - - bugfix: OOC for dead people is now (re-)enabled at round-end - - bugfix: Fixed chemfridges being unable to display items with dots in their name + - bugfix: OOC for dead people is now (re-)enabled at round-end + - bugfix: Fixed chemfridges being unable to display items with dots in their name Pubby: - - rscadd: Traitorbro gamemode + - rscadd: Traitorbro gamemode Supermichael777: - - bugfix: Airlocks now check metal for upgrades using the standard get_amount() - proc instead of checking the amount var, this means it is compatible with cyborgs. + - bugfix: + Airlocks now check metal for upgrades using the standard get_amount() + proc instead of checking the amount var, this means it is compatible with cyborgs. TungstenOxide: - - tweak: Swapped the action of purchasing a pAI software and subtracting the RAM - from available pool. + - tweak: + Swapped the action of purchasing a pAI software and subtracting the RAM + from available pool. Xhuis: - - balance: Brave Bull now increases your max HP by 10, up from 5. - - rscadd: Tequila Sunrise now makes you radiate dim light while it's in your body. - - rscadd: Dwarves are now very resistant to the intense alcohol content of the Manly - Dorf and can freely quaff them without too much worry. - - rscadd: Bloody Mary now restores lost blood. + - balance: Brave Bull now increases your max HP by 10, up from 5. + - rscadd: Tequila Sunrise now makes you radiate dim light while it's in your body. + - rscadd: + Dwarves are now very resistant to the intense alcohol content of the Manly + Dorf and can freely quaff them without too much worry. + - rscadd: Bloody Mary now restores lost blood. 2017-09-20: PopNotes: - - imageadd: Airlocks animate faster. This doesn't change the time it takes to pass - through an airlock, but it does visually match up much better so you don't just - appear to glide through the airlock while it's half-open. + - imageadd: + Airlocks animate faster. This doesn't change the time it takes to pass + through an airlock, but it does visually match up much better so you don't just + appear to glide through the airlock while it's half-open. Pubby: - - bugfix: Atmos pipenets are less glitchy + - bugfix: Atmos pipenets are less glitchy TehZombehz: - - rscadd: Several new plushie dolls are now available in toy crates. + - rscadd: Several new plushie dolls are now available in toy crates. 2017-09-22: AutomaticFrenzy: - - bugfix: Mice spawning finds the station z level properly + - bugfix: Mice spawning finds the station z level properly CPTANT: - - balance: Knockdown and unconcious now let you regenerate stamina damage. - - rscadd: Sleeping regenerates more stamina damage. + - balance: Knockdown and unconcious now let you regenerate stamina damage. + - rscadd: Sleeping regenerates more stamina damage. Naksu: - - bugfix: Admin ghosts can no longer unintentionally make a mess of things. + - bugfix: Admin ghosts can no longer unintentionally make a mess of things. 2017-09-23: Armhulen: - - rscadd: Rare Spider Variants have arrived! Every spiderling has a rare chance - of growing up to a rare version of their original spider type! - - rscadd: Special thanks to Onule for the sprites, you're the best! + - rscadd: + Rare Spider Variants have arrived! Every spiderling has a rare chance + of growing up to a rare version of their original spider type! + - rscadd: Special thanks to Onule for the sprites, you're the best! JJRcop: - - rscadd: Suiciding with a ballistic gun now actually blows your brain out. + - rscadd: Suiciding with a ballistic gun now actually blows your brain out. More Robust Than You: - - tweak: Taking the beaker out of a cryotube now tries to put it into your hand - - code_imp: Removed some spawn()s from secbot code - - bugfix: Using a soulstone on somebody now transfers your languages to the shade - - bugfix: Zombies now stay dead if they suicide - - rscadd: If a zombie suicides, they now rip their head off! - - bugfix: pAIs now transfer their languages to bots - - bugfix: Support Holoparasites must be manifested to heal + - tweak: Taking the beaker out of a cryotube now tries to put it into your hand + - code_imp: Removed some spawn()s from secbot code + - bugfix: Using a soulstone on somebody now transfers your languages to the shade + - bugfix: Zombies now stay dead if they suicide + - rscadd: If a zombie suicides, they now rip their head off! + - bugfix: pAIs now transfer their languages to bots + - bugfix: Support Holoparasites must be manifested to heal Robustin: - - balance: A zombie's automatic self-healing is stopped for 6 seconds after taking - damage. - - bugfix: Deconverted revs will now always get a message, logs will now include - more details. + - balance: + A zombie's automatic self-healing is stopped for 6 seconds after taking + damage. + - bugfix: + Deconverted revs will now always get a message, logs will now include + more details. YPOQ: - - bugfix: Pet persistence works again + - bugfix: Pet persistence works again 2017-09-27: Arianya: - - balance: Lesser ash drakes no longer drop ash drake hide when butchered. + - balance: Lesser ash drakes no longer drop ash drake hide when butchered. GLA Coding: - - tweak: Cells must now be installed in mechs when being constructed, this step - is always before the application of internal armor. - - bugfix: Combat mechs now get stats upgrades from their scanning modules and capacitors + - tweak: + Cells must now be installed in mechs when being constructed, this step + is always before the application of internal armor. + - bugfix: Combat mechs now get stats upgrades from their scanning modules and capacitors Improvedname: - - rscadd: Adds racial equality to color burgers + - rscadd: Adds racial equality to color burgers More Robust Than You: - - rscadd: Implant Chairs now also support organs + - rscadd: Implant Chairs now also support organs Naksu: - - bugfix: Fixed jump boots breaking if used when you can't jump, such as when inside - a sleeper. - - code_imp: Removed meteor-related free lag. - - bugfix: Syndicate MMIs will now properly transfer their laws to newly-constructed - AIs + - bugfix: + Fixed jump boots breaking if used when you can't jump, such as when inside + a sleeper. + - code_imp: Removed meteor-related free lag. + - bugfix: + Syndicate MMIs will now properly transfer their laws to newly-constructed + AIs Pubby: - - rscadd: Bluespace pipes to atmospherics, which create a single pipenet with all - bluespace pipes in existence. + - rscadd: + Bluespace pipes to atmospherics, which create a single pipenet with all + bluespace pipes in existence. 2017-09-28: RandomMarine: - - imageadd: Air tanks (o2+n2) now have a different appearance from oxygen tanks. + - imageadd: Air tanks (o2+n2) now have a different appearance from oxygen tanks. Robustin: - - tweak: Revheads no longer spawn with chameleon glasses or a spraycan, instead - they will start with a cybernetic security HUD implanted into their eyes. + - tweak: + Revheads no longer spawn with chameleon glasses or a spraycan, instead + they will start with a cybernetic security HUD implanted into their eyes. Xhuis: - - rscadd: Ian has recently communed with unspeakable horrors and may now be warped - by their power if Nar-Sie passes near them. - - rscadd: In order to fight back against their ancient foe Ian, Poly has struck - a bargain with Ratvar and will be transformed into a machine by their presence. + - rscadd: + Ian has recently communed with unspeakable horrors and may now be warped + by their power if Nar-Sie passes near them. + - rscadd: + In order to fight back against their ancient foe Ian, Poly has struck + a bargain with Ratvar and will be transformed into a machine by their presence. Y0SH1_M4S73R: - - bugfix: AFK players count as dead for the assassinate objective. + - bugfix: AFK players count as dead for the assassinate objective. 2017-09-29: Kor: - - rscadd: Gunfire can now leave bullet holes/dents in walls. Sprites by JStheguy. + - rscadd: Gunfire can now leave bullet holes/dents in walls. Sprites by JStheguy. RandomMarine: - - rscadd: You can now light your cigs with people that are on fire. The surgeon - general is spinning in their grave. + - rscadd: + You can now light your cigs with people that are on fire. The surgeon + general is spinning in their grave. Robustin: - - tweak: Hacking a secure container with a multitool now takes longer, but no longer - has a chance to fail. + - tweak: + Hacking a secure container with a multitool now takes longer, but no longer + has a chance to fail. XDTM: - - rscadd: Nurse spiders can now set a directive that will be seen by their spiderlings, - when they get controlled by a player. - - rscadd: Spiders' actions are now action buttons instead of verbs. - - rscadd: Wrapping stuff in a cocoon is now a targeted action! + - rscadd: + Nurse spiders can now set a directive that will be seen by their spiderlings, + when they get controlled by a player. + - rscadd: Spiders' actions are now action buttons instead of verbs. + - rscadd: Wrapping stuff in a cocoon is now a targeted action! kevinz000: - - rscadd: The syndicate have recently begun sending agents to extract vital research - information from Nanotrasen. - - bugfix: 'Timestop fields will now stop thrown objects experimental: Timestops - will now be much quicker to react.' + - rscadd: + The syndicate have recently begun sending agents to extract vital research + information from Nanotrasen. + - bugfix: + "Timestop fields will now stop thrown objects experimental: Timestops + will now be much quicker to react." kingofkosmos: - - spellcheck: You can now find out if an item uses alt-clicking by examining it. + - spellcheck: You can now find out if an item uses alt-clicking by examining it. 2017-10-07: Antur: - - bugfix: Liches will no longer lose their spells when reviving. + - bugfix: Liches will no longer lose their spells when reviving. AnturK: - - rscadd: Wigs are now available in AutoDrobe + - rscadd: Wigs are now available in AutoDrobe Cobby: - - admin: Players will now be notified automatically when an admin resolves their - ahelp. + - admin: + Players will now be notified automatically when an admin resolves their + ahelp. Cyberboss: - - config: The shuttle may now be configured to be automatically called if the amount - of living crew drops below a certain percentage - - bugfix: Fixed a rare case where creating a one tank bomb would result in a broken - object - - bugfix: Fixed many cases where forced item drops could be avoided by not having - an item in your active hand + - config: + The shuttle may now be configured to be automatically called if the amount + of living crew drops below a certain percentage + - bugfix: + Fixed a rare case where creating a one tank bomb would result in a broken + object + - bugfix: + Fixed many cases where forced item drops could be avoided by not having + an item in your active hand DaxDupont: - - rscdel: No more roundstart tips about gangs. You can finally start to forget gangs - ever existed. + - rscdel: + No more roundstart tips about gangs. You can finally start to forget gangs + ever existed. Incoming5643: - - bugfix: The rarely utilized secret satchel item persistence system has been fixed - and made more lenient. - - rscadd: 'In case you forgot how it works: if you find or buy secret satchels, - put an item in them, and then bury them under tiles on the station you or someone - else can find them again in a future round with the item still there! Free satchels - can often be found hiding around the station, so get to burying!' + - bugfix: + The rarely utilized secret satchel item persistence system has been fixed + and made more lenient. + - rscadd: + "In case you forgot how it works: if you find or buy secret satchels, + put an item in them, and then bury them under tiles on the station you or someone + else can find them again in a future round with the item still there! Free satchels + can often be found hiding around the station, so get to burying!" JJRcop: - - config: Hosts can now lock config options with the @ prefix. This prevents admins - from editing the option in-game. - - tweak: Admin volume slider moved to its own menu for better visibility. + - config: + Hosts can now lock config options with the @ prefix. This prevents admins + from editing the option in-game. + - tweak: Admin volume slider moved to its own menu for better visibility. Joan: - - bugfix: Fixes Vanguard never stunning for more than 2 seconds. - - balance: Ocular Warden base damage per second changed from 12.5 to 15. - - bugfix: Ocular Wardens no longer count themselves when checking for dense objects, - which decreased their overall damage by 15%. - - balance: Ocular Wardens now only reduce their damage by 10% per dense object, - and only do so once per turf. However, dense turfs now reduce their damage with - the same 10% penalty. + - bugfix: Fixes Vanguard never stunning for more than 2 seconds. + - balance: Ocular Warden base damage per second changed from 12.5 to 15. + - bugfix: + Ocular Wardens no longer count themselves when checking for dense objects, + which decreased their overall damage by 15%. + - balance: + Ocular Wardens now only reduce their damage by 10% per dense object, + and only do so once per turf. However, dense turfs now reduce their damage with + the same 10% penalty. Kerbin-Fiber: - - bugfix: Wood is no longer invisible + - bugfix: Wood is no longer invisible Kor: - - rscadd: Nightmares now have mutant hearts and brains, with their own special properties - when consumed or implanted in mobs. Experiment! - - bugfix: You can now tell when someone is in soft crit by examining them. - - rscadd: Nightmares now have a chance to spawn via event. + - rscadd: + Nightmares now have mutant hearts and brains, with their own special properties + when consumed or implanted in mobs. Experiment! + - bugfix: You can now tell when someone is in soft crit by examining them. + - rscadd: Nightmares now have a chance to spawn via event. More Robust Than You: - - bugfix: Fixes cogscarab sprites not updating - - balance: Blobs now take damage from particle accelerators + - bugfix: Fixes cogscarab sprites not updating + - balance: Blobs now take damage from particle accelerators MrDoomBringer: - - rscadd: Nanotrasen, as part of their new Employee Retention program, has encouraged - more station point-makery by adding the "Cargo Tech of the Shift"! The award - is located in a lockbox in the Quartermaster's locker. + - rscadd: + Nanotrasen, as part of their new Employee Retention program, has encouraged + more station point-makery by adding the "Cargo Tech of the Shift"! The award + is located in a lockbox in the Quartermaster's locker. MrStonedOne: - - tweak: The MC will now reduce tick rate during high populations to keep it from - fighting with byond for processing time. - - config: Added config options to control MC tick rate - - admin: Admins can no longer manually control the mc's tick rate by editing the - MC's processing value, instead you will have to edit the config datum's values - for high/low pop tick rates. + - tweak: + The MC will now reduce tick rate during high populations to keep it from + fighting with byond for processing time. + - config: Added config options to control MC tick rate + - admin: + Admins can no longer manually control the mc's tick rate by editing the + MC's processing value, instead you will have to edit the config datum's values + for high/low pop tick rates. Naksu: - - bugfix: Removed some of the free lag - - bugfix: Updates to station name are now reflected on Cargo's stock exchange computers. - - bugfix: Gutlunches will now once again look for gibs to eat. - - bugfix: Bees now come with reduced amounts of free lag - - balance: Pyrosium and cryostylane now react at ludicrous speeds. - - tweak: Made atmos tiny bit faster - - bugfix: Tweaks to atmos performance + - bugfix: Removed some of the free lag + - bugfix: Updates to station name are now reflected on Cargo's stock exchange computers. + - bugfix: Gutlunches will now once again look for gibs to eat. + - bugfix: Bees now come with reduced amounts of free lag + - balance: Pyrosium and cryostylane now react at ludicrous speeds. + - tweak: Made atmos tiny bit faster + - bugfix: Tweaks to atmos performance Qbopper: - - tweak: Moved a locker blocking an airlock in Toxins maintenance. + - tweak: Moved a locker blocking an airlock in Toxins maintenance. RandomMarine: - - bugfix: Simple mobs should no longer experience severe hud/lighting glitches when - reconnecting. + - bugfix: + Simple mobs should no longer experience severe hud/lighting glitches when + reconnecting. Robustin: - - rscadd: Blood cultists can now create a unique bastard sword at their forge - - rscdel: Blood cultists can no longer obtain a hardsuit from the forge - - bugfix: Emotes (e.g. spinning and flipping) will now properly check for consciousness, - restraints, etc. when appropriate. - - bugfix: The Cult's bastard sword should now properly store souls and create constructs. - - bugfix: Neutering a disease symptom now produces a unique ID that will ensure - the PANDEMIC machine copies it properly. + - rscadd: Blood cultists can now create a unique bastard sword at their forge + - rscdel: Blood cultists can no longer obtain a hardsuit from the forge + - bugfix: + Emotes (e.g. spinning and flipping) will now properly check for consciousness, + restraints, etc. when appropriate. + - bugfix: The Cult's bastard sword should now properly store souls and create constructs. + - bugfix: + Neutering a disease symptom now produces a unique ID that will ensure + the PANDEMIC machine copies it properly. ShizCalev: - - bugfix: You now have to unbuckle a player PRIOR to shaking them up off a bed or - resin nest. - - bugfix: Wizards will now have the correct name when attacked with Envy's knife! - - soundadd: Space ninja energy katanas now make a swish when drawn! + - bugfix: + You now have to unbuckle a player PRIOR to shaking them up off a bed or + resin nest. + - bugfix: Wizards will now have the correct name when attacked with Envy's knife! + - soundadd: Space ninja energy katanas now make a swish when drawn! Supermichael777: - - balance: The detectives gun has been restored from a system change that nerfed - knockdown in general. We need to have a serious discussion about anti revolver - hate in this community. - - tweak: The PDA default font has been switched from "eye bleed" to old-style monospace. - Check your preference. + - balance: + The detectives gun has been restored from a system change that nerfed + knockdown in general. We need to have a serious discussion about anti revolver + hate in this community. + - tweak: + The PDA default font has been switched from "eye bleed" to old-style monospace. + Check your preference. Thefastfoodguy: - - bugfix: Silicons can no longer take brain damage - - bugfix: Antimatter shielding that can't find a control unit won't delete itself - anymore + - bugfix: Silicons can no longer take brain damage + - bugfix: + Antimatter shielding that can't find a control unit won't delete itself + anymore WJohnston: - - rscadd: Boxstation and Metastation's white ships now have navigation computers, - letting you move them around in the station, deep space, and derelict z levels. + - rscadd: + Boxstation and Metastation's white ships now have navigation computers, + letting you move them around in the station, deep space, and derelict z levels. XDTM: - - rscadd: Added the H.E.C.K. suit, a guaranteed loot frop from Bubblegum. - - rscadd: The H.E.C.K. suit is fully fire (and ash) proof, and has very good melee - armor. - - rscadd: H.E.C.K. suits can also be painted with spraycans, to fully customize - your experience. - - rscadd: Despite spending centuries inside a demon king, H.E.C.K. suits are most - definitely safe. - - bugfix: Fixed a bug where Viral Aggressive Metabolism caused viruses to be cured - instantly. - - bugfix: Fixed a bug where viruses' symptoms would all instantly activate on infection. - - rscadd: The CMO now has an advanced health analyzer in his closet! It can give - more precise readings on the non-standard damage types. + - rscadd: Added the H.E.C.K. suit, a guaranteed loot frop from Bubblegum. + - rscadd: + The H.E.C.K. suit is fully fire (and ash) proof, and has very good melee + armor. + - rscadd: + H.E.C.K. suits can also be painted with spraycans, to fully customize + your experience. + - rscadd: + Despite spending centuries inside a demon king, H.E.C.K. suits are most + definitely safe. + - bugfix: + Fixed a bug where Viral Aggressive Metabolism caused viruses to be cured + instantly. + - bugfix: Fixed a bug where viruses' symptoms would all instantly activate on infection. + - rscadd: + The CMO now has an advanced health analyzer in his closet! It can give + more precise readings on the non-standard damage types. Xhuis: - - bugfix: Runed metal and brass are no longer invisible. + - bugfix: Runed metal and brass are no longer invisible. Xhuis and Y0SH1_M4S73R: - - bugfix: Servants of Ratvar now spawn in as the actual race set on their preferences, - with plasmamen getting the gear they need to not immediately die. + - bugfix: + Servants of Ratvar now spawn in as the actual race set on their preferences, + with plasmamen getting the gear they need to not immediately die. Y0SH1_M4S73R: - - balance: Gygax overdrive consumes at least 100 power per step + - balance: Gygax overdrive consumes at least 100 power per step YPOQ: - - bugfix: Jaunters equipped on the belt slot will save you from chasms again. + - bugfix: Jaunters equipped on the belt slot will save you from chasms again. kevinz000: - - rscadd: Wormhole event wormholes now actually teleport you. - - bugfix: portals now actually teleport on click. + - rscadd: Wormhole event wormholes now actually teleport you. + - bugfix: portals now actually teleport on click. kingofkosmos: - - rscadd: You can now see construction/deconstruction hints when examining airlocks. - - spellcheck: Beds, chairs, closets, grilles, lattices, catwalks, tables, racks, - floors, plating and bookcases now show hints about constructing/deconstructing - them. + - rscadd: You can now see construction/deconstruction hints when examining airlocks. + - spellcheck: + Beds, chairs, closets, grilles, lattices, catwalks, tables, racks, + floors, plating and bookcases now show hints about constructing/deconstructing + them. nicbn: - - rscadd: Paperwork now uses Markdown instead of BBCode, see the writing help for - changes. - - imageadd: Changed the drop, throw, pull and resist icons. + - rscadd: + Paperwork now uses Markdown instead of BBCode, see the writing help for + changes. + - imageadd: Changed the drop, throw, pull and resist icons. 2017-10-15: Armhulen: - - bugfix: Clockwork golems no longer slip and slide on glass! + - bugfix: Clockwork golems no longer slip and slide on glass! Armie: - - tweak: Holoparasites are once again in the uplink. + - tweak: Holoparasites are once again in the uplink. Bawhoppen: - - tweak: Smoke machine board has been moved to tech storage. + - tweak: Smoke machine board has been moved to tech storage. DaxDupont: - - tweak: After lobbying by Robust Softdrinks and Getmore Chocolate Corp all vendor - firmware has been changed to add sillicons to their target demographic. - - spellcheck: Replaces instances of "permenant" and "permenantly" with the proper - spelling in several areas, + - tweak: + After lobbying by Robust Softdrinks and Getmore Chocolate Corp all vendor + firmware has been changed to add sillicons to their target demographic. + - spellcheck: + Replaces instances of "permenant" and "permenantly" with the proper + spelling in several areas, Epoc: - - rscadd: Added a Toggle Underline button to the PDA menu - - code_imp: Cleaned HTML spacing + - rscadd: Added a Toggle Underline button to the PDA menu + - code_imp: Cleaned HTML spacing Frozenguy5: - - bugfix: C20r damage upped from 20 to 30 (used to be 30 before an ammo cleanup - in the code) + - bugfix: + C20r damage upped from 20 to 30 (used to be 30 before an ammo cleanup + in the code) GLACoding: - - bugfix: Syndicate turrets and other machines in walls can now be hit by projectiles + - bugfix: Syndicate turrets and other machines in walls can now be hit by projectiles Improvedname: - - rscadd: You can now put custom name and lore on your holy weapon by using a pen - on it! - - tweak: Cmo, captain, and the bartender now get pet collars in their lockers. + - rscadd: + You can now put custom name and lore on your holy weapon by using a pen + on it! + - tweak: Cmo, captain, and the bartender now get pet collars in their lockers. Jambread/RemieRichards/Incoming5643: - - server: There is a new system for title music accessible from config/title_music - folder. This system allows for multiple rotating lobby music without bloating - Git as well as map specific lobby music. See the readme.txt in config/title_music - for full details. - - config: The previous method of title music selection, strings/round_start_sounds.txt - has been depreciated by this change. + - server: + There is a new system for title music accessible from config/title_music + folder. This system allows for multiple rotating lobby music without bloating + Git as well as map specific lobby music. See the readme.txt in config/title_music + for full details. + - config: + The previous method of title music selection, strings/round_start_sounds.txt + has been depreciated by this change. Kor: - - balance: You can now smash the bulbs out of floodlights rather than having to - entirely destroy the object. + - balance: + You can now smash the bulbs out of floodlights rather than having to + entirely destroy the object. Mercenaryblue: - - rscadd: Use the Clown Stamp on some cardboard to begin... the honkbot! - - rscadd: These honkbots are just adorable, and totally not annoying. I swear! Honk! - - rscadd: You can even slot in a pAI! Just don't emag them... oh boy. oh no. oh - geez. - - soundadd: Honkbots now release an evil laugh when emagged. - - imageadd: added some in_hands for banana peels. - - tweak: Golden Bike Horns now permit its victims to perform a full flip before - forcing them to jump again. + - rscadd: Use the Clown Stamp on some cardboard to begin... the honkbot! + - rscadd: These honkbots are just adorable, and totally not annoying. I swear! Honk! + - rscadd: + You can even slot in a pAI! Just don't emag them... oh boy. oh no. oh + geez. + - soundadd: Honkbots now release an evil laugh when emagged. + - imageadd: added some in_hands for banana peels. + - tweak: + Golden Bike Horns now permit its victims to perform a full flip before + forcing them to jump again. More Robust Than You: - - bugfix: Makes the santa event properly poll ghosts - - bugfix: Diseases will now cure if species is changed - - tweak: You can now drag-drop people into open DNA scanners - - bugfix: Medibots will no longer inject people in lockers/sleepers/etc + - bugfix: Makes the santa event properly poll ghosts + - bugfix: Diseases will now cure if species is changed + - tweak: You can now drag-drop people into open DNA scanners + - bugfix: Medibots will no longer inject people in lockers/sleepers/etc Naksu: - - bugfix: Fixes to door/airlock deletion routines. - - bugfix: Traitor pen uplinks now preferentially spawn in the PDA pen, and not in - a pocket protector full of pens that no-one checks. - - bugfix: Reusable projectiles such as foam darts no longer get deleted if they're - shot at a shooting range target or a cardboard cutout. - - bugfix: Ghosts no longer inherit the movement delay of their former bodies. - - bugfix: Fixed mobs being able to smash shocked objects without taking damage. - - bugfix: Fixed some mobs not deleting correctly - - code_imp: Fixed dusting code, supermatter-suicides no longer spam the runtime - logs. - - code_imp: Fixed some initialize paths. + - bugfix: Fixes to door/airlock deletion routines. + - bugfix: + Traitor pen uplinks now preferentially spawn in the PDA pen, and not in + a pocket protector full of pens that no-one checks. + - bugfix: + Reusable projectiles such as foam darts no longer get deleted if they're + shot at a shooting range target or a cardboard cutout. + - bugfix: Ghosts no longer inherit the movement delay of their former bodies. + - bugfix: Fixed mobs being able to smash shocked objects without taking damage. + - bugfix: Fixed some mobs not deleting correctly + - code_imp: + Fixed dusting code, supermatter-suicides no longer spam the runtime + logs. + - code_imp: Fixed some initialize paths. Onule: - - tweak: Sunflower sprites were changed, small edits to variants. - - imageadd: Sunflower and variant's inhands sprites. - - imageadd: Tweaked growing sprites to match the new sunflower. - - imageadd: Moonflower and novaflowers now have slightly different growing sprites. + - tweak: Sunflower sprites were changed, small edits to variants. + - imageadd: Sunflower and variant's inhands sprites. + - imageadd: Tweaked growing sprites to match the new sunflower. + - imageadd: Moonflower and novaflowers now have slightly different growing sprites. Robustin: - - rscadd: The Chemistry Smoke Machine! Chemist offices will have a board available - should they choose to construct a smoke machine. The smoke machine will regularly - produce smoke from whatever chemicals have been inserted into the machine. Designs - for the circuitboard are also available at RND. - - tweak: Abandoned Airlocks will no longer be deleted when their turf is changed - to a wall. - - tweak: Tesla movement is now completely random. - - bugfix: Clock Cult mode will no longer end if all the cultists die. The round - will not end until the Ark is destroyed or completed. - - bugfix: Chain reactions between explosives will now properly trigger explosives - located in an individual's bag. - - tweak: The wrench-anchoring time of the smoke machine is now doubled to 4 seconds. - - tweak: Smoke Machine smoke is now transparent. - - rscadd: The smoke machine has taken its rightful place in the chemist's office. - - bugfix: Smoke machine will no longer operate while moving/unanchored. + - rscadd: + The Chemistry Smoke Machine! Chemist offices will have a board available + should they choose to construct a smoke machine. The smoke machine will regularly + produce smoke from whatever chemicals have been inserted into the machine. Designs + for the circuitboard are also available at RND. + - tweak: + Abandoned Airlocks will no longer be deleted when their turf is changed + to a wall. + - tweak: Tesla movement is now completely random. + - bugfix: + Clock Cult mode will no longer end if all the cultists die. The round + will not end until the Ark is destroyed or completed. + - bugfix: + Chain reactions between explosives will now properly trigger explosives + located in an individual's bag. + - tweak: The wrench-anchoring time of the smoke machine is now doubled to 4 seconds. + - tweak: Smoke Machine smoke is now transparent. + - rscadd: The smoke machine has taken its rightful place in the chemist's office. + - bugfix: Smoke machine will no longer operate while moving/unanchored. ShizCalev: - - tweak: Nanotrasen brand "Box" model stations have received approval from CentCom - to be retrofitted with the latest in Xenobiology equipment. You will now find - a chemmaster, a chemical dispenser, and a dropper within the Research Division's - Xenobiology lab. - - bugfix: C4 will no longer appear underneath objects on walls. - - bugfix: Plastic explosives will no longer be invisible after being planted. - - imageadd: The security bombsuit's sprite has been updated! + - tweak: + Nanotrasen brand "Box" model stations have received approval from CentCom + to be retrofitted with the latest in Xenobiology equipment. You will now find + a chemmaster, a chemical dispenser, and a dropper within the Research Division's + Xenobiology lab. + - bugfix: C4 will no longer appear underneath objects on walls. + - bugfix: Plastic explosives will no longer be invisible after being planted. + - imageadd: The security bombsuit's sprite has been updated! SpaceManiac: - - spellcheck: Grammar when examining objects has been improved. - - bugfix: AI eye camera static is now correctly positioned on Lavaland. - - spellcheck: Fixed many instances of "the the" when interacting with objects. - - bugfix: The tracking implant locator now works on the station again. + - spellcheck: Grammar when examining objects has been improved. + - bugfix: AI eye camera static is now correctly positioned on Lavaland. + - spellcheck: Fixed many instances of "the the" when interacting with objects. + - bugfix: The tracking implant locator now works on the station again. WJohn: - - rscadd: An old cruiser class vessel has resiliently stuck around, and may do so - for the foreseeable future. + - rscadd: + An old cruiser class vessel has resiliently stuck around, and may do so + for the foreseeable future. WJohnston: - - tweak: Due to age, the abandoned ship's engines are now considerably slower when - bringing it place to place. This does however mean that the ship now has a more - gradual takeoff, with no sudden jolt to knock passengers off their feet. - - imageadd: Black carpets no longer have an ugly periodic black line in them. Regular - catwalks are now totally opaque so you won't accidentally click on space when - trying to place wires or tiles on them. - - rscdel: Boxstation's guitar white ship is no more. - - rscadd: Metastation's white ship stands in its place! - - tweak: Metastation's white ship has a couple of weak laser turrets to protect - the cockpit from space carp. - - tweak: Boxstation and metastation now have some plating under the grilles near - the AI sat's transit tube to prevent players from deleting the tube by landing - there. + - tweak: + Due to age, the abandoned ship's engines are now considerably slower when + bringing it place to place. This does however mean that the ship now has a more + gradual takeoff, with no sudden jolt to knock passengers off their feet. + - imageadd: + Black carpets no longer have an ugly periodic black line in them. Regular + catwalks are now totally opaque so you won't accidentally click on space when + trying to place wires or tiles on them. + - rscdel: Boxstation's guitar white ship is no more. + - rscadd: Metastation's white ship stands in its place! + - tweak: + Metastation's white ship has a couple of weak laser turrets to protect + the cockpit from space carp. + - tweak: + Boxstation and metastation now have some plating under the grilles near + the AI sat's transit tube to prevent players from deleting the tube by landing + there. WJohnston & ninjanomnom: - - rscadd: Plastitanium walls smooth, fancier syndicate shuttles! - - bugfix: Infiltrator shuttles have been moved out of the station maps and made - into a multi-area shuttle. - - balance: Titanium and plastitanium have explosion resistance (requested by Wjohn) + - rscadd: Plastitanium walls smooth, fancier syndicate shuttles! + - bugfix: + Infiltrator shuttles have been moved out of the station maps and made + into a multi-area shuttle. + - balance: Titanium and plastitanium have explosion resistance (requested by Wjohn) XDTM: - - rscadd: Blood and vomit pools can now spread the diseases of the mob that made - them! Cover your feet properly to avoid infection. - - rscadd: Virus severity now changes the color of the disease HUD icon, scaling - from green to red to flashing black-red. - - tweak: Contact-based diseases no longer spread by simply standing near other people; - it requires interaction like touching or attacking. Bumping against people/swapping - with help intent still counts as touching. - - tweak: Advanced viruses now have another infection type, "Fluids"; it's between - blood and skin contact, and will only be transmitted through fluid contact. - - rscdel: Two "hidden" infection types have been removed. Overall this means that - making a virus airborne is a little bit easier. - - bugfix: Species who cannot breathe can no longer be infected by breathing. - - bugfix: Internals now properly work if set to 0 pressure, and will prevent breathing - gas from the external atmosphere. - - bugfix: Viral Aggressive Metabolism is now properly inactive when neutered. + - rscadd: + Blood and vomit pools can now spread the diseases of the mob that made + them! Cover your feet properly to avoid infection. + - rscadd: + Virus severity now changes the color of the disease HUD icon, scaling + from green to red to flashing black-red. + - tweak: + Contact-based diseases no longer spread by simply standing near other people; + it requires interaction like touching or attacking. Bumping against people/swapping + with help intent still counts as touching. + - tweak: + Advanced viruses now have another infection type, "Fluids"; it's between + blood and skin contact, and will only be transmitted through fluid contact. + - rscdel: + Two "hidden" infection types have been removed. Overall this means that + making a virus airborne is a little bit easier. + - bugfix: Species who cannot breathe can no longer be infected by breathing. + - bugfix: + Internals now properly work if set to 0 pressure, and will prevent breathing + gas from the external atmosphere. + - bugfix: Viral Aggressive Metabolism is now properly inactive when neutered. Xhuis: - - tweak: Cogscarabs can now experiment more freely with base design during non-clockcult - rounds with infinite power and the ability to recite scripture! - - bugfix: The Ark of the Clockwork Justiciar is now registered as a hostile environment. - - refactor: Clockwork scripture now has one progress bar for the entire recital - instead of multiple ones for each sentence in the invocation. - - bugfix: Ocular wardens no longer have a burning hatred for revenants and won't - attack their corpse endlessly anymore. - - balance: Stargazers can no longer be built off-station, even in new areas. - - balance: Integration cogs no longer emit sounds and steam visuals when active. + - tweak: + Cogscarabs can now experiment more freely with base design during non-clockcult + rounds with infinite power and the ability to recite scripture! + - bugfix: The Ark of the Clockwork Justiciar is now registered as a hostile environment. + - refactor: + Clockwork scripture now has one progress bar for the entire recital + instead of multiple ones for each sentence in the invocation. + - bugfix: + Ocular wardens no longer have a burning hatred for revenants and won't + attack their corpse endlessly anymore. + - balance: Stargazers can no longer be built off-station, even in new areas. + - balance: Integration cogs no longer emit sounds and steam visuals when active. armie: - - bugfix: mob spawners are no longer possessable + - bugfix: mob spawners are no longer possessable deathride58: - - rscadd: '*slap' + - rscadd: "*slap" duncathan: - - bugfix: Scrubbers and filters no longer allow for infinite pressure in pipes. + - bugfix: Scrubbers and filters no longer allow for infinite pressure in pipes. improvedname: - - bugfix: 9mm doesn't longer appear in traitor surplus crates + - bugfix: 9mm doesn't longer appear in traitor surplus crates kevinz000: - - bugfix: 'Flightsuits now allow proper pulling experimental: Moved now has an argument - for if it was a regular Move or a forceMove.' - - rscadd: Instead of dumb sleep()s, follow trails now use SSfastprocess for processing! - - rscadd: Mobs now float while flying automatically! - - rscdel: 'Flightsuits can no longer be safely shut off if you''re still barreling - down the hallway. experimental: Flightsuits should be less shitcode. Hope this - PR doesn''t blow anything important up!' - - bugfix: Fixed trying to clear beaker in pandemic when the beaker is already removed - causing a runtime. + - bugfix: + "Flightsuits now allow proper pulling experimental: Moved now has an argument + for if it was a regular Move or a forceMove." + - rscadd: Instead of dumb sleep()s, follow trails now use SSfastprocess for processing! + - rscadd: Mobs now float while flying automatically! + - rscdel: + "Flightsuits can no longer be safely shut off if you're still barreling + down the hallway. experimental: Flightsuits should be less shitcode. Hope this + PR doesn't blow anything important up!" + - bugfix: + Fixed trying to clear beaker in pandemic when the beaker is already removed + causing a runtime. kingofkosmos: - - rscadd: Alt-clicking on a computer now ejects the ID card inside it. + - rscadd: Alt-clicking on a computer now ejects the ID card inside it. nicbn: - - tweak: You can now clear bullet holes in walls using a welding tool. + - tweak: You can now clear bullet holes in walls using a welding tool. ninjanomnom: - - refactor: Radiation has been completely overhauled. - - rscadd: A new radiation subsystem and spreading mechanics. - - rscadd: Walls and other dense objects insulate you from radiation. - - rscadd: Geiger counters now store the last burst of radiation so you can view - it at your leisure or show it to someone. Examine it. - - rscadd: Geiger counters can check mobs for contaminated objects. Scan yourself - before you leave to make sure you aren't carrying dangerous radioactive items. - - soundadd: Geiger counters have realistic sounds and the radiation pulse spam in - chat has been replaced. - - balance: Radiation is more deadly and causes burns at high intensities, WEAR YOUR - RADSUITS. - - balance: However residue radiation is far slower acting and kills you with toxin. - - balance: Engineering holosigns have a light amount of radiation insulation. - - balance: Rad collectors are nerfed. No more supercharging with pressurized plasma. - No more collector spam either. - - balance: Engine output is a lot more stable as a result of collector changes. - - balance: Monkeys need more rads and take more time to turn into gorillas. - - tweak: Over 100% on the DNA computer means your subject is now taking damage. - - tweak: The asteroid escape shuttle has no stabilizers and throws you around when - it moves - - bugfix: Shuttles no longer rotate ghosts of players who prefer directionless sprites - - bugfix: 2 Years later and cameras work on shuttles now, probably. - - bugfix: Buckled mobs when on a rotating shuttle should now rotate correctly - - bugfix: Fixes shuttles gibbing in supposedly safe areas - - bugfix: Mobs that didn't move during shuttle launch would not have their parallax - updated. This is fixed now. - - bugfix: The custom shuttle placement highlight now works for multi area shuttles. - - bugfix: Directional windows shouldn't leak air anymore - - tweak: Windows only block air while anchored - - bugfix: Fixes camera mobs being considered a target by radiation - - bugfix: Cables can no longer be contaminated as well - - balance: Buffs radiation cleansing chems - - balance: Toxin damage per tick from radiation is halved - - admin: Contaminated objects keep track of what contaminated them - - admin: Radiation pulses over 3000 are logged now + - refactor: Radiation has been completely overhauled. + - rscadd: A new radiation subsystem and spreading mechanics. + - rscadd: Walls and other dense objects insulate you from radiation. + - rscadd: + Geiger counters now store the last burst of radiation so you can view + it at your leisure or show it to someone. Examine it. + - rscadd: + Geiger counters can check mobs for contaminated objects. Scan yourself + before you leave to make sure you aren't carrying dangerous radioactive items. + - soundadd: + Geiger counters have realistic sounds and the radiation pulse spam in + chat has been replaced. + - balance: + Radiation is more deadly and causes burns at high intensities, WEAR YOUR + RADSUITS. + - balance: However residue radiation is far slower acting and kills you with toxin. + - balance: Engineering holosigns have a light amount of radiation insulation. + - balance: + Rad collectors are nerfed. No more supercharging with pressurized plasma. + No more collector spam either. + - balance: Engine output is a lot more stable as a result of collector changes. + - balance: Monkeys need more rads and take more time to turn into gorillas. + - tweak: Over 100% on the DNA computer means your subject is now taking damage. + - tweak: + The asteroid escape shuttle has no stabilizers and throws you around when + it moves + - bugfix: Shuttles no longer rotate ghosts of players who prefer directionless sprites + - bugfix: 2 Years later and cameras work on shuttles now, probably. + - bugfix: Buckled mobs when on a rotating shuttle should now rotate correctly + - bugfix: Fixes shuttles gibbing in supposedly safe areas + - bugfix: + Mobs that didn't move during shuttle launch would not have their parallax + updated. This is fixed now. + - bugfix: The custom shuttle placement highlight now works for multi area shuttles. + - bugfix: Directional windows shouldn't leak air anymore + - tweak: Windows only block air while anchored + - bugfix: Fixes camera mobs being considered a target by radiation + - bugfix: Cables can no longer be contaminated as well + - balance: Buffs radiation cleansing chems + - balance: Toxin damage per tick from radiation is halved + - admin: Contaminated objects keep track of what contaminated them + - admin: Radiation pulses over 3000 are logged now spessmenart: - - imageadd: The captains sabre no longer looks like a rapier. + - imageadd: The captains sabre no longer looks like a rapier. 2017-10-17: DaxDupont: - - bugfix: 'Fancy boxes(ie: donut boxes) now show the proper content amount in the - sprite and no longer go invisible when empty.' + - bugfix: + "Fancy boxes(ie: donut boxes) now show the proper content amount in the + sprite and no longer go invisible when empty." Mercenaryblue: - - bugfix: when decapitated, banana-flavored cream no longer hovers where your head - used to be. + - bugfix: + when decapitated, banana-flavored cream no longer hovers where your head + used to be. More Robust Than You: - - rscadd: EI NATH! now causes a flash of light + - rscadd: EI NATH! now causes a flash of light Naksu: - - bugfix: Pinned notes will now show up on vault, abductor, centcom and large glass - airlocks. - - spellcheck: Removed a misleading message when handling full stacks of sheets. - - bugfix: Pre-filled glass bottles (uplink, medbay, botany) will now give visual - feedback about how much stuff is left inside, and the color of contents will - match an empty bottle being filled with the same reagent. - - bugfix: Player-controlled "neutral" mobs such as minebots are now considered valid - targets by clock cult's ocular wardens. + - bugfix: + Pinned notes will now show up on vault, abductor, centcom and large glass + airlocks. + - spellcheck: Removed a misleading message when handling full stacks of sheets. + - bugfix: + Pre-filled glass bottles (uplink, medbay, botany) will now give visual + feedback about how much stuff is left inside, and the color of contents will + match an empty bottle being filled with the same reagent. + - bugfix: + Player-controlled "neutral" mobs such as minebots are now considered valid + targets by clock cult's ocular wardens. Xhuis: - - bugfix: Cogged APCs can now be correctly unlocked with an ID card. + - bugfix: Cogged APCs can now be correctly unlocked with an ID card. duncathan: - - tweak: Portable air pumps can output to a maximum of 25 atmospheres. + - tweak: Portable air pumps can output to a maximum of 25 atmospheres. kevinz000: - - refactor: Legacy projectiles have been removed. Instead, all projectiles are now - PIXEL PROJECTILES! - - rscadd: Reflectors can now be at any angle you want. Alt click them to set angle! - - rscadd: Pipes can now be layered up to 3 layers. + - refactor: + Legacy projectiles have been removed. Instead, all projectiles are now + PIXEL PROJECTILES! + - rscadd: Reflectors can now be at any angle you want. Alt click them to set angle! + - rscadd: Pipes can now be layered up to 3 layers. 2017-10-18: DaxDupont: - - bugfix: Fixes automatic fire on guns. + - bugfix: Fixes automatic fire on guns. Gun Hog: - - bugfix: The GPS item now correctly changes its name when the GPS tag is changed. + - bugfix: The GPS item now correctly changes its name when the GPS tag is changed. Improvedname: - - tweak: Reverts katana's to its orginal size being huge + - tweak: Reverts katana's to its orginal size being huge Mercenaryblue: - - balance: it should be far easier to clean out your face from multiple cream pies. + - balance: it should be far easier to clean out your face from multiple cream pies. More Robust Than You: - - tweak: People that are burning slightly less will appear to be burning... slightly - less. + - tweak: + People that are burning slightly less will appear to be burning... slightly + less. Robustin: - - bugfix: The smoke machine now properly generates transparent smoke, transmits - chemicals, and displays the proper icons. + - bugfix: + The smoke machine now properly generates transparent smoke, transmits + chemicals, and displays the proper icons. ShizCalev: - - tweak: You can no longer build reinforced floors directly on top of dirt, asteroid - sand, ice, or beaches. You'll have to first construct flooring on top of it - instead. - - bugfix: Corrected mapping issues introduced with the latest SM engine/radiation - update across all relevant maps. - - bugfix: The tools on the Caravan Ambush space ruin have had their speeds corrected. - - bugfix: Slappers will no longer appear as a latex balloon in your hand. - - bugfix: Renault now has a comfy new bed on Metastation! - - tweak: Engineering cyborgs now have access to geiger counters. + - tweak: + You can no longer build reinforced floors directly on top of dirt, asteroid + sand, ice, or beaches. You'll have to first construct flooring on top of it + instead. + - bugfix: + Corrected mapping issues introduced with the latest SM engine/radiation + update across all relevant maps. + - bugfix: The tools on the Caravan Ambush space ruin have had their speeds corrected. + - bugfix: Slappers will no longer appear as a latex balloon in your hand. + - bugfix: Renault now has a comfy new bed on Metastation! + - tweak: Engineering cyborgs now have access to geiger counters. Xhuis: - - bugfix: You can no longer pick up brass chairs. + - bugfix: You can no longer pick up brass chairs. Y0SH1_M4S73R: - - bugfix: Disabling leg actuators sets the power drain per step to the correct value. + - bugfix: Disabling leg actuators sets the power drain per step to the correct value. duncathan: - - bugfix: Filters no longer stop passing any gas through if the filtered output - is full. + - bugfix: + Filters no longer stop passing any gas through if the filtered output + is full. ninjanomnom: - - rscadd: You can vomit blood at high enough radiation. - - balance: Radiation knockdown is far far shorter. - - balance: Genetics modification is less harmful but still, upgrade your machines. - - balance: Pentetic acid is useless for low amounts of radiation but indispensable - for high amounts now. - - balance: Singularity radiation has been normalized and Pubby engine has been remapped. - - bugfix: No more hair loss spam - - bugfix: Mob rad contamination has been disabled for now. Regular contamination - is still a thing. - - bugfix: Fixed turfs not rotating - - bugfix: Fixed stealing structures you shouldn't be moving + - rscadd: You can vomit blood at high enough radiation. + - balance: Radiation knockdown is far far shorter. + - balance: Genetics modification is less harmful but still, upgrade your machines. + - balance: + Pentetic acid is useless for low amounts of radiation but indispensable + for high amounts now. + - balance: Singularity radiation has been normalized and Pubby engine has been remapped. + - bugfix: No more hair loss spam + - bugfix: + Mob rad contamination has been disabled for now. Regular contamination + is still a thing. + - bugfix: Fixed turfs not rotating + - bugfix: Fixed stealing structures you shouldn't be moving 2017-10-19: Kor: - - rscadd: Blob is now a side antagonist. - - rscadd: Event and admin blobs will now be able to choose their spawn location. - - rscadd: Blob can now win in any mode by gaining enough tiles to reach Critical - Mass. - - rscadd: Blobs that have Critical Mass have unlimited points, and a minute after - achieving critical mass, they will spread to every tile on station, killing - anyone still on board and ending the round. - - rscadd: Using an analyzer on a blob will now reveal its progress towards Critical - Mass. - - rscadd: The blob event is now more common. + - rscadd: Blob is now a side antagonist. + - rscadd: Event and admin blobs will now be able to choose their spawn location. + - rscadd: + Blob can now win in any mode by gaining enough tiles to reach Critical + Mass. + - rscadd: + Blobs that have Critical Mass have unlimited points, and a minute after + achieving critical mass, they will spread to every tile on station, killing + anyone still on board and ending the round. + - rscadd: + Using an analyzer on a blob will now reveal its progress towards Critical + Mass. + - rscadd: The blob event is now more common. Mercenaryblue: - - tweak: You will no longer trip on inactive honkbots. - - bugfix: Sentient Honkbots are no longer forced to speak when somebody trip on - them. + - tweak: You will no longer trip on inactive honkbots. + - bugfix: + Sentient Honkbots are no longer forced to speak when somebody trip on + them. Naksu: - - bugfix: Manned turrets stop firing when there's no-one in the turret shooting. - - refactor: 'mobs will enter a deep power-saving state when there''s not much to - do except wander around. change: bees are slightly more passive in general' + - bugfix: Manned turrets stop firing when there's no-one in the turret shooting. + - refactor: + "mobs will enter a deep power-saving state when there's not much to + do except wander around. change: bees are slightly more passive in general" deathride58: - - tweak: You can now press Ctrl+H to stop pulling, or simply H to stop pulling if - you're in hotkey mode. + - tweak: + You can now press Ctrl+H to stop pulling, or simply H to stop pulling if + you're in hotkey mode. ninjanomnom: - - rscadd: Engineering scanner goggles have a radiation mode now - - rscadd: Objects placed under showers are cleansed of radioactive contamination - over a short time. - - soundadd: Showers make sound now. + - rscadd: Engineering scanner goggles have a radiation mode now + - rscadd: + Objects placed under showers are cleansed of radioactive contamination + over a short time. + - soundadd: Showers make sound now. oranges: - - rscdel: Removed the bluespace pipe + - rscdel: Removed the bluespace pipe 2017-10-20: Kor: - - rscadd: You can now select your Halloween race, rather than having it assigned - randomly via event. + - rscadd: + You can now select your Halloween race, rather than having it assigned + randomly via event. Robustin: - - bugfix: Fixed a bug where detonating maxcaps, especially multiple maxcaps, on - Reebe guaranteed that everyone would die and thus the Clock Cult would immediately - lose; Reebe maxcap is now 2/5/10. + - bugfix: + Fixed a bug where detonating maxcaps, especially multiple maxcaps, on + Reebe guaranteed that everyone would die and thus the Clock Cult would immediately + lose; Reebe maxcap is now 2/5/10. ShizCalev: - - bugfix: All reflector prisms/mirrors have had their angles corrected. - - tweak: Remains left over by dusting or soul-stoning a mob are now dissoluble with - acid. - - tweak: Changelings using biodegrade to escape restraints will now leave a pile - of goop. - - bugfix: Fixed messages related to changelings using biodegrade not appearing. + - bugfix: All reflector prisms/mirrors have had their angles corrected. + - tweak: + Remains left over by dusting or soul-stoning a mob are now dissoluble with + acid. + - tweak: + Changelings using biodegrade to escape restraints will now leave a pile + of goop. + - bugfix: Fixed messages related to changelings using biodegrade not appearing. 2017-10-21: More Robust Than You: - - bugfix: Heads of staff will now have cat organs removed at roundstart + - bugfix: Heads of staff will now have cat organs removed at roundstart Robustin: - - balance: Spray tan no longer stuns when ingested. + - balance: Spray tan no longer stuns when ingested. Thunder12345: - - bugfix: Sentient cats no longer forget to fall over when they die + - bugfix: Sentient cats no longer forget to fall over when they die 2017-10-22: More Robust Than You: - - bugfix: Blood Brother now properly shows up in player panel + - bugfix: Blood Brother now properly shows up in player panel Naksu: - - server: Paper bins no longer let server admins know that pens were eaten. - - code_imp: Removed dangling mob references to last attacker/attacked + - server: Paper bins no longer let server admins know that pens were eaten. + - code_imp: Removed dangling mob references to last attacker/attacked Robustin: - - balance: Medical biosuits (and hardsuits) now offer heavy, but not complete, radiation - resistance. + - balance: + Medical biosuits (and hardsuits) now offer heavy, but not complete, radiation + resistance. ninjanomnom: - - bugfix: Contents of silicon mobs are no longer considered for targets of radiation. - This blocks them from being contaminated. + - bugfix: + Contents of silicon mobs are no longer considered for targets of radiation. + This blocks them from being contaminated. 2017-10-24: Armhulen: - - rscadd: Wizards may now shapeshift into viper spiders. + - rscadd: Wizards may now shapeshift into viper spiders. Improvedname: - - tweak: Blacklists holoparasite's from surplus crates + - tweak: Blacklists holoparasite's from surplus crates Kor: - - rscadd: Added dullahans, which will be available from the character set up menu - during the Halloween event. - - bugfix: Severed heads will no longer appear bald. + - rscadd: + Added dullahans, which will be available from the character set up menu + during the Halloween event. + - bugfix: Severed heads will no longer appear bald. More Robust Than You: - - bugfix: Fixes champrojector camera bugs + - bugfix: Fixes champrojector camera bugs Naksu: - - bugfix: Grinders will now grind grown items like cocoa pods again - - code_imp: Cameras no longer keep hard references to mobs in their motion tracking - list. + - bugfix: Grinders will now grind grown items like cocoa pods again + - code_imp: + Cameras no longer keep hard references to mobs in their motion tracking + list. ShizCalev: - - bugfix: Creatures made via gold slime cores will now be given the proper name - of their master. + - bugfix: + Creatures made via gold slime cores will now be given the proper name + of their master. deathride58: - - tweak: Deltastation's armory now contains reinforced windows surrounding the lethal - weaponry. This makes Delta's armory consistent with Box. - - tweak: There are now decals in places where extra Security lockers can spawn. - - tweak: Cleaned up semicolons in Meta and Boxstation's .dmms + - tweak: + Deltastation's armory now contains reinforced windows surrounding the lethal + weaponry. This makes Delta's armory consistent with Box. + - tweak: There are now decals in places where extra Security lockers can spawn. + - tweak: Cleaned up semicolons in Meta and Boxstation's .dmms 2017-10-25: Cruix: - - rscadd: Shuttle navigation computers can now place new transit locations over - the shuttle's current position. + - rscadd: + Shuttle navigation computers can now place new transit locations over + the shuttle's current position. JJRcop: - - rscadd: The heart of darkness revives you as a shadowperson if you aren't one - already. + - rscadd: + The heart of darkness revives you as a shadowperson if you aren't one + already. ShizCalev: - - bugfix: Shades will no longer always hear a heartbeat. - - bugfix: Golem abilities will now be start on cooldown when they are made. + - bugfix: Shades will no longer always hear a heartbeat. + - bugfix: Golem abilities will now be start on cooldown when they are made. 2017-10-26: Kor and JJRcop: - - rscadd: Added vampires. They will be available as a roundstart race during the - Halloween holiday event. + - rscadd: + Added vampires. They will be available as a roundstart race during the + Halloween holiday event. ShizCalev: - - bugfix: Reflectors will no longer drop more materials than they took to make when - deconstructed. - - bugfix: You will no longer be prompted to reenter your body while being defibbed - if you can't actually be revived. - - bugfix: You can no longer teleport past the ticket stands of the Luxury Emergency - Shuttle. - - bugfix: Lightgeists can now -actually- be spawned with gold slime cores. - - tweak: The Staff of Change will now randomly assign a cyborg module when transforming - a mob into a cyborg. + - bugfix: + Reflectors will no longer drop more materials than they took to make when + deconstructed. + - bugfix: + You will no longer be prompted to reenter your body while being defibbed + if you can't actually be revived. + - bugfix: + You can no longer teleport past the ticket stands of the Luxury Emergency + Shuttle. + - bugfix: Lightgeists can now -actually- be spawned with gold slime cores. + - tweak: + The Staff of Change will now randomly assign a cyborg module when transforming + a mob into a cyborg. Xhuis: - - balance: Clockwork marauders now move more slowly below 40% health. - - balance: Instead of a 40% chance (or more) chance to block projectiles, clockwork - marauders now have three fixed 100% blocks; after using those three, they cannot - block anymore without avoiding projectiles for ten seconds. This number increases - to four if war is declared. - - balance: Projectiles that deal no damage DO reduce marauders' shield health. Use - disabler shots to open them up, then use lasers to go for the kill! - - bugfix: Cogscarab shells and marauder armor now appear in the spawners menu. - - bugfix: You can no longer stack infinitely many stargazers on one tile. + - balance: Clockwork marauders now move more slowly below 40% health. + - balance: + Instead of a 40% chance (or more) chance to block projectiles, clockwork + marauders now have three fixed 100% blocks; after using those three, they cannot + block anymore without avoiding projectiles for ten seconds. This number increases + to four if war is declared. + - balance: + Projectiles that deal no damage DO reduce marauders' shield health. Use + disabler shots to open them up, then use lasers to go for the kill! + - bugfix: Cogscarab shells and marauder armor now appear in the spawners menu. + - bugfix: You can no longer stack infinitely many stargazers on one tile. nicbn: - - imageadd: Chemical heater and smoke machine resprited. + - imageadd: Chemical heater and smoke machine resprited. ninjanomnom: - - soundadd: Portable generators have a sound while active. - - soundadd: The supermatter has a sound that scales with stored energy. + - soundadd: Portable generators have a sound while active. + - soundadd: The supermatter has a sound that scales with stored energy. ninjanomnom & Wjohn: - - bugfix: Cable cuffs now inherit the color of the cables used to make them. - - bugfix: Split cable stacks keep their color. - - tweak: The blue cable color is now a better blue. + - bugfix: Cable cuffs now inherit the color of the cables used to make them. + - bugfix: Split cable stacks keep their color. + - tweak: The blue cable color is now a better blue. 2017-10-27: Anonmare: - - rscadd: Adds new grindables + - rscadd: Adds new grindables JamieH: - - rscadd: Buildmode map generators will now show you a preview of the area you're - changing - - rscadd: Buildmode map generators will now ask before nuking the map - - bugfix: Buildmode map generator corners can now only be set by left clicking + - rscadd: + Buildmode map generators will now show you a preview of the area you're + changing + - rscadd: Buildmode map generators will now ask before nuking the map + - bugfix: Buildmode map generator corners can now only be set by left clicking Kor: - - rscadd: Cloth golems will be available as a roundstart race during Halloween. + - rscadd: Cloth golems will be available as a roundstart race during Halloween. MrStonedOne: - - code_imp: Created a system to profile code on a line by line basis and return - detailed info about how much time was spent (in milliseconds) on each line(s). + - code_imp: + Created a system to profile code on a line by line basis and return + detailed info about how much time was spent (in milliseconds) on each line(s). Xhuis: - - balance: Servants can no longer teleport into the gravity generator, EVA, or telecomms. + - balance: Servants can no longer teleport into the gravity generator, EVA, or telecomms. ninjanomnom: - - bugfix: Hardsuit helmets work like geiger counters for the user. - - code_imp: Radiation should perform a little better in places. - - balance: Various radiation symptom thresholds have been tweaked. - - balance: Contamination strengths at different ranges have been tweaked. - - balance: Contaminated objects have less range for their radiation. - - balance: Hitting something with a contaminated object reduces its strength faster. - - balance: Contaminated objects decay faster. - - balance: Both radiation healing medicines have been buffed a bit. - - balance: Passive radiation loss for mobs is nerfed. - - balance: There is a soft cap for mob radiation now. - - balance: Projectiles, ammo casings, and implants are disallowed from becoming - contaminated. - - rscadd: Suit storage units can completely cleanse contamination from stored objects - - admin: The first time an object is contaminated enough to spread more contamination - admins will be warned. This is also added to stat tracking. - - rscadd: Thermite works on floors and can be ignited by sufficiently hot fires - now - - refactor: Thermite has been made into a component - - bugfix: Thermite no longer removes existing overlays on turfs + - bugfix: Hardsuit helmets work like geiger counters for the user. + - code_imp: Radiation should perform a little better in places. + - balance: Various radiation symptom thresholds have been tweaked. + - balance: Contamination strengths at different ranges have been tweaked. + - balance: Contaminated objects have less range for their radiation. + - balance: Hitting something with a contaminated object reduces its strength faster. + - balance: Contaminated objects decay faster. + - balance: Both radiation healing medicines have been buffed a bit. + - balance: Passive radiation loss for mobs is nerfed. + - balance: There is a soft cap for mob radiation now. + - balance: + Projectiles, ammo casings, and implants are disallowed from becoming + contaminated. + - rscadd: Suit storage units can completely cleanse contamination from stored objects + - admin: + The first time an object is contaminated enough to spread more contamination + admins will be warned. This is also added to stat tracking. + - rscadd: + Thermite works on floors and can be ignited by sufficiently hot fires + now + - refactor: Thermite has been made into a component + - bugfix: Thermite no longer removes existing overlays on turfs 2017-10-28: Mark9013100: - - tweak: The Medical Cloning manual has been updated. + - tweak: The Medical Cloning manual has been updated. 2017-10-29: Armhulen: - - rscadd: Frost Spiders now use Frost OIL! + - rscadd: Frost Spiders now use Frost OIL! Mercenaryblue: - - rscadd: Skeletons can now have their own spectral instruments - - rscadd: \[Dooting Intensifies\] - - admin: the variable "too_spooky" defines if it will spawn new instruments, by - default TRUE. + - rscadd: Skeletons can now have their own spectral instruments + - rscadd: \[Dooting Intensifies\] + - admin: + the variable "too_spooky" defines if it will spawn new instruments, by + default TRUE. Naksu: - - bugfix: Removed meteor-related free lag - - bugfix: Cleaned up dangling mob references from alerts + - bugfix: Removed meteor-related free lag + - bugfix: Cleaned up dangling mob references from alerts Xhuis: - - bugfix: You can no longer become an enhanced clockwork golem with mutation toxin. - - balance: Normal clockwork golems now have 20% armor, down from 40%. + - bugfix: You can no longer become an enhanced clockwork golem with mutation toxin. + - balance: Normal clockwork golems now have 20% armor, down from 40%. as334: - - spellcheck: This changelog has been updated and so read it again if you are interested - in doing assmos. - - rscadd: Atmospherics has been massively expanded including new gases. - - rscadd: These new gases include Brown Gas, Pluoxium, Stimulum, Hyper-Noblium and - Tritium. - - rscadd: Brown Gas is acidic to breath, but mildly stimulation. - - rscadd: Stimulum is more stimulating and much safer. - - rscadd: Pluoxium is a non-reactive form of oxygen that delivers more oxygen into - the bloodstream. - - rscadd: Hyper-Noblium is an extremely noble gas, and stops gases from reacting. - - rscadd: Tritium is radioactive and flammable. - - rscadd: New reactions have also been added to create these gases. - - rscadd: 'Tritium formation: Heat large amounts of oxygen with plasma. Make sure - you have a filter ready and setup!' - - rscadd: Fusion has been reintroduced. Plasma will fuse when heated to a high thermal - energy with Tritium as a catalyst. Make sure to manage the waste products. - - rscadd: 'Brown Gas formation: Heat Oxygen and Nitrogen.' - - rscadd: 'BZ fixation: Heat Tritium and Plasma.' - - rscadd: 'Stimulum formation: Heated Tritium, Plasma, BZ and Brown Gas.' - - rscadd: 'Hyper-Noblium condensation: Needs Nitrogen and Tritium at a super high - heat. Cools rapidly.' - - rscadd: Pluoxium is unable to be formed. - - rscdel: Freon has been removed. Use cold nitrogen for your SME problems now. - - rscadd: Water vapor now freezes the tile it is on when it is cooled heavily. + - spellcheck: + This changelog has been updated and so read it again if you are interested + in doing assmos. + - rscadd: Atmospherics has been massively expanded including new gases. + - rscadd: + These new gases include Brown Gas, Pluoxium, Stimulum, Hyper-Noblium and + Tritium. + - rscadd: Brown Gas is acidic to breath, but mildly stimulation. + - rscadd: Stimulum is more stimulating and much safer. + - rscadd: + Pluoxium is a non-reactive form of oxygen that delivers more oxygen into + the bloodstream. + - rscadd: Hyper-Noblium is an extremely noble gas, and stops gases from reacting. + - rscadd: Tritium is radioactive and flammable. + - rscadd: New reactions have also been added to create these gases. + - rscadd: + "Tritium formation: Heat large amounts of oxygen with plasma. Make sure + you have a filter ready and setup!" + - rscadd: + Fusion has been reintroduced. Plasma will fuse when heated to a high thermal + energy with Tritium as a catalyst. Make sure to manage the waste products. + - rscadd: "Brown Gas formation: Heat Oxygen and Nitrogen." + - rscadd: "BZ fixation: Heat Tritium and Plasma." + - rscadd: "Stimulum formation: Heated Tritium, Plasma, BZ and Brown Gas." + - rscadd: + "Hyper-Noblium condensation: Needs Nitrogen and Tritium at a super high + heat. Cools rapidly." + - rscadd: Pluoxium is unable to be formed. + - rscdel: Freon has been removed. Use cold nitrogen for your SME problems now. + - rscadd: Water vapor now freezes the tile it is on when it is cooled heavily. naltronix: - - bugfix: fixes that table that wasnt accessible in Metastation + - bugfix: fixes that table that wasnt accessible in Metastation 2017-10-30: PKPenguin321: - - tweak: You can now use beakers/cups/etc that have welding fuel in them on welders - to refuel them. + - tweak: + You can now use beakers/cups/etc that have welding fuel in them on welders + to refuel them. bgobandit: - - tweak: 'Due to cuts to Nanotrasen''s Occupational Safety and Health Administration - (NO-SHA) budget, station fixtures no longer undergo as much safety testing. - (Translation for rank and file staff: More objects on the station will hurt - you.)' + - tweak: + "Due to cuts to Nanotrasen's Occupational Safety and Health Administration + (NO-SHA) budget, station fixtures no longer undergo as much safety testing. + (Translation for rank and file staff: More objects on the station will hurt + you.)" 2017-11-02: ACCount: - - tweak: '"Tail removal" and "tail attachment" surgeries are merged with "organ - manipulation".' - - imageadd: New sprites for reflectors. They finally look like something. - - rscadd: You can lock reflector's rotation by using a screwdriver. Use the screwdriver - again to unlock it. - - rscadd: Reflector examine now shows the current angle and rotation lock status. - - rscadd: You can now use a welder to repair damaged reflectors. - - bugfix: Multiple reflector bugs are fixed. + - tweak: + '"Tail removal" and "tail attachment" surgeries are merged with "organ + manipulation".' + - imageadd: New sprites for reflectors. They finally look like something. + - rscadd: + You can lock reflector's rotation by using a screwdriver. Use the screwdriver + again to unlock it. + - rscadd: Reflector examine now shows the current angle and rotation lock status. + - rscadd: You can now use a welder to repair damaged reflectors. + - bugfix: Multiple reflector bugs are fixed. Improvedname: - - rscdel: Removes statues from gold slime pool + - rscdel: Removes statues from gold slime pool Mercenaryblue: - - imageadd: Updated Clown Box sprite to match the others. + - imageadd: Updated Clown Box sprite to match the others. More Robust Than You: - - admin: ONLY ADMINS CAN ACTIVATE THE ARK NOW - - tweak: The Ark's time measurements are now a bit more readable + - admin: ONLY ADMINS CAN ACTIVATE THE ARK NOW + - tweak: The Ark's time measurements are now a bit more readable MrStonedOne: - - tweak: Meteor events will not happen before 25 minutes, the worst versions before - 35 and 45 minutes. - - tweak: Meteor events are now player gated to 15, 20, and 25 players respectively - - balance: The more destructive versions of meteor events now have a slightly higher - chance of triggering, to offset the decrease in how often it is that they will - even qualify. - - bugfix: Fixed the changelog generator. + - tweak: + Meteor events will not happen before 25 minutes, the worst versions before + 35 and 45 minutes. + - tweak: Meteor events are now player gated to 15, 20, and 25 players respectively + - balance: + The more destructive versions of meteor events now have a slightly higher + chance of triggering, to offset the decrease in how often it is that they will + even qualify. + - bugfix: Fixed the changelog generator. Naksu: - - tweak: Smartfridges and chem/condimasters now output items in a deterministic - 3x3 grid rather than in a huge pile in the middle of the tile. + - tweak: + Smartfridges and chem/condimasters now output items in a deterministic + 3x3 grid rather than in a huge pile in the middle of the tile. SpaceManiac: - - bugfix: Admins can once again spawn nuke teams on demand. + - bugfix: Admins can once again spawn nuke teams on demand. Xhuis: - - admin: Admins can now create sound emitters (/obj/effect/sound_emitter) that can - be customized to play sounds to different people, at different volumes, and - at different locations such as by z-level. They're much more versatile for events - than the Play Sound commands! - - rscadd: You can now add grenades to plushies! You'll need to cut out the stuffing - first. - - tweak: Clockwork cult tips of the round have been updated to match the rework. - - tweak: Abscond and Reebe rifts now place servants directly at the Ark instead - of below the "base" area. + - admin: + Admins can now create sound emitters (/obj/effect/sound_emitter) that can + be customized to play sounds to different people, at different volumes, and + at different locations such as by z-level. They're much more versatile for events + than the Play Sound commands! + - rscadd: + You can now add grenades to plushies! You'll need to cut out the stuffing + first. + - tweak: Clockwork cult tips of the round have been updated to match the rework. + - tweak: + Abscond and Reebe rifts now place servants directly at the Ark instead + of below the "base" area. nicbn: - - tweak: Brown gas renamed to nitryl. + - tweak: Brown gas renamed to nitryl. ninjanomnom: - - bugfix: Fixes decals not rotating correctly with the turf. - - bugfix: Fixes a runtime causing some turfs to be left behind by removed shuttles. - - code_imp: Shuttles should be roughly 40-50% smoother. - - bugfix: Fixes the cargo shuttle occasionally breaking if a mob got on at exactly - the right time. + - bugfix: Fixes decals not rotating correctly with the turf. + - bugfix: Fixes a runtime causing some turfs to be left behind by removed shuttles. + - code_imp: Shuttles should be roughly 40-50% smoother. + - bugfix: + Fixes the cargo shuttle occasionally breaking if a mob got on at exactly + the right time. 2017-11-10: Anonmare: - - bugfix: Adds an organ storage bag to the syndicate medborg. + - bugfix: Adds an organ storage bag to the syndicate medborg. AnturK: - - balance: Dying in shapeshifted form reverts you to the original one. (You're still - dead) + - balance: + Dying in shapeshifted form reverts you to the original one. (You're still + dead) Floyd / Qustinnus: - - soundadd: Redtexting as a traitor now plays a depressing tune to you + - soundadd: Redtexting as a traitor now plays a depressing tune to you Floyd / Qustinnus (And all the sounds by Kayozz11 from Yogstation): - - soundadd: Adds about 30 new ambience sounds - - refactor: added new defines for ambience lists. + - soundadd: Adds about 30 new ambience sounds + - refactor: added new defines for ambience lists. Iamgoofball: - - tweak: Cooldown on the Ripley's mining drills has been halved. - - tweak: The frequency of the Ripley's ore pulse has been doubled. + - tweak: Cooldown on the Ripley's mining drills has been halved. + - tweak: The frequency of the Ripley's ore pulse has been doubled. Jalleo: - - tweak: Removed a variable to state which RCD's can deconstruct reinforced walls - - balance: Made combat (ERT ones) and admin RCDs able to deconstruct r walls alongside - borg ones + - tweak: Removed a variable to state which RCD's can deconstruct reinforced walls + - balance: + Made combat (ERT ones) and admin RCDs able to deconstruct r walls alongside + borg ones Kor: - - bugfix: Cult mode will once again print out names at round end. + - bugfix: Cult mode will once again print out names at round end. Mark9013100: - - rscadd: Deltastation now has a Whiteship. - - tweak: Charcoal bottles have been renamed, and have been given a more informative - description. + - rscadd: Deltastation now has a Whiteship. + - tweak: + Charcoal bottles have been renamed, and have been given a more informative + description. Mercenaryblue: - - spellcheck: spellchecked the hotel staff. - - rscadd: Added frog masks. Reeeeeeeeee!! + - spellcheck: spellchecked the hotel staff. + - rscadd: Added frog masks. Reeeeeeeeee!! More Robust Than You: - - bugfix: Blobbernauts and spores are no longer killed by blob victory - - bugfix: New blob overminds off the station Z level are moved to the station - - bugfix: You can now use banhammers as a weapon - - tweak: Monkeys can no longer transmit diseases through hardsuits - - tweak: Xenobio blobbernauts can no longer walk on blob tiles + - bugfix: Blobbernauts and spores are no longer killed by blob victory + - bugfix: New blob overminds off the station Z level are moved to the station + - bugfix: You can now use banhammers as a weapon + - tweak: Monkeys can no longer transmit diseases through hardsuits + - tweak: Xenobio blobbernauts can no longer walk on blob tiles Naksu: - - tweak: Added deterministic output slots to the slime processor - - bugfix: Fixed some interactions with ghosts and items - - bugfix: Nonhumans such as monkeys can now be scanned for chemicals with the health - analyzer. + - tweak: Added deterministic output slots to the slime processor + - bugfix: Fixed some interactions with ghosts and items + - bugfix: + Nonhumans such as monkeys can now be scanned for chemicals with the health + analyzer. Okand37 (DeltaStation Updates): - - rscadd: Tweaked Atmospherics - - bugfix: Fixed the Incinerator air injector - - rscadd: Tweaked Engineering - - rscadd: Added logs to the Chaplain's closet for gimmicks (bonfires) - - rscadd: Tweaked Security - - bugfix: Fixed medical morgue maintenance not providing radiation shielding and - exterior chemistry windoor - - rscadd: Bar now has a door from the backroom to the theatre stage - - rscadd: Tweaked Locker Room/Dormitories + - rscadd: Tweaked Atmospherics + - bugfix: Fixed the Incinerator air injector + - rscadd: Tweaked Engineering + - rscadd: Added logs to the Chaplain's closet for gimmicks (bonfires) + - rscadd: Tweaked Security + - bugfix: + Fixed medical morgue maintenance not providing radiation shielding and + exterior chemistry windoor + - rscadd: Bar now has a door from the backroom to the theatre stage + - rscadd: Tweaked Locker Room/Dormitories ShizCalev: - - bugfix: You can now -actually- load pie cannons. - - bugfix: The captain's winter coat can now hold a flashlight. - - bugfix: The captain's and security winter coats can now hold internals tanks. - - tweak: All winter coats can now hold toys, lighters, and cigarettes. - - tweak: The captain's hardsuit can now hold pepperspray. - - rscadd: Updated the Test Map debugging verb to report more issues regarding APCs. - DELTASTATION - - bugfix: Reverted Okand37's morgue changes which broke power in the area. - - bugfix: Corrected wrong area on the Southern airlock leading into electrical maintenance. - ALL STATIONS - - bugfix: Corrected numerous duplicate APCs in areas which led to power issues. + - bugfix: You can now -actually- load pie cannons. + - bugfix: The captain's winter coat can now hold a flashlight. + - bugfix: The captain's and security winter coats can now hold internals tanks. + - tweak: All winter coats can now hold toys, lighters, and cigarettes. + - tweak: The captain's hardsuit can now hold pepperspray. + - rscadd: + Updated the Test Map debugging verb to report more issues regarding APCs. + DELTASTATION + - bugfix: Reverted Okand37's morgue changes which broke power in the area. + - bugfix: + Corrected wrong area on the Southern airlock leading into electrical maintenance. + ALL STATIONS + - bugfix: Corrected numerous duplicate APCs in areas which led to power issues. SpaceManiac: - - bugfix: Ghosts can no longer create sparks from the hand teleporter's portals. - - bugfix: Digging on Lavaland no longer shows two progress bars. - - bugfix: The holodeck now has an "Offline" option. - - bugfix: Injury and crit overlays are now scaled properly for zoomed-out views. - - bugfix: Already-downloaded software is now hidden from the NTNet software downloader. - - bugfix: The crafting, language, and building buttons are now positioned correctly - in zoomed-out views. - - bugfix: Bluespace shelter walls no longer smooth with non-shelter walls and windows. + - bugfix: Ghosts can no longer create sparks from the hand teleporter's portals. + - bugfix: Digging on Lavaland no longer shows two progress bars. + - bugfix: The holodeck now has an "Offline" option. + - bugfix: Injury and crit overlays are now scaled properly for zoomed-out views. + - bugfix: Already-downloaded software is now hidden from the NTNet software downloader. + - bugfix: + The crafting, language, and building buttons are now positioned correctly + in zoomed-out views. + - bugfix: Bluespace shelter walls no longer smooth with non-shelter walls and windows. Swindly: - - rscadd: Organ storage bags can be used to perform limb augmentation. - - bugfix: You can now cancel a cavity implant during the implanting/removing step - by using drapes while holding the appropriate tool in your inactive hand. Cyborgs - can cancel the surgery by using drapes alone. - - bugfix: Fixed hot items and fire heating reagents to temperatures higher than - their heat source. - - bugfix: Sprays can now be heated with hot items. - - tweak: The heating of reagents by hot items, fire, and microwaves now scales linearly - with the difference between the reagent holder's temperature and the heat source's - temperature instead of constantly. - - tweak: The body temperature of a mob with reagents is affected by the temperature - of the mob's reagents. - - tweak: Reagent containers can now be heated by hot air. + - rscadd: Organ storage bags can be used to perform limb augmentation. + - bugfix: + You can now cancel a cavity implant during the implanting/removing step + by using drapes while holding the appropriate tool in your inactive hand. Cyborgs + can cancel the surgery by using drapes alone. + - bugfix: + Fixed hot items and fire heating reagents to temperatures higher than + their heat source. + - bugfix: Sprays can now be heated with hot items. + - tweak: + The heating of reagents by hot items, fire, and microwaves now scales linearly + with the difference between the reagent holder's temperature and the heat source's + temperature instead of constantly. + - tweak: + The body temperature of a mob with reagents is affected by the temperature + of the mob's reagents. + - tweak: Reagent containers can now be heated by hot air. Thefastfoodguy: - - bugfix: Spamming runes / battlecries / etc will no longer trigger spam prevention + - bugfix: Spamming runes / battlecries / etc will no longer trigger spam prevention WJohnston: - - bugfix: Ancient station lighting fixed on beta side (medical and atmos remains) + - bugfix: Ancient station lighting fixed on beta side (medical and atmos remains) XDTM: - - rscadd: Ghosts now have a Toggle Health Scan verb, which allows them to health - scan mobs they click on. + - rscadd: + Ghosts now have a Toggle Health Scan verb, which allows them to health + scan mobs they click on. Xhuis: - - rscadd: Ratvar and Nar-Sie plushes now have a unique interaction. - - balance: Clockwork marauders are now on harm intent. - - balance: The Clockwork Marauder scripture now takes five seconds longer to invoke - per marauder summoned in the last 20 seconds, capping at 30 extra seconds. - - balance: Clockwork marauders no longer gain a health bonus when war is declared. - - tweak: Moved the BoxStation deep fryers up one tile. - - rscadd: Microwaves have new sounds! + - rscadd: Ratvar and Nar-Sie plushes now have a unique interaction. + - balance: Clockwork marauders are now on harm intent. + - balance: + The Clockwork Marauder scripture now takes five seconds longer to invoke + per marauder summoned in the last 20 seconds, capping at 30 extra seconds. + - balance: Clockwork marauders no longer gain a health bonus when war is declared. + - tweak: Moved the BoxStation deep fryers up one tile. + - rscadd: Microwaves have new sounds! YPOQ: - - bugfix: EMPs can pulse multiple wires + - bugfix: EMPs can pulse multiple wires as334: - - rscadd: Pluoxium can now be formed by irradiating tiles with CO2 in the air. - - rscadd: Rad collectors now steadily form Tritium at a slow pace. - - balance: Nerfs fusion by making it slower, and produce radioactivity. - - balance: Noblium formation now requires significantly more energy input. - - balance: Tanks now melt if their temperature is above 1 Million Kelvin. + - rscadd: Pluoxium can now be formed by irradiating tiles with CO2 in the air. + - rscadd: Rad collectors now steadily form Tritium at a slow pace. + - balance: Nerfs fusion by making it slower, and produce radioactivity. + - balance: Noblium formation now requires significantly more energy input. + - balance: Tanks now melt if their temperature is above 1 Million Kelvin. deathride58: - - bugfix: Directional character icon previews now function properly. Other things - relying on getflaticon probably work with directional icons again, as well. + - bugfix: + Directional character icon previews now function properly. Other things + relying on getflaticon probably work with directional icons again, as well. nicbn: - - imageadd: Canister sprites for the new gases + - imageadd: Canister sprites for the new gases ninjanomnom: - - bugfix: Shuttle parallax has been fixed once more - - bugfix: You can no longer set up the auxiliary base's shuttle beacon overlapping - with the edge of the map + - bugfix: Shuttle parallax has been fixed once more + - bugfix: + You can no longer set up the auxiliary base's shuttle beacon overlapping + with the edge of the map uraniummeltdown: - - tweak: Replica fabricatoring airlocks and windoors keeps the old name - - tweak: Narsie and Ratvar converting airlocks and windoors keeps the old name + - tweak: Replica fabricatoring airlocks and windoors keeps the old name + - tweak: Narsie and Ratvar converting airlocks and windoors keeps the old name 2017-11-11: DaxDupont: - - bugfix: Medbots can inject from one tile away again. + - bugfix: Medbots can inject from one tile away again. SpaceManiac: - - bugfix: The detective and heads of staff are no longer attacked by portable turrets. + - bugfix: The detective and heads of staff are no longer attacked by portable turrets. deathride58: - - bugfix: You can no longer delete girders, lattices, or catwalks with the RPD - - bugfix: Fixes runtimes that occur when clicking girders, lattices, catwalks, or - disposal pipes with the RPD in paint mode + - bugfix: You can no longer delete girders, lattices, or catwalks with the RPD + - bugfix: + Fixes runtimes that occur when clicking girders, lattices, catwalks, or + disposal pipes with the RPD in paint mode ninjanomnom: - - bugfix: Fixes ruin cable spawning and probably some other bugs + - bugfix: Fixes ruin cable spawning and probably some other bugs 2017-11-12: Cyberboss: - - bugfix: Clockwork slabs no longer refer to components + - bugfix: Clockwork slabs no longer refer to components 2017-11-13: Cobby: - - rscadd: The Xray now only hits the first mob it comes into contact with instead - of being outright removed from the game. + - rscadd: + The Xray now only hits the first mob it comes into contact with instead + of being outright removed from the game. Floyd / Qustinnus: - - soundadd: Reebe now has ambience sounds - 'Floyd / Qustinnus:': - - soundadd: Adds a few sound_loop datums to machinery. + - soundadd: Reebe now has ambience sounds + "Floyd / Qustinnus:": + - soundadd: Adds a few sound_loop datums to machinery. Frozenguy5: - - bugfix: Broken cable cuffs no longer has an invisible sprite. + - bugfix: Broken cable cuffs no longer has an invisible sprite. PKPenguin321: - - rscadd: Welders must now be screwdrivered open to reveal their fuel tank. - - rscadd: You can empty welders into open containers (like beakers or glasses) when - they're screwdrivered open. - - rscadd: You can now insert any chemical into a welder, but all most will do is - clog the fuel. Welding fuel will refuel it as usual. Plasma in welders tends - to explode. + - rscadd: Welders must now be screwdrivered open to reveal their fuel tank. + - rscadd: + You can empty welders into open containers (like beakers or glasses) when + they're screwdrivered open. + - rscadd: + You can now insert any chemical into a welder, but all most will do is + clog the fuel. Welding fuel will refuel it as usual. Plasma in welders tends + to explode. Qbopper and JJRcop: - - tweak: The default internet sound volume was changed from 100 to 25. Stop complaining - in OOC about your ears! + - tweak: + The default internet sound volume was changed from 100 to 25. Stop complaining + in OOC about your ears! SpaceManiac: - - bugfix: Posters may no longer be placed on diagonal wall corners. + - bugfix: Posters may no longer be placed on diagonal wall corners. WJohnston: - - rscdel: Removes stationary docking ports for syndicate infiltrator ships on all - maps. Use the docking navigator computer instead! This gives the white ship - and syndicate infiltrator more room to navigate and place custom locations that - are otherwise occupied by fixed shuttle landing zones that are rarely used. + - rscdel: + Removes stationary docking ports for syndicate infiltrator ships on all + maps. Use the docking navigator computer instead! This gives the white ship + and syndicate infiltrator more room to navigate and place custom locations that + are otherwise occupied by fixed shuttle landing zones that are rarely used. Xhuis: - - rscadd: Deep fryers now have sound. - - tweak: Deep fryers now use cooking oil, a specialized reagent that becomes highly - damaging at high temperatures. You can get it from grinding soybeans and meat. - - tweak: Deep fryers now become more efficient with higher-level micro lasers, using - less oil and frying faster. - - tweak: Deep fryers now slowly use oil as it fries objects, instead of all at once. - - bugfix: You can now correctly refill deep fryers with syringes and pills. + - rscadd: Deep fryers now have sound. + - tweak: + Deep fryers now use cooking oil, a specialized reagent that becomes highly + damaging at high temperatures. You can get it from grinding soybeans and meat. + - tweak: + Deep fryers now become more efficient with higher-level micro lasers, using + less oil and frying faster. + - tweak: Deep fryers now slowly use oil as it fries objects, instead of all at once. + - bugfix: You can now correctly refill deep fryers with syringes and pills. nicn: - - balance: Damage from low pressure has been doubled. + - balance: Damage from low pressure has been doubled. ninjanomnom: - - rscadd: You can now select a nearby area to expand when using a blueprint instead - of making a new area. - - rscadd: New shuttle areas can be created using blueprints. This is currently not - useful but will be used later for shuttle construction. - - tweak: Blueprints can modify existing areas on station. - - admin: Blueprint functionality has been added to the debug tab as a verb. + - rscadd: + You can now select a nearby area to expand when using a blueprint instead + of making a new area. + - rscadd: + New shuttle areas can be created using blueprints. This is currently not + useful but will be used later for shuttle construction. + - tweak: Blueprints can modify existing areas on station. + - admin: Blueprint functionality has been added to the debug tab as a verb. 2017-11-14: ike709: - - imageadd: Added directional computer sprites. Maps haven't been changed yet. + - imageadd: Added directional computer sprites. Maps haven't been changed yet. psykzz: - - refactor: AI Airlock UI to use TGUI - - tweak: Allow AI to swap between electrified door states without having to un-electrify - first. + - refactor: AI Airlock UI to use TGUI + - tweak: + Allow AI to swap between electrified door states without having to un-electrify + first. selea/arsserpentarium: - - rscadd: Integrated circuits have been added to Research! - - rscadd: You can use these to create devices with very complex behaviors. - - rscadd: Research the Integrated circuits printer to get started. + - rscadd: Integrated circuits have been added to Research! + - rscadd: You can use these to create devices with very complex behaviors. + - rscadd: Research the Integrated circuits printer to get started. 2017-11-15: Fury: - - rscadd: Added new sprites for the Heirophant Relay (clock cultist telecomms equipment). + - rscadd: Added new sprites for the Heirophant Relay (clock cultist telecomms equipment). Naksu: - - bugfix: 'Removed fire-related free lag. change: fire alarms and cameras no longer - work after being ripped off a wall by a singulo' - - tweak: 'Minor speedups to movement processing. change: Fat mobs no longer gain - temperature by running.' + - bugfix: + "Removed fire-related free lag. change: fire alarms and cameras no longer + work after being ripped off a wall by a singulo" + - tweak: + "Minor speedups to movement processing. change: Fat mobs no longer gain + temperature by running." Robustin: - - refactor: Cult population scaling no longer operates on arbitrary breakpoints. - Each additional player between the between the breakpoints will add to the "chance" - that an additional cultist will spawn. - - tweak: On average you will see less roundstart cultists in lowpop and more roundstart - cultists in highpop. - - tweak: Damage examinations now include a "moderate" classification. Before minor - was <30 and severe was anything 30 or above. Now minor is <25, moderate is 25 - to <50, and severe is 50+. - - tweak: The tesla will now move toward power beacons at a significantly slower - rate. + - refactor: + Cult population scaling no longer operates on arbitrary breakpoints. + Each additional player between the between the breakpoints will add to the "chance" + that an additional cultist will spawn. + - tweak: + On average you will see less roundstart cultists in lowpop and more roundstart + cultists in highpop. + - tweak: + Damage examinations now include a "moderate" classification. Before minor + was <30 and severe was anything 30 or above. Now minor is <25, moderate is 25 + to <50, and severe is 50+. + - tweak: + The tesla will now move toward power beacons at a significantly slower + rate. SpaceManiac: - - bugfix: The post-round station integrity report is now functional again. + - bugfix: The post-round station integrity report is now functional again. ninjanomnom: - - bugfix: Gas overlays no longer block clicks, on 512 + - bugfix: Gas overlays no longer block clicks, on 512 2017-11-22: ACCount: - - refactor: Old integrated circuit save file format is ditched in favor of JSON. - Readability, both of save files and save code, is improved greatly. - - tweak: Integrated circuit panels now open with screwdriver instead of crowbar, - to match every single other thing on this server. - - tweak: Integrated circuit printer now stores up to 25 metal sheets. - - bugfix: Fixed integrated circuit rechargers not recharging guns properly and not - updating icons. - - bugfix: Fixed multiple bugs in integrated circuits UIs, improved overall usability. + - refactor: + Old integrated circuit save file format is ditched in favor of JSON. + Readability, both of save files and save code, is improved greatly. + - tweak: + Integrated circuit panels now open with screwdriver instead of crowbar, + to match every single other thing on this server. + - tweak: Integrated circuit printer now stores up to 25 metal sheets. + - bugfix: + Fixed integrated circuit rechargers not recharging guns properly and not + updating icons. + - bugfix: Fixed multiple bugs in integrated circuits UIs, improved overall usability. Anonmare: - - balance: Laserpoitners now incapcitate catpeople + - balance: Laserpoitners now incapcitate catpeople AutomaticFrenzy: - - bugfix: cell chargers weren't animating properly - - bugfix: disable_warning wasn't getting checked and the chat was being spammed + - bugfix: cell chargers weren't animating properly + - bugfix: disable_warning wasn't getting checked and the chat was being spammed Code by Pyko, Ported by Frozenguy5: - - rscadd: Rat Kebabs and Double Rat Kebabs have been added! + - rscadd: Rat Kebabs and Double Rat Kebabs have been added! Cyberboss: - - server: Server tools API changed to version 3.2.0.1 - - admin: '"ahelp" chat command can now accept a ticket number as opposed to a ckey' + - server: Server tools API changed to version 3.2.0.1 + - admin: '"ahelp" chat command can now accept a ticket number as opposed to a ckey' DaxDupont: - - tweak: CentCom has issued a firmware updated for the operating computers. It is - no longer needed to manually refresh the procedure and patient status. - - bugfix: Proximity sensors no longer beep when unarmed. - - bugfix: Plant trays will now properly process fluorine and adjust toxins and water - contents. + - tweak: + CentCom has issued a firmware updated for the operating computers. It is + no longer needed to manually refresh the procedure and patient status. + - bugfix: Proximity sensors no longer beep when unarmed. + - bugfix: + Plant trays will now properly process fluorine and adjust toxins and water + contents. Francinum: - - tweak: The shuttle build plate is now better sized for all stations. + - tweak: The shuttle build plate is now better sized for all stations. Iamgoofball: - - spellcheck: fixes grammar on logic gate descriptions - - spellcheck: fixes grammar on list circuits - - bugfix: fixes grammar on trig circuits - - spellcheck: fixed grammar on output circuits + - spellcheck: fixes grammar on logic gate descriptions + - spellcheck: fixes grammar on list circuits + - bugfix: fixes grammar on trig circuits + - spellcheck: fixed grammar on output circuits JJRcop: - - bugfix: Fixes changeling eggs not putting the changeling in control if the brainslug - is destroyed before hatching. - - tweak: The silicon airlock menu looks a little more like it used to. + - bugfix: + Fixes changeling eggs not putting the changeling in control if the brainslug + is destroyed before hatching. + - tweak: The silicon airlock menu looks a little more like it used to. Kor: - - bugfix: Blobbernauts will no longer spawn if a player is not selected to control - it, preventing AI blobbernauts from running off the blob and to their deaths. - - rscdel: Following complaints that cargo has been selling all the materials they - receive rather than distributing them, mineral exporting has been removed. + - bugfix: + Blobbernauts will no longer spawn if a player is not selected to control + it, preventing AI blobbernauts from running off the blob and to their deaths. + - rscdel: + Following complaints that cargo has been selling all the materials they + receive rather than distributing them, mineral exporting has been removed. MMMiracles: - - balance: Power regen on the regular tesla relay has been reduced to 50, from 150. + - balance: Power regen on the regular tesla relay has been reduced to 50, from 150. Naksu: - - bugfix: Sped up saycode to remove free lag from highpop - - bugfix: Using a chameleon projector will now dismount you from any vehicles you - are riding, in order to prevent wacky space glitches and being sent to a realm - outside space and time. + - bugfix: Sped up saycode to remove free lag from highpop + - bugfix: + Using a chameleon projector will now dismount you from any vehicles you + are riding, in order to prevent wacky space glitches and being sent to a realm + outside space and time. Shadowlight213: - - code_imp: Added round id to the status world topic + - code_imp: Added round id to the status world topic ShizCalev: - - bugfix: Chameleon goggles will no longer go invisible when selecting Optical Tray - scanners. - - rscadd: Engineering and Atmos scanner goggles will now have correctly colored - inhand sprites. - - tweak: The computers on all maps have have been updated for the latest directional - sprite changes. Please report any computers facing in strange directions to - your nearest mapper. - - bugfix: MetaStation - The consoles in medbay have had their directions corrected. - - imageadd: The Nanotrasen logo on modular computers has been fixed, rejoice! - - bugfix: PubbyStation - Unpowered air injectors in various locations have been - fixed. - - bugfix: MetaStation - Air injector leading out of the incinerator has been fixed - - bugfix: MetaStation - Corrected a couple maintenance airlocks being powered by - the wrong areas. - - bugfix: Computers will no longer rotate incorrectly when being deconstructed. - - bugfix: You can now rotate computer frames during construction. - - bugfix: Chairs, PA parts, infrared emitters, and doppler arrays will now rotate - clockwise. - - bugfix: Throwing drinking glasses and cartons will now consistently cause them - to break! - - bugfix: Humans missing legs or are legcuffed will no longer move slower in areas - without gravity. - - bugfix: The structures external to stations are now properly lit. Make sure you - bring a flashlight. - - bugfix: Computers will no longer delete themselves when being built, whoops! - - bugfix: Space cats will no longer have a smashed helmet when they lay down. + - bugfix: + Chameleon goggles will no longer go invisible when selecting Optical Tray + scanners. + - rscadd: + Engineering and Atmos scanner goggles will now have correctly colored + inhand sprites. + - tweak: + The computers on all maps have have been updated for the latest directional + sprite changes. Please report any computers facing in strange directions to + your nearest mapper. + - bugfix: MetaStation - The consoles in medbay have had their directions corrected. + - imageadd: The Nanotrasen logo on modular computers has been fixed, rejoice! + - bugfix: + PubbyStation - Unpowered air injectors in various locations have been + fixed. + - bugfix: MetaStation - Air injector leading out of the incinerator has been fixed + - bugfix: + MetaStation - Corrected a couple maintenance airlocks being powered by + the wrong areas. + - bugfix: Computers will no longer rotate incorrectly when being deconstructed. + - bugfix: You can now rotate computer frames during construction. + - bugfix: + Chairs, PA parts, infrared emitters, and doppler arrays will now rotate + clockwise. + - bugfix: + Throwing drinking glasses and cartons will now consistently cause them + to break! + - bugfix: + Humans missing legs or are legcuffed will no longer move slower in areas + without gravity. + - bugfix: + The structures external to stations are now properly lit. Make sure you + bring a flashlight. + - bugfix: Computers will no longer delete themselves when being built, whoops! + - bugfix: Space cats will no longer have a smashed helmet when they lay down. Skylar Lineman, your local R&D moonlighter: - - rscadd: Research has been completely overhauled into the techweb system! No more - levels, the station now unlocks research "nodes" with research points passively - generated when there is atleast one research server properly cooled, powered, - and online. - - rscadd: R&D lab has been replaced by the departmental lathe system on the three - major maps. Each department gets a lathe and possibly a circuit imprinter that - only have designs assigned by that department. - - rscadd: The ore redemption machine has been moved into cargo bay on maps with - decentralized research to prevent the hallways from becoming a free for all. - Honk! - - balance: You shouldn't expect balance as this is the initial merge. Please put - all feedback and concerns on the forum so we can revise the system over the - days, weeks, and months, to make this enjoyable for everyone. Heavily wanted - are ideas of how to add more ways of generating points. - - balance: You can get techweb points by setting off bombs with an active science - doppler array listening. The bombs have to have a theoretical radius far above - maxcap to make a difference. You can only go up, not down, in radius, so you - can't get 6 times the points with 6 TTVs. The algorithm is exponentially/logarithmically - scaled to prevent "world destroyer" bombs from instantly finishing research. + - rscadd: + Research has been completely overhauled into the techweb system! No more + levels, the station now unlocks research "nodes" with research points passively + generated when there is atleast one research server properly cooled, powered, + and online. + - rscadd: + R&D lab has been replaced by the departmental lathe system on the three + major maps. Each department gets a lathe and possibly a circuit imprinter that + only have designs assigned by that department. + - rscadd: + The ore redemption machine has been moved into cargo bay on maps with + decentralized research to prevent the hallways from becoming a free for all. + Honk! + - balance: + You shouldn't expect balance as this is the initial merge. Please put + all feedback and concerns on the forum so we can revise the system over the + days, weeks, and months, to make this enjoyable for everyone. Heavily wanted + are ideas of how to add more ways of generating points. + - balance: + You can get techweb points by setting off bombs with an active science + doppler array listening. The bombs have to have a theoretical radius far above + maxcap to make a difference. You can only go up, not down, in radius, so you + can't get 6 times the points with 6 TTVs. The algorithm is exponentially/logarithmically + scaled to prevent "world destroyer" bombs from instantly finishing research. SpaceManiac: - - bugfix: HUDs from mechs and helmets no longer conflict with HUD glasses and no - longer inappropriately remove implanted HUDs. - - code_imp: Chasm code has been refactored to be more sane. - - bugfix: Building lattices over chasms no longer sometimes deletes the chasm. - - code_imp: Ladders have been refactored and should be far less buggy. - - bugfix: Jacob's ladder actually works again. - - bugfix: Pizza box stacking works again. - - bugfix: Fix some permanent-on and permanent-off bugs caused by the HUD stacking - change. + - bugfix: + HUDs from mechs and helmets no longer conflict with HUD glasses and no + longer inappropriately remove implanted HUDs. + - code_imp: Chasm code has been refactored to be more sane. + - bugfix: Building lattices over chasms no longer sometimes deletes the chasm. + - code_imp: Ladders have been refactored and should be far less buggy. + - bugfix: Jacob's ladder actually works again. + - bugfix: Pizza box stacking works again. + - bugfix: + Fix some permanent-on and permanent-off bugs caused by the HUD stacking + change. WJohnston: - - imageadd: A bunch of new turf decals for mappers to play with, coming in yellow, - white, and red varieties! - - bugfix: Green banded default airlocks now have extended click area like all other - airlocks. + - imageadd: + A bunch of new turf decals for mappers to play with, coming in yellow, + white, and red varieties! + - bugfix: + Green banded default airlocks now have extended click area like all other + airlocks. Y0SH1 M4S73R: - - spellcheck: The R&D Server's name is now improper. - - spellcheck: The R&D Server now has an explanation of what it does. + - spellcheck: The R&D Server's name is now improper. + - spellcheck: The R&D Server now has an explanation of what it does. arsserpentarium: - - bugfix: now lists should work properly + - bugfix: now lists should work properly duncathan: - - rscadd: The RPD has a shiny new UI! - - rscadd: The RPD can now paint pipes as it lays them, for quicker piping projects. - - rscadd: Atmos scrubbers (vent and portable) can now filter any and all gases. + - rscadd: The RPD has a shiny new UI! + - rscadd: The RPD can now paint pipes as it lays them, for quicker piping projects. + - rscadd: Atmos scrubbers (vent and portable) can now filter any and all gases. ike709: - - imageadd: Added new vent and scrubber sprites by Partheo. - - bugfix: Fixed some computers facing the wrong direction. + - imageadd: Added new vent and scrubber sprites by Partheo. + - bugfix: Fixed some computers facing the wrong direction. jammer312: - - bugfix: fixed conjuration spells forgetting about conjured items + - bugfix: fixed conjuration spells forgetting about conjured items kevinz000: - - rscadd: purple bartender suit and apron added to clothesmates! - - rscadd: long hair 3 added, check it out. both have sprites from okand! + - rscadd: purple bartender suit and apron added to clothesmates! + - rscadd: long hair 3 added, check it out. both have sprites from okand! nicbn: - - soundadd: Now rolling beds and office chairs have a sound! + - soundadd: Now rolling beds and office chairs have a sound! oranges: - - rscdel: Removed the shocker circuit + - rscdel: Removed the shocker circuit psykzz: - - imageadd: Grilles have new damaged and default sprites - - rscadd: Added TGUI for Turbine computer + - imageadd: Grilles have new damaged and default sprites + - rscadd: Added TGUI for Turbine computer tserpas1289: - - tweak: Any suit that could hold emergency oxygen tanks can now also hold plasma - man internals - - tweak: Hydroponics winter coats now can hold emergency oxygen tanks just like - the other winter coats. - - bugfix: Plasma men jumpsuits can now hold accessories like pocket protectors and - medals. + - tweak: + Any suit that could hold emergency oxygen tanks can now also hold plasma + man internals + - tweak: + Hydroponics winter coats now can hold emergency oxygen tanks just like + the other winter coats. + - bugfix: + Plasma men jumpsuits can now hold accessories like pocket protectors and + medals. zennerx: - - bugfix: fixed a bug that made you try and scream while unconscious due to a fire - - tweak: Skateboard crashes now give slight brain damage! - - rscadd: Using a helmet prevents brain damage from the skateboard! + - bugfix: fixed a bug that made you try and scream while unconscious due to a fire + - tweak: Skateboard crashes now give slight brain damage! + - rscadd: Using a helmet prevents brain damage from the skateboard! 2017-11-23: GupGup: - - bugfix: Fixes hostile mobs attacking surrounding tiles when trying to attack someone + - bugfix: Fixes hostile mobs attacking surrounding tiles when trying to attack someone MrStonedOne and Jordie: - - server: As a late note, serverops be advise that mysql is no longer supported. - existing mysql databases will need to be converted to mariadb + - server: + As a late note, serverops be advise that mysql is no longer supported. + existing mysql databases will need to be converted to mariadb Robustin: - - tweak: RND consoles will no longer display options for machines or disks that - are not connected/inserted. + - tweak: + RND consoles will no longer display options for machines or disks that + are not connected/inserted. ShizCalev: - - bugfix: Aliens in soft-crit will now use the correct sprite. + - bugfix: Aliens in soft-crit will now use the correct sprite. XDTM: - - rscadd: 'Added two new symptoms: one allows viruses to still work while dead, - and allows infection of undead species, and one allows infection of inorganic - species (such as plasmapeople or golems).' + - rscadd: + "Added two new symptoms: one allows viruses to still work while dead, + and allows infection of undead species, and one allows infection of inorganic + species (such as plasmapeople or golems)." 2017-11-24: ACCount: - - rscdel: Removed "console screen" stock part. Just use glass sheets instead. + - rscdel: Removed "console screen" stock part. Just use glass sheets instead. More Robust Than You: - - tweak: Spessmen are now smart enough to realize you don't need to turn around - to pull cigarette butts + - tweak: + Spessmen are now smart enough to realize you don't need to turn around + to pull cigarette butts SpaceManiac: - - bugfix: Fix water misters being inappropriately glued to hands in some cases. - - bugfix: Some misplaced decals in the Hotel brig have been corrected. + - bugfix: Fix water misters being inappropriately glued to hands in some cases. + - bugfix: Some misplaced decals in the Hotel brig have been corrected. ninjanomnom: - - bugfix: Custom shuttle dockers can no longer place docking regions inside other - custom docker regions. + - bugfix: + Custom shuttle dockers can no longer place docking regions inside other + custom docker regions. 2017-11-25: CosmicScientist: - - bugfix: bolas are back in tablecrafting! + - bugfix: bolas are back in tablecrafting! Dorsisdwarf: - - tweak: Catpeople are now distracted instead of debilitated - - rscadd: Normal cats now go for laser pointers + - tweak: Catpeople are now distracted instead of debilitated + - rscadd: Normal cats now go for laser pointers SpaceManiac: - - bugfix: You can no longer buckle people to roller beds from inside of a locker. + - bugfix: You can no longer buckle people to roller beds from inside of a locker. YPOQ: - - bugfix: AIs and cyborgs can interact with unscrewed airlocks and APCs. + - bugfix: AIs and cyborgs can interact with unscrewed airlocks and APCs. ninjanomnom: - - bugfix: Fixes thermite burning hotter than the boiling point of stone + - bugfix: Fixes thermite burning hotter than the boiling point of stone zennerx: - - bugfix: Zombies don't reanimate with no head! + - bugfix: Zombies don't reanimate with no head! 2017-11-27: ACCount: - - rscadd: 'New integrated circuit components: list constructors/deconstructors. - Useful for building lists and taking them apart.' - - bugfix: Fixed multiple bugs in integrated circuits UIs, improved overall usability. + - rscadd: + "New integrated circuit components: list constructors/deconstructors. + Useful for building lists and taking them apart." + - bugfix: Fixed multiple bugs in integrated circuits UIs, improved overall usability. More Robust Than You: - - bugfix: Fixed cult leaders being de-culted upon election if they had a mindshield - implant + - bugfix: + Fixed cult leaders being de-culted upon election if they had a mindshield + implant Naksu: - - bugfix: Hopefully fixed mesons granting the ability to hear people through walls. + - bugfix: Hopefully fixed mesons granting the ability to hear people through walls. Okand37: - - rscadd: Re-organized Delta's departmental protolathes for all departments. - - rscadd: Re-organized Delta's ORM placement by connecting it to the mining office, - which now has a desk for over handing materials to the outside. - - rscadd: Added a second Nanomed to Deltastation's medical bay. - - rscadd: Nanotrasen has decided to add proper caution signs to most docking ports - on Deltastation, warning individuals to be cautious around these areas. - - rscadd: Two health sensors are now placed in Deltastation's robotics area for - medibots. - - bugfix: Atmospheric Technicians at Deltastation can now open up their gas storage - in the supermatter power area as intended. + - rscadd: Re-organized Delta's departmental protolathes for all departments. + - rscadd: + Re-organized Delta's ORM placement by connecting it to the mining office, + which now has a desk for over handing materials to the outside. + - rscadd: Added a second Nanomed to Deltastation's medical bay. + - rscadd: + Nanotrasen has decided to add proper caution signs to most docking ports + on Deltastation, warning individuals to be cautious around these areas. + - rscadd: + Two health sensors are now placed in Deltastation's robotics area for + medibots. + - bugfix: + Atmospheric Technicians at Deltastation can now open up their gas storage + in the supermatter power area as intended. WJohnston: - - bugfix: Fixed a case where items would sometimes be placed underneath racks. + - bugfix: Fixed a case where items would sometimes be placed underneath racks. XDTM: - - balance: Viruses' healing symptoms have been reworked! - - rscdel: All existing healing symptoms have been removed in favour of new ones. - - rscdel: Weight Even and Weight Gain have been removed, so hunger can be used for - balancing in symptoms. - - rscadd: Starlight Condensation heals toxin damage if you're in space using starlight - as a catalyst. Being up to two tiles away also works, as long as you can still - see it, but slower. - - rscadd: Toxolysis (level 7) rapidly cleanses all chemicals from the body, with - no exception. - - rscadd: 'Cellular Molding heals brute damage depending on your body temperature: - the higher the temperature, the faster the healing. Requires above-average temperature - to activate, and the speed heavily increases while on fire.' - - rscadd: Regenerative Coma (level 8) causes the virus to send you into a deep coma - when you are heavily damaged (>70 brute+burn damage). While you are unconscious, - either from the virus or from other sources, the virus will heal both brute - and burn damage fairly quickly. Sleeping also works, but at reduced speed. - - rscadd: Tissue Hydration heals burn damage if you are wet (negative fire stacks) - or if you have water in your bloodstream. - - rscadd: Plasma Fixation (level 8) stabilizes temperature and heals burns while - plasma is in your body or while standing in a plasma cloud. Does not protect - from the poisoning effects of plasma. - - rscadd: Radioactive Resonance gives a mild constant brute and burn healing while - irradiated. The healing becomes more intense if you reach higher levels of radiation, - but is still less than the alternatives. - - rscadd: Metabolic Boost (level 7) doubles the rate at which you process chemicals, - good and bad, but also increases hunger tenfold. + - balance: Viruses' healing symptoms have been reworked! + - rscdel: All existing healing symptoms have been removed in favour of new ones. + - rscdel: + Weight Even and Weight Gain have been removed, so hunger can be used for + balancing in symptoms. + - rscadd: + Starlight Condensation heals toxin damage if you're in space using starlight + as a catalyst. Being up to two tiles away also works, as long as you can still + see it, but slower. + - rscadd: + Toxolysis (level 7) rapidly cleanses all chemicals from the body, with + no exception. + - rscadd: + "Cellular Molding heals brute damage depending on your body temperature: + the higher the temperature, the faster the healing. Requires above-average temperature + to activate, and the speed heavily increases while on fire." + - rscadd: + Regenerative Coma (level 8) causes the virus to send you into a deep coma + when you are heavily damaged (>70 brute+burn damage). While you are unconscious, + either from the virus or from other sources, the virus will heal both brute + and burn damage fairly quickly. Sleeping also works, but at reduced speed. + - rscadd: + Tissue Hydration heals burn damage if you are wet (negative fire stacks) + or if you have water in your bloodstream. + - rscadd: + Plasma Fixation (level 8) stabilizes temperature and heals burns while + plasma is in your body or while standing in a plasma cloud. Does not protect + from the poisoning effects of plasma. + - rscadd: + Radioactive Resonance gives a mild constant brute and burn healing while + irradiated. The healing becomes more intense if you reach higher levels of radiation, + but is still less than the alternatives. + - rscadd: + Metabolic Boost (level 7) doubles the rate at which you process chemicals, + good and bad, but also increases hunger tenfold. kevinz000: - - bugfix: Cryo cells can now be properly rotated with a wrench. + - bugfix: Cryo cells can now be properly rotated with a wrench. ninjanomnom: - - rscadd: 'You can now make a new tasty traditional treat: butterdogs. Watch out, - they''re slippery.' + - rscadd: + "You can now make a new tasty traditional treat: butterdogs. Watch out, + they're slippery." 2017-11-28: ACCount: - - rscdel: '"Machine prototype" is removed from the game.' - - rscdel: Mass-spectrometers are removed. Would anyone notice if not for this changelog - entry? + - rscdel: '"Machine prototype" is removed from the game.' + - rscdel: + Mass-spectrometers are removed. Would anyone notice if not for this changelog + entry? Cruix: - - rscadd: AI and observer diagnostic huds will now show the astar path of all bots, - and Pai bots will be given a visible path to follow when called by the AI. + - rscadd: + AI and observer diagnostic huds will now show the astar path of all bots, + and Pai bots will be given a visible path to follow when called by the AI. JJRcop: - - admin: Fixed the Make space ninja verb. + - admin: Fixed the Make space ninja verb. Naksu: - - code_imp: rejiggered botcode a little bit + - code_imp: rejiggered botcode a little bit SpaceManiac: - - spellcheck: Admin-added "download research" objectives are now consistent with - automatic ones. + - spellcheck: + Admin-added "download research" objectives are now consistent with + automatic ones. improvedname: - - tweak: toolbelts can now carry geiger counters + - tweak: toolbelts can now carry geiger counters uraniummeltdown: - - rscadd: You can make many different types of office and comfy chairs with metal - - tweak: Stack menus use /datum/browser + - rscadd: You can make many different types of office and comfy chairs with metal + - tweak: Stack menus use /datum/browser 2017-11-29: MrStonedOne: - - tweak: The sloth no longer suspiciously moves fast when gliding between tiles. - - balance: The sloth's movespeed when inhabited by a player has been lowered from - once every 1/5 of a second to once every second. + - tweak: The sloth no longer suspiciously moves fast when gliding between tiles. + - balance: + The sloth's movespeed when inhabited by a player has been lowered from + once every 1/5 of a second to once every second. SpaceManiac: - - spellcheck: The techweb node for mech LMGs no longer claims to be for mech tasers. + - spellcheck: The techweb node for mech LMGs no longer claims to be for mech tasers. 2017-11-30: ninjanomnom: - - tweak: Reduced the max volume of sm by 1/5th and made the upper bounds only play - mid delamination. + - tweak: + Reduced the max volume of sm by 1/5th and made the upper bounds only play + mid delamination. psykzz: - - bugfix: Fixing the broken turbine computer + - bugfix: Fixing the broken turbine computer 2017-12-02: BeeSting12: - - spellcheck: Occupand ---> Occupant on opened cryogenic pods. - - spellcheck: Cyrogenic ---> Cryogenic on opened cryogenic pods. + - spellcheck: Occupand ---> Occupant on opened cryogenic pods. + - spellcheck: Cyrogenic ---> Cryogenic on opened cryogenic pods. CosmicScientist: - - rscadd: You can make plushies kiss one another! + - rscadd: You can make plushies kiss one another! Frozenguy5: - - tweak: The Particle Accelerator's wires can no longer be EMP'd + - tweak: The Particle Accelerator's wires can no longer be EMP'd Naksu: - - code_imp: Cleans up some loc assignments + - code_imp: Cleans up some loc assignments Robustin: - - tweak: Damage examinations now include a "moderate" classification. Before minor - was <30 and severe was anything 30 or above. Now minor is <25, moderate is 25 - to <50, and severe is 50+. - - balance: Clockwork magicks will now prevent Bags of Holding from being combined - on Reebe. - - bugfix: Flashes will now burn out AFTER flashing when they fail instead of being - a ticking time bomb that waits to screw you over on your next attempt. + - tweak: + Damage examinations now include a "moderate" classification. Before minor + was <30 and severe was anything 30 or above. Now minor is <25, moderate is 25 + to <50, and severe is 50+. + - balance: + Clockwork magicks will now prevent Bags of Holding from being combined + on Reebe. + - bugfix: + Flashes will now burn out AFTER flashing when they fail instead of being + a ticking time bomb that waits to screw you over on your next attempt. SpaceManiac: - - tweak: The R&D Console has been given a much prettier interface. - - tweak: Research scanner goggles now show materials and technology prospects in - a nicer way. + - tweak: The R&D Console has been given a much prettier interface. + - tweak: + Research scanner goggles now show materials and technology prospects in + a nicer way. uraniummeltdown: - - imageadd: Construct shells have a new animated sprite + - imageadd: Construct shells have a new animated sprite 2017-12-03: ExcessiveUseOfCobblestone: - - bugfix: You can now lay (buckle!) yourself to a bed to avoid being burnt to a - crisp during "the floor is lava" event. + - bugfix: + You can now lay (buckle!) yourself to a bed to avoid being burnt to a + crisp during "the floor is lava" event. Robustin: - - tweak: Igniting plasma statues no longer ignores ignition temperature and only - creates as much plasma as was used in its creation. + - tweak: + Igniting plasma statues no longer ignores ignition temperature and only + creates as much plasma as was used in its creation. Xhuis: - - rscadd: Light fixtures now turn an ominous, dim red color when they lose power, - and draw from an internal power cell to maintain it until either the cell dies - (usually after 10 minutes) or power is restored. - - rscadd: You can override emergency light functionality from an APC. You can also - click on individual lights as a cyborg or AI to override them individually. - Traitor AIs also have a new ability that disables emergency lights across the - entire station. + - rscadd: + Light fixtures now turn an ominous, dim red color when they lose power, + and draw from an internal power cell to maintain it until either the cell dies + (usually after 10 minutes) or power is restored. + - rscadd: + You can override emergency light functionality from an APC. You can also + click on individual lights as a cyborg or AI to override them individually. + Traitor AIs also have a new ability that disables emergency lights across the + entire station. zennerx: - - spellcheck: fixed some typos in the weapon firing mechanism description + - spellcheck: fixed some typos in the weapon firing mechanism description 2017-12-04: AnturK: - - rscadd: You can now record and replay holopad messages using holodisks. - - rscadd: Holodisks are printable in autolathes. + - rscadd: You can now record and replay holopad messages using holodisks. + - rscadd: Holodisks are printable in autolathes. Xhuis: - - bugfix: You now need fuel in your welder to repair mechs. + - bugfix: You now need fuel in your welder to repair mechs. 2017-12-05: Cyberboss: - - sounddel: Reduced the volume of showers + - sounddel: Reduced the volume of showers Dax Dupont: - - rscadd: Nanotrasen is happy to announce the pinnacle in plasma research! The Disco - Inferno shuttle design is the result of decades of plasma research. Burn, baby, - burn! + - rscadd: + Nanotrasen is happy to announce the pinnacle in plasma research! The Disco + Inferno shuttle design is the result of decades of plasma research. Burn, baby, + burn! MrPerson & ninjanomnom: - - refactor: Completely changed how keyboard input is read. - - rscadd: Holding two directions at the same time will now move you diagonally. - This works with the arrow keys, wasd, and the numpad. - - tweak: Moving diagonally takes twice as long as moving a cardinal direction. - - bugfix: You can use control to turn using wasd and the numpad instead of just - the arrow keys. - - rscdel: 'Some old non-hotkey mode behaviors, especially in relation to chatbox - interaction, can''t be kept with the new system. Of key note: You can''t type - while walking. This is due to limitations of byond and the work necessary to - overcome it is better done as another overhaul allowing custom controls.' + - refactor: Completely changed how keyboard input is read. + - rscadd: + Holding two directions at the same time will now move you diagonally. + This works with the arrow keys, wasd, and the numpad. + - tweak: Moving diagonally takes twice as long as moving a cardinal direction. + - bugfix: + You can use control to turn using wasd and the numpad instead of just + the arrow keys. + - rscdel: + "Some old non-hotkey mode behaviors, especially in relation to chatbox + interaction, can't be kept with the new system. Of key note: You can't type + while walking. This is due to limitations of byond and the work necessary to + overcome it is better done as another overhaul allowing custom controls." Robustin: - - rscdel: Reverted changes in 3d sound system that tripled the distance that sound - would carry. + - rscdel: + Reverted changes in 3d sound system that tripled the distance that sound + would carry. SpaceManiac: - - spellcheck: Energy values are now measured in joules. What was previously 1 unit - is now 1 kJ. - - bugfix: Syndicate uplink implants now work again. + - spellcheck: + Energy values are now measured in joules. What was previously 1 unit + is now 1 kJ. + - bugfix: Syndicate uplink implants now work again. Xhuis: - - tweak: Stethoscopes now inform the user if the target can be defibrillated; the - user will hear a "faint, fluttery pulse." + - tweak: + Stethoscopes now inform the user if the target can be defibrillated; the + user will hear a "faint, fluttery pulse." coiax: - - rscadd: Quiet areas of libraries on station have now been equipped with a vending - machine containing suitable recreational activities. + - rscadd: + Quiet areas of libraries on station have now been equipped with a vending + machine containing suitable recreational activities. 2017-12-06: Dax Dupont & Alek2ander: - - tweak: Binary chat messages been made more visible. + - tweak: Binary chat messages been made more visible. Revenant Defile ability: - - bugfix: Revenant's Defile now removes salt piles + - bugfix: Revenant's Defile now removes salt piles XDTM: - - rscadd: 'Brain damage has been completely reworked! remove: Brain damage now no - longer simply makes you dumb. Although most of its effects have been shifted - into a brain trauma.' - - rscadd: Every time you take brain damage, there's a chance you'll suffer a brain - trauma. There are many variations of brain traumas, split in mild, severe, and - special. - - rscadd: Mild brain traumas are the easiest to get, can be lightly to moderately - annoying, and can be cured with mannitol and time. - - rscadd: Severe brain traumas are much rarer and require extensive brain damage - before you have a chance to get them; they are usually very debilitating. Unlike - mild traumas, they require surgery to cure. A new surgery procedure has been - added for this, the aptly named Brain Surgery. It can also heal minor traumas. - - rscadd: 'Special brain traumas are rarely gained in place of Severe traumas: they - are either complex or beneficial. However, they are also even easier to cure - than mild traumas, which means that keeping these will usually mean keeping - a mild trauma along with it.' - - rscadd: Mobs can only naturally have one mild trauma and one severe or special - trauma. - - balance: Brain damage will now kill and ruin the brain if it goes above 200. If - it somehow goes above 400, the brain will melt and be destroyed completely. - - balance: Many brain-damaging effects have been given a damage cap, making them - non-lethal. - - rscdel: The Unintelligible mutation has been removed and made into a brain trauma. - - rscdel: Brain damage no longer makes using machines a living hell. - - rscadd: Abductors give minor traumas to people they experiment on. + - rscadd: + "Brain damage has been completely reworked! remove: Brain damage now no + longer simply makes you dumb. Although most of its effects have been shifted + into a brain trauma." + - rscadd: + Every time you take brain damage, there's a chance you'll suffer a brain + trauma. There are many variations of brain traumas, split in mild, severe, and + special. + - rscadd: + Mild brain traumas are the easiest to get, can be lightly to moderately + annoying, and can be cured with mannitol and time. + - rscadd: + Severe brain traumas are much rarer and require extensive brain damage + before you have a chance to get them; they are usually very debilitating. Unlike + mild traumas, they require surgery to cure. A new surgery procedure has been + added for this, the aptly named Brain Surgery. It can also heal minor traumas. + - rscadd: + "Special brain traumas are rarely gained in place of Severe traumas: they + are either complex or beneficial. However, they are also even easier to cure + than mild traumas, which means that keeping these will usually mean keeping + a mild trauma along with it." + - rscadd: + Mobs can only naturally have one mild trauma and one severe or special + trauma. + - balance: + Brain damage will now kill and ruin the brain if it goes above 200. If + it somehow goes above 400, the brain will melt and be destroyed completely. + - balance: + Many brain-damaging effects have been given a damage cap, making them + non-lethal. + - rscdel: The Unintelligible mutation has been removed and made into a brain trauma. + - rscdel: Brain damage no longer makes using machines a living hell. + - rscadd: Abductors give minor traumas to people they experiment on. coiax: - - rscadd: The drone dispenser on Metastation has been moved to the maintenance by - Robotics. + - rscadd: + The drone dispenser on Metastation has been moved to the maintenance by + Robotics. 2017-12-07: ShizCalev: - - bugfix: Games vending machines can now properly be rebuilt. - - bugfix: Games vending machines can now be refilled via supply crates. - - rscadd: Games Supply Crates have been added to the cargo console. + - bugfix: Games vending machines can now properly be rebuilt. + - bugfix: Games vending machines can now be refilled via supply crates. + - rscadd: Games Supply Crates have been added to the cargo console. SpaceManiac: - - bugfix: Radio frequency 148.9 is once again serviced by the telecomms system. + - bugfix: Radio frequency 148.9 is once again serviced by the telecomms system. Xhuis: - - rscadd: Added the Eminence role to clockcult! Players can elect themselves or - ghosts as the Eminence from the eminence spire structure on Reebe. - - rscadd: The Eminence is incorporeal and invisible, and directs the entire cult. - Anything they say is heard over the Hierophant network, and they can issue commands - by middle-clicking themselves or different turfs. - - rscadd: The Eminence also has a single-use mass recall that warps all servants - to the Ark chamber. - - rscadd: Added traps, triggers, and brass filaments to link them. They can all - be constructed from brass sheets, and do different things and trigger in different - ways. Current traps include the brass skewer and steam vent, and triggers include - the pressure sensor, lever, and repeater. - - rscadd: The Eminence can activate trap triggers by clicking on them! - - rscadd: Servants can deconstruct traps instantly with a wrench. - - rscdel: Mending Mantra has been removed. - - tweak: Clockwork scriptures have been recolored and sorted based on their functions; - yellow scriptures are for construction, red for offense, blue for defense, and - purple for niche. - - balance: Servants now spawn with a PDA and black shoes to make disguise more feasible. - - balance: The Eminence can superheat up to 20 clockwork walls at a time. Superheated - walls are immune to hulk and mech punches, but can still be broken conventionally. - - balance: Clockwork walls are slightly faster to build before the Ark activates, - taking an extra second less. - - bugfix: Poly no longer continually undergoes binary fission when Ratvar is in - range. - - code_imp: The global records alert for servants will no longer display info that - doesn't affect them since the rework. + - rscadd: + Added the Eminence role to clockcult! Players can elect themselves or + ghosts as the Eminence from the eminence spire structure on Reebe. + - rscadd: + The Eminence is incorporeal and invisible, and directs the entire cult. + Anything they say is heard over the Hierophant network, and they can issue commands + by middle-clicking themselves or different turfs. + - rscadd: + The Eminence also has a single-use mass recall that warps all servants + to the Ark chamber. + - rscadd: + Added traps, triggers, and brass filaments to link them. They can all + be constructed from brass sheets, and do different things and trigger in different + ways. Current traps include the brass skewer and steam vent, and triggers include + the pressure sensor, lever, and repeater. + - rscadd: The Eminence can activate trap triggers by clicking on them! + - rscadd: Servants can deconstruct traps instantly with a wrench. + - rscdel: Mending Mantra has been removed. + - tweak: + Clockwork scriptures have been recolored and sorted based on their functions; + yellow scriptures are for construction, red for offense, blue for defense, and + purple for niche. + - balance: Servants now spawn with a PDA and black shoes to make disguise more feasible. + - balance: + The Eminence can superheat up to 20 clockwork walls at a time. Superheated + walls are immune to hulk and mech punches, but can still be broken conventionally. + - balance: + Clockwork walls are slightly faster to build before the Ark activates, + taking an extra second less. + - bugfix: + Poly no longer continually undergoes binary fission when Ratvar is in + range. + - code_imp: + The global records alert for servants will no longer display info that + doesn't affect them since the rework. coiax: - - rscadd: The drone dispenser on Box Station has been moved from the Testing Lab - to the Morgue/Robotics maintenance tunnel. + - rscadd: + The drone dispenser on Box Station has been moved from the Testing Lab + to the Morgue/Robotics maintenance tunnel. deathride58: - - config: The default view range can now be defined in the config. The default is - 15x15, which is simplified to 7 by BYOND. For reference, Goonstation's widescreen - range is 21x15. Do note that changing this value will affect the title screen. - The title screen images and the title screen area on the Centcom z-level will - have to be updated if the default view range is changed. + - config: + The default view range can now be defined in the config. The default is + 15x15, which is simplified to 7 by BYOND. For reference, Goonstation's widescreen + range is 21x15. Do note that changing this value will affect the title screen. + The title screen images and the title screen area on the Centcom z-level will + have to be updated if the default view range is changed. 2017-12-08: Dax Dupont: - - bugfix: Fixed observer chat flavor of silicon chat. - - bugfix: Grilles now no longer revert to a pre-broken icon state when you hit them - after they broke. + - bugfix: Fixed observer chat flavor of silicon chat. + - bugfix: + Grilles now no longer revert to a pre-broken icon state when you hit them + after they broke. Dorsisdwarf: - - tweak: Minor fixes to some techweb nodes - - balance: Made flight suits, combat implants, and combat modules require more nodes + - tweak: Minor fixes to some techweb nodes + - balance: Made flight suits, combat implants, and combat modules require more nodes Fox McCloud: - - tweak: Slime blueprints can now make an area compatible with Xenobio consoles, - regardless of the name of the new area + - tweak: + Slime blueprints can now make an area compatible with Xenobio consoles, + regardless of the name of the new area MrDoomBringer: - - imageadd: All stations have been outfitted with brand new Smoke Machines! They - have nicer sprites now! + - imageadd: + All stations have been outfitted with brand new Smoke Machines! They + have nicer sprites now! Shadowlight213: - - rscadd: You now can get a medal for wasting hours talking to the secret debug - tile. - - bugfix: Fixed runtime for the tile when poly's speech file doesn't exist. + - rscadd: + You now can get a medal for wasting hours talking to the secret debug + tile. + - bugfix: Fixed runtime for the tile when poly's speech file doesn't exist. Xhuis: - - rscadd: You can now make pet carriers from the autolathe, to carry around chef - meat and other small animals without having to drag them. The HoP, captain, - and CMO also start with carriers in their lockers for their pets. + - rscadd: + You can now make pet carriers from the autolathe, to carry around chef + meat and other small animals without having to drag them. The HoP, captain, + and CMO also start with carriers in their lockers for their pets. YPOQ: - - bugfix: Fixed the camera failure, race swap, cursed items, and imposter wizard - random events - - tweak: The cursed items event no longer nullspaces items + - bugfix: + Fixed the camera failure, race swap, cursed items, and imposter wizard + random events + - tweak: The cursed items event no longer nullspaces items jammer312: - - rscadd: Action buttons now remember positions where you locked. - - tweak: Now locking action buttons prevents them from being reset. + - rscadd: Action buttons now remember positions where you locked. + - tweak: Now locking action buttons prevents them from being reset. 2017-12-10: SpaceManiac: - - bugfix: External airlocks of the mining base and gulag are now cycle-linked. - - tweak: The pAI software interface is now accessible via an action button. + - bugfix: External airlocks of the mining base and gulag are now cycle-linked. + - tweak: The pAI software interface is now accessible via an action button. Swindly: - - rscadd: You can kill yourself with a few more items. + - rscadd: You can kill yourself with a few more items. XDTM: - - tweak: Instead of activating randomly on speech, Godwoken Syndrome randomly grants - inspiration, causing the next message to be a Voice of God. + - tweak: + Instead of activating randomly on speech, Godwoken Syndrome randomly grants + inspiration, causing the next message to be a Voice of God. Xhuis: - - tweak: Flickering lights will now actually flicker and not go between emergency - lights and normal lighting. - - bugfix: Emergency lights no longer stay on forever in some cases. + - tweak: + Flickering lights will now actually flicker and not go between emergency + lights and normal lighting. + - bugfix: Emergency lights no longer stay on forever in some cases. kevinz000: - - rscadd: Nanotrasen would like to remind crewmembers and especially medical personnel - to stand clear of cadeavers before applying a defibrillator shock. (You get - shocked if you're pulling/grabbing someone being defibbed.) - - tweak: defib shock/charge sounds upped from 50% to 75%. + - rscadd: + Nanotrasen would like to remind crewmembers and especially medical personnel + to stand clear of cadeavers before applying a defibrillator shock. (You get + shocked if you're pulling/grabbing someone being defibbed.) + - tweak: defib shock/charge sounds upped from 50% to 75%. 2017-12-11: Anonmare: - - bugfix: Booze-o-mats have beer + - bugfix: Booze-o-mats have beer Cruix: - - tweak: The white ship navigation computer now takes 10 seconds to designate a - landing spot, and users can no longer see the syndicate shuttle or its custom - landing location. If the white ship landing location would intersect the syndicate - shuttle or its landing location, it will fail after the 10 seconds have elapsed. + - tweak: + The white ship navigation computer now takes 10 seconds to designate a + landing spot, and users can no longer see the syndicate shuttle or its custom + landing location. If the white ship landing location would intersect the syndicate + shuttle or its landing location, it will fail after the 10 seconds have elapsed. Frozenguy5: - - balance: Some hardsuits have had their melee, fire and rad armor ratings tweaked. + - balance: Some hardsuits have had their melee, fire and rad armor ratings tweaked. Improvedname: - - tweak: cats now drop their ears and tail when butchered. + - tweak: cats now drop their ears and tail when butchered. Robustin: - - bugfix: Modes not in rotation have had their "false report" weights for the Command - Report standardized + - bugfix: + Modes not in rotation have had their "false report" weights for the Command + Report standardized SpaceManiac: - - bugfix: The MULEbots that the station starts with now show their ID numbers. - - bugfix: The dependency by Advanced Cybernetic Implants and Experimental Flight - Equipment on Integrated HUDs has been restored. + - bugfix: The MULEbots that the station starts with now show their ID numbers. + - bugfix: + The dependency by Advanced Cybernetic Implants and Experimental Flight + Equipment on Integrated HUDs has been restored. kevinz000: - - bugfix: flightsuits should no longer disappear when you take them off involuntarily - - bugfix: beam rifles actually fire striaght now - - bugfix: click catchers now actually work - - bugfix: you no longer see space in areas you normally can't see, instead of black. - in reality you can still see space but it's faint enough that you can't tell - so I'll say I fixed it. + - bugfix: flightsuits should no longer disappear when you take them off involuntarily + - bugfix: beam rifles actually fire striaght now + - bugfix: click catchers now actually work + - bugfix: + you no longer see space in areas you normally can't see, instead of black. + in reality you can still see space but it's faint enough that you can't tell + so I'll say I fixed it. uraniummeltdown: - - rscadd: Added MANY new types of airlock assembly that can be built with metal. - Use metal in hand to see the new airlock assembly recipes. - - rscadd: Added new airlock types to the RCD and airlock painter - - rscadd: Vault door assemblies can be built with 8 plasteel, high security assemblies - with 6 plasteel - - rscadd: Glass mineral airlocks are finally constructible. Use glass and mineral - sheets on an airlock assembly in any order to make them. - - tweak: Glass and mineral sheets are now able to be welded out of door assemblies - rather than having to deconstruct the whole thing - - rscdel: Airlock painter no longer works on airlock assemblies (still works on - airlocks) - - bugfix: Titanium airlocks no longer have any missing overlays + - rscadd: + Added MANY new types of airlock assembly that can be built with metal. + Use metal in hand to see the new airlock assembly recipes. + - rscadd: Added new airlock types to the RCD and airlock painter + - rscadd: + Vault door assemblies can be built with 8 plasteel, high security assemblies + with 6 plasteel + - rscadd: + Glass mineral airlocks are finally constructible. Use glass and mineral + sheets on an airlock assembly in any order to make them. + - tweak: + Glass and mineral sheets are now able to be welded out of door assemblies + rather than having to deconstruct the whole thing + - rscdel: + Airlock painter no longer works on airlock assemblies (still works on + airlocks) + - bugfix: Titanium airlocks no longer have any missing overlays 2017-12-12: Mark9013100: - - rscadd: Medical Wardrobes now contain an additional standard and EMT labcoat. + - rscadd: Medical Wardrobes now contain an additional standard and EMT labcoat. Robustin: - - rscadd: The blood cult revive rune will now replace the souls of braindead or - inactive cultists/constructs when properly invoked. These "revivals" will not - count toward the revive limit. - - rscadd: The clock cult healing rune will now replace the souls of braindead or - inactive cultists/constructs when left atop the rune. These "revivals" will - not drain the rune's energy. + - rscadd: + The blood cult revive rune will now replace the souls of braindead or + inactive cultists/constructs when properly invoked. These "revivals" will not + count toward the revive limit. + - rscadd: + The clock cult healing rune will now replace the souls of braindead or + inactive cultists/constructs when left atop the rune. These "revivals" will + not drain the rune's energy. Swindly: - - bugfix: Swarmers can no longer deconstruct objects with living things in them. + - bugfix: Swarmers can no longer deconstruct objects with living things in them. kevinz000: - - bugfix: You can now print telecomms equipment again. + - bugfix: You can now print telecomms equipment again. 2017-12-13: Naksu: - - bugfix: glass shards and bananium floors no longer make a sound when "walked" - over by a camera or a ghost + - bugfix: + glass shards and bananium floors no longer make a sound when "walked" + over by a camera or a ghost SpaceManiac: - - bugfix: Nonstandard power cells found in MULEbots, cyborgs, and elsewhere now - have the correct description. + - bugfix: + Nonstandard power cells found in MULEbots, cyborgs, and elsewhere now + have the correct description. deathride58: - - bugfix: Genetics will no longer have a random block completely disappear each - round + - bugfix: + Genetics will no longer have a random block completely disappear each + round 2017-12-15: AverageJoe82: - - rscadd: drones now have night vision - - rscdel: drones no longer have lights + - rscadd: drones now have night vision + - rscdel: drones no longer have lights Cruix: - - bugfix: Shuttles now place hyperspace ripples where they are about to land again. + - bugfix: Shuttles now place hyperspace ripples where they are about to land again. Cyberboss: - - config: Added "$include" directives to config files. These are recursive. Only - config.txt will be default loaded if they are specified inside it - - config: Added multi string list entry CROSS_SERVER. e.g. CROSS_SERVER Server+Name - byond://server.net:1337 - - config: CROSS_SERVER_ADDRESS removed + - config: + Added "$include" directives to config files. These are recursive. Only + config.txt will be default loaded if they are specified inside it + - config: + Added multi string list entry CROSS_SERVER. e.g. CROSS_SERVER Server+Name + byond://server.net:1337 + - config: CROSS_SERVER_ADDRESS removed Epoc: - - bugfix: Adds Cybernetic Lungs to the Cyber Organs research node + - bugfix: Adds Cybernetic Lungs to the Cyber Organs research node JStheguy: - - rscadd: Added 10 new assembly designs to the integrated circuit printer, the difference - from current designs is purely aesthetics. - - imageadd: Added the icons for said new assembly designs to electronic_setups.dmi, - changed the current electronic mechanism and electronic machine sprites. + - rscadd: + Added 10 new assembly designs to the integrated circuit printer, the difference + from current designs is purely aesthetics. + - imageadd: + Added the icons for said new assembly designs to electronic_setups.dmi, + changed the current electronic mechanism and electronic machine sprites. MrStonedOne: - - server: Added new admin flag, AUTOLOGIN, to control if admins start with admin - powers. this defaults to on, and can be removed with -AUTOLOGIN - - admin: Admins with +PERMISSION may now deadmin or readmin other admins via the - permission panel. + - server: + Added new admin flag, AUTOLOGIN, to control if admins start with admin + powers. this defaults to on, and can be removed with -AUTOLOGIN + - admin: + Admins with +PERMISSION may now deadmin or readmin other admins via the + permission panel. Naksu: - - code_imp: Preliminary work on tracking cliented living mobs across Z-levels to - facilitate mob AI changes later - - code_imp: Tidied up some loc assignments - - code_imp: fixes the remaining loc assignments + - code_imp: + Preliminary work on tracking cliented living mobs across Z-levels to + facilitate mob AI changes later + - code_imp: Tidied up some loc assignments + - code_imp: fixes the remaining loc assignments ShizCalev: - - soundadd: Revamped gun dry-firing sounds. - - tweak: Everyone around you will now hear when your gun goes click. You don't want - to hear click when you want to hear bang! + - soundadd: Revamped gun dry-firing sounds. + - tweak: + Everyone around you will now hear when your gun goes click. You don't want + to hear click when you want to hear bang! SpaceManiac: - - code_imp: Remote signaler and other non-telecomms radio code has been cleaned - up. + - code_imp: + Remote signaler and other non-telecomms radio code has been cleaned + up. Xhuis: - - rscadd: Grinding runed metal and brass now produces iron/blood and iron/teslium, - respectively. - - balance: As part of some code-side improvements, the amount of reagents you get - from grinding some objects might be slightly different. - - bugfix: Some grinding recipes that didn't work, like dead mice and glowsticks, - now do. - - bugfix: All-In-One grinders now correctly grind up everything, instead of one - thing at a time. + - rscadd: + Grinding runed metal and brass now produces iron/blood and iron/teslium, + respectively. + - balance: + As part of some code-side improvements, the amount of reagents you get + from grinding some objects might be slightly different. + - bugfix: + Some grinding recipes that didn't work, like dead mice and glowsticks, + now do. + - bugfix: + All-In-One grinders now correctly grind up everything, instead of one + thing at a time. nicbn: - - imageadd: Closet sprites changed. + - imageadd: Closet sprites changed. 2017-12-16: Armhulen and lagnas2000 (+his team of amazing spriters): - - rscadd: Mi-go have entered your realm! + - rscadd: Mi-go have entered your realm! Robustin: - - balance: Marauder shields now take twice as long to regenerate and only recharge - one charge at a time. - - balance: Marauders now have 120hp down from 150hp. - - bugfix: The wizard event "race swap" should now stick to "safer" species. - - bugfix: Zombies are now properly stunned for a maximum of 2 seconds instead of - 2/10ths of a second. - - tweak: Zombie slowdown adjusted from -2 to -1.6. + - balance: + Marauder shields now take twice as long to regenerate and only recharge + one charge at a time. + - balance: Marauders now have 120hp down from 150hp. + - bugfix: The wizard event "race swap" should now stick to "safer" species. + - bugfix: + Zombies are now properly stunned for a maximum of 2 seconds instead of + 2/10ths of a second. + - tweak: Zombie slowdown adjusted from -2 to -1.6. SpaceManiac: - - bugfix: The shuttle will no longer be autocalled if the round has already ended. + - bugfix: The shuttle will no longer be autocalled if the round has already ended. Xhuis: - - tweak: Vitality matrices don't have visible messages when someone crosses them - anymore. + - tweak: + Vitality matrices don't have visible messages when someone crosses them + anymore. 2017-12-17: More Robust Than You: - - code_imp: Changed roundend sounds and lobby music to use one proc for choosing - sounds - - server: You can now easily host roundstart sounds without changing the code! - - config: RIP in shit round_start_sounds.txt + - code_imp: + Changed roundend sounds and lobby music to use one proc for choosing + sounds + - server: You can now easily host roundstart sounds without changing the code! + - config: RIP in shit round_start_sounds.txt XDTM: - - rscadd: A few new traumas have been added. - - balance: Thresholds to get brain traumas have been lowered, as they currently - pretty much only trigger if you intentionally chug impedrezene. - - tweak: Melee head hits deal minor brain damage. Crits still do a significant amount. - - tweak: Nuke Op implants no longer trigger on deathgasp. (They still explode on - death) - - tweak: You'll now receive messages when crossing certain brain damage thresholds. - - tweak: Split Personalities are instructed not to suicide while in control. - - tweak: Godwoken Syndrome now randomly sends Voice of God commands, instead of - being controllable. + - rscadd: A few new traumas have been added. + - balance: + Thresholds to get brain traumas have been lowered, as they currently + pretty much only trigger if you intentionally chug impedrezene. + - tweak: Melee head hits deal minor brain damage. Crits still do a significant amount. + - tweak: + Nuke Op implants no longer trigger on deathgasp. (They still explode on + death) + - tweak: You'll now receive messages when crossing certain brain damage thresholds. + - tweak: Split Personalities are instructed not to suicide while in control. + - tweak: + Godwoken Syndrome now randomly sends Voice of God commands, instead of + being controllable. Xhuis: - - bugfix: Clockcult power alerts will no longer show outside of the clockcult gamemode - (they could be triggered by scarabs.) + - bugfix: + Clockcult power alerts will no longer show outside of the clockcult gamemode + (they could be triggered by scarabs.) ninjanomnom: - - bugfix: You can use the old non-hotkey mode text input behavior (keyboard input - automatically directed at the text input box) by changing your hotkey mode in - preferences - - rscadd: You can use Shift+E or Shift+B for belt/backpack respectively to quickly - put in your held item or take out the most recently added item. + - bugfix: + You can use the old non-hotkey mode text input behavior (keyboard input + automatically directed at the text input box) by changing your hotkey mode in + preferences + - rscadd: + You can use Shift+E or Shift+B for belt/backpack respectively to quickly + put in your held item or take out the most recently added item. 2017-12-18: AnturK: - - rscadd: Repeated messages will now be squashed in the chat. + - rscadd: Repeated messages will now be squashed in the chat. Cyberboss: - - bugfix: Allied station communications are back, now with potentially multiple - stations + - bugfix: + Allied station communications are back, now with potentially multiple + stations Naksu: - - tweak: Hostile mobs on z-levels without living players will now conserve their - efforts and simply not run AI routines at all. Also, idling mob routines should - be significantly cheaper on non-station Z-levels. + - tweak: + Hostile mobs on z-levels without living players will now conserve their + efforts and simply not run AI routines at all. Also, idling mob routines should + be significantly cheaper on non-station Z-levels. ShizCalev: - - soundadd: Added new sounds to guns when reloading. - - bugfix: Cartridges and casings ejected from guns will now make the proper sound! + - soundadd: Added new sounds to guns when reloading. + - bugfix: Cartridges and casings ejected from guns will now make the proper sound! Xhuis: - - bugfix: Microwave sound loops now correctly stop when it breaks or is otherwise - interrupted mid-cook. + - bugfix: + Microwave sound loops now correctly stop when it breaks or is otherwise + interrupted mid-cook. coiax: - - rscadd: A lollipop dispenser in "dispense lollipops" mode can push the lollipop - straight into the targets hand, rather than getting it dirty on the floor first. - - tweak: Aliens (and humans with alien organs) will have a prompt if they try to - create resin structures or lay eggs atop vents or scrubbers. + - rscadd: + A lollipop dispenser in "dispense lollipops" mode can push the lollipop + straight into the targets hand, rather than getting it dirty on the floor first. + - tweak: + Aliens (and humans with alien organs) will have a prompt if they try to + create resin structures or lay eggs atop vents or scrubbers. nicbn: - - bugfix: Now the chem smoke machine uses stock parts for volume and range. + - bugfix: Now the chem smoke machine uses stock parts for volume and range. ninjanomnom: - - bugfix: Decals should now rotate the correct way around. + - bugfix: Decals should now rotate the correct way around. oranges: - - tweak: Dance machine will not play tracks to you if you have instruments turned - off + - tweak: + Dance machine will not play tracks to you if you have instruments turned + off 2017-12-19: More Robust Than You: - - tweak: Jungle Fever cannot be cured anymore - - bugfix: The Monkey Leaders' virus are now un-detectable by health scanners and - to the PANDEMIC now. + - tweak: Jungle Fever cannot be cured anymore + - bugfix: + The Monkey Leaders' virus are now un-detectable by health scanners and + to the PANDEMIC now. Shadowlight213: - - bugfix: Fixed captain's PDA showing unusable Toggle Remote Door menu option + - bugfix: Fixed captain's PDA showing unusable Toggle Remote Door menu option XDTM: - - rscadd: Abductors can now see if people already have glands! Never worry about - abducting the same guy twice again. - - rscadd: Added the Mind Interface Device to the abductor shop for 2 Credits. Only - scientists can use it. - - rscadd: 'The MID has two modes: Transmit and Control.' - - rscadd: Transmit will allow you to send a message anytime, anywhere to the mind - of a target of your choice, regardless of language barriers. The message will - be anonymous, but abductor-like. - - rscadd: Control allows you to give a temporary directive to a target with an implanted - gland, that they MUST follow. Duration and amount of uses varies by gland type. - When a gland is spent, it will no longer respond to Control signals. The target - forgets ever receiving the objective when the duration ends. + - rscadd: + Abductors can now see if people already have glands! Never worry about + abducting the same guy twice again. + - rscadd: + Added the Mind Interface Device to the abductor shop for 2 Credits. Only + scientists can use it. + - rscadd: "The MID has two modes: Transmit and Control." + - rscadd: + Transmit will allow you to send a message anytime, anywhere to the mind + of a target of your choice, regardless of language barriers. The message will + be anonymous, but abductor-like. + - rscadd: + Control allows you to give a temporary directive to a target with an implanted + gland, that they MUST follow. Duration and amount of uses varies by gland type. + When a gland is spent, it will no longer respond to Control signals. The target + forgets ever receiving the objective when the duration ends. coiax: - - balance: The codespeak manual now has unlimited uses and costs 3 TC. - - bugfix: Nuke ops can now purchase the codespeak manual, as was intended. - - rscadd: Golems can now wear labcoats. + - balance: The codespeak manual now has unlimited uses and costs 3 TC. + - bugfix: Nuke ops can now purchase the codespeak manual, as was intended. + - rscadd: Golems can now wear labcoats. kevinz000: - - rscadd: You can now joust with spears if you are riding on another mob, whether - it's a hapless cyborg or otherwise! Additional damage and stunchance will be - added per tile moved! + - rscadd: + You can now joust with spears if you are riding on another mob, whether + it's a hapless cyborg or otherwise! Additional damage and stunchance will be + added per tile moved! ninjanomnom: - - bugfix: Non movement keys pressed while moving no longer stop movement. + - bugfix: Non movement keys pressed while moving no longer stop movement. 2017-12-20: AnturK: - - rscadd: You can enforce no smoking zones with a disarm aimed at the smokers mouth. + - rscadd: You can enforce no smoking zones with a disarm aimed at the smokers mouth. coiax: - - rscadd: A changeling will learn all languages from anyone they absorb. + - rscadd: A changeling will learn all languages from anyone they absorb. 2017-12-21: Fox McCloud: - - bugfix: Fixes arm implants being immune to EMPs + - bugfix: Fixes arm implants being immune to EMPs SpaceManiac: - - refactor: Telecomms and radio code has been cleaned up. - - tweak: The PDA message server is now a real piece of telecomms machinery. - - tweak: PDA logs now include the job as well as name of the participants. - - bugfix: The Syndicate frequency no longer hears its own messages twice. - - bugfix: Talking directly into a radio which is also hot-miked no longer double-talks. - - bugfix: Passing a space transition no longer interrupts pulls. + - refactor: Telecomms and radio code has been cleaned up. + - tweak: The PDA message server is now a real piece of telecomms machinery. + - tweak: PDA logs now include the job as well as name of the participants. + - bugfix: The Syndicate frequency no longer hears its own messages twice. + - bugfix: Talking directly into a radio which is also hot-miked no longer double-talks. + - bugfix: Passing a space transition no longer interrupts pulls. Xhuis: - - bugfix: You can no longer elect two Eminences simultaneously. - - bugfix: The Eminence no longer drifts in space. - - tweak: The Eminence's mass recall now works on unconscious servants. - - tweak: The Eminence's messages now have follow links for observers. - - balance: Floors blessed with holy water prevent servants from warping in and the - Eminence from crossing them. - - balance: The Eminence can never enter the Chapel. + - bugfix: You can no longer elect two Eminences simultaneously. + - bugfix: The Eminence no longer drifts in space. + - tweak: The Eminence's mass recall now works on unconscious servants. + - tweak: The Eminence's messages now have follow links for observers. + - balance: + Floors blessed with holy water prevent servants from warping in and the + Eminence from crossing them. + - balance: The Eminence can never enter the Chapel. coiax: - - rscadd: At the end of the round, all players can see who the antagonists are. + - rscadd: At the end of the round, all players can see who the antagonists are. improvedname: - - bugfix: Corrects 357. speedloader in the autolathe + - bugfix: Corrects 357. speedloader in the autolathe kevinz000: - - rscdel: Integrated circuit smoke circuits now require 10 units of reagents to - fire. + - rscdel: + Integrated circuit smoke circuits now require 10 units of reagents to + fire. uraniummeltdown: - - rscadd: You can adjust line height in chat settings - - tweak: Default chat line height is slightly shorter, from 1.4 to 1.2 + - rscadd: You can adjust line height in chat settings + - tweak: Default chat line height is slightly shorter, from 1.4 to 1.2 2017-12-22: Awesine: - - rscadd: added some things which happen to be mining scanner things to that gulag - thing + - rscadd: + added some things which happen to be mining scanner things to that gulag + thing Kor: - - rscadd: During Christmas you will be able to click on the tree in the Chapel to - receive one present per round. That present can contain any item in the game. + - rscadd: + During Christmas you will be able to click on the tree in the Chapel to + receive one present per round. That present can contain any item in the game. Naksu: - - bugfix: frying oil actually works + - bugfix: frying oil actually works WJohnston: - - tweak: Syndicate nuke op infiltrator shuttle is no longer lopsided. + - tweak: Syndicate nuke op infiltrator shuttle is no longer lopsided. kevinz000: - - rscadd: 'Clown modules have been added for cyborgs! Modules: Bikehorn, Airhorn, - instrumental bikehorn, clown stamp, multicolor paint, rainbow crayon, soap, - razor, purple lipstick, nonstunning selfcharging creampie cannon, nonslipping - selfcharging water sprayer, lollipop fabricator, metallic picket sign, mini - extinguisher, laughter reagent hypospray, and the ability to hug. experimental: - When emagged they get a fire spray, "super" laughter injector, and shocking - or crushing hugs. Also, the module is adminspawn only at the moment.' - - bugfix: Projectiles that pierce objects will no longer be thrown off course when - doing so! - - code_imp: Projectiles now use /datum/point/vectors for trajectory calculations. - - bugfix: Beam rifle reflections will no longer glitch out. + - rscadd: + 'Clown modules have been added for cyborgs! Modules: Bikehorn, Airhorn, + instrumental bikehorn, clown stamp, multicolor paint, rainbow crayon, soap, + razor, purple lipstick, nonstunning selfcharging creampie cannon, nonslipping + selfcharging water sprayer, lollipop fabricator, metallic picket sign, mini + extinguisher, laughter reagent hypospray, and the ability to hug. experimental: + When emagged they get a fire spray, "super" laughter injector, and shocking + or crushing hugs. Also, the module is adminspawn only at the moment.' + - bugfix: + Projectiles that pierce objects will no longer be thrown off course when + doing so! + - code_imp: Projectiles now use /datum/point/vectors for trajectory calculations. + - bugfix: Beam rifle reflections will no longer glitch out. 2017-12-23: Dax Dupont: - - bugfix: Borgs will no longer have their metal/glass/etc stacks commit sudoku when - it runs out of metal. They will also show the correct amount instead of a constant - of "1" on menu interaction. + - bugfix: + Borgs will no longer have their metal/glass/etc stacks commit sudoku when + it runs out of metal. They will also show the correct amount instead of a constant + of "1" on menu interaction. Kor: - - rscadd: During Christmas you will be able to click on the tree in the Chapel to - receive one present per round. That present can contain any item in the game. + - rscadd: + During Christmas you will be able to click on the tree in the Chapel to + receive one present per round. That present can contain any item in the game. Robustin: - - tweak: The EMP door shocking effect has a new formula. Heavy EMP's will no longer - shock doors while light EMP's have a 10% chance (down from 13.33%). + - tweak: + The EMP door shocking effect has a new formula. Heavy EMP's will no longer + shock doors while light EMP's have a 10% chance (down from 13.33%). coiax: - - balance: The kitchen gibber must be anchored in order to use. - - balance: The gibber requires bodies to have no external items or equipment. + - balance: The kitchen gibber must be anchored in order to use. + - balance: The gibber requires bodies to have no external items or equipment. 2017-12-24: Frozenguy5: - - bugfix: Soapstones now give the correct time they were placed down. + - bugfix: Soapstones now give the correct time they were placed down. More Robust Than You: - - tweak: Vending machines now use TGUI + - tweak: Vending machines now use TGUI SpaceManiac: - - bugfix: '"Download N research nodes" objective is now checked correctly again.' + - bugfix: '"Download N research nodes" objective is now checked correctly again.' 2017-12-25: SpaceManiac: - - bugfix: The Syndicate radio channel works on the station properly again. + - bugfix: The Syndicate radio channel works on the station properly again. coiax: - - rscadd: Ghosts can now use the *spin and *flip emotes. + - rscadd: Ghosts can now use the *spin and *flip emotes. uraniummeltdown: - - rscadd: Examine a door assembly to check what custom name is set. + - rscadd: Examine a door assembly to check what custom name is set. 2017-12-26: Cyberboss: - - tweak: Objects that can have materials inserted into them only will do so on help - intent + - tweak: + Objects that can have materials inserted into them only will do so on help + intent PsyKzz: - - rscadd: Jaws of life can now cut handcuffs + - rscadd: Jaws of life can now cut handcuffs SpaceManiac: - - admin: Play Internet Sound now has an option to show the song title to players. + - admin: Play Internet Sound now has an option to show the song title to players. XDTM: - - balance: Rebalanced healing symptoms. - - balance: Cellular Molding was replaced by Nocturnal Regeneration, which only works - in darkness. - - balance: All healing symptoms now heal both brute and burn damage, although the - basic ones will still be more effective on one damage type. - - balance: Plasma Fixation and Radioactive Metabolism heal toxin damage, offsetting - the damage done by their healing sources. - - balance: Changed healing symptoms' stats, generally making them less punishing. + - balance: Rebalanced healing symptoms. + - balance: + Cellular Molding was replaced by Nocturnal Regeneration, which only works + in darkness. + - balance: + All healing symptoms now heal both brute and burn damage, although the + basic ones will still be more effective on one damage type. + - balance: + Plasma Fixation and Radioactive Metabolism heal toxin damage, offsetting + the damage done by their healing sources. + - balance: Changed healing symptoms' stats, generally making them less punishing. Xhuis: - - balance: Medical supplies on all normal maps (Box, Meta, Delta, Omega, and Pubby) - are now behind ID-locked windoors. These windoors will become all-access during - red alert! + - balance: + Medical supplies on all normal maps (Box, Meta, Delta, Omega, and Pubby) + are now behind ID-locked windoors. These windoors will become all-access during + red alert! YPOQ: - - bugfix: Emagged cleanbots can acid people again - - bugfix: Headgear worn by monkeys can be affected by acid + - bugfix: Emagged cleanbots can acid people again + - bugfix: Headgear worn by monkeys can be affected by acid ninjanomnom: - - bugfix: The auxiliary mining base can no longer be placed on top of lava, indestructible - turfs, or inside particularly large ruins. - - bugfix: The backup shuttle has it's own area now and you should no longer occasionally - be teleported there by the arena shuttle. - - bugfix: Cycling airlocks on shuttles should work correctly when rotated now. - - bugfix: Things like thermite which burned through walls straight to space now - stop on plating. You'll have to thermite it again to get to space. + - bugfix: + The auxiliary mining base can no longer be placed on top of lava, indestructible + turfs, or inside particularly large ruins. + - bugfix: + The backup shuttle has it's own area now and you should no longer occasionally + be teleported there by the arena shuttle. + - bugfix: Cycling airlocks on shuttles should work correctly when rotated now. + - bugfix: + Things like thermite which burned through walls straight to space now + stop on plating. You'll have to thermite it again to get to space. 2017-12-27: More Robust Than You: - - code_imp: Changed roundend sounds and lobby music to use one proc for choosing - sounds - - server: You can now easily host roundstart sounds without changing the code! - - config: RIP in shit round_start_sounds.txt + - code_imp: + Changed roundend sounds and lobby music to use one proc for choosing + sounds + - server: You can now easily host roundstart sounds without changing the code! + - config: RIP in shit round_start_sounds.txt Nero1024: - - soundadd: blast doors and shutters will now play a sound when they open and close. + - soundadd: blast doors and shutters will now play a sound when they open and close. Robustin: - - bugfix: Hallucinations will no longer show open doors "bolting". + - bugfix: Hallucinations will no longer show open doors "bolting". SpaceManiac: - - code_imp: The R&D console has been made more responsive by tweaking how design - icons are loaded. + - code_imp: + The R&D console has been made more responsive by tweaking how design + icons are loaded. Xhuis: - - rscadd: Maintenance drones and cogscarabs can now spawn with holiday-related hats - on some holidays! + - rscadd: + Maintenance drones and cogscarabs can now spawn with holiday-related hats + on some holidays! coiax: - - rscadd: Deltastation now has christmas trees during seasonally appropriate times. + - rscadd: Deltastation now has christmas trees during seasonally appropriate times. deathride58: - - bugfix: Praise the lord! The shift+scroll hotkey to zoom in/out as a ghost works - properly again! + - bugfix: + Praise the lord! The shift+scroll hotkey to zoom in/out as a ghost works + properly again! kevinz000: - - rscadd: you can now pick up corgi's and pAIs, how disgustingly cute - - code_imp: Forensics is now a datum component. - - balance: NPC humans will now start leaving fingerprints on things they touch! + - rscadd: you can now pick up corgi's and pAIs, how disgustingly cute + - code_imp: Forensics is now a datum component. + - balance: NPC humans will now start leaving fingerprints on things they touch! 2017-12-28: Cyberboss: - - bugfix: Ghost lights will follow the ghost while orbiting + - bugfix: Ghost lights will follow the ghost while orbiting Robustin: - - bugfix: Splashing a book with ethanol should no longer produce errant messages. - - balance: Dead cultists can now be moved across the "line" on Reebe. + - bugfix: Splashing a book with ethanol should no longer produce errant messages. + - balance: Dead cultists can now be moved across the "line" on Reebe. 2017-12-29: CosmicScientist: - - rscadd: timestop now inverts the colours of those frozen in time! + - rscadd: timestop now inverts the colours of those frozen in time! Dax Dupont: - - bugfix: APCs and other wall mounted objects are no longer blocked by the secure - medbay storage parts. - - bugfix: Removed a duplicate radiation collector on Deltastation. + - bugfix: + APCs and other wall mounted objects are no longer blocked by the secure + medbay storage parts. + - bugfix: Removed a duplicate radiation collector on Deltastation. More Robust Than You: - - bugfix: The Radiance can now enter the chapel - - bugfix: Monkey chat should no longer have .k prefixed - - bugfix: Monkey leaders should actually get jungle fever now + - bugfix: The Radiance can now enter the chapel + - bugfix: Monkey chat should no longer have .k prefixed + - bugfix: Monkey leaders should actually get jungle fever now Robustin: - - bugfix: The action button for spells should now accurately reflect when the spell - is on cooldown - - bugfix: You can now reliably use the button for "touch" spells to "recall" the - spell + - bugfix: + The action button for spells should now accurately reflect when the spell + is on cooldown + - bugfix: + You can now reliably use the button for "touch" spells to "recall" the + spell SpaceManiac: - - code_imp: Explicit z-level checks have been changed to use defines. + - code_imp: Explicit z-level checks have been changed to use defines. XDTM: - - rscadd: 'Added a new reagent: Pax.' - - rscadd: Pax is made with Mindbreaker, Synaptizine and Water, and those affected - by it are forced to be nonviolent against living beings. At least, not directly. + - rscadd: "Added a new reagent: Pax." + - rscadd: + Pax is made with Mindbreaker, Synaptizine and Water, and those affected + by it are forced to be nonviolent against living beings. At least, not directly. coiax: - - rscadd: Adds an internal radio implant, allowing the use of the radio if you expect - to have your headset removed. Or if you don't have any ears or hands. It can - be purchased for 4 TC from any Syndicate uplink. - - rscadd: Nuke ops now buy special "syndicate intelligence potions" that automatically - insert an internal radio implant when used successfully. Cayenne can now participate - in your high level discussions. + - rscadd: + Adds an internal radio implant, allowing the use of the radio if you expect + to have your headset removed. Or if you don't have any ears or hands. It can + be purchased for 4 TC from any Syndicate uplink. + - rscadd: + Nuke ops now buy special "syndicate intelligence potions" that automatically + insert an internal radio implant when used successfully. Cayenne can now participate + in your high level discussions. 2017-12-30: Cyberboss: - - tweak: Burial jumpsuits no longer have suit sensors - - tweak: The chemistry job has been removed from Omegastation. Medical doctors still - have full chemistry access + - tweak: Burial jumpsuits no longer have suit sensors + - tweak: + The chemistry job has been removed from Omegastation. Medical doctors still + have full chemistry access MrDoomBringer: - - imageadd: NanoTrasen has sent the station new spaceheaters! They look nicer now! + - imageadd: NanoTrasen has sent the station new spaceheaters! They look nicer now! Xhuis: - - balance: Vitality matrices now apply Ichorial Stain when reviving a dead servant, - which prevents that servant from being revived again by vitality matrices for - a full minute. - - balance: Vitality matrices can't be placed adjacent to one another. - - balance: Brass skewers now damage and stun cyborgs. - - balance: Vitality matrices no longer drain people impaled on brass skewers. - - balance: Pressure sensors have 5 health again (down from 25.) + - balance: + Vitality matrices now apply Ichorial Stain when reviving a dead servant, + which prevents that servant from being revived again by vitality matrices for + a full minute. + - balance: Vitality matrices can't be placed adjacent to one another. + - balance: Brass skewers now damage and stun cyborgs. + - balance: Vitality matrices no longer drain people impaled on brass skewers. + - balance: Pressure sensors have 5 health again (down from 25.) ninjanomnom: - - bugfix: Some changes to turfs like shuttles would result in un-initialized space - tiles being created. This has been fixed. + - bugfix: + Some changes to turfs like shuttles would result in un-initialized space + tiles being created. This has been fixed. 2017-12-31: Cyberboss: - - rscadd: Explosions now cause camera shake based on intensity and distance + - rscadd: Explosions now cause camera shake based on intensity and distance F-OS: - - bugfix: Last resort now requires a confirmation + - bugfix: Last resort now requires a confirmation Naksu: - - code_imp: loot drop spawners now assign their pixel offsets to the items they - spawn, also have a "fanout" setting to distribute items in a neat fashion like - in omega/delta's core and some tech storages. - - tweak: replaced several law boards in uploads with spawners, the net result being - one more board in uploads that may be a duplicate asimov (but hopefully isn't) + - code_imp: + loot drop spawners now assign their pixel offsets to the items they + spawn, also have a "fanout" setting to distribute items in a neat fashion like + in omega/delta's core and some tech storages. + - tweak: + replaced several law boards in uploads with spawners, the net result being + one more board in uploads that may be a duplicate asimov (but hopefully isn't) SpaceManiac: - - bugfix: Viewing photos sent by PDA message works again. + - bugfix: Viewing photos sent by PDA message works again. WJohnston: - - rscadd: Redesigned the entire syndicate lavaland base to be more stylish, have - functioning power and atmos as well as a turbine to play with. + - rscadd: + Redesigned the entire syndicate lavaland base to be more stylish, have + functioning power and atmos as well as a turbine to play with. XDTM: - - bugfix: Fixed a hallucination that would say [target.first_name()] instead of - the actual name. + - bugfix: + Fixed a hallucination that would say [target.first_name()] instead of + the actual name. 2018-01-01: Dax Dupont: - - bugfix: PDA messages have been fixed. + - bugfix: PDA messages have been fixed. 2018-01-02: Dax Dupont: - - bugfix: The bank vault is no longer metagaming. It will now display the IC station - name. + - bugfix: + The bank vault is no longer metagaming. It will now display the IC station + name. DaxDupont: - - bugfix: Solar control consoles are no longer pointing to the wrong direction, - you can now turn tracking off again and manual positioning of solar panels have - been fixed. + - bugfix: + Solar control consoles are no longer pointing to the wrong direction, + you can now turn tracking off again and manual positioning of solar panels have + been fixed. Frozenguy5: - - rscadd: Adds a goon and cult emoji. Improves gear and tophat. (Credits to GoonStation - for creating the goon bee sprite.) + - rscadd: + Adds a goon and cult emoji. Improves gear and tophat. (Credits to GoonStation + for creating the goon bee sprite.) Okand37: - - rscadd: Overhauled aesthetic of some portions of Omegastation - - rscadd: Overhauled Omegastation's departure lounge, fitting it with the rest of - the station's theme - - rscadd: Replaced the personal closets with wardrobes in Omegastation's Lockerroom - - rscadd: Made Omegastation's engine room floortiles reinforced - - rscadd: Replaced the cola and snack machines with their random counterparts on - Omegastation - - bugfix: Fixed Omegastation's self destruct console being a doomsday device - - bugfix: Fixed Omegastation's chemistry shutters not all being synced and rearranged - the chemmaster. - - rscadd: Added a small technology storage in maintenance near departures on Omegastation - - rscadd: Added additional loot and emergency supplies to maintenance on Omegastation - - rscadd: Added the X-01 Multiphase to the Captain's Locker, Blueprints to Vault, - Reactive Teleportation Armor to Server Room and theHypospray to Medical Storage - on Omegastation + - rscadd: Overhauled aesthetic of some portions of Omegastation + - rscadd: + Overhauled Omegastation's departure lounge, fitting it with the rest of + the station's theme + - rscadd: Replaced the personal closets with wardrobes in Omegastation's Lockerroom + - rscadd: Made Omegastation's engine room floortiles reinforced + - rscadd: + Replaced the cola and snack machines with their random counterparts on + Omegastation + - bugfix: Fixed Omegastation's self destruct console being a doomsday device + - bugfix: + Fixed Omegastation's chemistry shutters not all being synced and rearranged + the chemmaster. + - rscadd: Added a small technology storage in maintenance near departures on Omegastation + - rscadd: Added additional loot and emergency supplies to maintenance on Omegastation + - rscadd: + Added the X-01 Multiphase to the Captain's Locker, Blueprints to Vault, + Reactive Teleportation Armor to Server Room and theHypospray to Medical Storage + on Omegastation XDTM: - - bugfix: Fixed Runic Golem's Abyssal Gaze blinding permanently. - - balance: Ocular Restoration has been removed, its effect transfered on Sensory - Restoration. - - balance: Sensory Restoration now heals both eye and ear damage. - - balance: Mind Restoration now no longer heals ear damage, but now heals brain - damage by default. - - balance: Mind Restoration's thresholds can now let the symptoms cure mild brain - traumas at 6 resistance and severe ones at 9. + - bugfix: Fixed Runic Golem's Abyssal Gaze blinding permanently. + - balance: + Ocular Restoration has been removed, its effect transfered on Sensory + Restoration. + - balance: Sensory Restoration now heals both eye and ear damage. + - balance: + Mind Restoration now no longer heals ear damage, but now heals brain + damage by default. + - balance: + Mind Restoration's thresholds can now let the symptoms cure mild brain + traumas at 6 resistance and severe ones at 9. ninjanomnom: - - bugfix: Turfs are construct-able again + - bugfix: Turfs are construct-able again 2018-01-03: Cyberboss: - - bugfix: Fixed lathe power consumption being too high - - bugfix: You no longer cut yourself with shards when clicking a portal + - bugfix: Fixed lathe power consumption being too high + - bugfix: You no longer cut yourself with shards when clicking a portal Dax Dupont: - - bugfix: After 2 years and 2 separate issues the paper mache wizard robe has finally - been fixed. + - bugfix: + After 2 years and 2 separate issues the paper mache wizard robe has finally + been fixed. Naksu: - - rscadd: A damaged core AI module may now spawn in AI uploads. It contains a random - amount of ionic laws with normal law priorities. - - bugfix: splash-fried food is now actually edible + - rscadd: + A damaged core AI module may now spawn in AI uploads. It contains a random + amount of ionic laws with normal law priorities. + - bugfix: splash-fried food is now actually edible SpaceManiac: - - bugfix: Mimes now laugh silently. + - bugfix: Mimes now laugh silently. deathride58: - - tweak: Explosions will no longer give everyone and their mothers motion sickness - from a mile away. + - tweak: + Explosions will no longer give everyone and their mothers motion sickness + from a mile away. 2018-01-04: Cyberboss: - - bugfix: The bloodcult sacrifice objective description won't change when the target - is sacrificed + - bugfix: + The bloodcult sacrifice objective description won't change when the target + is sacrificed Dax Dupont: - - rscadd: PDA Interface color is now a preference. - - bugfix: Fixed PDA font style not applying at round start. - - rscadd: 'The following messages have been added to dead chat: Security level change, - (re)calling, Emergency Access, CentComm/Syndicate console messages, outgoing - server messages and announcements,' + - rscadd: PDA Interface color is now a preference. + - bugfix: Fixed PDA font style not applying at round start. + - rscadd: + "The following messages have been added to dead chat: Security level change, + (re)calling, Emergency Access, CentComm/Syndicate console messages, outgoing + server messages and announcements," MrStonedOne: - - bugfix: The changelog hadn't been updating. This has been fixed. + - bugfix: The changelog hadn't been updating. This has been fixed. ShiggyDiggyDo: - - tweak: Syndicate experts were able to create more sophisticated copies of the - nuclear authentication disk. While still unable to detonate the nuclear fission - explosive with them, they're practically identical to the real disk if not examined - closely. + - tweak: + Syndicate experts were able to create more sophisticated copies of the + nuclear authentication disk. While still unable to detonate the nuclear fission + explosive with them, they're practically identical to the real disk if not examined + closely. 2018-01-05: Cruix: - - bugfix: Chameleon PDAs now have their chameleon action. + - bugfix: Chameleon PDAs now have their chameleon action. Okand37: - - rscadd: Added a fully functioning A.I. satellite to Omegastation! - - rscadd: Added the CE's magboots to the gravity room on Omegastation! - - rscadd: Added a medical wrench to cryo for Omegastation! + - rscadd: Added a fully functioning A.I. satellite to Omegastation! + - rscadd: Added the CE's magboots to the gravity room on Omegastation! + - rscadd: Added a medical wrench to cryo for Omegastation! Shadowlight213: - - bugfix: Devils will no longer be permanently stuck if interrupted while trying - to jaunt. - - bugfix: Devils will now properly clear the fake fire if failing to jaunt. + - bugfix: + Devils will no longer be permanently stuck if interrupted while trying + to jaunt. + - bugfix: Devils will now properly clear the fake fire if failing to jaunt. SpaceManiac: - - bugfix: The startup load time of away missions has been drastically reduced. - - bugfix: The admin notification for the pulse rifle prize now shows the correct - coordinates. + - bugfix: The startup load time of away missions has been drastically reduced. + - bugfix: + The admin notification for the pulse rifle prize now shows the correct + coordinates. deathride58: - - bugfix: Explosions now function properly again! + - bugfix: Explosions now function properly again! 2018-01-10: Robustin: - - bugfix: Blood cultists will now properly display a "reverted to their old faith" - message when deconverted. + - bugfix: + Blood cultists will now properly display a "reverted to their old faith" + message when deconverted. 2018-01-11: Cyberboss: - - spellcheck: Fixed mechanical arms grammar when failing to activate - - bugfix: You will now no longer hit closets when attempting to anchor them + - spellcheck: Fixed mechanical arms grammar when failing to activate + - bugfix: You will now no longer hit closets when attempting to anchor them ExcessiveUseOfCobblestone: - - code_imp: Adds Stat Tracking to Techwebs by node and order. + - code_imp: Adds Stat Tracking to Techwebs by node and order. Selea: - - rscadd: pulling claw.Integrated circuit, which allow assemblies to pull things. + - rscadd: pulling claw.Integrated circuit, which allow assemblies to pull things. ShizCalev: - - bugfix: 'Meta: The UI for the captain''s cigarette vendor now works again.' - - tweak: 'Meta: Removed the omnizine filled syndicate cigarettes from the captain''s - cigarette vendor.' - - tweak: Medbots are no longer able to inject you if you do not have any exposed - flesh. + - bugfix: "Meta: The UI for the captain's cigarette vendor now works again." + - tweak: + "Meta: Removed the omnizine filled syndicate cigarettes from the captain's + cigarette vendor." + - tweak: + Medbots are no longer able to inject you if you do not have any exposed + flesh. Someguynamedpie: - - bugfix: Use world.timeofday instead of world.realtime + - bugfix: Use world.timeofday instead of world.realtime SpaceManiac: - - spellcheck: Replaced "CentComm" with "CentCom" in communications console deadchat - announcement. - - refactor: Information about the properties of z-levels is now less hardcoded than - before. + - spellcheck: + Replaced "CentComm" with "CentCom" in communications console deadchat + announcement. + - refactor: + Information about the properties of z-levels is now less hardcoded than + before. Tortellini Tony: - - rscadd: 'New hotkey for admin say command: F3.' + - rscadd: "New hotkey for admin say command: F3." yorii: - - spellcheck: Renamed the ChemMaster eject button to highlight the fact that the - buffer does not get cleared + - spellcheck: + Renamed the ChemMaster eject button to highlight the fact that the + buffer does not get cleared 2018-01-12: Cobby: - - tweak: As a human, you will now point with your legs when you have no arms, falling - over each time. - - tweak: As a human, you will bump your head on the ground trying to motion towards - something when you have no arms or legs. + - tweak: + As a human, you will now point with your legs when you have no arms, falling + over each time. + - tweak: + As a human, you will bump your head on the ground trying to motion towards + something when you have no arms or legs. Cyberboss: - - spellcheck: Fixed message grammar when lifting someone off a brass skewer - - bugfix: Fixed the original poker tables not being deleted after Narsie converted - them to a wooden table + - spellcheck: Fixed message grammar when lifting someone off a brass skewer + - bugfix: + Fixed the original poker tables not being deleted after Narsie converted + them to a wooden table Dax Dupont: - - rscadd: Thanks to the extensive disco and plasma research gathered by the Disco - Inferno shuttles, an indestructible mark V disco machine is now available. The - latest edition of the Disco Inferno shuttle now carries it. + - rscadd: + Thanks to the extensive disco and plasma research gathered by the Disco + Inferno shuttles, an indestructible mark V disco machine is now available. The + latest edition of the Disco Inferno shuttle now carries it. JJRcop: - - code_imp: Removes some links intended for admins from game logs. + - code_imp: Removes some links intended for admins from game logs. More Robust Than You: - - balance: Sigils of submission now uncuff upon successful conversion + - balance: Sigils of submission now uncuff upon successful conversion PKPenguin321: - - tweak: Cyborgs that take enough damage to have a module disabled will now automatically - announce that they've had a module disabled to anybody nearby. Now if you want - to stop a cyborg from interfering with your business but don't want to kill - it, you can simply bash until you see the CRITICAL ERROR message. - - soundadd: Borgs will play an alarm sound in addition to displaying this message - as they have their modules disabled. + - tweak: + Cyborgs that take enough damage to have a module disabled will now automatically + announce that they've had a module disabled to anybody nearby. Now if you want + to stop a cyborg from interfering with your business but don't want to kill + it, you can simply bash until you see the CRITICAL ERROR message. + - soundadd: + Borgs will play an alarm sound in addition to displaying this message + as they have their modules disabled. ShizCalev: - - bugfix: You can now attach collars to pets again! - - bugfix: Corrected pet collars icon mismatch. - - bugfix: Pets will now drop their collars when gibbed. - - tweak: You will no longer be able to rename unique pets, such as Ian or Runtime. - You can still rename pets without a special name. - - bugfix: Secbot assemblies will no longer lose their weld hole when dragged North - - imageadd: Secbot assemblies now have new North facing sprites! - - imageadd: Cleaned up a rogue pixel on beepsky's sprite. - - bugfix: Defibrillators now have inhands again! - - bugfix: Defibrillators will no longer stay in your hands after you die. - - bugfix: Losing an arm while wielding a two handed weapon will now cause you to - drop the weapon. - - bugfix: Losing an arm while carrying an item that requires two hands to hold will - now cause you to drop the item. - - spellcheck: Improved user feedback from chem dispenser macros. - - bugfix: Fixed Tests Areas debug verb. - - bugfix: Only the chaplain can now purify a bloody bastard sword. - - bugfix: Fully healing a mob as an admin now cures disabilities properly. - - bugfix: Non-cultists hulks can no longer withstand the immense powers of Ratvar's - influence while holding a bloody bastard sword. - - bugfix: The average body temperature has been corrected to 98.6F. - - tweak: Safe dials will now present itself in 1 number increments, instead of 5. - - bugfix: Relabeled canisters will no longer switch to an incorrect sprite when - broken. + - bugfix: You can now attach collars to pets again! + - bugfix: Corrected pet collars icon mismatch. + - bugfix: Pets will now drop their collars when gibbed. + - tweak: + You will no longer be able to rename unique pets, such as Ian or Runtime. + You can still rename pets without a special name. + - bugfix: Secbot assemblies will no longer lose their weld hole when dragged North + - imageadd: Secbot assemblies now have new North facing sprites! + - imageadd: Cleaned up a rogue pixel on beepsky's sprite. + - bugfix: Defibrillators now have inhands again! + - bugfix: Defibrillators will no longer stay in your hands after you die. + - bugfix: + Losing an arm while wielding a two handed weapon will now cause you to + drop the weapon. + - bugfix: + Losing an arm while carrying an item that requires two hands to hold will + now cause you to drop the item. + - spellcheck: Improved user feedback from chem dispenser macros. + - bugfix: Fixed Tests Areas debug verb. + - bugfix: Only the chaplain can now purify a bloody bastard sword. + - bugfix: Fully healing a mob as an admin now cures disabilities properly. + - bugfix: + Non-cultists hulks can no longer withstand the immense powers of Ratvar's + influence while holding a bloody bastard sword. + - bugfix: The average body temperature has been corrected to 98.6F. + - tweak: Safe dials will now present itself in 1 number increments, instead of 5. + - bugfix: + Relabeled canisters will no longer switch to an incorrect sprite when + broken. SpaceManiac: - - bugfix: Relabelled canisters once again have the correct description. - - bugfix: The interface of airlock consoles has been restored to normalcy. + - bugfix: Relabelled canisters once again have the correct description. + - bugfix: The interface of airlock consoles has been restored to normalcy. YPOQ: - - bugfix: Securitrons/ED-209s/Honkbots will only activate their emag functions after - their internals are emagged + - bugfix: + Securitrons/ED-209s/Honkbots will only activate their emag functions after + their internals are emagged 2018-01-14: Dax Dupont: - - bugfix: The NT Violet Lepton shuttle has been retrofitted with lava proof windows - for the lava engine. They will no longer catch fire and violently decompress - the shuttle. + - bugfix: + The NT Violet Lepton shuttle has been retrofitted with lava proof windows + for the lava engine. They will no longer catch fire and violently decompress + the shuttle. Leshana: - - bugfix: Fix attempt to use `in` on a non-list. Pretty sure bitfields do not work - that way. - - admin: SS_NO_FIRE subsystems will no longer display pointless cost statistics - in MC panel + - bugfix: + Fix attempt to use `in` on a non-list. Pretty sure bitfields do not work + that way. + - admin: + SS_NO_FIRE subsystems will no longer display pointless cost statistics + in MC panel QualityVan: - - balance: Due to budget cuts, the vault safe is now slightly less resistant to - explosions. + - balance: + Due to budget cuts, the vault safe is now slightly less resistant to + explosions. ShizCalev: - - bugfix: Constructed security/honk/ect bots will now drop the correct parts when - destroyed. - - bugfix: "Some areas will no longer present themselves at \"\xC3\xBFUnexplored\ - \ Area\"" + - bugfix: + Constructed security/honk/ect bots will now drop the correct parts when + destroyed. + - bugfix: + "Some areas will no longer present themselves at \"\xC3\xBFUnexplored\ + \ Area\"" SpaceManiac: - - bugfix: The R&D console design icon for slot machines is no longer mangled. - - bugfix: The Ark's teleportation checks now take mechs and sleepers into account - correctly. - - spellcheck: Activating internals via the right-side button produces better messages - on success. - - bugfix: The RPD will no longer fail to paint and layer pipes in some situations. - - bugfix: Unwrenching canisters from connector ports on non-default layers now resets - their pixel offset. + - bugfix: The R&D console design icon for slot machines is no longer mangled. + - bugfix: + The Ark's teleportation checks now take mechs and sleepers into account + correctly. + - spellcheck: + Activating internals via the right-side button produces better messages + on success. + - bugfix: The RPD will no longer fail to paint and layer pipes in some situations. + - bugfix: + Unwrenching canisters from connector ports on non-default layers now resets + their pixel offset. Thunder12345: - - bugfix: The NES Port emergency shuttle will no longer drain the CentComm emergency - dock of air + - bugfix: + The NES Port emergency shuttle will no longer drain the CentComm emergency + dock of air XDTM: - - tweak: Dreams are now more immersive and interesting. + - tweak: Dreams are now more immersive and interesting. deathride58: - - admin: You can now choose an outfit to be equipped while transforming a mob to - human via rudimentary transform. + - admin: + You can now choose an outfit to be equipped while transforming a mob to + human via rudimentary transform. 2018-01-15: Cruix: - - rscadd: Roundend traitor purchase logs now have tooltips showing the name, cost, - and description of the items. + - rscadd: + Roundend traitor purchase logs now have tooltips showing the name, cost, + and description of the items. F-OS: - - rscadd: NT has disabled their automatic APC lock - - tweak: The space heater now has a warning on it about use in the SM. + - rscadd: NT has disabled their automatic APC lock + - tweak: The space heater now has a warning on it about use in the SM. Half of coderbus ended up working on this somehow: - - rscadd: Goats will now dismember plant people when attacking them. + - rscadd: Goats will now dismember plant people when attacking them. Iamgoofball: - - bugfix: The Express Console emag effect is now worth using. + - bugfix: The Express Console emag effect is now worth using. JohnGinnane: - - bugfix: Fixed not being able to alt click on a stack + - bugfix: Fixed not being able to alt click on a stack More Robust Than You: - - bugfix: Monkey Leaders should now properly get Jungle Fever - - bugfix: Monkeymode roundend report should now properly show Major/Minor victory - - bugfix: Monkeys should now get the jungle fever objective in monkeymode - - imageadd: Wirecutters can come in even more colors now! + - bugfix: Monkey Leaders should now properly get Jungle Fever + - bugfix: Monkeymode roundend report should now properly show Major/Minor victory + - bugfix: Monkeys should now get the jungle fever objective in monkeymode + - imageadd: Wirecutters can come in even more colors now! ShizCalev: - - bugfix: RPDs and pipe painters now have more colorssssssssssssssssss + - bugfix: RPDs and pipe painters now have more colorssssssssssssssssss SpaceManiac: - - bugfix: Title screens without multiple dots in their filename will now be chosen - again. - - bugfix: MMIs in mechs or held by humans wearing fireproof suits are no longer - burnt by ash storms. + - bugfix: + Title screens without multiple dots in their filename will now be chosen + again. + - bugfix: + MMIs in mechs or held by humans wearing fireproof suits are no longer + burnt by ash storms. WJohnston: - - rscadd: Encrypted radio waves have been detected airing around station space. - Watch for possible enemy communications. - - rscadd: The space syndicate listening post has been remade from scratch, and now - has an actual ghost role to help spy on the station and relay info to traitors! + - rscadd: + Encrypted radio waves have been detected airing around station space. + Watch for possible enemy communications. + - rscadd: + The space syndicate listening post has been remade from scratch, and now + has an actual ghost role to help spy on the station and relay info to traitors! Xhuis: - - tweak: Added some new tips to the list for fighting the clockcult! - - rscadd: Added a new bar sign, The Lightbulb. + - tweak: Added some new tips to the list for fighting the clockcult! + - rscadd: Added a new bar sign, The Lightbulb. YPOQ: - - bugfix: Players are immune to their own slime time stops again + - bugfix: Players are immune to their own slime time stops again coiax: - - rscadd: A xenomorph maid (or barmaid) cleans the floor as they walk on it. Lie - down, and they'll clean your face. + - rscadd: + A xenomorph maid (or barmaid) cleans the floor as they walk on it. Lie + down, and they'll clean your face. ninjanomnom: - - admin: There are 3 new helpers in the secrets menu for messing with movement controls - - bugfix: Mining base walls when broken turn into plating which in turn breaks down - to the basalt surface. + - admin: There are 3 new helpers in the secrets menu for messing with movement controls + - bugfix: + Mining base walls when broken turn into plating which in turn breaks down + to the basalt surface. theo2003: - - tweak: The autolathes on MetaStation, and DeltaStation next to R&D are now accessible - from R&D via windoor. + - tweak: + The autolathes on MetaStation, and DeltaStation next to R&D are now accessible + from R&D via windoor. 2018-01-16: AnturK: - - bugfix: Photos now properly capture everything again. + - bugfix: Photos now properly capture everything again. DaedalusGame: - - bugfix: fixed duplicate reagent definitions in chem macros + - bugfix: fixed duplicate reagent definitions in chem macros SpaceManiac: - - bugfix: Heat exchange manifold pipes facing east/west now work again. + - bugfix: Heat exchange manifold pipes facing east/west now work again. Thunder12345: - - bugfix: The asteroid with engines strapped to it will no longer vent both the - CentCom docks and its own entrance. + - bugfix: + The asteroid with engines strapped to it will no longer vent both the + CentCom docks and its own entrance. XDTM: - - rscadd: Reworked the species side of xenobiology. - - rscadd: Instead of an universal unstable mutation toxin, green slimes can now - produce slime mutation toxin (plasma), human mutation toxin (blood), and lizard - mutation toxin (radium). - - balance: Slime mutation toxin requires several units and some time before acting, - unless you're already a slimeperson (in which case it will randomize your subspecies) - - rscadd: Two new jellypeople subspecies have been added to make up for the lost - species. - - rscadd: Stargazers have telepathic abilities; they can Send Thoughts, privately - and anonimously, to any target they can see, and they can Link Minds with any - aggressively grabbed mob to form a hivemind with them. Hiveminds have no limit - but expire when the Stargazer dies or changes species. - - rscadd: Luminescents glow faintly and can absorb slime cores to gain special abilities. - Each core has a minor and a major ability, generally based on what they normally - do. Using these abilities does not use up the cores, but it has a cooldown depending - on the ability's power. - - balance: Slimepeople can now switch bodies on death or when unconscious, as long - as they have another one. + - rscadd: Reworked the species side of xenobiology. + - rscadd: + Instead of an universal unstable mutation toxin, green slimes can now + produce slime mutation toxin (plasma), human mutation toxin (blood), and lizard + mutation toxin (radium). + - balance: + Slime mutation toxin requires several units and some time before acting, + unless you're already a slimeperson (in which case it will randomize your subspecies) + - rscadd: + Two new jellypeople subspecies have been added to make up for the lost + species. + - rscadd: + Stargazers have telepathic abilities; they can Send Thoughts, privately + and anonimously, to any target they can see, and they can Link Minds with any + aggressively grabbed mob to form a hivemind with them. Hiveminds have no limit + but expire when the Stargazer dies or changes species. + - rscadd: + Luminescents glow faintly and can absorb slime cores to gain special abilities. + Each core has a minor and a major ability, generally based on what they normally + do. Using these abilities does not use up the cores, but it has a cooldown depending + on the ability's power. + - balance: + Slimepeople can now switch bodies on death or when unconscious, as long + as they have another one. 2018-01-17: DaedalusGame: - - balance: you can't get 12 syndi bomb cores from stripping the syndi lava base - for parts anymore - - bugfix: fixed the syndi lava base blowing up from stray colossus shots, goliaths - breaking in or miners throwing gibtonite at it. + - balance: + you can't get 12 syndi bomb cores from stripping the syndi lava base + for parts anymore + - bugfix: + fixed the syndi lava base blowing up from stray colossus shots, goliaths + breaking in or miners throwing gibtonite at it. F-OS: - - tweak: Air alarms start unlocked - - bugfix: Air alarms no longer think they are fire alarms - - bugfix: Drone dispensers no longer hide drones - - bugfix: Ash storms aren't at ear-rapey volumes inside shielded areas. + - tweak: Air alarms start unlocked + - bugfix: Air alarms no longer think they are fire alarms + - bugfix: Drone dispensers no longer hide drones + - bugfix: Ash storms aren't at ear-rapey volumes inside shielded areas. ShizCalev: - - bugfix: Gas tanks are now made of metal! Honk + - bugfix: Gas tanks are now made of metal! Honk SpaceManiac: - - bugfix: Clicking lattices and girders with the RPD now succeeds instead of appearing - to place a pipe but failing. - - bugfix: The debug verbs "Display Air Status" and "Air Status in Location" now - format their reports the same and actually work more often. - - bugfix: The Camera Failure event no longer crashes the server if the station has - no cameras. - - admin: SDQL "select" outputs now have buttons to jump to the coordinates of the - found objects. + - bugfix: + Clicking lattices and girders with the RPD now succeeds instead of appearing + to place a pipe but failing. + - bugfix: + The debug verbs "Display Air Status" and "Air Status in Location" now + format their reports the same and actually work more often. + - bugfix: + The Camera Failure event no longer crashes the server if the station has + no cameras. + - admin: + SDQL "select" outputs now have buttons to jump to the coordinates of the + found objects. Xhuis: - - balance: You now have to climb through rifts to Reebe by walking into them, instead - of instantly warping away when you bump into one. - - balance: The separation line between the crew spawn and servant spawn in Reebe - now blocks airflow. - - rscadd: Added a new bar sign, The Lightbulb. - - bugfix: The Eminence's mass recall ability should now work properly + - balance: + You now have to climb through rifts to Reebe by walking into them, instead + of instantly warping away when you bump into one. + - balance: + The separation line between the crew spawn and servant spawn in Reebe + now blocks airflow. + - rscadd: Added a new bar sign, The Lightbulb. + - bugfix: The Eminence's mass recall ability should now work properly coiax: - - rscadd: If enough people vote to start CTF (by clicking on a CTF controller as - a ghost), then CTF will automatically begin. + - rscadd: + If enough people vote to start CTF (by clicking on a CTF controller as + a ghost), then CTF will automatically begin. deathride58: - - rscadd: By using a multitool on a radiation collector, you can use it to generate - research points! This requires a tank filled with a mix of tritium and oxygen. - - tweak: The display of rad collectors' power production rates has been moved from - a multitool interaction to examine text. - - tweak: Radiation collectors now emit a ding when they run out of fuel. + - rscadd: + By using a multitool on a radiation collector, you can use it to generate + research points! This requires a tank filled with a mix of tritium and oxygen. + - tweak: + The display of rad collectors' power production rates has been moved from + a multitool interaction to examine text. + - tweak: Radiation collectors now emit a ding when they run out of fuel. kevinz000: - - bugfix: Flashes can no longer work from inside containers to flash people outside. - - balance: Research export cargo points have been halved + - bugfix: Flashes can no longer work from inside containers to flash people outside. + - balance: Research export cargo points have been halved nicbn: - - tweak: The Pirate Code changed its first rule to "BE AN SKELETON YARR". The old - "there are no rules" is now the second rule. + - tweak: + The Pirate Code changed its first rule to "BE AN SKELETON YARR". The old + "there are no rules" is now the second rule. 2018-01-18: Buggy123: - - tweak: full-tile plasmaglass windows have had their integrity increased to the - correct value. + - tweak: + full-tile plasmaglass windows have had their integrity increased to the + correct value. 2018-01-19: AverageJoe82: - - tweak: Reduce clock work mob death sound file's volume to 80% + - tweak: Reduce clock work mob death sound file's volume to 80% Buggy123: - - rscadd: Observers can now view the atmospheric contents of the tile they're floating - above. + - rscadd: + Observers can now view the atmospheric contents of the tile they're floating + above. Cyberboss: - - refactor: Added test run mode which checks for runtimes in startup/shutdown and - runs tests (if they were enabled during compilation). Invoke it with the "test-run" - world parameter + - refactor: + Added test run mode which checks for runtimes in startup/shutdown and + runs tests (if they were enabled during compilation). Invoke it with the "test-run" + world parameter Dax Dupont: - - bugfix: Autolathe now consumes reasonable amounts of power when inserting materials - - bugfix: Fixed conveyor belt power usage. + - bugfix: Autolathe now consumes reasonable amounts of power when inserting materials + - bugfix: Fixed conveyor belt power usage. Frozenguy5: - - code_imp: Travis now builds on BYOND 512.1403 + - code_imp: Travis now builds on BYOND 512.1403 Joan and More Robust Than You: - - rscadd: Adds moths! They're a new species that is able to fly in pressurized areas - provided gravity is off... and that they still have wings. + - rscadd: + Adds moths! They're a new species that is able to fly in pressurized areas + provided gravity is off... and that they still have wings. More Robust Than You: - - rscadd: Added some useful sec officer tips + - rscadd: Added some useful sec officer tips OrdoM: - - rscadd: Adds morphine recipe to chemistry. - - rscdel: Removed ability for bartender to steal all morphine on the map + - rscadd: Adds morphine recipe to chemistry. + - rscdel: Removed ability for bartender to steal all morphine on the map Robustin: - - bugfix: Fixed frost oil (cryosting) sending insulated crewmembers below absolute - zero temperatures. - - bugfix: Fixed damaging cold temps being a death sentence to simple mobs (they - wouldn't heat back up to safe temps at room temperature). - - refactor: Refactored human temperature code, insulating clothing now helps you - stay warm but going unprotected will help you cool off. However, you will now - benefit from colder temps when you're overheating even in full EVA/hardsuit - gear and you will warm up faster at room temperature in insulated gear as well - (i.e. putting on a winter coat will no longer suppress your temperature if your - already cold). - - bugfix: All crew can now purify bloody bastard swords with a bible (available - from cargo religion crates, library, or chapel) once again. + - bugfix: + Fixed frost oil (cryosting) sending insulated crewmembers below absolute + zero temperatures. + - bugfix: + Fixed damaging cold temps being a death sentence to simple mobs (they + wouldn't heat back up to safe temps at room temperature). + - refactor: + Refactored human temperature code, insulating clothing now helps you + stay warm but going unprotected will help you cool off. However, you will now + benefit from colder temps when you're overheating even in full EVA/hardsuit + gear and you will warm up faster at room temperature in insulated gear as well + (i.e. putting on a winter coat will no longer suppress your temperature if your + already cold). + - bugfix: + All crew can now purify bloody bastard swords with a bible (available + from cargo religion crates, library, or chapel) once again. Shadowlight213: - - rscadd: Players can now have a verb in the ooc tab to see their own tracked playtime - - bugfix: fixed admin bypass not using the right proc - - bugfix: Lavaland ghost roles should now show up in the playtime report + - rscadd: Players can now have a verb in the ooc tab to see their own tracked playtime + - bugfix: fixed admin bypass not using the right proc + - bugfix: Lavaland ghost roles should now show up in the playtime report ShizCalev: - - bugfix: Floors that look damaged / burned are now ACTUALLY damaged / burned, and - can be repaired! + - bugfix: + Floors that look damaged / burned are now ACTUALLY damaged / burned, and + can be repaired! SpaceManiac: - - bugfix: PDA messages sent by the message monitor console are now included in the - talk logs. + - bugfix: + PDA messages sent by the message monitor console are now included in the + talk logs. XDTM: - - tweak: Mass Hallucination now will give everyone the same hallucination. - - bugfix: Slimepeople can now properly swap between bodies. - - bugfix: Slimes no longer attack people with their same faction. + - tweak: Mass Hallucination now will give everyone the same hallucination. + - bugfix: Slimepeople can now properly swap between bodies. + - bugfix: Slimes no longer attack people with their same faction. Xhuis: - - tweak: Servants can now cancel warps by clicking the button again, instead of - having to manually interrupt it by doing something like picking up an item from - their pocket. + - tweak: + Servants can now cancel warps by clicking the button again, instead of + having to manually interrupt it by doing something like picking up an item from + their pocket. coiax: - - rscdel: The Free Golem Ship no longer has a teleport beacon. - - rscdel: Jaunters no longer have a special effect when teleporting golems. + - rscdel: The Free Golem Ship no longer has a teleport beacon. + - rscdel: Jaunters no longer have a special effect when teleporting golems. deathride58: - - rscadd: Mappers can now color individual tiles of floors via turf decals. - - bugfix: Cancelling the "Change equipment" command now works as expected again. + - rscadd: Mappers can now color individual tiles of floors via turf decals. + - bugfix: Cancelling the "Change equipment" command now works as expected again. uraniummeltdown: - - bugfix: Jaunting wraiths should now always be facing the correct direction + - bugfix: Jaunting wraiths should now always be facing the correct direction yorii: - - bugfix: fixed the syringe getting a transfer amount of 0 if the contents of it - are 0, intended feature was probably to check the target and not the syringe - itself for clamp. + - bugfix: + fixed the syringe getting a transfer amount of 0 if the contents of it + are 0, intended feature was probably to check the target and not the syringe + itself for clamp. 2018-01-20: MrDoomBringer: - - rscadd: All Cargo Techs now come equipped with a standard supply Export Scanner! - Get to selling! + - rscadd: + All Cargo Techs now come equipped with a standard supply Export Scanner! + Get to selling! XDTM: - - bugfix: Fixed a bug where slimes wouldn't eat neutral mobs. + - bugfix: Fixed a bug where slimes wouldn't eat neutral mobs. uraniummeltdown: - - tweak: Emagged airlocks can now be deconstructed simply by crowbarring when the - panel is open + - tweak: + Emagged airlocks can now be deconstructed simply by crowbarring when the + panel is open 2018-01-21: Dax Dupont: - - bugfix: Moth wings will now respect your preferences. + - bugfix: Moth wings will now respect your preferences. WJohnston: - - rscadd: We've lost contact with one of our trade caravans in your sector, be on - the lookout for possible enemy activity. - - rscadd: Redesigned the syndicate ambush space ruin. It now boasts multiple flyable - shuttles and looks a lot prettier. - - imageadd: Wirecutter greyscaling is now less ugly + - rscadd: + We've lost contact with one of our trade caravans in your sector, be on + the lookout for possible enemy activity. + - rscadd: + Redesigned the syndicate ambush space ruin. It now boasts multiple flyable + shuttles and looks a lot prettier. + - imageadd: Wirecutter greyscaling is now less ugly 2018-01-22: DaedalusGame: - - balance: foam and smoke now get 4x the reagents as they should according to the - comments - - bugfix: fixes pyrosium and cryostylane not heating or cooling humans at all - - bugfix: fixes cryostylane cooling beakers to negative kelvin, it's now limited - to what the description says - - bugfix: fixes cryostylane cooling people to negative body temperature - - code_imp: removed redundant check in trans_to - - code_imp: fixes a runtime when total_volume is 0 in copy_to - - tweak: Gas reagents (o2, plasma, ...) now dump out gas based on container temperature - instead of room temperature + - balance: + foam and smoke now get 4x the reagents as they should according to the + comments + - bugfix: fixes pyrosium and cryostylane not heating or cooling humans at all + - bugfix: + fixes cryostylane cooling beakers to negative kelvin, it's now limited + to what the description says + - bugfix: fixes cryostylane cooling people to negative body temperature + - code_imp: removed redundant check in trans_to + - code_imp: fixes a runtime when total_volume is 0 in copy_to + - tweak: + Gas reagents (o2, plasma, ...) now dump out gas based on container temperature + instead of room temperature Dax Dupont: - - rscadd: Fans of clown photography have successfully lobbied Nanotrasen to include - camera and camera accessories designs in the autolathe. - - tweak: Brings material values for the camera in line with other devices. - - tweak: The tapes printed by autolathes now come in random colors. + - rscadd: + Fans of clown photography have successfully lobbied Nanotrasen to include + camera and camera accessories designs in the autolathe. + - tweak: Brings material values for the camera in line with other devices. + - tweak: The tapes printed by autolathes now come in random colors. Dax Dupont & Coiax: - - rscadd: Praise the lord for he has granted thy chaplains, wizards, revenants and - eminences with holy vision. They can now see blessed tiles. + - rscadd: + Praise the lord for he has granted thy chaplains, wizards, revenants and + eminences with holy vision. They can now see blessed tiles. MMMiracles: - - rscadd: Syndicate and pirate mobs now give off light when appropriate + - rscadd: Syndicate and pirate mobs now give off light when appropriate More Robust Than You: - - bugfix: Fixed monkey teams - - tweak: The Lepidopterian language now has less spaces in it + - bugfix: Fixed monkey teams + - tweak: The Lepidopterian language now has less spaces in it Robustin: - - bugfix: Fixed monkeys slowly freezing to death + - bugfix: Fixed monkeys slowly freezing to death ShizCalev: - - bugfix: Clockcultists and revolutionaries can no longer be mindswapped. + - bugfix: Clockcultists and revolutionaries can no longer be mindswapped. SpaceManiac: - - refactor: Weather and certain events have been updated to use Z traits. - - bugfix: The Staff of Storms now correctly starts and ends storms if used from - inside lockers. - - bugfix: Weather telegraph messages are now shown to those inside lockers and mechs. - - bugfix: Radio jammers no longer affect other z-levels. + - refactor: Weather and certain events have been updated to use Z traits. + - bugfix: + The Staff of Storms now correctly starts and ends storms if used from + inside lockers. + - bugfix: Weather telegraph messages are now shown to those inside lockers and mechs. + - bugfix: Radio jammers no longer affect other z-levels. Tlaltecuhtli: - - tweak: min player req for rev is 30 now + - tweak: min player req for rev is 30 now Xhuis: - - bugfix: Emergency lights now function correctly. + - bugfix: Emergency lights now function correctly. deathride58: - - code_imp: Light fixtures no longer use hardcoded values for their power and colour. + - code_imp: Light fixtures no longer use hardcoded values for their power and colour. ninjanomnom: - - bugfix: Functions that aren't intending on actually moving the shuttle yet don't - send error messages to admins anymore when seeing if a shuttle *can* move. + - bugfix: + Functions that aren't intending on actually moving the shuttle yet don't + send error messages to admins anymore when seeing if a shuttle *can* move. scrubs2009: - - tweak: Candles last longer + - tweak: Candles last longer uraniummeltdown: - - bugfix: Bananium shows up on mining scanners again + - bugfix: Bananium shows up on mining scanners again 2018-01-23: Cruix: - - bugfix: engine goggles set to t-ray mode will no longer show pipes with the wrong - rotation. - - bugfix: cables now show up on t-ray scans. + - bugfix: + engine goggles set to t-ray mode will no longer show pipes with the wrong + rotation. + - bugfix: cables now show up on t-ray scans. Dax Dupont: - - bugfix: Fixed missing tile under autolathes + - bugfix: Fixed missing tile under autolathes MrDoomBringer: - - rscadd: NanoTrasen's Creative Psychology Initiative has brought new training to - all crewmembers to foster rapid, innovative problem-solving! You can now kill - yourself in so many more ways! - - rscadd: The RnD department can now develop firmware upgrades to the Express Supply - Console, unlocking advanced cargo drop pods! + - rscadd: + NanoTrasen's Creative Psychology Initiative has brought new training to + all crewmembers to foster rapid, innovative problem-solving! You can now kill + yourself in so many more ways! + - rscadd: + The RnD department can now develop firmware upgrades to the Express Supply + Console, unlocking advanced cargo drop pods! Naksu: - - code_imp: removed a bunch of unnecessary vars, combining them into a bitfield + - code_imp: removed a bunch of unnecessary vars, combining them into a bitfield SpaceManiac: - - bugfix: Fixed occasional runtimes when ion storms or overflow would replace an - existing law. + - bugfix: + Fixed occasional runtimes when ion storms or overflow would replace an + existing law. WJohnston: - - bugfix: Space syndie listening post now has a real microwave, and a book management - console. Lava listening post comms room intercom now no longer starts with broadcast - on. - - rscadd: the syndicate drop ship and fighter pods from the caravan ambush can now - be flown to the syndicate listening post. The fighter pods also now have xray - cameras because regular ones were super useless. + - bugfix: + Space syndie listening post now has a real microwave, and a book management + console. Lava listening post comms room intercom now no longer starts with broadcast + on. + - rscadd: + the syndicate drop ship and fighter pods from the caravan ambush can now + be flown to the syndicate listening post. The fighter pods also now have xray + cameras because regular ones were super useless. XDTM: - - rscadd: Added Regenerative Jelly, made with tricordrazine and slime jelly. It - regenerates a bit faster, and won't harm jellypeople. - - rscadd: Added Energized Jelly, made with teslium and jelly. It works as an anti-stun - chemical for slimepeople and speeds up luminescents' power cooldown, but non-jellypeople - will just get shocked. - - rscadd: 'Added Pyroxadone, made with cryoxadone and slime jelly. It''s basically - inverse cryoxadone: it heals faster the hotter your body temperature is.' - - tweak: Cryoxadone no longer deals toxin damage to jellypeople. - - tweak: Purple Slime Extracts no longer have their sugar->slime jelly reaction - (obsolete with extract grinding), and instead have a blood->regen jelly reaction. - - tweak: Purple Extract's major activation by Luminescents now give regenerative - jelly instead of tricordrazine. + - rscadd: + Added Regenerative Jelly, made with tricordrazine and slime jelly. It + regenerates a bit faster, and won't harm jellypeople. + - rscadd: + Added Energized Jelly, made with teslium and jelly. It works as an anti-stun + chemical for slimepeople and speeds up luminescents' power cooldown, but non-jellypeople + will just get shocked. + - rscadd: + "Added Pyroxadone, made with cryoxadone and slime jelly. It's basically + inverse cryoxadone: it heals faster the hotter your body temperature is." + - tweak: Cryoxadone no longer deals toxin damage to jellypeople. + - tweak: + Purple Slime Extracts no longer have their sugar->slime jelly reaction + (obsolete with extract grinding), and instead have a blood->regen jelly reaction. + - tweak: + Purple Extract's major activation by Luminescents now give regenerative + jelly instead of tricordrazine. coiax: - - rscadd: Fake nuclear disks can only be identified by the captain, observers, nuclear - operatives, seeing where the pinpointer points, or attempting to put it into - a nuclear device. - - rscadd: Fake nuclear disks "respawn" on the station just like the real one. + - rscadd: + Fake nuclear disks can only be identified by the captain, observers, nuclear + operatives, seeing where the pinpointer points, or attempting to put it into + a nuclear device. + - rscadd: Fake nuclear disks "respawn" on the station just like the real one. kevinz000: - - rscdel: pulling claw can now only passively grab - - bugfix: Infrared beams now update instantly. + - rscdel: pulling claw can now only passively grab + - bugfix: Infrared beams now update instantly. ninjanomnom: - - bugfix: Changeling clothing can get bloodied again. + - bugfix: Changeling clothing can get bloodied again. the hatchet man (i eat garbage code): - - bugfix: 'you shitlords picked the wrong virtual anime tits to fuck so im takin - away your space bases experimental: lets be fair all you guys did in those was - jack off to hentai, and not real man''s gachimuchi' + - bugfix: + "you shitlords picked the wrong virtual anime tits to fuck so im takin + away your space bases experimental: lets be fair all you guys did in those was + jack off to hentai, and not real man's gachimuchi" 2018-01-24: Dax Dupont: - - bugfix: Fixed missing wheat fridge on omega and removes a duplicate pipe. - - rscadd: Beakers and beaker-like objects now get put in your hand on ejection from - chemistry devices. + - bugfix: Fixed missing wheat fridge on omega and removes a duplicate pipe. + - rscadd: + Beakers and beaker-like objects now get put in your hand on ejection from + chemistry devices. Shadowlight213: - - bugfix: Fixed eye damage not being applied if it was exactly 3. + - bugfix: Fixed eye damage not being applied if it was exactly 3. YPOQ: - - bugfix: Emergency lights will give off light again + - bugfix: Emergency lights will give off light again ninjanomnom: - - bugfix: Pointing at squeaky things doesn't make them squeak anymore. + - bugfix: Pointing at squeaky things doesn't make them squeak anymore. 2018-01-25: Dax Dupont: - - imageadd: Autolathe now repeats it's animation while printing. - - tweak: You now need to examine engravings to pop open the menu. - - bugfix: People can no longer extract 300 supermatter shard slivers without it - exploding. - - bugfix: Fixed thongs not dusting people on use. + - imageadd: Autolathe now repeats it's animation while printing. + - tweak: You now need to examine engravings to pop open the menu. + - bugfix: + People can no longer extract 300 supermatter shard slivers without it + exploding. + - bugfix: Fixed thongs not dusting people on use. Jittai: - - tweak: All color inputs now use the current color, of the thing being colored, - as default choice. + - tweak: + All color inputs now use the current color, of the thing being colored, + as default choice. More Robust Than You: - - rscadd: You can now defib monkeys and aliums - - tweak: Monkeys can also use defibs now, too! + - rscadd: You can now defib monkeys and aliums + - tweak: Monkeys can also use defibs now, too! Naksu: - - code_imp: Slightly refactored object armor code + - code_imp: Slightly refactored object armor code Ordo: - - rscadd: Adds Ketrazine, a powerful but dangerous combat stim which the crew can - synthesize + - rscadd: + Adds Ketrazine, a powerful but dangerous combat stim which the crew can + synthesize Robustin: - - balance: Clockwork marauders now take more time (+3s) and power (7x) to create. - - balance: The "recent marauder" time limit is now 60 seconds, up from 20. The limit - now has a significantly smaller effect on summon time but will act as a further - cap on marauder summoning until it has passed. - - tweak: The marauder cap will now only account for living cultists. - - rscadd: 'A new cocktail: The Nar''Sour. Made from blood, demonsblood, and lemon - juice, this cocktail is known to induce a slightly different type of slurring - when imbibed.' + - balance: Clockwork marauders now take more time (+3s) and power (7x) to create. + - balance: + The "recent marauder" time limit is now 60 seconds, up from 20. The limit + now has a significantly smaller effect on summon time but will act as a further + cap on marauder summoning until it has passed. + - tweak: The marauder cap will now only account for living cultists. + - rscadd: + "A new cocktail: The Nar'Sour. Made from blood, demonsblood, and lemon + juice, this cocktail is known to induce a slightly different type of slurring + when imbibed." SPACE CONDUCTOR: - - tweak: Shuttles will throw you around if ya don't buckle in + - tweak: Shuttles will throw you around if ya don't buckle in Shadowlight213: - - balance: Moths are now more susceptible to bright lights + - balance: Moths are now more susceptible to bright lights Togopal, Armhulenn, Naksu, Jordie & oranges: - - rscadd: Snakes! They hunt vermin on the station! Curators have a natural phobia - to them. - - rscadd: They can be purchased in cargo. + - rscadd: + Snakes! They hunt vermin on the station! Curators have a natural phobia + to them. + - rscadd: They can be purchased in cargo. XDTM: - - rscadd: Slimepeople and Jellypeople can now speak the slime language. - - tweak: Slimes now only speak slime language, although they still understand common. - - balance: Slimepeople are no longer virus immune. - - bugfix: The above change fixes a bug that made black slime cure itself. + - rscadd: Slimepeople and Jellypeople can now speak the slime language. + - tweak: Slimes now only speak slime language, although they still understand common. + - balance: Slimepeople are no longer virus immune. + - bugfix: The above change fixes a bug that made black slime cure itself. Xhuis: - - balance: Fleshmend can no longer be stacked several times at once. - - balance: Fleshmend no longer heals changelings who are on fire, and heals burn - damage half as quickly as brute and oxygen damage. - - code_imp: Fleshmend has been refactored into a status effect. + - balance: Fleshmend can no longer be stacked several times at once. + - balance: + Fleshmend no longer heals changelings who are on fire, and heals burn + damage half as quickly as brute and oxygen damage. + - code_imp: Fleshmend has been refactored into a status effect. coiax: - - rscadd: Nuclear operatives that wish to fail in style can purchase Centcom Official - and Clown costumes. They can also buy a defective chameleon kit. - - rscadd: The majority of shuttles are now loaded at the start of the round from - template, rather than being premapped. As a side effect, Delta's mining shuttle - now docks facing down at Lavaland. + - rscadd: + Nuclear operatives that wish to fail in style can purchase Centcom Official + and Clown costumes. They can also buy a defective chameleon kit. + - rscadd: + The majority of shuttles are now loaded at the start of the round from + template, rather than being premapped. As a side effect, Delta's mining shuttle + now docks facing down at Lavaland. imsxz: - - rscadd: Traitor clowns are now able to purchase clown bombs from their uplinks. - Honk! - - rscadd: Clown bombs can now be placed via a small beacon, the same way normal - syndicate bombs can be. - - tweak: clown bomb payload now summons 50 clowns instead of 100 + - rscadd: + Traitor clowns are now able to purchase clown bombs from their uplinks. + Honk! + - rscadd: + Clown bombs can now be placed via a small beacon, the same way normal + syndicate bombs can be. + - tweak: clown bomb payload now summons 50 clowns instead of 100 nicbn: - - bugfix: Now if you lose arms you won't be able to see through your uniform. + - bugfix: Now if you lose arms you won't be able to see through your uniform. ninjanomnom: - - bugfix: Loaded templates now get placed on top of existing terrain so as to preserve - baseturfs. This fixes survival pods walls breaking to lava as well as allows - some future fixes. + - bugfix: + Loaded templates now get placed on top of existing terrain so as to preserve + baseturfs. This fixes survival pods walls breaking to lava as well as allows + some future fixes. 2018-01-26: Cruix: - - bugfix: Fixed being able to rotate things in only one direction. + - bugfix: Fixed being able to rotate things in only one direction. DaedalusGame: - - rscadd: Firefighting Foam reagent, better alternative to water and corn oil for - firefighting purposes + - rscadd: + Firefighting Foam reagent, better alternative to water and corn oil for + firefighting purposes Dax Dupont: - - rscadd: You can now rename and copy holodisks! - - rscadd: Holorecordings now can be looped. - - tweak: Holodisks now have materials and the autolathe cost has been adjusted. - - bugfix: Fixed holodisk speaker name not getting set when on non-prerecorded messages. + - rscadd: You can now rename and copy holodisks! + - rscadd: Holorecordings now can be looped. + - tweak: Holodisks now have materials and the autolathe cost has been adjusted. + - bugfix: Fixed holodisk speaker name not getting set when on non-prerecorded messages. Epoc: - - bugfix: Slows Simple Clown mobs + - bugfix: Slows Simple Clown mobs GuppyLaxx: - - bugfix: Fixes the Ketrazine recipe + - bugfix: Fixes the Ketrazine recipe Iamgoofball: - - balance: Power cells explosions are now logarithmic + - balance: Power cells explosions are now logarithmic Naksu: - - code_imp: Cleaned up some /obj/item vars - - bugfix: Pneumatic cannons no longer misbehave when their contents such as primed - grenades get deleted (explode) + - code_imp: Cleaned up some /obj/item vars + - bugfix: + Pneumatic cannons no longer misbehave when their contents such as primed + grenades get deleted (explode) Robustin: - - rscadd: The Peacekeeper Borg's "Peace Hypospray" now includes the "Pax" reagent, - which prevents the subject from carrying out many forms of direct harm. + - rscadd: + The Peacekeeper Borg's "Peace Hypospray" now includes the "Pax" reagent, + which prevents the subject from carrying out many forms of direct harm. SpaceManiac: - - spellcheck: Clockwork armaments are no longer named "arnaments". - - bugfix: The Syndicate Listening Post's medicine closet now has the correct access. + - spellcheck: Clockwork armaments are no longer named "arnaments". + - bugfix: The Syndicate Listening Post's medicine closet now has the correct access. coiax: - - rscadd: Syndicate intelligence potions also grant an internal syndicate ID card - to the simple animal granted intelligence. This effectively means that Cayenne - can open the airlocks on the Infiltrator. + - rscadd: + Syndicate intelligence potions also grant an internal syndicate ID card + to the simple animal granted intelligence. This effectively means that Cayenne + can open the airlocks on the Infiltrator. uraniummeltdown: - - bugfix: You can no longer weld airlock assemblies for infinite materials + - bugfix: You can no longer weld airlock assemblies for infinite materials 2018-01-27: Anonmare: - - balance: The Syndicate Chameleon Kit is now available during rounds of lower population. - Because of course you can have an e-sword and revolver without restriction but - disguising and RP is verboten because we deathmatch station now. + - balance: + The Syndicate Chameleon Kit is now available during rounds of lower population. + Because of course you can have an e-sword and revolver without restriction but + disguising and RP is verboten because we deathmatch station now. Dax Dupont: - - bugfix: Eminence won't get spammed by tile crossing now. + - bugfix: Eminence won't get spammed by tile crossing now. Denton ShizCalev Kor Kevinz000 (original idea): - - balance: Due to budget cuts, the shoes shipped with chameleon kits no longer prevent - slipping. The premium version is unchanged and still sold separately. - - balance: To compensate, the chameleon kit cost was lowered by 2 TC and the minimum - crew limit removed. + - balance: + Due to budget cuts, the shoes shipped with chameleon kits no longer prevent + slipping. The premium version is unchanged and still sold separately. + - balance: + To compensate, the chameleon kit cost was lowered by 2 TC and the minimum + crew limit removed. Jittai: - - imageadd: New Morgue Tray sprites. - - imageadd: New Crematorium sprites. + - imageadd: New Morgue Tray sprites. + - imageadd: New Crematorium sprites. Naksu: - - bugfix: Away missions no longer require manually adjusting subsystem mob/client - lists in order to not have the AI break. + - bugfix: + Away missions no longer require manually adjusting subsystem mob/client + lists in order to not have the AI break. WJohnston: - - bugfix: The lavaland syndie base is now packed with considerably fewer explosives, - and should lag far less brutally when exploding. + - bugfix: + The lavaland syndie base is now packed with considerably fewer explosives, + and should lag far less brutally when exploding. coiax: - - balance: Mobs will now start with a random nutrition amount, between hungry and - mildly well fed. - - rscadd: Nanotrasen Security Division has reported that syndicate comms agents, - both on lavaland and in space, have had training in "Codespeak", a top secret - language for stealthy communication. + - balance: + Mobs will now start with a random nutrition amount, between hungry and + mildly well fed. + - rscadd: + Nanotrasen Security Division has reported that syndicate comms agents, + both on lavaland and in space, have had training in "Codespeak", a top secret + language for stealthy communication. uraniummeltdown: - - imageadd: Ore boxes have a new sprite + - imageadd: Ore boxes have a new sprite 2018-01-29: ACCount: - - rscadd: Having station blueprints in your hands now reveals function of wires - in station objects. + - rscadd: + Having station blueprints in your hands now reveals function of wires + in station objects. DaedalusGame: - - bugfix: fixed a strange pipenet issue that happens when a singular pipe or manifold - is placed directly between two or more components and wrenched last. + - bugfix: + fixed a strange pipenet issue that happens when a singular pipe or manifold + is placed directly between two or more components and wrenched last. Dax Dupont: - - bugfix: After 3 years of intensive research by Nanotrasen's elite team of chefs, - rice dishes such as rice pudding are no longer considered salads. + - bugfix: + After 3 years of intensive research by Nanotrasen's elite team of chefs, + rice dishes such as rice pudding are no longer considered salads. Denton: - - spellcheck: Fixed Bubblegum's description. + - spellcheck: Fixed Bubblegum's description. F-OS: - - tweak: Academy is now part of the random station names. + - tweak: Academy is now part of the random station names. Mark9013100: - - rscadd: Cloning data disks can now be constructed after researching the Genetic - Engineering technode. + - rscadd: + Cloning data disks can now be constructed after researching the Genetic + Engineering technode. MrStonedOne: - - tweak: 511 Clients can see atmos gases - - rscdel: This reverts the fix that prevents atmos gas overlays from stealing clicks. + - tweak: 511 Clients can see atmos gases + - rscdel: This reverts the fix that prevents atmos gas overlays from stealing clicks. Naksu: - - bugfix: Attempting to join into a command role as a nonhuman species no longer - lets you keep your nonhuman species languages if you are transformed into a - human because of a config option - - bugfix: Warp whistle can no longer pick up its user from inside various animation/in-between - states and effects such as transformations, jellypeople split, talisman of immortality - effect period or rod form. + - bugfix: + Attempting to join into a command role as a nonhuman species no longer + lets you keep your nonhuman species languages if you are transformed into a + human because of a config option + - bugfix: + Warp whistle can no longer pick up its user from inside various animation/in-between + states and effects such as transformations, jellypeople split, talisman of immortality + effect period or rod form. WJohnston: - - bugfix: The centcom ferry shuttle now works again. + - bugfix: The centcom ferry shuttle now works again. XDTM: - - balance: Peacekeeper cyborgs have synth-pax instead of normal pax, which has the - same effect but wears out faster. - - rscadd: Xenobiology consoles can now scan slimes and apply potions remotely. Use - potions on the console to load them. - - rscadd: Abductors now have the chemical, electric and trauma glands. - - rscdel: Removed the bloody, bodysnatch and EMP glands. - - tweak: The abductor viral gland now generates a random advanced virus instead - of a basic one. - - tweak: The abductor heal gland now also heals toxin damage. - - tweak: The abductor mindshock gland can now cause different reactions. - - tweak: The abductor slime gland now gives the slime faction. - - tweak: The abductor species gland now randomizes the victim's appearance and name - on top of the species. - - rscadd: 'Abductors have a new surgery type: violence neutralization. It has the - same steps as brain surgery, but it will instead inflict a Pacifism trauma upon - the victim, making them mostly harmless in the future.' - - rscadd: Bath Salts now give complete stun immunity while they last. - - balance: Ketrazine now gives immuity to sleeping. + - balance: + Peacekeeper cyborgs have synth-pax instead of normal pax, which has the + same effect but wears out faster. + - rscadd: + Xenobiology consoles can now scan slimes and apply potions remotely. Use + potions on the console to load them. + - rscadd: Abductors now have the chemical, electric and trauma glands. + - rscdel: Removed the bloody, bodysnatch and EMP glands. + - tweak: + The abductor viral gland now generates a random advanced virus instead + of a basic one. + - tweak: The abductor heal gland now also heals toxin damage. + - tweak: The abductor mindshock gland can now cause different reactions. + - tweak: The abductor slime gland now gives the slime faction. + - tweak: + The abductor species gland now randomizes the victim's appearance and name + on top of the species. + - rscadd: + "Abductors have a new surgery type: violence neutralization. It has the + same steps as brain surgery, but it will instead inflict a Pacifism trauma upon + the victim, making them mostly harmless in the future." + - rscadd: Bath Salts now give complete stun immunity while they last. + - balance: Ketrazine now gives immuity to sleeping. improvedname: - - rscadd: Adds bz to cargo + - rscadd: Adds bz to cargo ninjanomnom: - - rscdel: Removed the ability to create new shuttle areas or expand existing ones - with blueprints. - - bugfix: Special areas like rooms which require no power can no longer be expanded. - You can still expand into them however. - - bugfix: Turning to face a direction with control no longer moves you in the faced - direction after releasing control. + - rscdel: + Removed the ability to create new shuttle areas or expand existing ones + with blueprints. + - bugfix: + Special areas like rooms which require no power can no longer be expanded. + You can still expand into them however. + - bugfix: + Turning to face a direction with control no longer moves you in the faced + direction after releasing control. uraniummeltdown: - - rscadd: You can alt-click microwaves to turn them on + - rscadd: You can alt-click microwaves to turn them on 2018-01-30: Cyberboss: - - bugfix: Blood contracts now only show living players and real names + - bugfix: Blood contracts now only show living players and real names DaedalusGame: - - tweak: made fire colored according to blackbody radiation and rule of cool. - - imageadd: some kind of lightning texture + - tweak: made fire colored according to blackbody radiation and rule of cool. + - imageadd: some kind of lightning texture Dax Dupont: - - rscadd: Cyborgs can now be upgraded to be h-u-g-e! Only a cosmetic effect! + - rscadd: Cyborgs can now be upgraded to be h-u-g-e! Only a cosmetic effect! ExcessiveUseOfCobblestone: - - bugfix: Turrets now check for borgs. Syndicate turrets are nice to emagged borgs - too! + - bugfix: + Turrets now check for borgs. Syndicate turrets are nice to emagged borgs + too! Iamgoofball: - - bugfix: Minor code cleanup on the wirer + - bugfix: Minor code cleanup on the wirer Jalleo: - - balance: nerfs power cells from a insane max possibility + - balance: nerfs power cells from a insane max possibility Jittai: - - imageadd: Crematoriums and Morgue Trays now have directional states. - - bugfix: Morgue Trays now checks for cloneable people like the dna-scanner does. - (ghosts can roam now) - - bugfix: Cremated mice no longer leave behind snackable bodies. - - bugfix: Ash does not get instantly deleted in the crematorium upon creation. Ash - also piles up. (aesthetically only) - - tweak: Morgue/Crematorium Trays make a slight rolling sound. + - imageadd: Crematoriums and Morgue Trays now have directional states. + - bugfix: + Morgue Trays now checks for cloneable people like the dna-scanner does. + (ghosts can roam now) + - bugfix: Cremated mice no longer leave behind snackable bodies. + - bugfix: + Ash does not get instantly deleted in the crematorium upon creation. Ash + also piles up. (aesthetically only) + - tweak: Morgue/Crematorium Trays make a slight rolling sound. More Robust Than You: - - tweak: Announcing messages while drunk will be slurred + - tweak: Announcing messages while drunk will be slurred Naksu: - - bugfix: Subjects without hearts now display as unsuitable for abductor experiments - when probed with the advanced baton. - - balance: BZ gas now makes lings lose their chems and hivemind access. The chem - loss is gradual. - - rscdel: 'Removed actual reagent quadrupling added in #34485' - - rscdel: Removed the foam effect combining feature, hopefully to be replaced with - something less completely and utterly broken + - bugfix: + Subjects without hearts now display as unsuitable for abductor experiments + when probed with the advanced baton. + - balance: + BZ gas now makes lings lose their chems and hivemind access. The chem + loss is gradual. + - rscdel: "Removed actual reagent quadrupling added in #34485" + - rscdel: + Removed the foam effect combining feature, hopefully to be replaced with + something less completely and utterly broken PKPenguin321: - - rscadd: Attention, space explorers! Nothing is out of your reach with the ACME - Extendo-Hand (TM)! With it, you can get a WHOLE EXTRA TILE OF REACH! Hug or - punch your friends from a whole 3 feet away! Win one from an arcade machine - or make one in the Misc. tab of your crafting menu today! + - rscadd: + Attention, space explorers! Nothing is out of your reach with the ACME + Extendo-Hand (TM)! With it, you can get a WHOLE EXTRA TILE OF REACH! Hug or + punch your friends from a whole 3 feet away! Win one from an arcade machine + or make one in the Misc. tab of your crafting menu today! Robustin: - - rscadd: Blood magic. The next generation of talismans - you can create 2 spells - without a rune, up to 5 with a rune of empowerment. Preparing spells without - a rune will cost a significant amount of blood. Every talisman has been rebalanced - for its spell form. With a few exceptions, blood magic exists as a "touch" spell - that is very similar in behavior/appearance to the wizard touch spells. - - rscadd: New UI system for cultists. - - rscdel: Removed talismans, Talisman Creation Rune replaced by Rune of Empowerment. - Supply talisman has been replaced by a ritual dagger and 10 runed metal. - - rscadd: Ritual Dagger, replacing the Arcane Tome. This is largely a thematic alteration - but its to reinforce that your primary tool is also a weapon. - - bugfix: Cyborgs and AI are finally unable to see runes again - - tweak: Only the cult master can forge Bastard swords now, regular cultists can - get a mirror shield. - - rscadd: 'The mirror shield, it blocks, it reflects, it creates illusions, and - an incredible throwing weapon! The mirror shield also bears a unique weakness: - Shotgun slugs, .357 rounds, and other high damage projectiles will instantly - shatter it and briefly stun the holder.' - - balance: Nar'sien Bolas will not longer ensnare cultists and non-cultists will - ensnare themselves when attempting to use them. The bolas are now comparable - in effectiveness with reinforced bolas. - - rscadd: Rune of Spirits. This merges the Spirit Sight and Manifest Ghost rune. - The user will now choose which effect when invoking. - - rscadd: The Spirit Sight function has received several major improvements, allowing - the ghost to commune with the cult and mark objects similar how the cult master - can. The user has a unique appearance while ghosted and manifested cult ghosts - can see ghosts as well - allowing their summoner to lead them from the spirit - realm. - - balance: The Form Barrier rune will now last significantly longer and examining - the rune as a cultist will tell you how long it will remain. - - rscadd: The Apocalypse Rune. Replaces the EMP runes. Has a fixed invoker requirement - and added usage limitations. It scales depending on the crew's strength relative - to the cult. Effect includes a massive EMP, unique hallucination for non-cultists, - and if the cult is doing poorly, certain events. The rune can only occur in - the Nar-Sie ritual sites and will prevent Nar-Sie from being summoned there - in the future. - - rscdel: No more EMP rune. - - balance: The conceal/reveal spell now has 10 charges and will conceal far more, - including cult structures and flooring. - - balance: The stun spell will now stun for ~4 less seconds and silence for 2 more - seconds. - - balance: The EMP spell now costs 10 health to use, up from 5, and has had its - heavy/light EMP range nerfed by 1 and 2 respectively (now 3 and 6). - - balance: The shackles spell now has a silence effect similar to the stun talisman. - - balance: The hallucination spell now has multiple charges. - - tweak: The teleport spell can now be used on other adjacent cultists. - - tweak: Summon Tome and Summon Armor have been combined into "Summon Equipment", - which lets you choose between summoning a Ritual Dagger or Combat Gear (same - loadout that Summon Armor used to provide). - - balance: Standard cult robes now have -10 melee and -10 laser armor. - - balance: The "Construction" spell will now convert airlocks into cult airlocks - and cyborgs (after ~10 seconds) into constructs. The airlock is the most fragile - in the game, with reduced integrity, armor, and render it vulnerable to most - attacks. Cyborg "reconstruction" will be accompanied by an obvious effect/sound. - - rscadd: Blood Rites. This spell allows you to absorb blood from your surroundings - or adjacent non-cultists. You can use the blood rites as a convenient heal (self-healing - is significantly more costly though) or you can try to gather large quantities - of blood for unique and powerful relics. - - rscadd: Blood spear, a fragile but robust spear with a special recall ability - - rscadd: Blood bolts, the cultist's version of arcane barrage. The bolts will infuse - cultists with unholy water and damage anything else. - - rscadd: Blood beam, the ultimate blood rite. After a channeling period it will - fire 12 powerful beams across a long distance, piercing almost any surface (except - blessed turf), and damaging all non-cult life caught in the beam. - - tweak: All cult structures now generate significantly less light. - - balance: Pylons will now heal constructs faster and restore slightly more blood - than before. - - balance: Cult floors are now highly resistant to atmospheric changes. - - bugfix: Unholy water will now splash victims properly. - - balance: Unholy Water Vials created at altars now contains 50 units, and is better - at healing brute, and deals slightly more damage to non-cultists, the splash - ratio was reduced to 20% to compensate for the increased volume and damage. - - balance: Holy water will purge any and all blood spells from cultists. - - rscadd: Artificers, Wraiths and Juggernauts can now scribe revive, teleport, and - barrier runes respectively with a 3 minute cooldown. - - balance: Juggernauts' forcewall is now 3x1 but it has a ~30% longer cooldown. - Juggernauts got a modest speed increase (2.5 from 3) but lost a modest amount - of HP (200 from 250). - - rscadd: Juggernauts now get a ranged attack "Gauntlet Echo", a single projectile - that moves about as fast as them and does 30 damage with 5 seconds of stun and - a 35s cooldown. - - balance: The number of ghosts summonable by the manifest spirit rune is 3, down - from 5. - - balance: It now takes ~20% less water (~25 units) and ~30 seconds less to deconvert - cultists via holy water. - - tweak: The emagged library console will now distribute ritual daggers. - - tweak: Using the dagger on a rune will now take a 1-second channel to destroy - it, to avoid incidents where people instantly wipe a critical rune by accident. - - balance: Standard runed airlocks now have a lower damage deflection so they can - be destroyed with most respectable melee weapons (10+). - - balance: Teleporter runes that are used from space or lavaland will result in - the destination rune giving off a unique effect for 60 seconds. This effect - includes a long distance (but not obvious antagonistic) sound, a bright lighting - effect, and a visual cue that will indicate where the cultist arrived from. + - rscadd: + Blood magic. The next generation of talismans - you can create 2 spells + without a rune, up to 5 with a rune of empowerment. Preparing spells without + a rune will cost a significant amount of blood. Every talisman has been rebalanced + for its spell form. With a few exceptions, blood magic exists as a "touch" spell + that is very similar in behavior/appearance to the wizard touch spells. + - rscadd: New UI system for cultists. + - rscdel: + Removed talismans, Talisman Creation Rune replaced by Rune of Empowerment. + Supply talisman has been replaced by a ritual dagger and 10 runed metal. + - rscadd: + Ritual Dagger, replacing the Arcane Tome. This is largely a thematic alteration + but its to reinforce that your primary tool is also a weapon. + - bugfix: Cyborgs and AI are finally unable to see runes again + - tweak: + Only the cult master can forge Bastard swords now, regular cultists can + get a mirror shield. + - rscadd: + "The mirror shield, it blocks, it reflects, it creates illusions, and + an incredible throwing weapon! The mirror shield also bears a unique weakness: + Shotgun slugs, .357 rounds, and other high damage projectiles will instantly + shatter it and briefly stun the holder." + - balance: + Nar'sien Bolas will not longer ensnare cultists and non-cultists will + ensnare themselves when attempting to use them. The bolas are now comparable + in effectiveness with reinforced bolas. + - rscadd: + Rune of Spirits. This merges the Spirit Sight and Manifest Ghost rune. + The user will now choose which effect when invoking. + - rscadd: + The Spirit Sight function has received several major improvements, allowing + the ghost to commune with the cult and mark objects similar how the cult master + can. The user has a unique appearance while ghosted and manifested cult ghosts + can see ghosts as well - allowing their summoner to lead them from the spirit + realm. + - balance: + The Form Barrier rune will now last significantly longer and examining + the rune as a cultist will tell you how long it will remain. + - rscadd: + The Apocalypse Rune. Replaces the EMP runes. Has a fixed invoker requirement + and added usage limitations. It scales depending on the crew's strength relative + to the cult. Effect includes a massive EMP, unique hallucination for non-cultists, + and if the cult is doing poorly, certain events. The rune can only occur in + the Nar-Sie ritual sites and will prevent Nar-Sie from being summoned there + in the future. + - rscdel: No more EMP rune. + - balance: + The conceal/reveal spell now has 10 charges and will conceal far more, + including cult structures and flooring. + - balance: + The stun spell will now stun for ~4 less seconds and silence for 2 more + seconds. + - balance: + The EMP spell now costs 10 health to use, up from 5, and has had its + heavy/light EMP range nerfed by 1 and 2 respectively (now 3 and 6). + - balance: The shackles spell now has a silence effect similar to the stun talisman. + - balance: The hallucination spell now has multiple charges. + - tweak: The teleport spell can now be used on other adjacent cultists. + - tweak: + Summon Tome and Summon Armor have been combined into "Summon Equipment", + which lets you choose between summoning a Ritual Dagger or Combat Gear (same + loadout that Summon Armor used to provide). + - balance: Standard cult robes now have -10 melee and -10 laser armor. + - balance: + The "Construction" spell will now convert airlocks into cult airlocks + and cyborgs (after ~10 seconds) into constructs. The airlock is the most fragile + in the game, with reduced integrity, armor, and render it vulnerable to most + attacks. Cyborg "reconstruction" will be accompanied by an obvious effect/sound. + - rscadd: + Blood Rites. This spell allows you to absorb blood from your surroundings + or adjacent non-cultists. You can use the blood rites as a convenient heal (self-healing + is significantly more costly though) or you can try to gather large quantities + of blood for unique and powerful relics. + - rscadd: Blood spear, a fragile but robust spear with a special recall ability + - rscadd: + Blood bolts, the cultist's version of arcane barrage. The bolts will infuse + cultists with unholy water and damage anything else. + - rscadd: + Blood beam, the ultimate blood rite. After a channeling period it will + fire 12 powerful beams across a long distance, piercing almost any surface (except + blessed turf), and damaging all non-cult life caught in the beam. + - tweak: All cult structures now generate significantly less light. + - balance: + Pylons will now heal constructs faster and restore slightly more blood + than before. + - balance: Cult floors are now highly resistant to atmospheric changes. + - bugfix: Unholy water will now splash victims properly. + - balance: + Unholy Water Vials created at altars now contains 50 units, and is better + at healing brute, and deals slightly more damage to non-cultists, the splash + ratio was reduced to 20% to compensate for the increased volume and damage. + - balance: Holy water will purge any and all blood spells from cultists. + - rscadd: + Artificers, Wraiths and Juggernauts can now scribe revive, teleport, and + barrier runes respectively with a 3 minute cooldown. + - balance: + Juggernauts' forcewall is now 3x1 but it has a ~30% longer cooldown. + Juggernauts got a modest speed increase (2.5 from 3) but lost a modest amount + of HP (200 from 250). + - rscadd: + Juggernauts now get a ranged attack "Gauntlet Echo", a single projectile + that moves about as fast as them and does 30 damage with 5 seconds of stun and + a 35s cooldown. + - balance: + The number of ghosts summonable by the manifest spirit rune is 3, down + from 5. + - balance: + It now takes ~20% less water (~25 units) and ~30 seconds less to deconvert + cultists via holy water. + - tweak: The emagged library console will now distribute ritual daggers. + - tweak: + Using the dagger on a rune will now take a 1-second channel to destroy + it, to avoid incidents where people instantly wipe a critical rune by accident. + - balance: + Standard runed airlocks now have a lower damage deflection so they can + be destroyed with most respectable melee weapons (10+). + - balance: + Teleporter runes that are used from space or lavaland will result in + the destination rune giving off a unique effect for 60 seconds. This effect + includes a long distance (but not obvious antagonistic) sound, a bright lighting + effect, and a visual cue that will indicate where the cultist arrived from. Shadowlight213: - - tweak: Pluoxium is no longer considered dangerous for air alarms. + - tweak: Pluoxium is no longer considered dangerous for air alarms. XDTM: - - tweak: Slimepeople can now host multiple minds in their body pool; occupied bodies - will be marked as such in the bodyswap panel. - - tweak: Slimepeople now retain 45% of their slime volume upon splitting instead - of a fixed amount. + - tweak: + Slimepeople can now host multiple minds in their body pool; occupied bodies + will be marked as such in the bodyswap panel. + - tweak: + Slimepeople now retain 45% of their slime volume upon splitting instead + of a fixed amount. Xhuis: - - rscadd: Defibrillator mounts can now be found in the CMO's locker or produced - from a medical protolathe after Biotech is unlocked. They can be attached to - walls, and hold defibrillators for public use. You can swipe an ID to clamp - the defibrillator in place, and it will automatically draw from the powernet - to recharge it. Being one tile away from the mount will force you to drop the - paddles. - - balance: Stargazers have been removed. - - balance: The clockwork cult now has a power cap of 50 kW. - - balance: Script scripture is now unlocked at 25 kW, and Application at 40 kW, - instead of 50 kW and 100 kW. - - tweak: Important scriptures are now displayed with italicized names. + - rscadd: + Defibrillator mounts can now be found in the CMO's locker or produced + from a medical protolathe after Biotech is unlocked. They can be attached to + walls, and hold defibrillators for public use. You can swipe an ID to clamp + the defibrillator in place, and it will automatically draw from the powernet + to recharge it. Being one tile away from the mount will force you to drop the + paddles. + - balance: Stargazers have been removed. + - balance: The clockwork cult now has a power cap of 50 kW. + - balance: + Script scripture is now unlocked at 25 kW, and Application at 40 kW, + instead of 50 kW and 100 kW. + - tweak: Important scriptures are now displayed with italicized names. Xhuis & Jigsaw: - - rscadd: Traitor clowns can now purchase the reverse bear trap, a disturbing head-mounted - execution device, for five telecrystals. + - rscadd: + Traitor clowns can now purchase the reverse bear trap, a disturbing head-mounted + execution device, for five telecrystals. kevinz000: - - rscadd: Chameleon laser guns now have a special firing mode, activated by using - them in hand! Only certain gun disguises will allow this to work! + - rscadd: + Chameleon laser guns now have a special firing mode, activated by using + them in hand! Only certain gun disguises will allow this to work! nicbn: - - bugfix: Bloodpacks will have their colors defined by the reagents - - imageadd: MMI dead sprite will now show a red light and no eyes instead of X-crossed - eyes + - bugfix: Bloodpacks will have their colors defined by the reagents + - imageadd: + MMI dead sprite will now show a red light and no eyes instead of X-crossed + eyes uraniummeltdown: - - imageadd: Solar panels have new sprites - - imageadd: Coffins have a new sprite + - imageadd: Solar panels have new sprites + - imageadd: Coffins have a new sprite 2018-02-01: CosmicScientist: - - balance: tomatoes and similar ovary laden edibles are fruit, not veg, beware plasmamen - and mothmen + - balance: + tomatoes and similar ovary laden edibles are fruit, not veg, beware plasmamen + and mothmen Denton: - - bugfix: Added a missing distress signal to the space ambush ruin. + - bugfix: Added a missing distress signal to the space ambush ruin. Jalleo: - - rscdel: Space ghost syndicate comms guy removed. + - rscdel: Space ghost syndicate comms guy removed. Jittai: - - bugfix: Cloning doesn't runtime (and indefinitely get stuck) on cloning non-humans. - - tweak: Some of the Morgue Trays and Crematoriums on Box, Delta, and Meta have - been re-positioned to make use of their new directional states. - - imageadd: New Horizontal Coffin Sprites + - bugfix: Cloning doesn't runtime (and indefinitely get stuck) on cloning non-humans. + - tweak: + Some of the Morgue Trays and Crematoriums on Box, Delta, and Meta have + been re-positioned to make use of their new directional states. + - imageadd: New Horizontal Coffin Sprites SpaceManiac: - - tweak: The Whiteship spawn point is now a space ruin rather than being fixed every - round. + - tweak: + The Whiteship spawn point is now a space ruin rather than being fixed every + round. Xhuis: - - balance: Servant golems no longer appear in the magic mirror race list. - - bugfix: Cogs now fucking work + - balance: Servant golems no longer appear in the magic mirror race list. + - bugfix: Cogs now fucking work cebutris: - - spellcheck: The text you get when you examine a stunbaton to see the battery level - now uses the item's name instead of "baton" + - spellcheck: + The text you get when you examine a stunbaton to see the battery level + now uses the item's name instead of "baton" 2018-02-02: Dax Dupont: - - tweak: Hijack objectives will only be given out if there are 30 or more players. + - tweak: Hijack objectives will only be given out if there are 30 or more players. DeityLink: - - rscadd: You can now see the rays from a holopad displaying a hologram! + - rscadd: You can now see the rays from a holopad displaying a hologram! Epoc: - - bugfix: Soap now has inhand sprites + - bugfix: Soap now has inhand sprites Xhuis: - - balance: Brass skewers now must be at least one tile apart. - - balance: Steam vents can no longer be placed within cardinal directions of other - steam vents, and will not hide objects they're placed on top of. - - bugfix: Races that have eyes that look different from regular humans' no longer - have white eyespots where human eyes appear. + - balance: Brass skewers now must be at least one tile apart. + - balance: + Steam vents can no longer be placed within cardinal directions of other + steam vents, and will not hide objects they're placed on top of. + - bugfix: + Races that have eyes that look different from regular humans' no longer + have white eyespots where human eyes appear. Xhuis, Cosmic, Fwoosh, and epochayur: - - rscadd: Added pineapples to botany, and a recipe for Hawaiian pizza. + - rscadd: Added pineapples to botany, and a recipe for Hawaiian pizza. improvedname: - - rscadd: adds yeehaw to the dj's disco soundboard + - rscadd: adds yeehaw to the dj's disco soundboard oranges: - - rscdel: removes ketrazine + - rscdel: removes ketrazine 2018-02-03: Dax Dupont: - - tweak: Moved the lathe from box's cargo room to box's cargo office which miners - now can access. - - tweak: Harmonized medbay storage access requirements so all maps allow all medbay - personnel into medbay storage like on Meta and Delta. - - tweak: Moved service lathes into a dedicated service hall/storage area if they - weren't accessible by janitor or bartender. + - tweak: + Moved the lathe from box's cargo room to box's cargo office which miners + now can access. + - tweak: + Harmonized medbay storage access requirements so all maps allow all medbay + personnel into medbay storage like on Meta and Delta. + - tweak: + Moved service lathes into a dedicated service hall/storage area if they + weren't accessible by janitor or bartender. SpaceManiac: - - code_imp: Removed the now-unused revenant spawn landmark. + - code_imp: Removed the now-unused revenant spawn landmark. Xhuis: - - bugfix: Servant cyborgs with the Standard module now correctly have Abscond. - - bugfix: Securing pipe fittings now transfers fingerprints to the new pipe. - - bugfix: The firelock below the Circuitry Lab airlock on Boxstation will no longer - cover it up when the airlock is open. + - bugfix: Servant cyborgs with the Standard module now correctly have Abscond. + - bugfix: Securing pipe fittings now transfers fingerprints to the new pipe. + - bugfix: + The firelock below the Circuitry Lab airlock on Boxstation will no longer + cover it up when the airlock is open. uraniummeltdown: - - bugfix: Some airlock animations should no longer be glitchy and restart in the - middle + - bugfix: + Some airlock animations should no longer be glitchy and restart in the + middle 2018-02-04: Buggy123: - - rscadd: Morgue trays now detect if a body inside them possesses a consciousness, - and alerts people nearby + - rscadd: + Morgue trays now detect if a body inside them possesses a consciousness, + and alerts people nearby Cruix: - - rscadd: The Rapid Piping Device can now dispense transit tubes. + - rscadd: The Rapid Piping Device can now dispense transit tubes. Dax Dupont: - - rscadd: Added logout button to the record screen in the security records console. - - rscadd: Allows you to print photos that are in the security records. + - rscadd: Added logout button to the record screen in the security records console. + - rscadd: Allows you to print photos that are in the security records. Incoming5643: - - rscadd: The ability to throw drinks without spilling them has been moved from - something bartender's just know how to do to a book that they spawn with, the - ability has also been made into a toggle. - - rscadd: Any number of people can read the book to learn the ability, and it can - also be ordered in the bartending crate in cargo. Bartenders are encouraged - to keep their trade secrets close to their stylish black vests. + - rscadd: + The ability to throw drinks without spilling them has been moved from + something bartender's just know how to do to a book that they spawn with, the + ability has also been made into a toggle. + - rscadd: + Any number of people can read the book to learn the ability, and it can + also be ordered in the bartending crate in cargo. Bartenders are encouraged + to keep their trade secrets close to their stylish black vests. Kor: - - bugfix: Fixed mecha grav catapults not being included in techwebs. + - bugfix: Fixed mecha grav catapults not being included in techwebs. MrDoomBringer: - - imageadd: Conveyor Belts now look better when they are crowbar'd off the ground. - - rscadd: Due to complicated quantum-bluespace-entanglement shenanigans, the Bluespace - Drop Pod upgrade for the express supply console is now slightly more difficult - to research. + - imageadd: Conveyor Belts now look better when they are crowbar'd off the ground. + - rscadd: + Due to complicated quantum-bluespace-entanglement shenanigans, the Bluespace + Drop Pod upgrade for the express supply console is now slightly more difficult + to research. Robustin: - - bugfix: Vape Pens (e-cigs) will now consume reagents proportional to the vape - size and static smoke production. - - bugfix: Command reports should now properly weight the appearance of modes based - on their existence in our actual game rotation. - - balance: The current mode now has a 35% chance of not appearing in the report. + - bugfix: + Vape Pens (e-cigs) will now consume reagents proportional to the vape + size and static smoke production. + - bugfix: + Command reports should now properly weight the appearance of modes based + on their existence in our actual game rotation. + - balance: The current mode now has a 35% chance of not appearing in the report. ShiggyDiggyDo: - - rscadd: You can now win stylish steampunk watches at your local arcade machine! + - rscadd: You can now win stylish steampunk watches at your local arcade machine! ShizCalev: - - bugfix: Fixed some broken cultist & wizard antagonist ghost polls. - - rscadd: The Syndicate Comms Officer ghost role has been readded with a minor chance - of actually existing. + - bugfix: Fixed some broken cultist & wizard antagonist ghost polls. + - rscadd: + The Syndicate Comms Officer ghost role has been readded with a minor chance + of actually existing. Slignerd: - - balance: Following an immense number of complaints filed by security and command - personnel, the Captain's spare ID will from now on be placed inside his locker. - We fail to see how this would help the Captain access the spare in the event - he lost his ID, but the complainants have been VERY insistent. + - balance: + Following an immense number of complaints filed by security and command + personnel, the Captain's spare ID will from now on be placed inside his locker. + We fail to see how this would help the Captain access the spare in the event + he lost his ID, but the complainants have been VERY insistent. SpaceManiac: - - bugfix: The pirate ship can now fly again. + - bugfix: The pirate ship can now fly again. Xhuis: - - balance: Integration cog power generation has been increased to 10 W per second - (up from 5 W per second.) Power consumed from the APC remains at 5 W per second. - - balance: Integration cogs will now continue generating power at half-speed when - the APC they are in has no energy. + - balance: + Integration cog power generation has been increased to 10 W per second + (up from 5 W per second.) Power consumed from the APC remains at 5 W per second. + - balance: + Integration cogs will now continue generating power at half-speed when + the APC they are in has no energy. coiax: - - balance: Romerol is now effective on dead bodies, not just ones that are still - alive. + - balance: + Romerol is now effective on dead bodies, not just ones that are still + alive. nicbn: - - rscadd: Destroying windows will now spawn tiny shards + - rscadd: Destroying windows will now spawn tiny shards 2018-02-05: Dax Dupont: - - balance: Regular cyborgs now start with a normal high capacity cell instead of - a snowflake cell. Resulting in less confusing and 2.5MJ more electric charge. - - bugfix: Fixed name of the upgraded power cell - - refactor: Removed duplicate cell giving code in transformation proc. - - bugfix: Fixed the crematorium on meta and box. + - balance: + Regular cyborgs now start with a normal high capacity cell instead of + a snowflake cell. Resulting in less confusing and 2.5MJ more electric charge. + - bugfix: Fixed name of the upgraded power cell + - refactor: Removed duplicate cell giving code in transformation proc. + - bugfix: Fixed the crematorium on meta and box. Denton: - - tweak: Rearranged the mining vendor items by price and item group. - - tweak: In order to promote back-breaking physical labor, Nanotrasen has additionally - made conscription kits available at mining equipment vendors. + - tweak: Rearranged the mining vendor items by price and item group. + - tweak: + In order to promote back-breaking physical labor, Nanotrasen has additionally + made conscription kits available at mining equipment vendors. Iamgoofball: - - rscdel: Blood cultists can't space base anymore + - rscdel: Blood cultists can't space base anymore MMMiracles: - - rscadd: A once-thought abandoned arctic post has recently had its gateway coordinates - re-enabled for access via the Gateway link. Contact your local Exploration Division - for more details. + - rscadd: + A once-thought abandoned arctic post has recently had its gateway coordinates + re-enabled for access via the Gateway link. Contact your local Exploration Division + for more details. More Robust Than You: - - bugfix: Holorays are now properly deleted if you switch holopads automatically + - bugfix: Holorays are now properly deleted if you switch holopads automatically Naksu and kevinz000: - - tweak: Ores are no longer completely impervious to explosions, but rather "proper" - ores are destroyed by the strongest explosions and sand is blown away everything - but the weakest ones. This shouldn't affect ore spawns from explosions - - tweak: Lavaland bomb cap reduced to double the station bombcap. - - refactor: Ores are now stackable. Ore stacks now have the appearance of loose - ores and are not called "sheets" by machines that consume them. - - code_imp: Material container component now uses the singular names of stack objects. - - refactor: /obj/item/ore/Crossed() is now removed in favor of the ore satchel utilizing - a redirect component + - tweak: + Ores are no longer completely impervious to explosions, but rather "proper" + ores are destroyed by the strongest explosions and sand is blown away everything + but the weakest ones. This shouldn't affect ore spawns from explosions + - tweak: Lavaland bomb cap reduced to double the station bombcap. + - refactor: + Ores are now stackable. Ore stacks now have the appearance of loose + ores and are not called "sheets" by machines that consume them. + - code_imp: Material container component now uses the singular names of stack objects. + - refactor: + /obj/item/ore/Crossed() is now removed in favor of the ore satchel utilizing + a redirect component ShiggyDiggyDo: - - spellcheck: You no longer win double the articles at the arcade + - spellcheck: You no longer win double the articles at the arcade SpaceManiac: - - bugfix: Research investigate logs now actually include the name of the researcher. + - bugfix: Research investigate logs now actually include the name of the researcher. XDTM: - - bugfix: Fixes intelligence potions removing previously known mob languages - - tweak: Slime scanning now has a more readable output, especially when scanning - multiple slimes at once - - tweak: Eggs from the abductor egg gland now have a random reagent instead of acid + - bugfix: Fixes intelligence potions removing previously known mob languages + - tweak: + Slime scanning now has a more readable output, especially when scanning + multiple slimes at once + - tweak: Eggs from the abductor egg gland now have a random reagent instead of acid 2018-02-06: Dax Dupont: - - bugfix: AIs can no longer turn on broken APCs, + - bugfix: AIs can no longer turn on broken APCs, SpaceManiac: - - bugfix: Defibrillator mounts no longer spam the error log while empty. - - bugfix: The various ships in the caravan ambush space ruin can now fly again. + - bugfix: Defibrillator mounts no longer spam the error log while empty. + - bugfix: The various ships in the caravan ambush space ruin can now fly again. 2018-02-07: DaedalusGame: - - bugfix: Fixes Noblium Formation being multiplicative, so having 500 moles of tritium - and 500 moles of nitrogen no longer produces 2500 moles of noblium (it should - correctly produce 10 moles) - - bugfix: Fixes most reactions deleting more gas than exists and making gas out - of nowhere - - bugfix: Fixes Stim Formation invoking a byond bug and not using its intended polynomial - formula - - bugfix: Fixes Cryo Cells not having garbage_collect and clamping - - bugfix: Fixes Rad Collectors not having clamping - - bugfix: Fixes Division by Zero when Fusion has no impurities. - - bugfix: Removes a redundant line in lungs - - bugfix: Fixes rad_act signal not firing from turfs, living mobs, rad collectors - and geiger counters - - bugfix: fixes lava burning into chasm tiles i hate hate hate hate them so much - grrrr - - tweak: NT Scientists have started looking into data from small-scale detonations - and found that there's still potential data to be gathered from explosive yields - lower than 4.184 petajoules + - bugfix: + Fixes Noblium Formation being multiplicative, so having 500 moles of tritium + and 500 moles of nitrogen no longer produces 2500 moles of noblium (it should + correctly produce 10 moles) + - bugfix: + Fixes most reactions deleting more gas than exists and making gas out + of nowhere + - bugfix: + Fixes Stim Formation invoking a byond bug and not using its intended polynomial + formula + - bugfix: Fixes Cryo Cells not having garbage_collect and clamping + - bugfix: Fixes Rad Collectors not having clamping + - bugfix: Fixes Division by Zero when Fusion has no impurities. + - bugfix: Removes a redundant line in lungs + - bugfix: + Fixes rad_act signal not firing from turfs, living mobs, rad collectors + and geiger counters + - bugfix: + fixes lava burning into chasm tiles i hate hate hate hate them so much + grrrr + - tweak: + NT Scientists have started looking into data from small-scale detonations + and found that there's still potential data to be gathered from explosive yields + lower than 4.184 petajoules Dax Dupont: - - tweak: Moved the pocket protector to lockers instead of on the uniform. - - rscadd: You can now insert holodisks into cameras and take a static holographic - picture of someone! - - rscadd: Hologram recordings can now be offset slightly. - - rscadd: Posibrains have gotten a small firmware update, they will now play a sound - on successful activation. - - rscadd: Killing a revenant will now result in an unique shuttle to be able to - be bought. You probably won't like it though. - - rscadd: Fake emag now available. + - tweak: Moved the pocket protector to lockers instead of on the uniform. + - rscadd: + You can now insert holodisks into cameras and take a static holographic + picture of someone! + - rscadd: Hologram recordings can now be offset slightly. + - rscadd: + Posibrains have gotten a small firmware update, they will now play a sound + on successful activation. + - rscadd: + Killing a revenant will now result in an unique shuttle to be able to + be bought. You probably won't like it though. + - rscadd: Fake emag now available. Denton: - - spellcheck: Mining drone upgrades are no longer referred to as "ugprade" - - tweak: Fungal tuberculosis spores can no longer be synthesized by machinery. + - spellcheck: Mining drone upgrades are no longer referred to as "ugprade" + - tweak: Fungal tuberculosis spores can no longer be synthesized by machinery. Kor: - - rscadd: Spawning as a syndicate comms officer will now activate an encrypted signal - in the Lavaland Syndicate Base, to aid the crew in retaliating. + - rscadd: + Spawning as a syndicate comms officer will now activate an encrypted signal + in the Lavaland Syndicate Base, to aid the crew in retaliating. Ordo: - - rscadd: Mamma-mia! The chef speaks-a so different now! + - rscadd: Mamma-mia! The chef speaks-a so different now! Robustin: - - balance: The "construct shell" option from the cult archives structure will now - only yield one shell instead of two. - - balance: Sacrificing suicide victims will now only yield an empty shard. - - balance: Synths and Androids are no longer available species at the magic mirror. + - balance: + The "construct shell" option from the cult archives structure will now + only yield one shell instead of two. + - balance: Sacrificing suicide victims will now only yield an empty shard. + - balance: Synths and Androids are no longer available species at the magic mirror. ShiggyDiggyDo: - - rscadd: You can now win Toy Daggers at your local arcade! + - rscadd: You can now win Toy Daggers at your local arcade! Skylar Lineman: - - rscadd: Nanotrasen has new intelligence that the newest batch of Syndicate agent - equipment includes sticky explosives disguised as potatoes, designed to incite - terror among whoever is unlucky enough to have one stuck onto their hands. - - rscadd: 'Nanotrasen''s toy suppliers have also started making faux versions of - these, with less-forceful attachment mechanisms and absolutely zero explosive - materials for a child-safe experience. experimental: Explosive Hot Potatoes - are now available for purchase by syndicate-affiliated cooks, botanists, clowns, - and mimes.' + - rscadd: + Nanotrasen has new intelligence that the newest batch of Syndicate agent + equipment includes sticky explosives disguised as potatoes, designed to incite + terror among whoever is unlucky enough to have one stuck onto their hands. + - rscadd: + "Nanotrasen's toy suppliers have also started making faux versions of + these, with less-forceful attachment mechanisms and absolutely zero explosive + materials for a child-safe experience. experimental: Explosive Hot Potatoes + are now available for purchase by syndicate-affiliated cooks, botanists, clowns, + and mimes." SpaceManiac: - - bugfix: Pressure damage now takes effect in certain situations where it should - have but did not. + - bugfix: + Pressure damage now takes effect in certain situations where it should + have but did not. Xhuis: - - rscadd: Nanotrasen's anomalous materials division has recently experienced a containment - breach, during which a certain pizza box went missing. Be on the lookout for - any slipups in cargo. - - spellcheck: Pizza margherita is now named "pizza margherita" (the proper way!) - instead of just "margherita." - - tweak: Brass chairs now stop spinning after eight rotations, so you can't crash - the server with them. + - rscadd: + Nanotrasen's anomalous materials division has recently experienced a containment + breach, during which a certain pizza box went missing. Be on the lookout for + any slipups in cargo. + - spellcheck: + Pizza margherita is now named "pizza margherita" (the proper way!) + instead of just "margherita." + - tweak: + Brass chairs now stop spinning after eight rotations, so you can't crash + the server with them. coiax: - - rscadd: Eggs now contain 5u of egg yolk. Breaking an egg in a glass container - adds all reagents inside to the container. If you're laying abductor gland eggs, - then you'll get 5u of egg yolk and 10u of random reagent. Egg glands now make - you act like a chicken while laying eggs. Egg laying makes you use the aliennotice - span. + - rscadd: + Eggs now contain 5u of egg yolk. Breaking an egg in a glass container + adds all reagents inside to the container. If you're laying abductor gland eggs, + then you'll get 5u of egg yolk and 10u of random reagent. Egg glands now make + you act like a chicken while laying eggs. Egg laying makes you use the aliennotice + span. kevinz000: - - balance: Explosive holoparasites must now be adjacent to turn objects into bombs, - instead of being able to do so from any range. + - balance: + Explosive holoparasites must now be adjacent to turn objects into bombs, + instead of being able to do so from any range. 2018-02-09: Cyberboss: - - balance: Printed power cells must now be charged before use + - balance: Printed power cells must now be charged before use Dax Dupont: - - bugfix: Supermatter can again blow up again on space tiles. - - bugfix: Fixed borgs applying cuffs on people without the right number of arms. - - refactor: Handcuff code has been rejiggled and snowflake code has been removed. - - rscdel: Removed unused cable cuffs module stuff for borgs. - - bugfix: Telecom equipment now can only be printed by engineers and scientists - as intended. - - bugfix: WT-550 AP can only be printed by sec now. - - tweak: Removed engineering requirement for arcade machines to bring it in line - with others. - - rscadd: Defibs can now be researched and printed. - - balance: Hatches are now small instead of tiny. + - bugfix: Supermatter can again blow up again on space tiles. + - bugfix: Fixed borgs applying cuffs on people without the right number of arms. + - refactor: Handcuff code has been rejiggled and snowflake code has been removed. + - rscdel: Removed unused cable cuffs module stuff for borgs. + - bugfix: + Telecom equipment now can only be printed by engineers and scientists + as intended. + - bugfix: WT-550 AP can only be printed by sec now. + - tweak: + Removed engineering requirement for arcade machines to bring it in line + with others. + - rscadd: Defibs can now be researched and printed. + - balance: Hatches are now small instead of tiny. Denton: - - code_imp: Changed can_synth values from 0/1 to FALSE/TRUE - - code_imp: Removes grind_results from empty soda cans since they can't be ground. - - spellcheck: For consistency's sake, aluminium is now universally spelled with - two 'i'. + - code_imp: Changed can_synth values from 0/1 to FALSE/TRUE + - code_imp: Removes grind_results from empty soda cans since they can't be ground. + - spellcheck: + For consistency's sake, aluminium is now universally spelled with + two 'i'. Epoc: - - imageadd: Belt items now have inhand sprites + - imageadd: Belt items now have inhand sprites Evsey9: - - balance: Integrated Circuit Drones are now bulky to improve safety ratings, and - therefore, cannot be stored in normal backpacks or pockets, but now can accept - modules that bulky circuit machinery can. - - balance: Grabbers can now grab items up to the size of the circuit assembly they - are in. - - balance: Grabbers cannot store circuit machinery the same or larger size than - the circuit assembly they are in. - - tweak: Throwers now can throw items up to the size of circuit assembly they are - in. + - balance: + Integrated Circuit Drones are now bulky to improve safety ratings, and + therefore, cannot be stored in normal backpacks or pockets, but now can accept + modules that bulky circuit machinery can. + - balance: + Grabbers can now grab items up to the size of the circuit assembly they + are in. + - balance: + Grabbers cannot store circuit machinery the same or larger size than + the circuit assembly they are in. + - tweak: + Throwers now can throw items up to the size of circuit assembly they are + in. MMMiracles: - - rscadd: A brand new space-farm, where your family sends all your old/sick catpeople - to live out the rest of their days being free to roam the acres and chase the - field grayshirts. + - rscadd: + A brand new space-farm, where your family sends all your old/sick catpeople + to live out the rest of their days being free to roam the acres and chase the + field grayshirts. Naksu: - - bugfix: Cyborg engineering module geiger counters now work properly again + - bugfix: Cyborg engineering module geiger counters now work properly again PKPenguin321: - - rscadd: As it would happen, the chef does not actually have Italian genes, but - rather was being influenced by a strange moustache-a. + - rscadd: + As it would happen, the chef does not actually have Italian genes, but + rather was being influenced by a strange moustache-a. Robustin: - - bugfix: Fixes the cult master getting two notifications on the cult forge - - rscadd: Blood spells will now "follow" the spell creation button, which is now - unlocked by default. If you want your spell "hotbar" to appear somewhere else, - just move the blood spell button, it will update when you prepare a new spell. - Also, individual spells start off locked but if you unlock them they will no - longer reposition when the spells are updated. + - bugfix: Fixes the cult master getting two notifications on the cult forge + - rscadd: + Blood spells will now "follow" the spell creation button, which is now + unlocked by default. If you want your spell "hotbar" to appear somewhere else, + just move the blood spell button, it will update when you prepare a new spell. + Also, individual spells start off locked but if you unlock them they will no + longer reposition when the spells are updated. Robustin and More Robust Than You: - - rscadd: A heart disease event has been added. The cure is heart replacement surgery. - Effects of cardiac arrest are halted by the chemical Corazone. Once cardiac - arrest begins at Stage 5, the disease can be cured by a defibrillator or from - a lucky electric shock. - - rscadd: Using gym equipment will now grant a hidden exercise buff that prevents - heart disease for 20 minutes. + - rscadd: + A heart disease event has been added. The cure is heart replacement surgery. + Effects of cardiac arrest are halted by the chemical Corazone. Once cardiac + arrest begins at Stage 5, the disease can be cured by a defibrillator or from + a lucky electric shock. + - rscadd: + Using gym equipment will now grant a hidden exercise buff that prevents + heart disease for 20 minutes. SpaceManiac: - - bugfix: Goliath hide plates now properly apply to explorer suits and APLUs again. + - bugfix: Goliath hide plates now properly apply to explorer suits and APLUs again. oranges: - - rscdel: Removed the saltmine grief shuttle + - rscdel: Removed the saltmine grief shuttle 2018-02-10: Cruix: - - balance: Changed the chemical recipe for Lexorin from plasma, hydrogen, and nitrogen - to plasma, hydrogen, and oxygen. - - bugfix: These were necessary due to recipe conflicts + - balance: + Changed the chemical recipe for Lexorin from plasma, hydrogen, and nitrogen + to plasma, hydrogen, and oxygen. + - bugfix: These were necessary due to recipe conflicts Dax Dupont: - - bugfix: Cloner UI now properly updates cloning pod status when autocloning starts - cloning someone. + - bugfix: + Cloner UI now properly updates cloning pod status when autocloning starts + cloning someone. Ordo: - - tweak: Replaced nitrogen with ethanol in morphine recipe. The recipe now has a - lower yield. + - tweak: + Replaced nitrogen with ethanol in morphine recipe. The recipe now has a + lower yield. Robustin: - - bugfix: Fixed the limb grower having a max volume of 0. + - bugfix: Fixed the limb grower having a max volume of 0. UI Changes: - - tweak: The Scan with Debugger/Device button now reads Copy Ref and no longer sends - you to the circuit's page when clicked - - tweak: The assembly's menu is now slightly wider - - tweak: The advanced in "integrated advanced medical analyser" is now abbreviated - to adv. + - tweak: + The Scan with Debugger/Device button now reads Copy Ref and no longer sends + you to the circuit's page when clicked + - tweak: The assembly's menu is now slightly wider + - tweak: + The advanced in "integrated advanced medical analyser" is now abbreviated + to adv. Xhuis: - - bugfix: The preference to lock action buttons in place is now correctly saved - across rounds. + - bugfix: + The preference to lock action buttons in place is now correctly saved + across rounds. 2018-02-11: DaedalusGame: - - bugfix: Prevents megafauna (and other large things like spiders and mulebots) - from going into machines + - bugfix: + Prevents megafauna (and other large things like spiders and mulebots) + from going into machines Dax Dupont: - - rscadd: You can now win a fake cryptographic sequencer, perfect to go with your - fake space suit! - - tweak: 'To login with an emag on the APC console you will now need to hit it with - the emag. removed: Snowflake emagging implants is no more, Swipe it before install.' - - refactor: everything uses emag_act() now - - balance: Grabbers/throwers no longer can contain/throw things equal to the assembly - size. - - bugfix: Fixes duplicate air alarm on meta. + - rscadd: + You can now win a fake cryptographic sequencer, perfect to go with your + fake space suit! + - tweak: + "To login with an emag on the APC console you will now need to hit it with + the emag. removed: Snowflake emagging implants is no more, Swipe it before install." + - refactor: everything uses emag_act() now + - balance: + Grabbers/throwers no longer can contain/throw things equal to the assembly + size. + - bugfix: Fixes duplicate air alarm on meta. Kor: - - rscadd: Mining sentience upgrades now grant minebots an ID and radio. + - rscadd: Mining sentience upgrades now grant minebots an ID and radio. Mokiros: - - rscadd: All-In-One Grinder can now be built with researchable curcuit and micro-manipulator. + - rscadd: All-In-One Grinder can now be built with researchable curcuit and micro-manipulator. More Robust Than You: - - rscadd: You can now squish urinal cakes + - rscadd: You can now squish urinal cakes More Robust Than You, Basilman, and MMMiracles: - - rscadd: Deep in space, a valuable artifact awaits + - rscadd: Deep in space, a valuable artifact awaits Naksu: - - rscdel: Steam engines have been removed from maintenance, engineering, atmos and - teleportation areas. - - rscadd: The chef is now trained for working under siege + - rscdel: + Steam engines have been removed from maintenance, engineering, atmos and + teleportation areas. + - rscadd: The chef is now trained for working under siege Shadowlight213: - - admin: The notify irc/discord bot chat command no longer requires admin privileges. + - admin: The notify irc/discord bot chat command no longer requires admin privileges. ShizCalev: - - bugfix: Corrected a number of missing checks when using alt-click actions. Please - report any strange behavior to a coder. - - spellcheck: Corrected typo in NTNet Scanner circuits' name, make sure to update - your blueprints. + - bugfix: + Corrected a number of missing checks when using alt-click actions. Please + report any strange behavior to a coder. + - spellcheck: + Corrected typo in NTNet Scanner circuits' name, make sure to update + your blueprints. uraniummeltdown: - - rscadd: You can now smelt titanium glass and plastitanium glass - - rscadd: Use titanium glass and plastitanium glass to build shuttle windows and - plastitanium windows + - rscadd: You can now smelt titanium glass and plastitanium glass + - rscadd: + Use titanium glass and plastitanium glass to build shuttle windows and + plastitanium windows 2018-02-12: Dax Dupont: - - bugfix: AI no longers block ark after mass_recall - - bugfix: Placed the dispersal logic AFTER the mass_recall on ark activation instead - of infront(did nothing before basically). - - rscadd: Cell chargers can now be built and upgraded with capacitors! - - bugfix: Fixed empty subtype batteries not updating icons + - bugfix: AI no longers block ark after mass_recall + - bugfix: + Placed the dispersal logic AFTER the mass_recall on ark activation instead + of infront(did nothing before basically). + - rscadd: Cell chargers can now be built and upgraded with capacitors! + - bugfix: Fixed empty subtype batteries not updating icons Denton: - - bugfix: Fixes lye/plastic/charcoal conflicts when mixing. - - bugfix: Lye is now made by combining ash with water and carbon. Plastic sheets - by heating ash, sulphuric acid and oil. + - bugfix: Fixes lye/plastic/charcoal conflicts when mixing. + - bugfix: + Lye is now made by combining ash with water and carbon. Plastic sheets + by heating ash, sulphuric acid and oil. More Robust Than You: - - bugfix: Your hand no longer magically squishes urinal cakes when trying to pick - them up - - bugfix: SCP-294 no longer looks fucked up + - bugfix: + Your hand no longer magically squishes urinal cakes when trying to pick + them up + - bugfix: SCP-294 no longer looks fucked up Robustin: - - balance: The rift created by teleporting in from space will now include a description - indicating the direction of the "origin" teleport rune - giving the examiner - a fair idea of where the "space base" is located. - - balance: You can no longer manifest spirits or summon cultists while in space - or Lavaland. You may still ascend as a spirit (formerly spirit sight, astral - jaunt, etc.) in either of these locations. - - balance: Juggernauts have lost 20% reflect rate on energy projectiles (now around - 50% for standard lasers). - - balance: Wraiths and Juggernauts have -5 melee damage (20 and 25 now, respectively). - - balance: Construct shells now cost 50 metal through the "twisted construction" - spell. Twisted construction is now a "single use" spell. - - balance: The Concealment spell will now work on cult airlocks (including converted - airlocks). The "concealed" airlock will appear as a generic airlock but will - deny access to any non-cultist. - - balance: The draw blood effect on blood splatters will now draw more blood from - stains with low blood levels. - - tweak: Unanchored (via ritual dagger) cult structures are no longer "dense", meaning - you can move them through teleport runes more efficiently. - - tweak: The button to nominate yourself for cult master now has a confirmation - prompt seeking assurance that the user is prepared to be the cult's master. - - tweak: The reveal aspect of the concealment spell is slightly smaller, albeit - still slightly larger (6 range) than the concealment aspect (5 range). - - imageadd: Juggernauts "gauntlet echo" now has a more cult-themed appearance. - - bugfix: Using a shuttle curse to push the shuttle timer above its default can - no longer be "reset" with a recall. This also adds a block_recall(time_in_deciseconds) - helper-proc to the shuttle subsystem. - - bugfix: Using runed metal on a regular girder is no longer an option, preventing - runtimes and deletions associated with the (unintended) combination. + - balance: + The rift created by teleporting in from space will now include a description + indicating the direction of the "origin" teleport rune - giving the examiner + a fair idea of where the "space base" is located. + - balance: + You can no longer manifest spirits or summon cultists while in space + or Lavaland. You may still ascend as a spirit (formerly spirit sight, astral + jaunt, etc.) in either of these locations. + - balance: + Juggernauts have lost 20% reflect rate on energy projectiles (now around + 50% for standard lasers). + - balance: Wraiths and Juggernauts have -5 melee damage (20 and 25 now, respectively). + - balance: + Construct shells now cost 50 metal through the "twisted construction" + spell. Twisted construction is now a "single use" spell. + - balance: + The Concealment spell will now work on cult airlocks (including converted + airlocks). The "concealed" airlock will appear as a generic airlock but will + deny access to any non-cultist. + - balance: + The draw blood effect on blood splatters will now draw more blood from + stains with low blood levels. + - tweak: + Unanchored (via ritual dagger) cult structures are no longer "dense", meaning + you can move them through teleport runes more efficiently. + - tweak: + The button to nominate yourself for cult master now has a confirmation + prompt seeking assurance that the user is prepared to be the cult's master. + - tweak: + The reveal aspect of the concealment spell is slightly smaller, albeit + still slightly larger (6 range) than the concealment aspect (5 range). + - imageadd: Juggernauts "gauntlet echo" now has a more cult-themed appearance. + - bugfix: + Using a shuttle curse to push the shuttle timer above its default can + no longer be "reset" with a recall. This also adds a block_recall(time_in_deciseconds) + helper-proc to the shuttle subsystem. + - bugfix: + Using runed metal on a regular girder is no longer an option, preventing + runtimes and deletions associated with the (unintended) combination. 2018-02-13: Buggy123: - - tweak: After consulting with their in-house physicists, Nanotrasen has updated - their worst-case disaster training simulation "Space Station 13". The combustion - of hydrogen isotopes now produces water vapor instead of carbon dioxide. + - tweak: + After consulting with their in-house physicists, Nanotrasen has updated + their worst-case disaster training simulation "Space Station 13". The combustion + of hydrogen isotopes now produces water vapor instead of carbon dioxide. Dax Dupont: - - rscadd: Added hooray emoji! + - rscadd: Added hooray emoji! Iamgoofball: - - bugfix: The Cook now ONLY works under siege. + - bugfix: The Cook now ONLY works under siege. TehZombehz: - - rscadd: Heart-shaped boxes of chocolates are now included in Valentine's Day event - gifts + - rscadd: + Heart-shaped boxes of chocolates are now included in Valentine's Day event + gifts 2018-02-14: Dax Dupont: - - bugfix: Integrated circuits no longer start upgraded. - - balance: The IC printers that are available on round start in the IC labs are - no longer upgraded by default. You will need to research these as was intended + - bugfix: Integrated circuits no longer start upgraded. + - balance: + The IC printers that are available on round start in the IC labs are + no longer upgraded by default. You will need to research these as was intended Frozenguy5: - - bugfix: You can craft rat kebabs now. + - bugfix: You can craft rat kebabs now. Naksu: - - bugfix: Chasms no longer eat shuttle docking ports, rendering them unusable and - unresponsive - - tweak: The clogged vents event has been removed for pressing ceremonial reasons + - bugfix: + Chasms no longer eat shuttle docking ports, rendering them unusable and + unresponsive + - tweak: The clogged vents event has been removed for pressing ceremonial reasons coiax: - - rscadd: Transference potions now just rename the mob that you are transferring - into with your name, rather than your name plus the old name of the mob. + - rscadd: + Transference potions now just rename the mob that you are transferring + into with your name, rather than your name plus the old name of the mob. 2018-02-15: Kor: - - rscadd: Bluespace slime extracts now have a new chemical reaction with water, - which create slime radio potions. When applied to a simple animal, that mob - gains an internal radio. + - rscadd: + Bluespace slime extracts now have a new chemical reaction with water, + which create slime radio potions. When applied to a simple animal, that mob + gains an internal radio. MrStonedOne: - - balance: You no longer need an aggressive grab to table someone. + - balance: You no longer need an aggressive grab to table someone. SpaceManiac: - - refactor: Map initialization now supports stations with multiple z-levels. - - bugfix: The map reader no longer sometimes expands the world size inappropriately. - - tweak: Pride's Mirror's destination has become less predictable. + - refactor: Map initialization now supports stations with multiple z-levels. + - bugfix: The map reader no longer sometimes expands the world size inappropriately. + - tweak: Pride's Mirror's destination has become less predictable. 2018-02-16: AnturK: - - rscdel: Minimap gone from crew monitoring + - rscdel: Minimap gone from crew monitoring DaedalusGame: - - code_imp: made powercell rigging no longer set rigged to the plasma reagent datum - what the hell and makes it use TRUE/FALSE defines + - code_imp: + made powercell rigging no longer set rigged to the plasma reagent datum + what the hell and makes it use TRUE/FALSE defines Denton: - - tweak: Emagging meteor shield satellites now shows you a message. - - spellcheck: Fixed a typo when emagging RnD servers. + - tweak: Emagging meteor shield satellites now shows you a message. + - spellcheck: Fixed a typo when emagging RnD servers. MMMiracles: - - rscadd: You can now produce a cryostatis variant of the shotgun dart after researching - Medical Weaponry. Holds 10u and doesn't have reagents react inside it. + - rscadd: + You can now produce a cryostatis variant of the shotgun dart after researching + Medical Weaponry. Holds 10u and doesn't have reagents react inside it. MetroidLover: - - rscadd: Added the ability to gain smoke bomb charges by attacking the initiated - ninja suit with a beaker containing smoke powder + - rscadd: + Added the ability to gain smoke bomb charges by attacking the initiated + ninja suit with a beaker containing smoke powder More Robust Than You: - - bugfix: Fixes SCP-294 losing its top sometimes + - bugfix: Fixes SCP-294 losing its top sometimes Naksu: - - code_imp: replaced some item-specific movement hooks with components + - code_imp: replaced some item-specific movement hooks with components Xhuis: - - tweak: Removing and printing integrated circuits will now attempt to place them - into a free hand. - - tweak: You can now hit an integrated circuit printer with an unsecured electronic - assembly to recycle all of the parts in the assembly en masse. - - tweak: You can now recycle empty electronic assemblies in an integrated circuit - printer! - - soundadd: Integrated circuit printers now have sounds for printing circuits and - assemblies. - - bugfix: The RPG loot event will no longer break circuit analyzers. + - tweak: + Removing and printing integrated circuits will now attempt to place them + into a free hand. + - tweak: + You can now hit an integrated circuit printer with an unsecured electronic + assembly to recycle all of the parts in the assembly en masse. + - tweak: + You can now recycle empty electronic assemblies in an integrated circuit + printer! + - soundadd: + Integrated circuit printers now have sounds for printing circuits and + assemblies. + - bugfix: The RPG loot event will no longer break circuit analyzers. coiax: - - rscadd: Centcom now reports that thanks to extensive bioengineering, apples and - oranges now taste of apples and oranges, rather than nothing as they did before. + - rscadd: + Centcom now reports that thanks to extensive bioengineering, apples and + oranges now taste of apples and oranges, rather than nothing as they did before. 2018-02-17: DaedalusGame: - - bugfix: fixes lava and fire burning HE-pipes - - rscadd: added a subreaction for rainbow slime cores, injecting 5u of plasma now - makes them explode into random slimecores. - - rscadd: added a slimejelly reaction to rainbow slime cores that does the above - but all the cores that spawn get 5u each of plasma, water and blood injected. - (aka chaos) - - code_imp: improved clusterbuster code with Initialize, addtimer, vars for sounds - and payload spawners, etc + - bugfix: fixes lava and fire burning HE-pipes + - rscadd: + added a subreaction for rainbow slime cores, injecting 5u of plasma now + makes them explode into random slimecores. + - rscadd: + added a slimejelly reaction to rainbow slime cores that does the above + but all the cores that spawn get 5u each of plasma, water and blood injected. + (aka chaos) + - code_imp: + improved clusterbuster code with Initialize, addtimer, vars for sounds + and payload spawners, etc Dax Dupont: - - bugfix: After an incident where a very eager roboticist kept expanding a borg's - size leading to a structural collapse of the entire station proper safety limitations - have been implemented. - - bugfix: You can rotate freezers and cryo again. - - rscadd: Nanotrasen has invested in better reflective materials for it's reflectors. - You can now make complex laser shows again. + - bugfix: + After an incident where a very eager roboticist kept expanding a borg's + size leading to a structural collapse of the entire station proper safety limitations + have been implemented. + - bugfix: You can rotate freezers and cryo again. + - rscadd: + Nanotrasen has invested in better reflective materials for it's reflectors. + You can now make complex laser shows again. Modafinil: - - rscadd: Adds new medicine chem that suppresses sleep and very lightly reduces - stunrates, has a very low metabolic rate which is randomized and a low overdose - treshold. Overdosing is a lethal oxyloss unless treated. (With epipen urgently - and with charcoal/calomel before it puts you to sleep) + - rscadd: + Adds new medicine chem that suppresses sleep and very lightly reduces + stunrates, has a very low metabolic rate which is randomized and a low overdose + treshold. Overdosing is a lethal oxyloss unless treated. (With epipen urgently + and with charcoal/calomel before it puts you to sleep) TankNut: - - tweak: Corpses spawned in ruins have their suit sensors disabled + - tweak: Corpses spawned in ruins have their suit sensors disabled coiax: - - admin: Admins can use the Select Equipment verb on observers. Doing so will humanise - them and then apply the equipment. - - bugfix: Species with RESISTHOT (golems, skeletons) can extinguish burning items - as if they were wearing fireproof gloves. + - admin: + Admins can use the Select Equipment verb on observers. Doing so will humanise + them and then apply the equipment. + - bugfix: + Species with RESISTHOT (golems, skeletons) can extinguish burning items + as if they were wearing fireproof gloves. jakeramsay007: - - bugfix: Jellypeople/Slimepeople now are able to speak their Slime language, as - intended when it was added. + - bugfix: + Jellypeople/Slimepeople now are able to speak their Slime language, as + intended when it was added. yorii: - - bugfix: removes the maintenance panel examination message on poddoors (blast doors) + - bugfix: removes the maintenance panel examination message on poddoors (blast doors) 2018-02-18: More Robust Than You: - - bugfix: Actually fixes SCP 294 overlay problems + - bugfix: Actually fixes SCP 294 overlay problems Naksu: - - rscadd: Exosuit fabricators can now build RPED and crew pinpointer upgrades for - engineering and medical borgs respectively. + - rscadd: + Exosuit fabricators can now build RPED and crew pinpointer upgrades for + engineering and medical borgs respectively. Ordo: - - rscadd: Adds a few new liquors to the bar, and a few new cocktails to boot! + - rscadd: Adds a few new liquors to the bar, and a few new cocktails to boot! Xhuis: - - tweak: Crew pinpointers now fit on medical belts! + - tweak: Crew pinpointers now fit on medical belts! YPOQ: - - bugfix: Bicycles are rideable again + - bugfix: Bicycles are rideable again 2018-02-19: DaedalusGame: - - bugfix: Fixed paper bins not catching fire properly - - bugfix: fixed multiserver mining formula + - bugfix: Fixed paper bins not catching fire properly + - bugfix: fixed multiserver mining formula Improvedname: - - bugfix: Fried eggs don't require boiled eggs anymore and just normal eggs + - bugfix: Fried eggs don't require boiled eggs anymore and just normal eggs Kevinz000 and Naksu: - - bugfix: Ore stacks will now initialize with proper visuals and no longer show - a NO SPRITE text when you gather more than 20 ores to a stack. + - bugfix: + Ore stacks will now initialize with proper visuals and no longer show + a NO SPRITE text when you gather more than 20 ores to a stack. XDTM: - - rscadd: 'Added three new techweb nodes: Advanced Surgery, Experimental Surgery, - and Alien Surgery(requires abductor tech)' - - rscadd: Added several new surgical procedures, which require these techweb nodes. - To enable an advanced surgery, print its relative disk from a protolathe, and - load it on an Operating Computer. Advanced surgery can only be performed at - operating tables. - - tweak: You can now intentionally fail surgical procedures by initiating them with - disarm intent instead of help intent. - - rscadd: Brain traumas now have a custom resilience system. Some trauma sources - can cause traumas which require more extensive treatment, such as the new Lobotomy - surgery. - - rscadd: Traitors can now purchase a Brainwashing Surgery Disk for 5 TC. + - rscadd: + "Added three new techweb nodes: Advanced Surgery, Experimental Surgery, + and Alien Surgery(requires abductor tech)" + - rscadd: + Added several new surgical procedures, which require these techweb nodes. + To enable an advanced surgery, print its relative disk from a protolathe, and + load it on an Operating Computer. Advanced surgery can only be performed at + operating tables. + - tweak: + You can now intentionally fail surgical procedures by initiating them with + disarm intent instead of help intent. + - rscadd: + Brain traumas now have a custom resilience system. Some trauma sources + can cause traumas which require more extensive treatment, such as the new Lobotomy + surgery. + - rscadd: Traitors can now purchase a Brainwashing Surgery Disk for 5 TC. Xhuis: - - bugfix: New blob tiles are no longer invincible after their blob's death. - - bugfix: Blob nodes no longer produce blob tiles even after the blob's death. + - bugfix: New blob tiles are no longer invincible after their blob's death. + - bugfix: Blob nodes no longer produce blob tiles even after the blob's death. coiax: - - rscadd: Mime's Bane, a toxin that prevents people from emoting while it's in their - system, can now be created by mixing 1 part Mute Toxin, 1 part Nothing and 1 - part Radium. + - rscadd: + Mime's Bane, a toxin that prevents people from emoting while it's in their + system, can now be created by mixing 1 part Mute Toxin, 1 part Nothing and 1 + part Radium. 2018-02-20: Anonmare: - - rscadd: Nanotrasen psychologists have identified new phobias emerging amongst - the workforce. Nanotrasen's surgeon general advises all personnel to just buck - up and deal with it. + - rscadd: + Nanotrasen psychologists have identified new phobias emerging amongst + the workforce. Nanotrasen's surgeon general advises all personnel to just buck + up and deal with it. AverageJoe82: - - rscadd: Circuits integrity, charge, and overall circuit composition is displayed - on diagnostic huds. If the assembly has dangerous circuits then the status icon - will display exclamation points, if the assembly can communicate with something - far away a wifi icon will appear next to the status icon, and if the circuit - can not operate the status icon will display an 'X'. - - rscadd: AR interface circuit which can modify the status icon if it is not displaying - the exclamation points or the 'X'. - - tweak: Locomotive circuits can no longer be added to assemblies that can't use - them. - - spellcheck: Fixed a typo in the grenade primer description. - - code_imp: Added flags to circuits that help group subsets of circuits and regulate - them. + - rscadd: + Circuits integrity, charge, and overall circuit composition is displayed + on diagnostic huds. If the assembly has dangerous circuits then the status icon + will display exclamation points, if the assembly can communicate with something + far away a wifi icon will appear next to the status icon, and if the circuit + can not operate the status icon will display an 'X'. + - rscadd: + AR interface circuit which can modify the status icon if it is not displaying + the exclamation points or the 'X'. + - tweak: + Locomotive circuits can no longer be added to assemblies that can't use + them. + - spellcheck: Fixed a typo in the grenade primer description. + - code_imp: + Added flags to circuits that help group subsets of circuits and regulate + them. DaedalusGame: - - bugfix: fixed ghost spawners showing up in the spawner menu when you can't use - them - - bugfix: fixed walls under doors breaking to space - - tweak: changed doors to no longer spawn on top of walls + - bugfix: + fixed ghost spawners showing up in the spawner menu when you can't use + them + - bugfix: fixed walls under doors breaking to space + - tweak: changed doors to no longer spawn on top of walls Dax Dupont: - - rscadd: Adds special tutorial holopads for the hazard course. + - rscadd: Adds special tutorial holopads for the hazard course. Jittai: - - tweak: Ctrl+Clicking progresses through grab cycle on living mobs (not just humans) + - tweak: Ctrl+Clicking progresses through grab cycle on living mobs (not just humans) Joan: - - tweak: The crusher kit now includes an advanced mining scanner. - - tweak: The resonator kit now includes webbing and a small extinguisher. - - tweak: 'The minebot kit now includes a minebot passthrough kinetic accelerator - module, which will cause kinetic accelerator shots to pass through minebots. - The welding goggles have been replaced with a welding helmet, allowing you to - wear mesons and still be able to repair the minebot without eye damage. feature: - You can now install kinetic accelerator modkits on minebots. Some exceptions - may apply. Crowbar to remove modkits.' - - balance: Minebots now shoot 33% faster by default(3 seconds to 2). The minebot - cooldown upgrade still produces a fire rate of 1 second. - - balance: Minebots are now slightly less likely to sit in melee like idiots, and - are now healed for 15 instead of 10 when welded. - - balance: Sentient minebots are penalized; they cannot have armor and melee upgrades - installed, and making them sentient will override those upgrades if they were - installed. In addition, they move very slightly slower and have their kinetic - accelerator's cooldown increased by 1 second. + - tweak: The crusher kit now includes an advanced mining scanner. + - tweak: The resonator kit now includes webbing and a small extinguisher. + - tweak: + "The minebot kit now includes a minebot passthrough kinetic accelerator + module, which will cause kinetic accelerator shots to pass through minebots. + The welding goggles have been replaced with a welding helmet, allowing you to + wear mesons and still be able to repair the minebot without eye damage. feature: + You can now install kinetic accelerator modkits on minebots. Some exceptions + may apply. Crowbar to remove modkits." + - balance: + Minebots now shoot 33% faster by default(3 seconds to 2). The minebot + cooldown upgrade still produces a fire rate of 1 second. + - balance: + Minebots are now slightly less likely to sit in melee like idiots, and + are now healed for 15 instead of 10 when welded. + - balance: + Sentient minebots are penalized; they cannot have armor and melee upgrades + installed, and making them sentient will override those upgrades if they were + installed. In addition, they move very slightly slower and have their kinetic + accelerator's cooldown increased by 1 second. NTnet circuit fix: - - bugfix: Now NTnet circuits can recieve sender adress properly.Also, now messages - could be sended to multiple recepiens. + - bugfix: + Now NTnet circuits can recieve sender adress properly.Also, now messages + could be sended to multiple recepiens. Xhuis: - - rscadd: Admins may now spawn a debug circuit printer that can always print circuits, - and has infinite metal. - - bugfix: Buttons, number pads, and text pads in integrated circuits now correctly - show their labels. - - bugfix: Integrated hypo-injectors can now correctly draw blood. - - tweak: The circuit analyzer output has been slightly tweaked and includes usage - instructions. - - rscadd: The round-end report now shows information about the first person to die - in that round. - - rscadd: Added the dish drive. This machine, the future in plate disposal, can - be researched from techwebs (Biological Processing) and built with a standard - machine frame using two matter bins, a micro manipulator, and a glass sheet. - - rscadd: A circuit board for the dish drive can be found in the chef's and bartender's - wardrobes. - - rscadd: You can hit a dish drive with any dish (like a plate or drinking glass), - and the dish drive will convert it from matter to energy, allowing it to store - an infinite amount of dishes. You can also interact with it to get things back - from it. - - rscadd: Dish drives also have an automatic "suction" function that sucks in all - loose dishes within four tiles. This can be toggled by activating its circuit - board in-hand. - - rscadd: Dish drives automatically beam their stored dishes into any disposal unit - that it can see within seven tiles every minute. You can toggle this by alt-clicking - its circuit board. - - tweak: Plastic surgery now lets you choose from a list of ten random names, so - you can pick the one that you prefer. - - tweak: Abductors performing plastic surgery can now give their target spooky subject - names, with one normal name available for standard plastique. + - rscadd: + Admins may now spawn a debug circuit printer that can always print circuits, + and has infinite metal. + - bugfix: + Buttons, number pads, and text pads in integrated circuits now correctly + show their labels. + - bugfix: Integrated hypo-injectors can now correctly draw blood. + - tweak: + The circuit analyzer output has been slightly tweaked and includes usage + instructions. + - rscadd: + The round-end report now shows information about the first person to die + in that round. + - rscadd: + Added the dish drive. This machine, the future in plate disposal, can + be researched from techwebs (Biological Processing) and built with a standard + machine frame using two matter bins, a micro manipulator, and a glass sheet. + - rscadd: + A circuit board for the dish drive can be found in the chef's and bartender's + wardrobes. + - rscadd: + You can hit a dish drive with any dish (like a plate or drinking glass), + and the dish drive will convert it from matter to energy, allowing it to store + an infinite amount of dishes. You can also interact with it to get things back + from it. + - rscadd: + Dish drives also have an automatic "suction" function that sucks in all + loose dishes within four tiles. This can be toggled by activating its circuit + board in-hand. + - rscadd: + Dish drives automatically beam their stored dishes into any disposal unit + that it can see within seven tiles every minute. You can toggle this by alt-clicking + its circuit board. + - tweak: + Plastic surgery now lets you choose from a list of ten random names, so + you can pick the one that you prefer. + - tweak: + Abductors performing plastic surgery can now give their target spooky subject + names, with one normal name available for standard plastique. 2018-02-21: Denton: - - code_imp: Renamed the IDs of various reagents to be more descriptive. - - spellcheck: Fixed the descriptions of changeling adrenaling reagents. - - tweak: Changed Santa event earliest start from 33 minutes & 20 seconds to 30 minutes. - Changed shuttle loan earliest start from 6 minutes & 40 seconds to 7 minutes. - - spellcheck: Tweaked the message you see when emagging meteor shield satellites. + - code_imp: Renamed the IDs of various reagents to be more descriptive. + - spellcheck: Fixed the descriptions of changeling adrenaling reagents. + - tweak: + Changed Santa event earliest start from 33 minutes & 20 seconds to 30 minutes. + Changed shuttle loan earliest start from 6 minutes & 40 seconds to 7 minutes. + - spellcheck: Tweaked the message you see when emagging meteor shield satellites. Kevinz000 & Deathride58: - - rscadd: A separate round time has been added to status panel. This will start - at 00:00:00. - - rscadd: Night shift lighting [if enabled in the same configuration] will activate - between station time 7:30 PM and 7:30 AM. This will dim all lights affected, - but they will still have the same range. - - rscadd: APCs now have an option to set night lighting mode on or off, regardless - of time. + - rscadd: + A separate round time has been added to status panel. This will start + at 00:00:00. + - rscadd: + Night shift lighting [if enabled in the same configuration] will activate + between station time 7:30 PM and 7:30 AM. This will dim all lights affected, + but they will still have the same range. + - rscadd: + APCs now have an option to set night lighting mode on or off, regardless + of time. Naksu: - - bugfix: Flightsuits should be controllable again + - bugfix: Flightsuits should be controllable again 2018-02-22: Buggy123: - - tweak: Nanotrasen has begun a campaign to inform their employees that you can - alt-click to disable morgue tray beeping. + - tweak: + Nanotrasen has begun a campaign to inform their employees that you can + alt-click to disable morgue tray beeping. Jittai / ChuckTheSheep: - - imageadd: NT has stopped buying re-boxed storebrand Donkpockets and now stocks - stations with real, genuine, tasty Donkpockets! + - imageadd: + NT has stopped buying re-boxed storebrand Donkpockets and now stocks + stations with real, genuine, tasty Donkpockets! MetroidLover: - - balance: rebalanced Ninja event to allow it to happen earlier. - - bugfix: fixed Ninja welcome text to no longer tell you to right click your suit. + - balance: rebalanced Ninja event to allow it to happen earlier. + - bugfix: fixed Ninja welcome text to no longer tell you to right click your suit. Naksu: - - code_imp: removed unused poisoned apple variant + - code_imp: removed unused poisoned apple variant Repukan: - - bugfix: fixed windoors dropping more cable than what was used to build them. + - bugfix: fixed windoors dropping more cable than what was used to build them. Robustin: - - bugfix: The clock cult's marauder limit now works properly, temporarily lower - the marauder limit when one has recently been summoned. + - bugfix: + The clock cult's marauder limit now works properly, temporarily lower + the marauder limit when one has recently been summoned. Super3222, TheMythicGhost, DaedalusGame: - - rscadd: Adds a barometer function to the standard atmos analyzer. - - imageadd: Adds a new sprite for the atmos analyzer to resemble a barometer. + - rscadd: Adds a barometer function to the standard atmos analyzer. + - imageadd: Adds a new sprite for the atmos analyzer to resemble a barometer. kevinz000, Denton: - - rscadd: Nanotrasen's RnD division has integrated all stationary tachyon doppler - arrays into the techweb system. Record increasingly large explosions with them - and you will generate research points! - - spellcheck: Fixed a few typos in the RnD doppler array name/description. + - rscadd: + Nanotrasen's RnD division has integrated all stationary tachyon doppler + arrays into the techweb system. Record increasingly large explosions with them + and you will generate research points! + - spellcheck: Fixed a few typos in the RnD doppler array name/description. 2018-02-25: Astral: - - rscadd: Traitor CMOs and Chemists, for 12 TC, can now get a reagent dartgun, which - is capable of synthesizing it's own syringes, but does so slowly, and can be - easily identified as syndicate by anyone who isn't blind! + - rscadd: + Traitor CMOs and Chemists, for 12 TC, can now get a reagent dartgun, which + is capable of synthesizing it's own syringes, but does so slowly, and can be + easily identified as syndicate by anyone who isn't blind! Cebutris: - - tweak: Toxin loving species now properly take toxin damage from liver failiure + - tweak: Toxin loving species now properly take toxin damage from liver failiure DaedalusGame: - - bugfix: enables the RPED to construct/replace other parts commonly used in machines - (igniters, beakers, bs crystals) - - bugfix: fixes part ratings of cells so slime cells are correctly more desirable - than bluespace cells and other such nonsense - - bugfix: shivering symptom now works properly instead of only cooling you if you're - already cold - - bugfix: fixed bodytemp going negative in a few cases - - code_imp: removes input/output plates and changes autogibbers to use input dir - - tweak: The last scientists have reported that thermonuclear blasts triggered by - so called 'power gamers' have shorted the doppler array. We've readjusted the - ALU and are confident that this will not happen again. + - bugfix: + enables the RPED to construct/replace other parts commonly used in machines + (igniters, beakers, bs crystals) + - bugfix: + fixes part ratings of cells so slime cells are correctly more desirable + than bluespace cells and other such nonsense + - bugfix: + shivering symptom now works properly instead of only cooling you if you're + already cold + - bugfix: fixed bodytemp going negative in a few cases + - code_imp: removes input/output plates and changes autogibbers to use input dir + - tweak: + The last scientists have reported that thermonuclear blasts triggered by + so called 'power gamers' have shorted the doppler array. We've readjusted the + ALU and are confident that this will not happen again. Denton: - - tweak: The outer airlocks of most space ruin airlocks are now cycle linked. - - tweak: The outer airlocks of various lavaland ruins and ships now cycle lock. - - bugfix: Players can no longer kill themselves by whispering inside clone pods. - - tweak: The 'neurotoxin2' toxin has been renamed to Fentanyl. + - tweak: The outer airlocks of most space ruin airlocks are now cycle linked. + - tweak: The outer airlocks of various lavaland ruins and ships now cycle lock. + - bugfix: Players can no longer kill themselves by whispering inside clone pods. + - tweak: The 'neurotoxin2' toxin has been renamed to Fentanyl. Naksu: - - admin: Admins can now start the game as extended revs, a version of revs that - doesn't end when head(rev)s are dead. Admins can also use the speedy mode, which - nukes the station after 20 minutes. + - admin: + Admins can now start the game as extended revs, a version of revs that + doesn't end when head(rev)s are dead. Admins can also use the speedy mode, which + nukes the station after 20 minutes. Repukan: - - rscadd: Whiskey to the flask - - rscdel: Hearty Punch from the flask + - rscadd: Whiskey to the flask + - rscdel: Hearty Punch from the flask ShizCalev: - - tweak: Silicons no longer have to be adjacent to morguetrays to disable the alarms - on then. + - tweak: + Silicons no longer have to be adjacent to morguetrays to disable the alarms + on then. ThePainkiller: - - tweak: Tweaked the inventory management of the black fedora to be more like the - detective's + - tweak: + Tweaked the inventory management of the black fedora to be more like the + detective's Xhuis: - - rscadd: Added Bastion Bourbon, which you can mix with tea, creme de menthe, triple - citrus, and berry juice. When it's in your system, it will very slowly heal - you as long as you're not in critical. When it's first added to your system, - you heal an amount of each damage type equal to the volume taken in, with a - max of 10. This is turned to a max of 20 for anyone in critical. - - rscadd: Added Squirt Cider, which you can mix with water, tomato juice, and nutriment. - It's nutritious and healthy! - - tweak: Reskinning objects now shows their possible appearances in the chat box. + - rscadd: + Added Bastion Bourbon, which you can mix with tea, creme de menthe, triple + citrus, and berry juice. When it's in your system, it will very slowly heal + you as long as you're not in critical. When it's first added to your system, + you heal an amount of each damage type equal to the volume taken in, with a + max of 10. This is turned to a max of 20 for anyone in critical. + - rscadd: + Added Squirt Cider, which you can mix with water, tomato juice, and nutriment. + It's nutritious and healthy! + - tweak: Reskinning objects now shows their possible appearances in the chat box. deathride58: - - rscadd: Lights will now actually glow in the dark! + - rscadd: Lights will now actually glow in the dark! 2018-02-26: DaedalusGame: - - balance: livers don't unfail automatically every second life cycle you have to - get a new one or get some corazone stat - - balance: increased liver damage from alcohol significantly because apparently - your liver regenerates faster than you can chug unless you drink 100 liters - of bacchus blessing - - bugfix: fixed cyber livers thinking they should fail at half durability + - balance: + livers don't unfail automatically every second life cycle you have to + get a new one or get some corazone stat + - balance: + increased liver damage from alcohol significantly because apparently + your liver regenerates faster than you can chug unless you drink 100 liters + of bacchus blessing + - bugfix: fixed cyber livers thinking they should fail at half durability MMMiracles: - - rscadd: Added tinfoil hats, headgear that can help protect against government - conspiracies and extra-terrestrials. Found in hacked autolathes. + - rscadd: + Added tinfoil hats, headgear that can help protect against government + conspiracies and extra-terrestrials. Found in hacked autolathes. Robustin: - - bugfix: Twisted Construction will now consume ALL available plasteel in a stack. - - bugfix: Runes will no longer count the original invoker more than once. + - bugfix: Twisted Construction will now consume ALL available plasteel in a stack. + - bugfix: Runes will no longer count the original invoker more than once. XDTM: - - balance: Wizard spells and items can now be resisted/ignored with anti-magic items/clothing - such as null rods! - - balance: Revenant spells can now be resisted with "holy" items like null rods - and bibles. - - balance: Wizard hardsuits are now magic immune, but not holy. - - balance: Immortality Talismans now grant both spell and holy immunity. - - tweak: Inquisitor Hardsuits already granted spell and holy immunity, but now they - do it properly instead of having a null rod embedded inside. - - tweak: Holy Melons now grant holy immunity. - - tweak: Operating computers now display the chemicals required to complete a surgery - step, if there are any. - - tweak: Completing a surgery without the required chems will always result in failure, - instead of a success with no effect. - - balance: You can no longer gain the same trauma more than once. - - balance: 'You can no longer gain more than a certain amount of brain traumas per - resilience tier. (Example: You cannot gain 4 mild traumas, but you can gain - 3 mild and 1 severe)' - - tweak: Abductors' trauma gland now gives traumas of random resilience, instead - of lobotomy every time. + - balance: + Wizard spells and items can now be resisted/ignored with anti-magic items/clothing + such as null rods! + - balance: + Revenant spells can now be resisted with "holy" items like null rods + and bibles. + - balance: Wizard hardsuits are now magic immune, but not holy. + - balance: Immortality Talismans now grant both spell and holy immunity. + - tweak: + Inquisitor Hardsuits already granted spell and holy immunity, but now they + do it properly instead of having a null rod embedded inside. + - tweak: Holy Melons now grant holy immunity. + - tweak: + Operating computers now display the chemicals required to complete a surgery + step, if there are any. + - tweak: + Completing a surgery without the required chems will always result in failure, + instead of a success with no effect. + - balance: You can no longer gain the same trauma more than once. + - balance: + "You can no longer gain more than a certain amount of brain traumas per + resilience tier. (Example: You cannot gain 4 mild traumas, but you can gain + 3 mild and 1 severe)" + - tweak: + Abductors' trauma gland now gives traumas of random resilience, instead + of lobotomy every time. Xhuis: - - balance: Instead of starting unable to clone circuits at all, circuit printers - can now print circuits over time from roundstart. The formula for this is equal - to (metal cost / 150) seconds, with a maximum of 3 minutes. You can see printing - progress by using the printer's interface, and you can print normal components - during this time. - - balance: If circuit printing is disabled in the config, cloning remains unavailable. - - balance: The upgrade disk to allow circuit printers to clone circuits has been - replaced with an upgrade disk to make circuit cloning instant. - - balance: Both circuit printer upgrade disks now cost 5000 metal and glass, down - from 10000. - - code_imp: Butchering has been refactored. - - balance: Some items now take longer to butcher, and have a chance to harvest fewer - items, like spears. Others, however, are faster, like circular saws. - - balance: Certain creatures will always drop certain items on butchering, regardless - of butchering effectiveness or chances. - - balance: Items that are very effective at butchering may yield bonus loot from - butchered creatures! - - rscadd: Plain hamburgers may now spawn as steamed hams with a very low chance. + - balance: + Instead of starting unable to clone circuits at all, circuit printers + can now print circuits over time from roundstart. The formula for this is equal + to (metal cost / 150) seconds, with a maximum of 3 minutes. You can see printing + progress by using the printer's interface, and you can print normal components + during this time. + - balance: If circuit printing is disabled in the config, cloning remains unavailable. + - balance: + The upgrade disk to allow circuit printers to clone circuits has been + replaced with an upgrade disk to make circuit cloning instant. + - balance: + Both circuit printer upgrade disks now cost 5000 metal and glass, down + from 10000. + - code_imp: Butchering has been refactored. + - balance: + Some items now take longer to butcher, and have a chance to harvest fewer + items, like spears. Others, however, are faster, like circular saws. + - balance: + Certain creatures will always drop certain items on butchering, regardless + of butchering effectiveness or chances. + - balance: + Items that are very effective at butchering may yield bonus loot from + butchered creatures! + - rscadd: Plain hamburgers may now spawn as steamed hams with a very low chance. 2018-02-27: Astral: - - rscadd: blood cultists can now use a nar nar plushie as an extra invoker for runes! + - rscadd: blood cultists can now use a nar nar plushie as an extra invoker for runes! Iamgoofball: - - rscadd: Look sir, free crabs! + - rscadd: Look sir, free crabs! Poojawa: - - rscadd: Tesla Corona Analyzers! Study the seemingly magic Edison's Bane for supplemental - research points! + - rscadd: + Tesla Corona Analyzers! Study the seemingly magic Edison's Bane for supplemental + research points! Robustin: - - bugfix: The heart attack event will now actually make the victim acquire the heart - disease - - bugfix: Clicking the chatbox link will let you orbit the victim - - tweak: The event is now significantly more sensitive to junk food. Recent consumption - of multiple junk food items will triple your chances of having a heart attack - (exercise will still block it). + - bugfix: + The heart attack event will now actually make the victim acquire the heart + disease + - bugfix: Clicking the chatbox link will let you orbit the victim + - tweak: + The event is now significantly more sensitive to junk food. Recent consumption + of multiple junk food items will triple your chances of having a heart attack + (exercise will still block it). selea: - - bugfix: fixed floorbot - - bugfix: fixed cleanbot - - refactor: improved pathiding in case of given minimal distance;improved sanitation + - bugfix: fixed floorbot + - bugfix: fixed cleanbot + - refactor: improved pathiding in case of given minimal distance;improved sanitation 2018-03-02: AlexTheSysop: - - bugfix: C4 logging now shows correct location + - bugfix: C4 logging now shows correct location Astral: - - imageadd: Space is now prettier + - imageadd: Space is now prettier DaedalusGame: - - tweak: Machines can now be constructed anchored or unanchored, if the resultant - machine could be unanchored. + - tweak: + Machines can now be constructed anchored or unanchored, if the resultant + machine could be unanchored. Dax Dupont: - - rscadd: Medals now show the commendation text in the description. + - rscadd: Medals now show the commendation text in the description. Denton: - - tweak: Cargo packs have been grouped and sorted alphabetically. Station goal crates - are now in the Engineering section. - - tweak: The cargo security section has been split into security/armory. - - tweak: Grouped all gas canisters and fuel/water tanks together in one section - with raw materials. - - spellcheck: Fixed a few cargo pack descriptions. - - tweak: Cyclelinked three airlock pairs on Boxstation (port bow solars and the - area that connects RnD with medical). + - tweak: + Cargo packs have been grouped and sorted alphabetically. Station goal crates + are now in the Engineering section. + - tweak: The cargo security section has been split into security/armory. + - tweak: + Grouped all gas canisters and fuel/water tanks together in one section + with raw materials. + - spellcheck: Fixed a few cargo pack descriptions. + - tweak: + Cyclelinked three airlock pairs on Boxstation (port bow solars and the + area that connects RnD with medical). Improvedname: - - bugfix: chem implants can no longer be self triggered + - bugfix: chem implants can no longer be self triggered Jittai / ChuckTheSheep: - - imageadd: New chemdispenser (and minidispenser) sprites. - - imageadd: New soda/beer dispenser sprites, with directional states. + - imageadd: New chemdispenser (and minidispenser) sprites. + - imageadd: New soda/beer dispenser sprites, with directional states. Mey-Ha-Zah: - - imageadd: Heck suit sprites are prettier, with more contrast. + - imageadd: Heck suit sprites are prettier, with more contrast. MoreRobustThanYou: - - bugfix: SCP-294 should no longer have overlay problems + - bugfix: SCP-294 should no longer have overlay problems Naksu: - - rscdel: SNPCs have been removed. + - rscdel: SNPCs have been removed. Poojawa: - - bugfix: Cyborg defib units are now actually functional + - bugfix: Cyborg defib units are now actually functional XDTM: - - tweak: Bath Salts now induce psychotic rage, but cause much more brain damage. + - tweak: Bath Salts now induce psychotic rage, but cause much more brain damage. Xhuis: - - rscadd: Traits! You can now select up to three positive, negative, and neutral - traits in the character setup. You can choose up to six traits based on combinations - varying by the amount of points you earn with negative traits and spend with - positive ones. - - rscadd: You can now splash metal sheets with copper to make bronze sheets, which - you can make "clockwork" things out of. + - rscadd: + Traits! You can now select up to three positive, negative, and neutral + traits in the character setup. You can choose up to six traits based on combinations + varying by the amount of points you earn with negative traits and spend with + positive ones. + - rscadd: + You can now splash metal sheets with copper to make bronze sheets, which + you can make "clockwork" things out of. YPOQ: - - bugfix: The assault pod can be launched again. + - bugfix: The assault pod can be launched again. uraniummeltdown: - - rscadd: The chatbar now has OOC and Me buttons - - tweak: The chatbar font-size is smaller + - rscadd: The chatbar now has OOC and Me buttons + - tweak: The chatbar font-size is smaller 2018-03-03: Cebutris: - - bugfix: Washing a glove with a white crayon will make it look like a white glove, - instead of a latex glove. Instead, mime crayons make gloves look latex + - bugfix: + Washing a glove with a white crayon will make it look like a white glove, + instead of a latex glove. Instead, mime crayons make gloves look latex Denton: - - bugfix: Burglar alarms in the Pubbystation library and RD office can now be disabled - properly. - - bugfix: Fixed Pubbystation's RD office shutters. - - rscadd: Added missing engineering and kitchen lockdown shutters on Pubbystation. - - rscadd: 'Pubbystation: Added privacy shutters to the CMO and RD offices. Added - space shutters to the HoS office. Replaced the RD office''s directional windows - with fulltile ones.' - - rscadd: Added a second blast door to the Pubbystation gulag shuttle lockdown. - - tweak: Due to pressure from the space OSHA, Pubbystation has installed missing - fire alarms and firelocks. - - tweak: Split the Pubbystation library into two areas with their own APCs. + - bugfix: + Burglar alarms in the Pubbystation library and RD office can now be disabled + properly. + - bugfix: Fixed Pubbystation's RD office shutters. + - rscadd: Added missing engineering and kitchen lockdown shutters on Pubbystation. + - rscadd: + "Pubbystation: Added privacy shutters to the CMO and RD offices. Added + space shutters to the HoS office. Replaced the RD office's directional windows + with fulltile ones." + - rscadd: Added a second blast door to the Pubbystation gulag shuttle lockdown. + - tweak: + Due to pressure from the space OSHA, Pubbystation has installed missing + fire alarms and firelocks. + - tweak: Split the Pubbystation library into two areas with their own APCs. Naksu: - - admin: Admins can now easily spawn cargo crates - - admin: Admins can now toggle antag, med, sci, engineering huds and maximum ghost - brightness with just one button. + - admin: Admins can now easily spawn cargo crates + - admin: + Admins can now toggle antag, med, sci, engineering huds and maximum ghost + brightness with just one button. Robustin: - - balance: Meth now deals 1-4 brain damage while active, up from 0.25 + - balance: Meth now deals 1-4 brain damage while active, up from 0.25 Selea: - - balance: reduce CD of all non manipulative non list output circuits to 0.1 - - balance: add to locomotion circuit output ref with object, which assembly was - bumped to. - - balance: upgrade disks have multiuse. balance:iducer efficiency= efficiency/number - of inducers on 1 tile. - - balance: unnerf fuel cell.about 3-5 times.Make blood more powerful. + - balance: reduce CD of all non manipulative non list output circuits to 0.1 + - balance: + add to locomotion circuit output ref with object, which assembly was + bumped to. + - balance: + upgrade disks have multiuse. balance:iducer efficiency= efficiency/number + of inducers on 1 tile. + - balance: unnerf fuel cell.about 3-5 times.Make blood more powerful. ShizCalev: - - rscadd: You can now hotswap tanks in a canister or gas pump by clicking it with - a new tank! - - rscadd: You can now also close a canister's valve and remove the tank inside it - by alt-clicking it. + - rscadd: + You can now hotswap tanks in a canister or gas pump by clicking it with + a new tank! + - rscadd: + You can now also close a canister's valve and remove the tank inside it + by alt-clicking it. 2018-03-04: DaedalusGame: - - balance: changed the formula of liver damage so weak alcohol does barely anything - while strong alcohol is still threatening + - balance: + changed the formula of liver damage so weak alcohol does barely anything + while strong alcohol is still threatening Iamgoofball: - - bugfix: RIP Billy, you'll be the boss of heaven's gym now :( + - bugfix: RIP Billy, you'll be the boss of heaven's gym now :( Jalleo: - - admin: Added a cancel button to nuke timer (and others). You no longer have to - make it 0 just a click to cancel. - - admin: You can now easily set how many "INSERT JOB ROLE HERE" you want in the - manage job selection in the admin panel. If you put zero in it will set it to - the current amount of filled positions. - - bugfix: moved a small amount of wording around in a admin browser to make it cleaner - looking. Along with a few updated checks for certain things. + - admin: + Added a cancel button to nuke timer (and others). You no longer have to + make it 0 just a click to cancel. + - admin: + You can now easily set how many "INSERT JOB ROLE HERE" you want in the + manage job selection in the admin panel. If you put zero in it will set it to + the current amount of filled positions. + - bugfix: + moved a small amount of wording around in a admin browser to make it cleaner + looking. Along with a few updated checks for certain things. Naksu: - - code_imp: First pass on cleaning up junk defines and unused code + - code_imp: First pass on cleaning up junk defines and unused code RandomMarine: - - rscdel: The ore redemption machine no longer has 'release all' buttons. Remember - to take just what you need and leave some for the other departments. + - rscdel: + The ore redemption machine no longer has 'release all' buttons. Remember + to take just what you need and leave some for the other departments. 2018-03-05: 81Denton: - - tweak: 'Deltastation: Removed a windoor to make the northern chemistry fridge - more accessible.' + - tweak: + "Deltastation: Removed a windoor to make the northern chemistry fridge + more accessible." Cruix: - - rscadd: Added a new mini antagonist, the sentient disease. + - rscadd: Added a new mini antagonist, the sentient disease. DaedalusGame: - - bugfix: Fixes the auxbase camera console not placing airlocks on fans but doing - so vice-versa + - bugfix: + Fixes the auxbase camera console not placing airlocks on fans but doing + so vice-versa Dax Dupont: - - balance: Others can now take off your tinfoil hat as seemingly originally intended. - - balance: Due to the nature of tinfoil hats, the delay of putting a tinfoil hat - on unwilling participants has been increased. + - balance: Others can now take off your tinfoil hat as seemingly originally intended. + - balance: + Due to the nature of tinfoil hats, the delay of putting a tinfoil hat + on unwilling participants has been increased. Denton: - - bugfix: 'Pubbystation: Added a missing APC to the cargo sorting room, a light - fixture to the RnD security checkpoint and removed an overlooked firelock east - of the bridge.' - - rscadd: 'Pubbystation: Added a spare RPD to the Atmospherics department. Replaced - Engineering''s outdated meson goggles with modern engineering scanners. Added - a GPS device to the secure storage crate.' - - tweak: Moved Pubbystation's drone shell dispenser from the experimentation lab - to Robotics maint. + - bugfix: + "Pubbystation: Added a missing APC to the cargo sorting room, a light + fixture to the RnD security checkpoint and removed an overlooked firelock east + of the bridge." + - rscadd: + "Pubbystation: Added a spare RPD to the Atmospherics department. Replaced + Engineering's outdated meson goggles with modern engineering scanners. Added + a GPS device to the secure storage crate." + - tweak: + Moved Pubbystation's drone shell dispenser from the experimentation lab + to Robotics maint. Jittai / ChuckTheSheep: - - tweak: Adjusted the space parallax's contrast to be less vibrant. + - tweak: Adjusted the space parallax's contrast to be less vibrant. Naksu: - - rscadd: Advanced roasting sticks, a product of applied bluespace research can - now be built from service protolathes. They can be used to cook sausages on - campfires, supermatter engines, tesla balls, singularities and a couple of other - things. - - admin: Admins can now grant spells via implants, using the spell implant. Some - VV is required. + - rscadd: + Advanced roasting sticks, a product of applied bluespace research can + now be built from service protolathes. They can be used to cook sausages on + campfires, supermatter engines, tesla balls, singularities and a couple of other + things. + - admin: + Admins can now grant spells via implants, using the spell implant. Some + VV is required. Potato Masher: - - bugfix: The Wizard Federation has finally modified their production method for - pre-packaged magic tarot cards for better compatibility with time-stopping spells. - Guardians Spirits are no longer frozen by their user's time-stops. + - bugfix: + The Wizard Federation has finally modified their production method for + pre-packaged magic tarot cards for better compatibility with time-stopping spells. + Guardians Spirits are no longer frozen by their user's time-stops. SpaceManiac: - - bugfix: Night shift no longer ignores rooms whose APCs are in port or starboard - central maintenance. - - bugfix: Inserting brains into MMIs and then into mechs now works again. + - bugfix: + Night shift no longer ignores rooms whose APCs are in port or starboard + central maintenance. + - bugfix: Inserting brains into MMIs and then into mechs now works again. 2018-03-06: MrDoomBringer: - - tweak: Advances in Rapid Delivery Technology have yielded a reduced premium on - express cargo orders! Orders from the express console now have a cost multiplier - of 1, down from 2. + - tweak: + Advances in Rapid Delivery Technology have yielded a reduced premium on + express cargo orders! Orders from the express console now have a cost multiplier + of 1, down from 2. MrStonedOne: - - bugfix: gas overlays once again no longer steal clicks - - rscdel: 511 clients will be unable to see gases once again. the 512 client crashes - are fixed so this shouldn't be that big of a deal. + - bugfix: gas overlays once again no longer steal clicks + - rscdel: + 511 clients will be unable to see gases once again. the 512 client crashes + are fixed so this shouldn't be that big of a deal. Naksu: - - admin: Admins can now easily spawn mobs that look like objects. Googly eyes optional! + - admin: Admins can now easily spawn mobs that look like objects. Googly eyes optional! XDTM: - - rscadd: Revenants now have randomly generated names. + - rscadd: Revenants now have randomly generated names. Xhuis: - - code_imp: Traits are now assigned in a way that should cause fewer edge cases - and strangeness. - - bugfix: Night Vision should now work. - - bugfix: Traits no longer tick while dead. - - tweak: RDS now triggers twice as often. - - tweak: You can now modify your trait setup mid-round. Your character is locked - to the traits you had selected when you spawned in, though. + - code_imp: + Traits are now assigned in a way that should cause fewer edge cases + and strangeness. + - bugfix: Night Vision should now work. + - bugfix: Traits no longer tick while dead. + - tweak: RDS now triggers twice as often. + - tweak: + You can now modify your trait setup mid-round. Your character is locked + to the traits you had selected when you spawned in, though. selea: - - bugfix: After several months of natural selection, hostile mobs started to attack - assemblies with combat circuits. + - bugfix: + After several months of natural selection, hostile mobs started to attack + assemblies with combat circuits. 2018-03-08: ACCount: - - rscadd: Station airlocks now support NTNet remote control. Door remotes now use - NTNet. - - rscadd: Don't worry, any non-public airlock is fully protected from unauthorized - control attempts by NTNet PassKey system! - - rscadd: 'New integrated circuit component: card reader. Use it to read PassKeys - from ID cards.' - - bugfix: Fixes a delay issue when airlocks are being opened/closed by signalers. + - rscadd: + Station airlocks now support NTNet remote control. Door remotes now use + NTNet. + - rscadd: + Don't worry, any non-public airlock is fully protected from unauthorized + control attempts by NTNet PassKey system! + - rscadd: + "New integrated circuit component: card reader. Use it to read PassKeys + from ID cards." + - bugfix: Fixes a delay issue when airlocks are being opened/closed by signalers. Astral: - - bugfix: Lighting fixtures should no longer be visible in camera-less areas by - cameras. - - rscadd: Ghosts can now examine sentient diseases to see info + - bugfix: + Lighting fixtures should no longer be visible in camera-less areas by + cameras. + - rscadd: Ghosts can now examine sentient diseases to see info CameronWoof & MrDoomBringer: - - rscadd: Adds medical sprays, a new application method for touch chems - - rscadd: Pre-loaded medical sprays can be obtained from NanoMeds - - rscadd: Empty medical sprays can be found in boxes in chemistry and from cargo's - medical crate - - tweak: Sterilizer spray has been migrated to be a medspray instead of being a - spray bottle + - rscadd: Adds medical sprays, a new application method for touch chems + - rscadd: Pre-loaded medical sprays can be obtained from NanoMeds + - rscadd: + Empty medical sprays can be found in boxes in chemistry and from cargo's + medical crate + - tweak: + Sterilizer spray has been migrated to be a medspray instead of being a + spray bottle Cebutris: - - spellcheck: lithenessk -> litheness + - spellcheck: lithenessk -> litheness Cruix: - - rscadd: Sentient diseases now get two minutes to select an initial host before - being assigned a random one. + - rscadd: + Sentient diseases now get two minutes to select an initial host before + being assigned a random one. Dax Dupont: - - rscadd: Beacons can now be toggled on and off. - - rscadd: Mappers can now have beacons that default to off. Useful for ruins! - - tweak: Renaming replaces the snowflake locator frequency/code - - refactor: Beacons are no longer radios. Why were they radios in the first place? - I don't know. - - bugfix: You can now lay meters again with the RPD. + - rscadd: Beacons can now be toggled on and off. + - rscadd: Mappers can now have beacons that default to off. Useful for ruins! + - tweak: Renaming replaces the snowflake locator frequency/code + - refactor: + Beacons are no longer radios. Why were they radios in the first place? + I don't know. + - bugfix: You can now lay meters again with the RPD. Denton: - - rscadd: Pubbystation's RnD department has been outfitted with a brand new circuitry - lab! It is found east of the Toxins launch room. + - rscadd: + Pubbystation's RnD department has been outfitted with a brand new circuitry + lab! It is found east of the Toxins launch room. Floyd / Qustinnus (Sprites by Ausops, Some moodlets by Ike709): - - rscadd: Adds mood, which can be found by clicking on the face icon on your screen. - - rscadd: Adds various moodlets which affect your mood. Try eating your favourite - food, playing an arcade game, reading a book, or petting a doggo to increase - your moo. Also be sure to take care of your hunger on a regular basis, like - always. - - rscadd: Adds config option to disable/enable mood. - - rscadd: 'Indoor area''s now have a beauty var defined by the amount of cleanables - in them, (We can later expand this to something like rimworld, where structures - could make rooms more beautiful). These also affect mood. (Janitor now has gameplay - purpose besides slipping and removing useless decals) remove: Removes hunger - slowdown, replacing it with slowdown by being depressed' - - imageadd: Icons for mood states and depression states + - rscadd: Adds mood, which can be found by clicking on the face icon on your screen. + - rscadd: + Adds various moodlets which affect your mood. Try eating your favourite + food, playing an arcade game, reading a book, or petting a doggo to increase + your moo. Also be sure to take care of your hunger on a regular basis, like + always. + - rscadd: Adds config option to disable/enable mood. + - rscadd: + "Indoor area's now have a beauty var defined by the amount of cleanables + in them, (We can later expand this to something like rimworld, where structures + could make rooms more beautiful). These also affect mood. (Janitor now has gameplay + purpose besides slipping and removing useless decals) remove: Removes hunger + slowdown, replacing it with slowdown by being depressed" + - imageadd: Icons for mood states and depression states MMMiracles: - - tweak: Thirteen Loko now has an overdose threshold of 60u, see your local CMO - for potential side-effects. + - tweak: + Thirteen Loko now has an overdose threshold of 60u, see your local CMO + for potential side-effects. MrDoomBringer: - - tweak: Emagging the emergency shuttle now fries the on-board acceleration governor. - Better buckle up! + - tweak: + Emagging the emergency shuttle now fries the on-board acceleration governor. + Better buckle up! Naksu: - - balance: The nuclear authentication disk no longer treats the transit space as - a whole as being "in bounds", but instead checks whether it is in an approved - shuttle type (syndicate shuttles, escape shuttles, pubbiestation's monastery - shuttle, escape pods are allowed) - - bugfix: Blueprints can no longer be used to create areas inside shuttles. This - fixes various exploits involving shuttles and areas. - - bugfix: Moving across a space z-level border can no longer place you inside a - shuttle or a dense turf such as an asteroid. + - balance: + The nuclear authentication disk no longer treats the transit space as + a whole as being "in bounds", but instead checks whether it is in an approved + shuttle type (syndicate shuttles, escape shuttles, pubbiestation's monastery + shuttle, escape pods are allowed) + - bugfix: + Blueprints can no longer be used to create areas inside shuttles. This + fixes various exploits involving shuttles and areas. + - bugfix: + Moving across a space z-level border can no longer place you inside a + shuttle or a dense turf such as an asteroid. SpaceManiac: - - bugfix: The Shift Duration in the round-end report is no longer blank in rounds - lasting between one and two hours. + - bugfix: + The Shift Duration in the round-end report is no longer blank in rounds + lasting between one and two hours. kevinz000: - - rscadd: smoke machines can now be printed after researching adv biotech + - rscadd: smoke machines can now be printed after researching adv biotech 2018-03-09: Dax Dupont: - - rscadd: Display cases can now have a list where to randomly spawn items from. - - refactor: Moved plaque code to main type. - - refactor: Statues now use default unwrench and the tool interaction is now completely - non existent when no deconstruct flag is available. + - rscadd: Display cases can now have a list where to randomly spawn items from. + - refactor: Moved plaque code to main type. + - refactor: + Statues now use default unwrench and the tool interaction is now completely + non existent when no deconstruct flag is available. Mark9013100: - - rscadd: Pill bottles can now be produced in the autolathe. + - rscadd: Pill bottles can now be produced in the autolathe. Naksu: - - balance: The white ship and miscellaneous caravan ships lose their advanced place-anywhere - shuttle movement during war ops. - - tweak: The smoke machine can now be deconstructed using a screwdriver and a crowbar - - code_imp: The smoke machine no longer calls update_icon every process() + - balance: + The white ship and miscellaneous caravan ships lose their advanced place-anywhere + shuttle movement during war ops. + - tweak: The smoke machine can now be deconstructed using a screwdriver and a crowbar + - code_imp: The smoke machine no longer calls update_icon every process() Robustin: - - balance: Harvesters now have 40hp, from 60. - - tweak: The nuke will now detonate 2 minutes after Nar'sie is summoned, down from - 2.5 minutes - - tweak: The "ARM" ending now requires 75% of the remaining souls aboard to be sacrificed - before the nuke goes off, up from 60%. - - bugfix: Drones can no longer be on the sacrifice list - - bugfix: Bloodsense will now show the true name of the target + - balance: Harvesters now have 40hp, from 60. + - tweak: + The nuke will now detonate 2 minutes after Nar'sie is summoned, down from + 2.5 minutes + - tweak: + The "ARM" ending now requires 75% of the remaining souls aboard to be sacrificed + before the nuke goes off, up from 60%. + - bugfix: Drones can no longer be on the sacrifice list + - bugfix: Bloodsense will now show the true name of the target 2018-03-10: 81Denton: - - tweak: Added wall safes to Deltastation's HoP and Captain's offices. + - tweak: Added wall safes to Deltastation's HoP and Captain's offices. Astral: - - bugfix: Constructed turbines will now properly connect to the powernet + - bugfix: Constructed turbines will now properly connect to the powernet Cobby: - - tweak: The Eminence scoffs at your "consecrated" tiles once the Justicar is freed - from his imprisonment. + - tweak: + The Eminence scoffs at your "consecrated" tiles once the Justicar is freed + from his imprisonment. Denton: - - rscadd: Engi-Vend machines now have welding goggles available. - - tweak: Grouped Nano-Med/Engi-Vend items by category. + - rscadd: Engi-Vend machines now have welding goggles available. + - tweak: Grouped Nano-Med/Engi-Vend items by category. Irafas: - - rscadd: Turrets can be set to shoot personnel without loyalty implants + - rscadd: Turrets can be set to shoot personnel without loyalty implants Naksu: - - rscdel: The smoke machine can no longer be found in chemistry departments, instead - it must be constructed manually. The board was added to techwebs earlier. + - rscdel: + The smoke machine can no longer be found in chemistry departments, instead + it must be constructed manually. The board was added to techwebs earlier. Singularbyte: - - bugfix: Dead bodies no longer freak out about phobias - 'The Dreamweaver (Sprites: Onule)': - - rscdel: Nanotrasen's Lavaland research team has discovered that the alien brain - has disappeared from necropolis chests. - - rscadd: In it's place they have discovered a new artifact, the Rod of Asclepius, - a strange rod with a magnitude of healing properties, and an even higher magnitude - of responsibility... + - bugfix: Dead bodies no longer freak out about phobias + "The Dreamweaver (Sprites: Onule)": + - rscdel: + Nanotrasen's Lavaland research team has discovered that the alien brain + has disappeared from necropolis chests. + - rscadd: + In it's place they have discovered a new artifact, the Rod of Asclepius, + a strange rod with a magnitude of healing properties, and an even higher magnitude + of responsibility... XDTM: - - rscadd: You can now place people on tables on Help Intent. Doing so takes a few - seconds and makes the target Rest, instead of stunning them. + - rscadd: + You can now place people on tables on Help Intent. Doing so takes a few + seconds and makes the target Rest, instead of stunning them. Xhuis: - - bugfix: Circuit slow-cloning no longer breaks with some circuits. - - code_imp: Circuit slow-cloning is now cleaner. + - bugfix: Circuit slow-cloning no longer breaks with some circuits. + - code_imp: Circuit slow-cloning is now cleaner. kevinz000: - - rscadd: Oh hey guys, RND shows correct material values now, don't hurt me! + - rscadd: Oh hey guys, RND shows correct material values now, don't hurt me! ninjanomnom: - - bugfix: Blowing up the wrong part of the shuttle should no longer result in the - shuttle being permanently broken. + - bugfix: + Blowing up the wrong part of the shuttle should no longer result in the + shuttle being permanently broken. 2018-03-11: Buggy123: - - tweak: The Clockwork Justicar has decided to be merciful, and allow nonbelievers - to anchor their petty machines in his city. It's only fair for them to have - a fighting chance, after all. + - tweak: + The Clockwork Justicar has decided to be merciful, and allow nonbelievers + to anchor their petty machines in his city. It's only fair for them to have + a fighting chance, after all. Irafas: - - bugfix: Fixed pacifists from being able to fire mech weapons + - bugfix: Fixed pacifists from being able to fire mech weapons JJRcop: - - bugfix: Sanity checks for Play Internet Sound + - bugfix: Sanity checks for Play Internet Sound MrDoomBringer: - - rscadd: Orderable supplies in cargo now all have descriptions! The station's overall - FLAVORFUL_TEXT stat has gone up by nearly 2% as a result. + - rscadd: + Orderable supplies in cargo now all have descriptions! The station's overall + FLAVORFUL_TEXT stat has gone up by nearly 2% as a result. Onule: - - tweak: Mining drones have been given a visual makeover! + - tweak: Mining drones have been given a visual makeover! Poojawa: - - imageadd: Redded borg transformation animations - - imageadd: adjust mining borg animation to new colors. + - imageadd: Redded borg transformation animations + - imageadd: adjust mining borg animation to new colors. Xhuis: - - rscadd: The Nanotrasen Meteorology Division has identified the aurora caelus in - your sector. If you are lucky, you may get a chance to witness it with your - own eyes. + - rscadd: + The Nanotrasen Meteorology Division has identified the aurora caelus in + your sector. If you are lucky, you may get a chance to witness it with your + own eyes. ninjanomnom: - - admin: The debug message for generic shuttle errors is improved a little - - bugfix: Custom shuttles being too close to the map edge was causing problems, - you must now be at least 10 tiles away. + - admin: The debug message for generic shuttle errors is improved a little + - bugfix: + Custom shuttles being too close to the map edge was causing problems, + you must now be at least 10 tiles away. 2018-03-12: Naksu: - - balance: The space cleaner spray bottle is now much more efficient and uses much - less space cleaner per spray. The amount of cleaner it can hold has been adjusted - to compensate. - - bugfix: internet sounds can be stopped again + - balance: + The space cleaner spray bottle is now much more efficient and uses much + less space cleaner per spray. The amount of cleaner it can hold has been adjusted + to compensate. + - bugfix: internet sounds can be stopped again Robustin: - - bugfix: One-man conversions are actually fixed this time - excess chanters var - removed for a more readable and maintainable rune code. - - bugfix: Runes should no longer become GIANT if spammed (credit to Joan for this - fix). - - bugfix: Pylons are no longer a source of infinite rods. - - tweak: Attempting conversion without 2 cultists present will give a more helpful - warning. - - tweak: You can no longer convert braindead individuals. - - balance: Cult doors will no longer lose power but also cannot shock people, brittle - cult doors have 30 less integrity. Therefore ordinary crew can now beat cult - airlocks open without frying themselves. - - balance: Blood magic now costs slightly more blood and takes slightly more time, - the stun spell now stuns for 2 less seconds, twisted construction now costs - 10 health, and the blood rite relics (halberd, bolts, beam) are all 50-100 charges - cheaper. - - balance: The deconversion time for holy water is slightly reduced, 10 units and - 45 seconds (give or take), is all you should need now. Blood cultists can now - have seizures while afflicted with holy water. - - balance: Shades are now slower and have a modest reduction to their damage and - health. + - bugfix: + One-man conversions are actually fixed this time - excess chanters var + removed for a more readable and maintainable rune code. + - bugfix: + Runes should no longer become GIANT if spammed (credit to Joan for this + fix). + - bugfix: Pylons are no longer a source of infinite rods. + - tweak: + Attempting conversion without 2 cultists present will give a more helpful + warning. + - tweak: You can no longer convert braindead individuals. + - balance: + Cult doors will no longer lose power but also cannot shock people, brittle + cult doors have 30 less integrity. Therefore ordinary crew can now beat cult + airlocks open without frying themselves. + - balance: + Blood magic now costs slightly more blood and takes slightly more time, + the stun spell now stuns for 2 less seconds, twisted construction now costs + 10 health, and the blood rite relics (halberd, bolts, beam) are all 50-100 charges + cheaper. + - balance: + The deconversion time for holy water is slightly reduced, 10 units and + 45 seconds (give or take), is all you should need now. Blood cultists can now + have seizures while afflicted with holy water. + - balance: + Shades are now slower and have a modest reduction to their damage and + health. 2018-03-13: Dennok: - - rscadd: Meters can be attached to the floor by screwdriver + - rscadd: Meters can be attached to the floor by screwdriver Denton: - - bugfix: The disposal bin in Pubbystation's main tool storage now works. - - tweak: Deleted a duplicate r-wall between Pubby's main tool storage and the captain's - office. Added a Metastation-style crate disposals chute and a light switch. - - tweak: Various belts can now hold additional job-specific items. - - tweak: Sepia floor tiles fly really slowly, yet far when thrown. Don't hit yourself! + - bugfix: The disposal bin in Pubbystation's main tool storage now works. + - tweak: + Deleted a duplicate r-wall between Pubby's main tool storage and the captain's + office. Added a Metastation-style crate disposals chute and a light switch. + - tweak: Various belts can now hold additional job-specific items. + - tweak: Sepia floor tiles fly really slowly, yet far when thrown. Don't hit yourself! Naksu: - - admin: ERT creation has been refactored to allow for easier customization and - deployment via templates and settings + - admin: + ERT creation has been refactored to allow for easier customization and + deployment via templates and settings Polyphynx: - - tweak: Medical sprays can now be stored in medical belts and smartfridges. + - tweak: Medical sprays can now be stored in medical belts and smartfridges. The Dreamweaver: - - rscadd: Both of Nanotrasen brand totally-for-adult-use footwear, Wheely-heels, - the cool and hip new shoes with built in roller-wheels, and Kindle Kicks, the - fun and flashy light up sneakers, are now available as rare prizes at your nearest - arcade machine! + - rscadd: + Both of Nanotrasen brand totally-for-adult-use footwear, Wheely-heels, + the cool and hip new shoes with built in roller-wheels, and Kindle Kicks, the + fun and flashy light up sneakers, are now available as rare prizes at your nearest + arcade machine! Toriate: - - rscadd: Added ammo counters for RCDs - - rscadd: Added actual flashing yellow light for RCDs - - imageadd: added new RCD sprites including inhands - - imagedel: deleted old RCD iconstate, but not the inhands + - rscadd: Added ammo counters for RCDs + - rscadd: Added actual flashing yellow light for RCDs + - imageadd: added new RCD sprites including inhands + - imagedel: deleted old RCD iconstate, but not the inhands checkraisefold: - - bugfix: Nukeops properly checks the required amount of enemies for the gamemode! - This should fix downstream problems. + - bugfix: + Nukeops properly checks the required amount of enemies for the gamemode! + This should fix downstream problems. imsxz: - - rscdel: the viral aggressive metabolism symptom has been removed + - rscdel: the viral aggressive metabolism symptom has been removed ninjanomnom: - - bugfix: You need to actually clear an area for the aux base, remove all walls - (except rock walls). + - bugfix: + You need to actually clear an area for the aux base, remove all walls + (except rock walls). 2018-03-16: Dax Dupont: - - tweak: 8balls take less time to shake. + - tweak: 8balls take less time to shake. Keekenox & Floyd / Qustinnus: - - imageadd: Adds a new Parallax layer that resembles Lavaland (Lava Planet), it - spawns on a random location near the station. You need your parallax on high - to see it. + - imageadd: + Adds a new Parallax layer that resembles Lavaland (Lava Planet), it + spawns on a random location near the station. You need your parallax on high + to see it. Shadowlight213: - - tweak: Roundstart or latejoin sec officers will like donuts regardless of race. + - tweak: Roundstart or latejoin sec officers will like donuts regardless of race. cacogen: - - tweak: Transit tubes take half as long to secure/unsecure + - tweak: Transit tubes take half as long to secure/unsecure 2018-03-17: AnturK: - - rscadd: Traitor AI's can now take manual control of turrets. + - rscadd: Traitor AI's can now take manual control of turrets. Cruix: - - bugfix: Sentient diseases will no longer lose points when a host is uninfected. + - bugfix: Sentient diseases will no longer lose points when a host is uninfected. Dax Dupont: - - bugfix: Edison's ghost no longer interferes with Tesla Corona Coil research device. + - bugfix: Edison's ghost no longer interferes with Tesla Corona Coil research device. Denton: - - tweak: Syndicate stormtroopers now rapid fire 10g slugs instead of buckshot. This - deals the same damage, but makes getting hit less laggy. - - rscadd: 'Pubbystation: Added protective grilles outside the circuitry lab. The - one with the big glass windows, right next to the bomb test site. Oops.' - - rscadd: 'Pubby: Added electrified grilles to the windows of the CMO/RD/CE offices, - as well as missing privacy shutters to the CE office.' - - rscadd: 'Pubby: There is now a very rare chance for a Xenomorph egg to appear - in the Xeno containment chamber at roundstart.' - - bugfix: 'Pubby: Fixed the name of the HoS space shutter button.' - - tweak: Updated a bunch of roundstart tips and added new ones. + - tweak: + Syndicate stormtroopers now rapid fire 10g slugs instead of buckshot. This + deals the same damage, but makes getting hit less laggy. + - rscadd: + "Pubbystation: Added protective grilles outside the circuitry lab. The + one with the big glass windows, right next to the bomb test site. Oops." + - rscadd: + "Pubby: Added electrified grilles to the windows of the CMO/RD/CE offices, + as well as missing privacy shutters to the CE office." + - rscadd: + "Pubby: There is now a very rare chance for a Xenomorph egg to appear + in the Xeno containment chamber at roundstart." + - bugfix: "Pubby: Fixed the name of the HoS space shutter button." + - tweak: Updated a bunch of roundstart tips and added new ones. Polyphynx: - - bugfix: Bluespace slime radio potions now work, and are no longer invisible. + - bugfix: Bluespace slime radio potions now work, and are no longer invisible. RandomMarine: - - bugfix: Did you know that you could buckle guys to grounding rods? Probably not - - not that it mattered before, because people buckled to them didn't get shocked - when they got zapped. That's fixed now. + - bugfix: + Did you know that you could buckle guys to grounding rods? Probably not + - not that it mattered before, because people buckled to them didn't get shocked + when they got zapped. That's fixed now. SpaceManiac: - - bugfix: Cameranet issues in OmegaStation's departures wing, crematorium, and freezer - have been corrected. + - bugfix: + Cameranet issues in OmegaStation's departures wing, crematorium, and freezer + have been corrected. The Dreamweaver: - - bugfix: Fixes duplication issue when the Rod of Asclepius is removed while lying - down, as well as fixing a runtime when attempting to use multiple rods. + - bugfix: + Fixes duplication issue when the Rod of Asclepius is removed while lying + down, as well as fixing a runtime when attempting to use multiple rods. XDTM: - - rscadd: 'Changed behaviour of mech drills: now they take some time to start drilling, - then they keep drilling until manually stopped or the target is destroyed. Mobs - are still gibbed if they have more than 200 brute damage while being drilled.' - - rscadd: Drilling walls is now consistent; it takes longer, but it will always - work instead of only randomly. - - tweak: Drills no longer stun mobs, but they can dismember limbs. - - bugfix: Mech drills no longer cause explosion-like effects on mobs inside objects. + - rscadd: + "Changed behaviour of mech drills: now they take some time to start drilling, + then they keep drilling until manually stopped or the target is destroyed. Mobs + are still gibbed if they have more than 200 brute damage while being drilled." + - rscadd: + Drilling walls is now consistent; it takes longer, but it will always + work instead of only randomly. + - tweak: Drills no longer stun mobs, but they can dismember limbs. + - bugfix: Mech drills no longer cause explosion-like effects on mobs inside objects. deathride58: - - bugfix: You can no longer push someone onto a table that's on the other side of - the station. + - bugfix: + You can no longer push someone onto a table that's on the other side of + the station. kevinz000: - - rscadd: Wet floors now get their duration decreased by 0.1 seconds per degree - above 0C the air temperature on it is, and instantly dry above 100C. Below 0C - they will freeze into ice and will not automatically dry. - - rscadd: Floors can now have different types of wet at the same time! Wet strength/type - is now a bitflag. + - rscadd: + Wet floors now get their duration decreased by 0.1 seconds per degree + above 0C the air temperature on it is, and instantly dry above 100C. Below 0C + they will freeze into ice and will not automatically dry. + - rscadd: + Floors can now have different types of wet at the same time! Wet strength/type + is now a bitflag. 2018-03-18: Davidj361: - - tweak: Made AI VOX sound files smaller sized - - bugfix: Fixed improperly pronounced AI VOX lines - - soundadd: Added a ton of new AI VOX sayings + - tweak: Made AI VOX sound files smaller sized + - bugfix: Fixed improperly pronounced AI VOX lines + - soundadd: Added a ton of new AI VOX sayings Floyd / Qustinnus: - - rscdel: Removes short-term effects of mood add; Adds long-term effects of mood - by implementing sanity which goes up with good mood, down with bad mood, but - takes time to change. Your sanity can be seen as your average mood in the recent - past. All effects of moods are now covered by this system - - rscadd: Beauty component, currently only attached to cleanables, but you could - attach it to any atom/movable and make them pretty/ugly, affecting mood of anyone - in the room. - - refactor: Removes the original way of adding mood events, uses signals properly - instead. - - bugfix: Cleanables "giving" area's free beauty during initialization - - bugfix: Fixes some events not clearing properly + - rscdel: + Removes short-term effects of mood add; Adds long-term effects of mood + by implementing sanity which goes up with good mood, down with bad mood, but + takes time to change. Your sanity can be seen as your average mood in the recent + past. All effects of moods are now covered by this system + - rscadd: + Beauty component, currently only attached to cleanables, but you could + attach it to any atom/movable and make them pretty/ugly, affecting mood of anyone + in the room. + - refactor: + Removes the original way of adding mood events, uses signals properly + instead. + - bugfix: Cleanables "giving" area's free beauty during initialization + - bugfix: Fixes some events not clearing properly Naksu: - - bugfix: Chem dispensers now show the correct amount of units they will vend (instead - of 1/10) - - balance: Chem dispensers can now be upgraded. Manipulators increase macro granularity, - matter bins increase power efficiency, cells increase power capacity, capacitors - increase recharge rate. - - balance: Chem dispensers can now be constructed - - rscdel: mini-chemdispensers are removed. + - bugfix: + Chem dispensers now show the correct amount of units they will vend (instead + of 1/10) + - balance: + Chem dispensers can now be upgraded. Manipulators increase macro granularity, + matter bins increase power efficiency, cells increase power capacity, capacitors + increase recharge rate. + - balance: Chem dispensers can now be constructed + - rscdel: mini-chemdispensers are removed. 2018-03-19: Anonmare: - - tweak: Spaceacillin is now useful in disease control + - tweak: Spaceacillin is now useful in disease control Denton: - - rscadd: It's suicide HoPline prevention week at Omegastation! - - rscadd: Navigation beacons and a brand-new Officer Beepsky unit have been installed. - This means that crewmembers can now use medibots, janibots and other bots as - well. - - rscadd: The atmospherics department has been outfitted with all missing gases - as well as an incinerator and a hardsuit. - - rscadd: The size of the botany and xenobiology departments have been increased - in order to increase productivity. The medbay O2 port has been moved so that - doctors can access the table next to it. - - rscadd: RnD now has circuitry tools; medbay has stethoscopes+wrench+beaker/pill - bottle boxes and primary tool storage has multitools. Enginers no longer have - to share a single pair of insulated gloves either. - - rscadd: Engineers now have access to an Engi-Vend vending machine as well as missing - tools like inducers. Circuitry storage has a smoke machine board and a solars - crate in case the engine blows up. - - tweak: Blueprints have been moved from the vault safe to secure storage in order - to speed up construction projects. - - bugfix: The AI sat transit tube now works! Turret controls can now be accessed - from the outside. The first two turrets now use the proper type of gun. The - telecomms air alarm will no longer report false alarms. - - bugfix: The main hallway's firelocks now no longer all close at once. - - bugfix: 'Pubbystation: The atmos mix tank and N2 filter should now work properly.' + - rscadd: It's suicide HoPline prevention week at Omegastation! + - rscadd: + Navigation beacons and a brand-new Officer Beepsky unit have been installed. + This means that crewmembers can now use medibots, janibots and other bots as + well. + - rscadd: + The atmospherics department has been outfitted with all missing gases + as well as an incinerator and a hardsuit. + - rscadd: + The size of the botany and xenobiology departments have been increased + in order to increase productivity. The medbay O2 port has been moved so that + doctors can access the table next to it. + - rscadd: + RnD now has circuitry tools; medbay has stethoscopes+wrench+beaker/pill + bottle boxes and primary tool storage has multitools. Enginers no longer have + to share a single pair of insulated gloves either. + - rscadd: + Engineers now have access to an Engi-Vend vending machine as well as missing + tools like inducers. Circuitry storage has a smoke machine board and a solars + crate in case the engine blows up. + - tweak: + Blueprints have been moved from the vault safe to secure storage in order + to speed up construction projects. + - bugfix: + The AI sat transit tube now works! Turret controls can now be accessed + from the outside. The first two turrets now use the proper type of gun. The + telecomms air alarm will no longer report false alarms. + - bugfix: The main hallway's firelocks now no longer all close at once. + - bugfix: "Pubbystation: The atmos mix tank and N2 filter should now work properly." SailorDave: - - bugfix: Crayons and spraycans can no longer draw an unlimited amount of large - graffiti regardless of uses left. + - bugfix: + Crayons and spraycans can no longer draw an unlimited amount of large + graffiti regardless of uses left. 2018-03-20: Denton: - - bugfix: At last, the Pubbystation auxillary base can be launched again. - - code_imp: Aux base/escape pod/assault pod/elevator docking ports now default to - timid = FALSE. + - bugfix: At last, the Pubbystation auxillary base can be launched again. + - code_imp: + Aux base/escape pod/assault pod/elevator docking ports now default to + timid = FALSE. Garen: - - rscadd: Added 4 new Icons to the diagnostic hud circuit status display that can - be set using the AR interface circuit. - - rscadd: now instead of seeing the yellow warning icon when a weapon is in the - circuit, the current status icon will just turn red. + - rscadd: + Added 4 new Icons to the diagnostic hud circuit status display that can + be set using the AR interface circuit. + - rscadd: + now instead of seeing the yellow warning icon when a weapon is in the + circuit, the current status icon will just turn red. Irafas: - - rscadd: Pacifists can now drill closets containing living beings + - rscadd: Pacifists can now drill closets containing living beings JStheguy: - - rscadd: Electronic assemblies can now have their casings colored using the new - assembly detailer, get yours at your nearest integrated circuit printer! - - rscadd: Added 2 new electronic assemblies, 2 new electronic mechanisms, and 3 - new electronic drones. - - rscadd: Added wall-mounted electronic assemblies in 3 sizes, simply slap it against - a wall to stick it up, and then anchor it in place with a wrench. - - imageadd: Added the new sprites for the new assemblies, and color-able overlays - for every assembly, to allow for the aforementioned coloring feature. - - tweak: Scanners can now scan power cells, circuitry tools, and integrated circuits, - assuming the player isn't able to use them normally. I.E. if the assembly is - closed. - - tweak: Using wrenches to anchor down assemblies now works for all assembly types - except drones, as opposed to just working for electronic machines. - - tweak: Examining an assembly now shows some text telling you what tools to use - to do what, like many other objects currently do. + - rscadd: + Electronic assemblies can now have their casings colored using the new + assembly detailer, get yours at your nearest integrated circuit printer! + - rscadd: + Added 2 new electronic assemblies, 2 new electronic mechanisms, and 3 + new electronic drones. + - rscadd: + Added wall-mounted electronic assemblies in 3 sizes, simply slap it against + a wall to stick it up, and then anchor it in place with a wrench. + - imageadd: + Added the new sprites for the new assemblies, and color-able overlays + for every assembly, to allow for the aforementioned coloring feature. + - tweak: + Scanners can now scan power cells, circuitry tools, and integrated circuits, + assuming the player isn't able to use them normally. I.E. if the assembly is + closed. + - tweak: + Using wrenches to anchor down assemblies now works for all assembly types + except drones, as opposed to just working for electronic machines. + - tweak: + Examining an assembly now shows some text telling you what tools to use + to do what, like many other objects currently do. Kor: - - code_imp: Jobs other than Assistant may now be assigned by admins or events as - the overflow role - - rscadd: April Fools now sets the overflow role as Clown. + - code_imp: + Jobs other than Assistant may now be assigned by admins or events as + the overflow role + - rscadd: April Fools now sets the overflow role as Clown. Naksu: - - admin: Rhumba beat is now more than renamed GBS - - tweak: Plastic is now a valid material for lathes - - rscadd: Added two new beaker types, 120u and 180u. The 120u beaker can be printed - off the medical protolathe with just glass and plastic, the 180u requires some - mining materials and tech. - - admin: Whether to open the armory doors when spawning an ERT is now controllable - from the ERT creation window. - - tweak: Chaplain inquisitor role now spawns with one holy hand grenade instead - of a box full of them, and the belt now has actually useful stones instead of - unusable cult stones + - admin: Rhumba beat is now more than renamed GBS + - tweak: Plastic is now a valid material for lathes + - rscadd: + Added two new beaker types, 120u and 180u. The 120u beaker can be printed + off the medical protolathe with just glass and plastic, the 180u requires some + mining materials and tech. + - admin: + Whether to open the armory doors when spawning an ERT is now controllable + from the ERT creation window. + - tweak: + Chaplain inquisitor role now spawns with one holy hand grenade instead + of a box full of them, and the belt now has actually useful stones instead of + unusable cult stones Polyphynx: - - tweak: The piano now sounds more like a piano! + - tweak: The piano now sounds more like a piano! Shadowlight213: - - bugfix: Malf hacked APCs can be broken with extinguishers and toolboxes again. + - bugfix: Malf hacked APCs can be broken with extinguishers and toolboxes again. TheDreamweaver: - - bugfix: Holodeck mobs that are given sentience via sentience potions are now warned - about the state of their existence. + - bugfix: + Holodeck mobs that are given sentience via sentience potions are now warned + about the state of their existence. 2018-03-21: BunnyBot5000: - - rscadd: Fringe Weaver drink - made with ethanol and sugar, it's classy (and slightly - weaker) hooch - - rscadd: Sugar Rush drink - made with sugar, lemon juice, and wine. It's got a - slight nutritional value but decreases your satiety, causing you to be unable - to consume junk food. - - rscadd: Crevice Spike drink - made with lime juice and hot sauce. A 'sobering' - drink, the Crevice Spike will reduce your drunkenness slightly but it kicks - hard going down, dealing 15 points of brute when first ingested. + - rscadd: + Fringe Weaver drink - made with ethanol and sugar, it's classy (and slightly + weaker) hooch + - rscadd: + Sugar Rush drink - made with sugar, lemon juice, and wine. It's got a + slight nutritional value but decreases your satiety, causing you to be unable + to consume junk food. + - rscadd: + Crevice Spike drink - made with lime juice and hot sauce. A 'sobering' + drink, the Crevice Spike will reduce your drunkenness slightly but it kicks + hard going down, dealing 15 points of brute when first ingested. MrStonedOne: - - bugfix: VOX sounds are now forcefully preloaded on clients to deal with an issue - keeping byond from loading them + - bugfix: + VOX sounds are now forcefully preloaded on clients to deal with an issue + keeping byond from loading them cyclowns: - - tweak: Unary devices can now be analyzed using gas scanners. This means stuff - like vents, scrubbers, cryo tubes, or heaters/freezers. + - tweak: + Unary devices can now be analyzed using gas scanners. This means stuff + like vents, scrubbers, cryo tubes, or heaters/freezers. 2018-03-22: Denton: - - tweak: The lavaland Syndicate base has been outfitted with a turret control panel - as well as more chemistry supplies and one (1) bar of Syndicate brand soap. + - tweak: + The lavaland Syndicate base has been outfitted with a turret control panel + as well as more chemistry supplies and one (1) bar of Syndicate brand soap. Floyd / Qustinnus: - - bugfix: Being happy no longer makes you obese. + - bugfix: Being happy no longer makes you obese. JohnGinnane: - - refactor: Vending machines now have their own files which includes their refill - cannister. The machines themselves are unchanged + - refactor: + Vending machines now have their own files which includes their refill + cannister. The machines themselves are unchanged Naksu: - - bugfix: Pulled objects will now follow their puller across space transitions again + - bugfix: Pulled objects will now follow their puller across space transitions again Robustin: - - bugfix: Fixed a bug that prevented the advanced blood rites (Halberd, Bolts, Beams) - from appearing when selected. + - bugfix: + Fixed a bug that prevented the advanced blood rites (Halberd, Bolts, Beams) + from appearing when selected. SpaceManiac: - - bugfix: Ventcrawlers in pipes now breathe from that pipe. - - bugfix: Deconstructing atmos components no longer breaks ventcrawl visuals. + - bugfix: Ventcrawlers in pipes now breathe from that pipe. + - bugfix: Deconstructing atmos components no longer breaks ventcrawl visuals. 2018-03-23: Fel: - - add: Slimes can now be crossbred by feeding them a number of slime extracts of - one type. Beware, it only produces one crossbred extract! - - experiment: The number of required extracts has been lowered to 10 since the testmerge, - but this number is up for potential change depending on balance consideration - in the future. - - wip: 'Currently available crossbreeds are accomplished by feeding any slime the - required amount of the following extract colors: Grey, orange, purple, blue, - metal, yellow, dark purple, silver, cerulean, and pyrite. Their relevant effects - will be added to the wiki page for xenobiology soon(TM), and more to come in - a later addition!' - - add: Slimes can be fed extracts one at a time, but if you start mutating it, you - can feed it extracts straight from a biobag! You can also use biobags to feed - a reproductive extract monkey cubes. - - add: Slimes in the process of being crossbred will reveal what modifier they will - gain from their current modification, as well as how many more extracts are - required, to slime scanners. - - tweak: The rainbow slime clusterblorble effect will now only use reagents that - the extract will be activated from, and will try any of these reagents! As a - bonus side effect, this means it has a 1.1% chance of spawning and activating - another clusterblorble effect. + - add: + Slimes can now be crossbred by feeding them a number of slime extracts of + one type. Beware, it only produces one crossbred extract! + - experiment: + The number of required extracts has been lowered to 10 since the testmerge, + but this number is up for potential change depending on balance consideration + in the future. + - wip: + "Currently available crossbreeds are accomplished by feeding any slime the + required amount of the following extract colors: Grey, orange, purple, blue, + metal, yellow, dark purple, silver, cerulean, and pyrite. Their relevant effects + will be added to the wiki page for xenobiology soon(TM), and more to come in + a later addition!" + - add: + Slimes can be fed extracts one at a time, but if you start mutating it, you + can feed it extracts straight from a biobag! You can also use biobags to feed + a reproductive extract monkey cubes. + - add: + Slimes in the process of being crossbred will reveal what modifier they will + gain from their current modification, as well as how many more extracts are + required, to slime scanners. + - tweak: + The rainbow slime clusterblorble effect will now only use reagents that + the extract will be activated from, and will try any of these reagents! As a + bonus side effect, this means it has a 1.1% chance of spawning and activating + another clusterblorble effect. Floyd / Qustinnus: - - bugfix: progression bar now takes the delay after co_efficent in account - - code_imp: removes do_after_speed from mob base, moves it into physiology - - code_imp: makes a do_after coefficiency proc - - balance: Changes rate of sanity drain and caps it depending on mood + - bugfix: progression bar now takes the delay after co_efficent in account + - code_imp: removes do_after_speed from mob base, moves it into physiology + - code_imp: makes a do_after coefficiency proc + - balance: Changes rate of sanity drain and caps it depending on mood Frozenguy5: - - rscdel: Reverted bad airlock sounds. + - rscdel: Reverted bad airlock sounds. Naksu: - - tweak: the amount of simultaneous monkey cube-spawned monkeys has been restricted. - - server: the cap is adjustable via the mobs subsystem + - tweak: the amount of simultaneous monkey cube-spawned monkeys has been restricted. + - server: the cap is adjustable via the mobs subsystem SpaceManiac: - - bugfix: The cargo conveyor switches now properly control the belts on the shuttle - again. - - bugfix: Entering a frequency like 145.7 into a radio will now work, where 1457 - was previously required. + - bugfix: + The cargo conveyor switches now properly control the belts on the shuttle + again. + - bugfix: + Entering a frequency like 145.7 into a radio will now work, where 1457 + was previously required. TheMythicGhost: - - rscadd: 'New Integrated Circuit Converter Components: hsv2hex and rgb2hex for - smooth color transitions, woo!' - - imageadd: Added icons for the new component chips. - - rscadd: 'New Integrated Circuit Component: AI Vox Sound Circuit' + - rscadd: + "New Integrated Circuit Converter Components: hsv2hex and rgb2hex for + smooth color transitions, woo!" + - imageadd: Added icons for the new component chips. + - rscadd: "New Integrated Circuit Component: AI Vox Sound Circuit" ninjanomnom: - - bugfix: You can no longer override shuttle areas with new or expanded areas from - elsewhere. + - bugfix: + You can no longer override shuttle areas with new or expanded areas from + elsewhere. 2018-03-24: Davidj361: - - bugfix: Ranged guardians in scout mode no longer are able to move out of their - master when recalled. + - bugfix: + Ranged guardians in scout mode no longer are able to move out of their + master when recalled. Denton: - - spellcheck: Fixed missing capitalization for craft menu items. - - bugfix: Air alarms no longer trigger atmospherics alarms when stimulum or hyper-noblium - are present. The allowed partial pressure of pluoxium has been increased as - well. + - spellcheck: Fixed missing capitalization for craft menu items. + - bugfix: + Air alarms no longer trigger atmospherics alarms when stimulum or hyper-noblium + are present. The allowed partial pressure of pluoxium has been increased as + well. Robustin: - - tweak: The Security Techfab can now produce basic shotgun shell types and .38 - ammo + - tweak: + The Security Techfab can now produce basic shotgun shell types and .38 + ammo ShizCalev: - - bugfix: Fixed a large number of missing APCs on Omegastation - - bugfix: Fixed unpowered Incinerator outlet injector on Omegastation. - - bugfix: Replaced glass window at Omegastation's incinerator with a plasma window. - - bugfix: Fixes broken atmos injectors on Omega - - bugfix: Fixes broken air outlet on Meta - - bugfix: Fixed a couple of malfunctioning atmospheric monitors across the rest - of the maps - - rscadd: New test atmos monitoring console debug verb to help alleviate future - issues. + - bugfix: Fixed a large number of missing APCs on Omegastation + - bugfix: Fixed unpowered Incinerator outlet injector on Omegastation. + - bugfix: Replaced glass window at Omegastation's incinerator with a plasma window. + - bugfix: Fixes broken atmos injectors on Omega + - bugfix: Fixes broken air outlet on Meta + - bugfix: + Fixed a couple of malfunctioning atmospheric monitors across the rest + of the maps + - rscadd: + New test atmos monitoring console debug verb to help alleviate future + issues. YPOQ: - - bugfix: The imaginary friend trauma now works + - bugfix: The imaginary friend trauma now works 2018-03-28: Davidj361: - - bugfix: Ocular Wardens now target buckled and cuffed players/mobs, unless they - are cuffed by a slab. - - tweak: Cuck cultists can cuff already sec-cuffed targets with their slab cuff - spell. + - bugfix: + Ocular Wardens now target buckled and cuffed players/mobs, unless they + are cuffed by a slab. + - tweak: + Cuck cultists can cuff already sec-cuffed targets with their slab cuff + spell. Dax Dupont: - - bugfix: You no longer hit borgs with hats you want them to wear. - - rscadd: Viva la borg, engieborgs can now wear hats - - rscadd: Borgs can now wear more hats. - - bugfix: After a space OSHA inspection you can now reach the safe and fire extinguisher - in the omega detective office. - - bugfix: Makes it so you don't accidently trigger the fun balloon twice. + - bugfix: You no longer hit borgs with hats you want them to wear. + - rscadd: Viva la borg, engieborgs can now wear hats + - rscadd: Borgs can now wear more hats. + - bugfix: + After a space OSHA inspection you can now reach the safe and fire extinguisher + in the omega detective office. + - bugfix: Makes it so you don't accidently trigger the fun balloon twice. Denton: - - tweak: Pubbystation's signs to evac have been made more obvious. - - tweak: Plastic flaps are now airtight. - - spellcheck: Bluespace crystals now show their proper name during machine construction. + - tweak: Pubbystation's signs to evac have been made more obvious. + - tweak: Plastic flaps are now airtight. + - spellcheck: Bluespace crystals now show their proper name during machine construction. EvilJackCarver: - - bugfix: Edited a certain part of the disco machine's dance to only target carbon-based - (mob/living/carbon) lifeforms. pAI units will no longer spam chat with rest - notifications when in range of the disco machine. + - bugfix: + Edited a certain part of the disco machine's dance to only target carbon-based + (mob/living/carbon) lifeforms. pAI units will no longer spam chat with rest + notifications when in range of the disco machine. Frozenguy5: - - tweak: The monkeycap has been increased to 64. + - tweak: The monkeycap has been increased to 64. JohnGinnane: - - rscadd: A guillotine has been added to the game. Can be crafted. If the blade - isn't dull, will cut through human necks like a hot knife through butter. Use - a whetstone to sharpen it if it becomes dull. + - rscadd: + A guillotine has been added to the game. Can be crafted. If the blade + isn't dull, will cut through human necks like a hot knife through butter. Use + a whetstone to sharpen it if it becomes dull. MrDoomBringer: - - imageadd: All stations have been outfitted with brand new Chem Masters! They have - nicer sprites now! - - bugfix: Fixed the description of the Cargo Express Console. Cargo Drop Pod orders - aren't double-priced any more! + - imageadd: + All stations have been outfitted with brand new Chem Masters! They have + nicer sprites now! + - bugfix: + Fixed the description of the Cargo Express Console. Cargo Drop Pod orders + aren't double-priced any more! Naksu: - - bugfix: Chem dispensers no longer take hours to recharge - - tweak: chem dispensers also now use energy from the grid in proportion with the - amount charged - - admin: Admins now get a follow link when a revenant spawns. - - admin: Admin hotkey help is now actually correct + - bugfix: Chem dispensers no longer take hours to recharge + - tweak: + chem dispensers also now use energy from the grid in proportion with the + amount charged + - admin: Admins now get a follow link when a revenant spawns. + - admin: Admin hotkey help is now actually correct Pipe fixes: - - bugfix: Runtime in components_base.dm,91 what cause atmos machinery connection - problems. - - bugfix: Pipes release air in turf on Destroy(), again. - - bugfix: Pipeline now cant be annihilated by merge(src). Pipes don't lose air on - connecting more than to one pipe. + - bugfix: + Runtime in components_base.dm,91 what cause atmos machinery connection + problems. + - bugfix: Pipes release air in turf on Destroy(), again. + - bugfix: + Pipeline now cant be annihilated by merge(src). Pipes don't lose air on + connecting more than to one pipe. Robustin: - - code_imp: Monkey AI is now much more efficient and no longer full of terrible, - wasteful processes - - tweak: Monkeys will now move more and will only focus on nearby objects for stealing. - This should result in more natural monkey behavior instead of the monkey staring - furiously at random shit in the room for 5 minutes until it has a 50 item blacklist - of shit it will refuse to touch from then on out. - - tweak: The chance for a monkey to attack you for pulling it will now only happen - when execute the initial grab, instead of a check that happens every tick. + - code_imp: + Monkey AI is now much more efficient and no longer full of terrible, + wasteful processes + - tweak: + Monkeys will now move more and will only focus on nearby objects for stealing. + This should result in more natural monkey behavior instead of the monkey staring + furiously at random shit in the room for 5 minutes until it has a 50 item blacklist + of shit it will refuse to touch from then on out. + - tweak: + The chance for a monkey to attack you for pulling it will now only happen + when execute the initial grab, instead of a check that happens every tick. ShizCalev: - - tweak: Cleaned up the preferences panel a bit to be a bit more user friendly. + - tweak: Cleaned up the preferences panel a bit to be a bit more user friendly. SpaceManiac: - - bugfix: Unwrenching and re-placing directional signs now keeps their direction, - and backings may be rotated in-hand rather than by pulling. + - bugfix: + Unwrenching and re-placing directional signs now keeps their direction, + and backings may be rotated in-hand rather than by pulling. Tacolizard Forever: - - bugfix: phobias will no longer recognize trigger words inside of other words + - bugfix: phobias will no longer recognize trigger words inside of other words XDTM: - - rscadd: Bees (and similar swarming mobs) are now able to occupy the same tile - as other bees! When doing so, their icons are offset to make them seem like - a proper swarm. - - tweak: Bees will now dodge bullets not directly aimed at them. Why are you firing - guns at bees - - bugfix: Sniper rifles will no longer oneshot mechs (although they still deal high - damage). - - bugfix: Sniper rifles no longer knock down walls they hit. + - rscadd: + Bees (and similar swarming mobs) are now able to occupy the same tile + as other bees! When doing so, their icons are offset to make them seem like + a proper swarm. + - tweak: + Bees will now dodge bullets not directly aimed at them. Why are you firing + guns at bees + - bugfix: + Sniper rifles will no longer oneshot mechs (although they still deal high + damage). + - bugfix: Sniper rifles no longer knock down walls they hit. Xhuis: - - rscadd: Added the Family Heirloom trait. This makes you spawn with a special object - on your person; if you don't have it with you, you will gain a mood debuff. - - rscadd: Added the Nyctophobia trait. This makes you walk slowly in complete darkness, - and gain a mood debuff from the fear! - - rscadd: Added the Monochromacy trait, which makes you perceive (almost) the entire - world in black-and-white. - - balance: Social Anxiety's trigger frequency is now correlated to the number of - people near you. - - bugfix: Slimepeople now transfer their roundstart traits when swapping bodies. + - rscadd: + Added the Family Heirloom trait. This makes you spawn with a special object + on your person; if you don't have it with you, you will gain a mood debuff. + - rscadd: + Added the Nyctophobia trait. This makes you walk slowly in complete darkness, + and gain a mood debuff from the fear! + - rscadd: + Added the Monochromacy trait, which makes you perceive (almost) the entire + world in black-and-white. + - balance: + Social Anxiety's trigger frequency is now correlated to the number of + people near you. + - bugfix: Slimepeople now transfer their roundstart traits when swapping bodies. YPOQ: - - bugfix: Machine power will now update when moving from powered to unpowered areas - and vice versa. + - bugfix: + Machine power will now update when moving from powered to unpowered areas + and vice versa. iskyp: - - bugfix: night vision goggles no longer overwrite thermal eyes. nvg eyes no longer - overwrite thermal goggles. + - bugfix: + night vision goggles no longer overwrite thermal eyes. nvg eyes no longer + overwrite thermal goggles. selea: - - rscadd: a* pathfinder, coordinate pathfinder(accepts not ref to some obj, but - it's abs coordinates) ,turf pointer(can give you ref to turf with given coordinates), - turf scanner(can read letters on floor and contents of turf),material scaner(can - read amounts of materials in machinery),material manipulator(to load/unload - resources) - - tweak: now you can decide, if basic pathfinder should avoid obstacles, or not.Now - demux push only desired output without unnecessary nulls,upgraded claw and local - locator. - - balance: reduced complexity cost of locomotors,abs/rel converters and basic pathfinders.Increased - complexity of throwers, - - bugfix: Fixed bugs with cryptography, obstacle ref in locomotors, release pin - in pullng claw. - - refactor: add material tranfer proc to mat containers.refactored pathfinder SS - to have separated queue for mobs and circuits to avoid spam. - - tweak: Now recycler can butcher mobs and saw tree logs. + - rscadd: + a* pathfinder, coordinate pathfinder(accepts not ref to some obj, but + it's abs coordinates) ,turf pointer(can give you ref to turf with given coordinates), + turf scanner(can read letters on floor and contents of turf),material scaner(can + read amounts of materials in machinery),material manipulator(to load/unload + resources) + - tweak: + now you can decide, if basic pathfinder should avoid obstacles, or not.Now + demux push only desired output without unnecessary nulls,upgraded claw and local + locator. + - balance: + reduced complexity cost of locomotors,abs/rel converters and basic pathfinders.Increased + complexity of throwers, + - bugfix: + Fixed bugs with cryptography, obstacle ref in locomotors, release pin + in pullng claw. + - refactor: + add material tranfer proc to mat containers.refactored pathfinder SS + to have separated queue for mobs and circuits to avoid spam. + - tweak: Now recycler can butcher mobs and saw tree logs. yorii: - - tweak: Science goggles can now detect reagents in grenades. + - tweak: Science goggles can now detect reagents in grenades. 2018-03-30: Astatineguy12: - - bugfix: Ghosts of servants of Ratvar are no longer confined to Reebe like their - corporal counterparts. + - bugfix: + Ghosts of servants of Ratvar are no longer confined to Reebe like their + corporal counterparts. Cruix: - - rscadd: Sentient diseases now have the "Secrete Infection" ability, which causes - anything touching the skin of the host they are currently following to become - infective, spreading their infection to anyone who touches it for the next 30 - seconds. + - rscadd: + Sentient diseases now have the "Secrete Infection" ability, which causes + anything touching the skin of the host they are currently following to become + infective, spreading their infection to anyone who touches it for the next 30 + seconds. Davidj361: - - bugfix: Removed health cost for Twisted Construction upon casting on a wrong object - - bugfix: Fixed table crafting not properly checking the surrounding area for tools. - - code_imp: Changed /datum/personal_crafting/proc/get_surroundings(mob/user) to - return 2 lists. + - bugfix: Removed health cost for Twisted Construction upon casting on a wrong object + - bugfix: Fixed table crafting not properly checking the surrounding area for tools. + - code_imp: + Changed /datum/personal_crafting/proc/get_surroundings(mob/user) to + return 2 lists. Denton: - - bugfix: 'Omegastation: Added advanced magboots to secure storage so that traitors - can complete the theft objective.' + - bugfix: + "Omegastation: Added advanced magboots to secure storage so that traitors + can complete the theft objective." ShizCalev: - - bugfix: Silicons no longer have to be directly adjacent to a chem master to dispense - pills. - - bugfix: Fixed an exploit involving chem dispensers not actually checking if there - was enough energy to dispense the target chemicals. - - bugfix: Fixed exploit where chem dispensers always worked even if they didn't - have power... - - bugfix: Booze & soda dispensers will no longer turn into chem dispensers when - screwdrivered - - bugfix: Fixed chem dispensers showing as powered on when screwdrivered opened. - - rscadd: Added an examine indication when the maintenance panel to chem/soda/booze - dispensers is open. + - bugfix: + Silicons no longer have to be directly adjacent to a chem master to dispense + pills. + - bugfix: + Fixed an exploit involving chem dispensers not actually checking if there + was enough energy to dispense the target chemicals. + - bugfix: + Fixed exploit where chem dispensers always worked even if they didn't + have power... + - bugfix: + Booze & soda dispensers will no longer turn into chem dispensers when + screwdrivered + - bugfix: Fixed chem dispensers showing as powered on when screwdrivered opened. + - rscadd: + Added an examine indication when the maintenance panel to chem/soda/booze + dispensers is open. neersighted: - - admin: Re-juggled delete verb permissions + - admin: Re-juggled delete verb permissions robbym: - - bugfix: Fixed an error with integrated circuit tickers where they would sometimes - fail to tick. + - bugfix: + Fixed an error with integrated circuit tickers where they would sometimes + fail to tick. 2018-03-31: Naksu: - - rscdel: Chameleon projectors will no longer work from inside transformations, - effects, mechas or machines. Effects that cause movement will no longer leave - sleepers in a bugged state where they can apply chems to you across distances. + - rscdel: + Chameleon projectors will no longer work from inside transformations, + effects, mechas or machines. Effects that cause movement will no longer leave + sleepers in a bugged state where they can apply chems to you across distances. 2018-04-01: Davidj361: - - bugfix: Fixed cuffed prison shoes being taken off by dragging them into your hand. + - bugfix: Fixed cuffed prison shoes being taken off by dragging them into your hand. Denton: - - balance: The singularity engine will now output enough energy to power a station - again. - - bugfix: 'Pubbystation: The bomb testing site cameras are now accessible by camera - consoles.' - - spellcheck: Bluespace polycrystals now show their name when inserted into machinery. + - balance: + The singularity engine will now output enough energy to power a station + again. + - bugfix: + "Pubbystation: The bomb testing site cameras are now accessible by camera + consoles." + - spellcheck: Bluespace polycrystals now show their name when inserted into machinery. Kor: - - rscadd: The disco machine no longer has a fixed list of songs. It will instead - allow players to pick music from a config folder managed by the host and head - admins. - - rscadd: There is now a bartender jukebox variant of the disco machine that plays - music, but has no lights or dancing. This variant will be added the station - maps once the feature freeze is over. + - rscadd: + The disco machine no longer has a fixed list of songs. It will instead + allow players to pick music from a config folder managed by the host and head + admins. + - rscadd: + There is now a bartender jukebox variant of the disco machine that plays + music, but has no lights or dancing. This variant will be added the station + maps once the feature freeze is over. Naksu: - - bugfix: Removed stray defines from maps, making roundstart atmos functional and - runtime-spam free again + - bugfix: + Removed stray defines from maps, making roundstart atmos functional and + runtime-spam free again robbym: - - bugfix: 'fixed by converting to absolute coordinates #36861' - - spellcheck: changed description from copypasta to correct description + - bugfix: "fixed by converting to absolute coordinates #36861" + - spellcheck: changed description from copypasta to correct description 2018-04-02: Davidj361: - - bugfix: Fixed 'vox_login' for AI VOX - - tweak: Made the AI VOX airhorn quieter to 25% of its original volume + - bugfix: Fixed 'vox_login' for AI VOX + - tweak: Made the AI VOX airhorn quieter to 25% of its original volume GrayRachnid: - - bugfix: Fixes some crafting tooltips not displaying tool names properly. + - bugfix: Fixes some crafting tooltips not displaying tool names properly. MrDoomBringer: - - imageadd: roundend report button now has a lil icon + - imageadd: roundend report button now has a lil icon Naksu: - - bugfix: Removed some edge cases where atmospherics gas lists could continue holding - active gas items that can only transfer 0 gases to neighbors by making the garbage - collection clean them up. + - bugfix: + Removed some edge cases where atmospherics gas lists could continue holding + active gas items that can only transfer 0 gases to neighbors by making the garbage + collection clean them up. RandomMarine: - - bugfix: The quick equip hotkey (e) now works for drones again. + - bugfix: The quick equip hotkey (e) now works for drones again. 2018-04-03: 81Denton: - - spellcheck: Nanotrasen's space entomology department is shocked to discover that - Mothpeople have surnames! + - spellcheck: + Nanotrasen's space entomology department is shocked to discover that + Mothpeople have surnames! YPOQ: - - bugfix: Mannitol will now properly cure minor brain traumas + - bugfix: Mannitol will now properly cure minor brain traumas robbylm: - - bugfix: Fixes 0 value not being saved in constant memory circuits (#36860) + - bugfix: Fixes 0 value not being saved in constant memory circuits (#36860) 2018-04-04: Fludd12: - - rscadd: Burning ores now yields materials at a very reduced ratio! Lavaland roles - will now be able to construct things with enough effort. + - rscadd: + Burning ores now yields materials at a very reduced ratio! Lavaland roles + will now be able to construct things with enough effort. JohnGinnane: - - bugfix: Fixed items sometimes being used on fullpacks when trying to insert - - bugfix: Fixed spray containers being used on open lockers and other containers + - bugfix: Fixed items sometimes being used on fullpacks when trying to insert + - bugfix: Fixed spray containers being used on open lockers and other containers Naksu: - - bugfix: Fixed (dead) revenants being unable to deadchat or ahelp - - bugfix: Plasmamen that get converted into humans as a part of spawning as a protected - head role no longer retain their plasmaman equipment. + - bugfix: Fixed (dead) revenants being unable to deadchat or ahelp + - bugfix: + Plasmamen that get converted into humans as a part of spawning as a protected + head role no longer retain their plasmaman equipment. SailorDave: - - bugfix: Fixes virology Asphyxiation symptom activating too early and ignoring - transmission level. + - bugfix: + Fixes virology Asphyxiation symptom activating too early and ignoring + transmission level. ninjanomnom: - - bugfix: Shuttles have proper baseturfs now. - - bugfix: Mineral walls properly use their baseturfs when destroyed/drilled. - - rscadd: A new engineering goggle mode allows you to see the shuttle area you're - standing in. - - admin: Buildmode works a bit better with baseturfs now and can properly only remove - the top layer of turfs when editing. Note that as a result the order you place - turfs is important and a wall placed on space means when the wall is removed - there will be space underneath. + - bugfix: Shuttles have proper baseturfs now. + - bugfix: Mineral walls properly use their baseturfs when destroyed/drilled. + - rscadd: + A new engineering goggle mode allows you to see the shuttle area you're + standing in. + - admin: + Buildmode works a bit better with baseturfs now and can properly only remove + the top layer of turfs when editing. Note that as a result the order you place + turfs is important and a wall placed on space means when the wall is removed + there will be space underneath. 2018-04-07: Davidj361: - - tweak: Stacked sheets now have a cancel button when taking an amount from them. + - tweak: Stacked sheets now have a cancel button when taking an amount from them. Dax Dupont: - - bugfix: Fixes dead chat announcements not using real name. + - bugfix: Fixes dead chat announcements not using real name. Naksu: - - bugfix: Trash bin anchoring/unanchoring now gives you a small text blip about - what happened. + - bugfix: + Trash bin anchoring/unanchoring now gives you a small text blip about + what happened. PKPenguin321: - - bugfix: Restored accidentally cut functionality to flashes. You can once again - attach them to a signaller and signal them to trigger an AoE flash remotely. + - bugfix: + Restored accidentally cut functionality to flashes. You can once again + attach them to a signaller and signal them to trigger an AoE flash remotely. SailorDave: - - bugfix: Mixed blood samples preserve their cloneability for podpeople if the samples - are the same. + - bugfix: + Mixed blood samples preserve their cloneability for podpeople if the samples + are the same. kevinz000: - - rscadd: AIs can now latejoin! - - rscadd: Latejoining AIs will be sent to a special deactivated AI core. This AI - core will spawn in the AI satellite chamber in place of an active AI if none - is there at roundstart. These cores can be deactivated with a multitool, and - moved around per usual, but not deconstructed. They can, however, be destroyed - per usual. - - rscadd: AIs can only latejoin if atleast one of these cores exists and is in a - valid area (Powered, on station, etc etc), and if the AI job slot isn't filled - already by a roundstart or latejoin AI. - - code_imp: A few code internal debugging features have been added to help debug - GC errors. QDEL_HINT_IFFAIL_FINDREFERENCE hint will make the garbage subsystem - find references if the build is in TESTING mode, and qdel_and_then_find_ref_if_fail(datum) - or calling qdel_then_if_fail_find_references will do the same. + - rscadd: AIs can now latejoin! + - rscadd: + Latejoining AIs will be sent to a special deactivated AI core. This AI + core will spawn in the AI satellite chamber in place of an active AI if none + is there at roundstart. These cores can be deactivated with a multitool, and + moved around per usual, but not deconstructed. They can, however, be destroyed + per usual. + - rscadd: + AIs can only latejoin if atleast one of these cores exists and is in a + valid area (Powered, on station, etc etc), and if the AI job slot isn't filled + already by a roundstart or latejoin AI. + - code_imp: + A few code internal debugging features have been added to help debug + GC errors. QDEL_HINT_IFFAIL_FINDREFERENCE hint will make the garbage subsystem + find references if the build is in TESTING mode, and qdel_and_then_find_ref_if_fail(datum) + or calling qdel_then_if_fail_find_references will do the same. robbym: - - bugfix: Fixes examiner circuit failing to pulse 'not scanned' when reference is - null (#36881) + - bugfix: + Fixes examiner circuit failing to pulse 'not scanned' when reference is + null (#36881) 2018-04-08: AnturK: - - tweak: Slime reflexes restored. + - tweak: Slime reflexes restored. Dax Dupont: - - rscadd: Hugbox version of the VR sleeper you can't emag. - - admin: There's now two categorized vr landmarks for two teams for easy spawning. - You can also now rebuild/refresh all the VR spawnpoints by calling build_spawnpoints(1) - on any sleeper. + - rscadd: Hugbox version of the VR sleeper you can't emag. + - admin: + There's now two categorized vr landmarks for two teams for easy spawning. + You can also now rebuild/refresh all the VR spawnpoints by calling build_spawnpoints(1) + on any sleeper. Naksu: - - admin: Admins can now access a new control panel for borgs via a new admin verb + - admin: Admins can now access a new control panel for borgs via a new admin verb 2018-04-09: CosmicScientist: - - rscadd: Top Nanotrasen scientists have diagnosed two new phobias! Birds and chasms! - Good luck Chief Engineers and Miners. + - rscadd: + Top Nanotrasen scientists have diagnosed two new phobias! Birds and chasms! + Good luck Chief Engineers and Miners. Dax Dupont: - - admin: Removing notes now has an "Are you sure" dialog. + - admin: Removing notes now has an "Are you sure" dialog. Denton: - - rscadd: Omegastation now has its own arrivals shuttle. + - rscadd: Omegastation now has its own arrivals shuttle. Mickyan: - - imageadd: Stinger, Grasshopper, Quadruple Sec, and Quintuple Sec have new sprites. + - imageadd: Stinger, Grasshopper, Quadruple Sec, and Quintuple Sec have new sprites. Naksu: - - code_imp: Fixed an heirloom trait-related runtime - - code_imp: Fixed an incorrect signature in MakeSlippery causing runtimes + - code_imp: Fixed an heirloom trait-related runtime + - code_imp: Fixed an incorrect signature in MakeSlippery causing runtimes SpironoZeppeli: - - rscadd: You can now wrench the supermatter shard + - rscadd: You can now wrench the supermatter shard ninjanomnom: - - bugfix: The arena shuttle should be working again. - - bugfix: The escape pods now reach their proper destination at round end + - bugfix: The arena shuttle should be working again. + - bugfix: The escape pods now reach their proper destination at round end 2018-04-11: Davidj361: - - bugfix: Fixed paper bins dropping out of your hand or bag when grabbing a pen - or paper. - - bugfix: Paper bins not giving finger prints upon interaction. - - bugfix: Detective can now write notes onto his printed scanner reports. - - tweak: Detective scanner can have its logs erased via alt-click. - - tweak: Detective scanner can display logs via the action button. + - bugfix: + Fixed paper bins dropping out of your hand or bag when grabbing a pen + or paper. + - bugfix: Paper bins not giving finger prints upon interaction. + - bugfix: Detective can now write notes onto his printed scanner reports. + - tweak: Detective scanner can have its logs erased via alt-click. + - tweak: Detective scanner can display logs via the action button. Denton: - - bugfix: Added a missing intercom to the Delta arrivals shuttle. + - bugfix: Added a missing intercom to the Delta arrivals shuttle. ExcessiveUseOfCobblestone: - - code_imp: Uplink Items now have 2 separate probabilities. One for the syndicate - crate and one for cargo null crates. I encourage you to view uplink_items.dm - and make changes. + - code_imp: + Uplink Items now have 2 separate probabilities. One for the syndicate + crate and one for cargo null crates. I encourage you to view uplink_items.dm + and make changes. Robustin: - - balance: Hostile mobs capable of smashing structures will now smash their way - through dense objects too. + - balance: + Hostile mobs capable of smashing structures will now smash their way + through dense objects too. SpaceManiac: - - bugfix: The blindness overlay applied during cloning now properly stretches for - widescreen views. - - code_imp: Various macro consistency problems have been addressed. + - bugfix: + The blindness overlay applied during cloning now properly stretches for + widescreen views. + - code_imp: Various macro consistency problems have been addressed. YPOQ: - - bugfix: Eminences can hear clock cult chat again + - bugfix: Eminences can hear clock cult chat again george99g: - - bugfix: Suiciding will now deactivate all your genetics prescans. + - bugfix: Suiciding will now deactivate all your genetics prescans. iskyp: - - bugfix: makes dragnet non harmful - - tweak: pacifists can now use any disabler or stun setting on any energy gun - - code_imp: removed all of the pacifism check code from code/modules/mob/living/living.dm - - code_imp: gun objects no longer have a harmful variable, instead, ammo_casing - objects now have a harmful variable, which is by default set to TRUE - - code_imp: if a pacifist fires a gun, it checks whether or not the round chambered - is lethal, instead of whether or not the gun itself is lethal. - - code_imp: /obj/item/machinery/power/supermatter_shard is now /obj/item/machinery/power/supermatter_crystal/shard. - the crystal is the parent object. + - bugfix: makes dragnet non harmful + - tweak: pacifists can now use any disabler or stun setting on any energy gun + - code_imp: removed all of the pacifism check code from code/modules/mob/living/living.dm + - code_imp: + gun objects no longer have a harmful variable, instead, ammo_casing + objects now have a harmful variable, which is by default set to TRUE + - code_imp: + if a pacifist fires a gun, it checks whether or not the round chambered + is lethal, instead of whether or not the gun itself is lethal. + - code_imp: + /obj/item/machinery/power/supermatter_shard is now /obj/item/machinery/power/supermatter_crystal/shard. + the crystal is the parent object. neersighted: - - code_imp: Reduced lag by speeding up logs 10000% - - code_imp: Logs now include millisecond-level timestamps + - code_imp: Reduced lag by speeding up logs 10000% + - code_imp: Logs now include millisecond-level timestamps pigeonsk: - - tweak: AI now requires silicon playtime instead of crew playtime for roundstart - role + - tweak: + AI now requires silicon playtime instead of crew playtime for roundstart + role selea: - - bugfix: fixed runtime in logic circuits, which was occured with invalid input - types. + - bugfix: + fixed runtime in logic circuits, which was occured with invalid input + types. 2018-04-12: Cobby: - - bugfix: Fixes getting "emptystacks" (a stack with an amount of 0) + - bugfix: Fixes getting "emptystacks" (a stack with an amount of 0) Dax Dupont: - - bugfix: Briefcase bluespace launch pads no longer work on the centcom Z level. + - bugfix: Briefcase bluespace launch pads no longer work on the centcom Z level. Dennok: - - rscadd: RPD can automaticaly wrench printed pipes to floor. + - rscadd: RPD can automaticaly wrench printed pipes to floor. Denton: - - rscadd: Cargo can now order tesla coil crates for 2500 credits. + - rscadd: Cargo can now order tesla coil crates for 2500 credits. Garen: - - bugfix: Added missing parameter types to circuits. - - bugfix: Fixes two datatypes appearing for some input circuits. - - tweak: Logic circuits now output booleans rather than 1's and 0's, this is purely - cosmetic. + - bugfix: Added missing parameter types to circuits. + - bugfix: Fixes two datatypes appearing for some input circuits. + - tweak: + Logic circuits now output booleans rather than 1's and 0's, this is purely + cosmetic. Naksu: - - bugfix: Warp whistle can no longer leave you stuck in an invisible state + - bugfix: Warp whistle can no longer leave you stuck in an invisible state The Dreamweaver: - - bugfix: The air around you grows cooler, as if what you once knew about atmospherics - has changed ever so slightly... + - bugfix: + The air around you grows cooler, as if what you once knew about atmospherics + has changed ever so slightly... Xhuis: - - bugfix: Mood traits cannot be chosen if mood is disabled in the config. + - bugfix: Mood traits cannot be chosen if mood is disabled in the config. ninjanomnom: - - rscadd: The SM has a guaranteed 30 second final countdown before delamination - now - - balance: The SM will take less damage from low pressure environments - - balance: The SM has a slightly reduced max damage per tick - - bugfix: Tiles placed on lavaland turfs should behave properly again. + - rscadd: + The SM has a guaranteed 30 second final countdown before delamination + now + - balance: The SM will take less damage from low pressure environments + - balance: The SM has a slightly reduced max damage per tick + - bugfix: Tiles placed on lavaland turfs should behave properly again. pigeonsk: - - bugfix: When you wash your bloody hands they will no longer still look bloody - afterwards + - bugfix: + When you wash your bloody hands they will no longer still look bloody + afterwards 2018-04-13: Dax Dupont: - - bugfix: SCP 194 now uses it's amount variable instead of a hardcoded number. + - bugfix: SCP 194 now uses it's amount variable instead of a hardcoded number. Dax Dupont & Naksu: - - bugfix: Toxin loving species won't take liver damage from toxins. - - bugfix: Liver now gets 0.01 damage per unit of toxin subtype reagent every 2 seconds - instead of 0.5. IE 30 units of whatever won't kill you within 10 seconds anymore. - - bugfix: Moved peacekeeper borg reagents to other_reagents so they don't do liver - damage and they aren't really toxins - - refactor: Renamed borg synthpax path to be more inline and put them next to the - other borg reagents. + - bugfix: Toxin loving species won't take liver damage from toxins. + - bugfix: + Liver now gets 0.01 damage per unit of toxin subtype reagent every 2 seconds + instead of 0.5. IE 30 units of whatever won't kill you within 10 seconds anymore. + - bugfix: + Moved peacekeeper borg reagents to other_reagents so they don't do liver + damage and they aren't really toxins + - refactor: + Renamed borg synthpax path to be more inline and put them next to the + other borg reagents. Denton: - - tweak: Omegastation's supermatter crystal has been replaced with a smaller shard - that doesn't destroy the whole station on explosion. + - tweak: + Omegastation's supermatter crystal has been replaced with a smaller shard + that doesn't destroy the whole station on explosion. Naksu: - - bugfix: Fixed KA upgrade applying on the minerborg + - bugfix: Fixed KA upgrade applying on the minerborg Putnam: - - tweak: rounded pi correctly + - tweak: rounded pi correctly ninjanomnom: - - bugfix: Some strange baseturfs in lavaland structures and ruins should be fixed. + - bugfix: Some strange baseturfs in lavaland structures and ruins should be fixed. robbym: - - bugfix: Fixes tile analyzer circuit - - refactor: Cleaned up tile analyzer code + - bugfix: Fixes tile analyzer circuit + - refactor: Cleaned up tile analyzer code 2018-04-14: JohnGinnane: - - rscadd: PDA messages you send are now displayed in the chat for your confirmation + - rscadd: PDA messages you send are now displayed in the chat for your confirmation Naksu: - - bugfix: SCP-294 can no longer be deconstructed. + - bugfix: SCP-294 can no longer be deconstructed. kevinz000: - - rscadd: After a severe security breach occurred due to lazily configured Nanotrasen - Network DHCP servers where attackers were able to hijack every airlock connected - to the Nanotrasen Intranet, the Central Command engineering team reports that - they have properly configured network address servers to give out (relatively) - secure network IDs again. [NTNet addresses reverted to 16-hex format. they will - now be randomized across a ~billion trillion possibilities instead of being - 1-1000 every round for doors and stuff.] + - rscadd: + After a severe security breach occurred due to lazily configured Nanotrasen + Network DHCP servers where attackers were able to hijack every airlock connected + to the Nanotrasen Intranet, the Central Command engineering team reports that + they have properly configured network address servers to give out (relatively) + secure network IDs again. [NTNet addresses reverted to 16-hex format. they will + now be randomized across a ~billion trillion possibilities instead of being + 1-1000 every round for doors and stuff.] 2018-04-15: JohnGinnane: - - tweak: Reorganised circuit component controls within an assembly, so they appear - before the name of the component + - tweak: + Reorganised circuit component controls within an assembly, so they appear + before the name of the component Naksu: - - bugfix: Bluespace slime cookies can no longer be used to travel to CentCom - - bugfix: Borgs can no longer accidentally end up inside a cryo cell - - bugfix: Shoving someone inside a cryo cell now has a small delay unless they are - knocked down, stunned, sleeping or unconscious - - admin: Station borgs can no longer control the CentCom ferry. - - bugfix: Ghosts can no longer interact with the round via teleporter effects of - any kind - - tweak: His Grace can no longer be deep-fried - - bugfix: Passive gates can be interacted with in unpowered areas + - bugfix: Bluespace slime cookies can no longer be used to travel to CentCom + - bugfix: Borgs can no longer accidentally end up inside a cryo cell + - bugfix: + Shoving someone inside a cryo cell now has a small delay unless they are + knocked down, stunned, sleeping or unconscious + - admin: Station borgs can no longer control the CentCom ferry. + - bugfix: + Ghosts can no longer interact with the round via teleporter effects of + any kind + - tweak: His Grace can no longer be deep-fried + - bugfix: Passive gates can be interacted with in unpowered areas 2018-04-16: Dax Dupont: - - rscadd: Added get current logs button for admins - - refactor: Removed verbs that have been replaced by other things like the combohud - or ticket panel. + - rscadd: Added get current logs button for admins + - refactor: + Removed verbs that have been replaced by other things like the combohud + or ticket panel. Naksu: - - tweak: Mining borgs and mining drones now have mesons and the engineering goggles' - meson mode also works in lavaland again. + - tweak: + Mining borgs and mining drones now have mesons and the engineering goggles' + meson mode also works in lavaland again. SpaceManiac: - - bugfix: The on-body icon for ancient bio suits is no longer broken. + - bugfix: The on-body icon for ancient bio suits is no longer broken. ninjanomnom: - - bugfix: The aux base properly loads in rather than leaving an empty room. - - bugfix: Admin loaded map templates can be designated as shuttles during the upload - process. Make sure to load them on space first. + - bugfix: The aux base properly loads in rather than leaving an empty room. + - bugfix: + Admin loaded map templates can be designated as shuttles during the upload + process. Make sure to load them on space first. 2018-04-17: Dax Dupont: - - bugfix: Fixed martial arts/spell granters breaking on interrupt in final stage. + - bugfix: Fixed martial arts/spell granters breaking on interrupt in final stage. Naksu: - - balance: Welding tools now flash the user as the weld progresses, not just when - the welding is started. - - bugfix: CentCom officials will now properly display the objectives the admin has - assigned them. + - balance: + Welding tools now flash the user as the weld progresses, not just when + the welding is started. + - bugfix: + CentCom officials will now properly display the objectives the admin has + assigned them. 2018-04-20: Astatineguy12: - - bugfix: Gygax construction now actually uses up the capacitor + - bugfix: Gygax construction now actually uses up the capacitor Dax Dupont: - - bugfix: A cat is fine too. You can select cat parts again! - - bugfix: Default lizard tail was never properly defaulted, now it is. - - bugfix: Fixes an exploit where tendrils/other spawners/anchored mobs in general - could be buckled to things and thus moved around. + - bugfix: A cat is fine too. You can select cat parts again! + - bugfix: Default lizard tail was never properly defaulted, now it is. + - bugfix: + Fixes an exploit where tendrils/other spawners/anchored mobs in general + could be buckled to things and thus moved around. Denton: - - rscadd: Due to space OSHA lobbying, the Syndicate's lavaland base now contains - a radsuit and decontamination shower. - - bugfix: Suit storage units' suit/helmet compartments now accept non-spacesuit - clothing (radsuits, EOD suits, firesuits and so on). + - rscadd: + Due to space OSHA lobbying, the Syndicate's lavaland base now contains + a radsuit and decontamination shower. + - bugfix: + Suit storage units' suit/helmet compartments now accept non-spacesuit + clothing (radsuits, EOD suits, firesuits and so on). Naksu: - - bugfix: Oingo-boingo punch-face and meteor shot can no longer move gateways or - Reebe servant blocker effects - - bugfix: Mechas piloted by servants of Ratvar now teleport to the servant side - of Reebe when entering a rift - - admin: Gravity generators can now be thrown in buildmode + - bugfix: + Oingo-boingo punch-face and meteor shot can no longer move gateways or + Reebe servant blocker effects + - bugfix: + Mechas piloted by servants of Ratvar now teleport to the servant side + of Reebe when entering a rift + - admin: Gravity generators can now be thrown in buildmode ShizCalev: - - bugfix: Fixed a number of conveyor belts leading to the incorrect direction. - - bugfix: Fixed shuttle conveyor belts being out of sync with cargo's conveyors - on some maps. + - bugfix: Fixed a number of conveyor belts leading to the incorrect direction. + - bugfix: + Fixed shuttle conveyor belts being out of sync with cargo's conveyors + on some maps. SpaceManiac: - - bugfix: Cycle-linking is no longer permanently disabled for airlocks on shuttles. + - bugfix: Cycle-linking is no longer permanently disabled for airlocks on shuttles. 2018-04-21: SailorDave: - - rscadd: A new manipulation circuit, the Seed Extractor. Extracts seeds from produce, - and outputs a list of the extracted seeds. - - rscadd: 'A new list circuit, the List Filter. Searches through a list for anything - matching the desired element and outputs two lists: one containing just the - matches, and the other with matches filtered out.' - - rscadd: A new list circuit, the Set circuit. Removes duplicate entries from a - list. - - tweak: The Plant Manipulation circuit can now plant seeds, and outputs a list - of harvested plants. - - tweak: Reagent circuits can now irrigate connected hydroponic trays and inject - blood samples into Replica pods. - - tweak: The Examiner circuit can now output worn items and other examined details - of carbon and silicon mobs into the description pin, as well as the occupied - turf of the scanned object, and can now scan turfs. - - tweak: The locomotion circuit now allows drones to move at base human speed, but - cannot be stacked, and assemblies can now open doors they have access to like - bots by bumping into them. - - bugfix: List Advanced Locator circuit now accepts refs as well as strings. - - bugfix: Fixed the Power Transmitter circuit not properly displaying a message - when activated. - - bugfix: Medical Analyzer circuit can now properly scan non-human mobs. + - rscadd: + A new manipulation circuit, the Seed Extractor. Extracts seeds from produce, + and outputs a list of the extracted seeds. + - rscadd: + "A new list circuit, the List Filter. Searches through a list for anything + matching the desired element and outputs two lists: one containing just the + matches, and the other with matches filtered out." + - rscadd: + A new list circuit, the Set circuit. Removes duplicate entries from a + list. + - tweak: + The Plant Manipulation circuit can now plant seeds, and outputs a list + of harvested plants. + - tweak: + Reagent circuits can now irrigate connected hydroponic trays and inject + blood samples into Replica pods. + - tweak: + The Examiner circuit can now output worn items and other examined details + of carbon and silicon mobs into the description pin, as well as the occupied + turf of the scanned object, and can now scan turfs. + - tweak: + The locomotion circuit now allows drones to move at base human speed, but + cannot be stacked, and assemblies can now open doors they have access to like + bots by bumping into them. + - bugfix: List Advanced Locator circuit now accepts refs as well as strings. + - bugfix: + Fixed the Power Transmitter circuit not properly displaying a message + when activated. + - bugfix: Medical Analyzer circuit can now properly scan non-human mobs. 2018-04-23: Dax Dupont: - - rscadd: More stations have been outfitted with disk compartmentalizers. - - bugfix: Fixed a lack of feedback when entering too many points for the gulag. - - admin: Fuel tank logging now logs to both game and attack logs so it's more clear - from logs what caused the explosion in game log and added coords to the messages - as well. - - bugfix: Fixes toolbelts being able to hold everything. + - rscadd: More stations have been outfitted with disk compartmentalizers. + - bugfix: Fixed a lack of feedback when entering too many points for the gulag. + - admin: + Fuel tank logging now logs to both game and attack logs so it's more clear + from logs what caused the explosion in game log and added coords to the messages + as well. + - bugfix: Fixes toolbelts being able to hold everything. Denton: - - tweak: Moved Deltastation's ORM so that all crew can access it. - - code_imp: Added multilayer subtypes for mapping. + - tweak: Moved Deltastation's ORM so that all crew can access it. + - code_imp: Added multilayer subtypes for mapping. Kor: - - rscadd: Changelings can now have an objective to have more genomes than any other - changeling, rather than a set target. - - rscadd: Changelings can now have an objective to absorb another changeling. - - rscadd: Changelings now get bonus genetic points for buying powers when they absorb - another changeling. Their chem storage cap will also be increased. - - rscadd: Changelings absorbed by other changelings will lose all their powers, - chems, and genetic points, making them unable to revive. + - rscadd: + Changelings can now have an objective to have more genomes than any other + changeling, rather than a set target. + - rscadd: Changelings can now have an objective to absorb another changeling. + - rscadd: + Changelings now get bonus genetic points for buying powers when they absorb + another changeling. Their chem storage cap will also be increased. + - rscadd: + Changelings absorbed by other changelings will lose all their powers, + chems, and genetic points, making them unable to revive. Naksu: - - code_imp: Performance tweaks to plant code - - bugfix: Spears, nullrods etc should no longer be invisible + - code_imp: Performance tweaks to plant code + - bugfix: Spears, nullrods etc should no longer be invisible Power Control Support: - - bugfix: What do you mean we accidentally routed the interaction back to the apc - control conso- oh for fleeps sake STEVE WHAT DID YOU DO!! + - bugfix: + What do you mean we accidentally routed the interaction back to the apc + control conso- oh for fleeps sake STEVE WHAT DID YOU DO!! Rinoka: - - bugfix: phobias now actually make you fear things other than an apostrophe s. + - bugfix: phobias now actually make you fear things other than an apostrophe s. Spoilsport: - - rscdel: Inducers and integrated circuits can no longer charge energised weapons. + - rscdel: Inducers and integrated circuits can no longer charge energised weapons. iksyp: - - rscadd: the beer and soda dispenser now have their own circuitboards, as well - as design ids. you can unlock them through techwebs under the biotech node. - - bugfix: beer and soda dispensers can no longer be turned into chem dispensers - by deconstructing and reconstructing them. + - rscadd: + the beer and soda dispenser now have their own circuitboards, as well + as design ids. you can unlock them through techwebs under the biotech node. + - bugfix: + beer and soda dispensers can no longer be turned into chem dispensers + by deconstructing and reconstructing them. 2018-04-24: Dax Dupont: - - bugfix: Cargo scanner is no longer invisible. + - bugfix: Cargo scanner is no longer invisible. 2018-04-25: Barhandar: - - bugfix: Pubbystation's field generators have been offset to no longer bisect the - engine on roundstart setup. + - bugfix: + Pubbystation's field generators have been offset to no longer bisect the + engine on roundstart setup. Dax Dupont: - - rscadd: You can now research and construct radiation collectors. - - bugfix: Doors don't turn into Mike Pence when the shock wire is pulsed, only why - it's cut. - - admin: Logging and messaging for singularities now include the area and a jump - link to the location where it happened. - - admin: Improved messaging for blood contracts. - - admin: While the onus is on the admin, the ckey has been added to some of the - prompts so mistakes can be caught earlier in the middle of the process. + - rscadd: You can now research and construct radiation collectors. + - bugfix: + Doors don't turn into Mike Pence when the shock wire is pulsed, only why + it's cut. + - admin: + Logging and messaging for singularities now include the area and a jump + link to the location where it happened. + - admin: Improved messaging for blood contracts. + - admin: + While the onus is on the admin, the ckey has been added to some of the + prompts so mistakes can be caught earlier in the middle of the process. Denton: - - tweak: 'Nanotrasen''s materials science division reports: Coins and diamonds DO - blend!' + - tweak: + "Nanotrasen's materials science division reports: Coins and diamonds DO + blend!" Mickyan: - - tweak: Potato Chips and Beef Jerky from food vendors now contain salt. + - tweak: Potato Chips and Beef Jerky from food vendors now contain salt. deathride58: - - bugfix: Stocks in the stock market no longer have spontaneous exponential spikes. + - bugfix: Stocks in the stock market no longer have spontaneous exponential spikes. 2018-04-27: Dax Dupont: - - balance: Experimentor now only outputs one clone. - - bugfix: Above change also fixes **an exploit** with loaded items getting cloned - after changing the loaded item and ejecting. - - bugfix: RPEDs will no longer display machine contents twice. - - bugfix: RPED can no longer hold everything. - - refactor: Moves all the logic for exchanging parts into the RPEDs instead of having - checks in every attack_by. - - rscadd: Clogged vents now scale like meteors. - - balance: Clogged vents got nerfed. - - bugfix: Buildmode toggle now checks for permissions so the hotkey can't bypass - it. - - admin: Press F10 for dsay prompt. - - admin: PDA explosions now have logging. + - balance: Experimentor now only outputs one clone. + - bugfix: + Above change also fixes **an exploit** with loaded items getting cloned + after changing the loaded item and ejecting. + - bugfix: RPEDs will no longer display machine contents twice. + - bugfix: RPED can no longer hold everything. + - refactor: + Moves all the logic for exchanging parts into the RPEDs instead of having + checks in every attack_by. + - rscadd: Clogged vents now scale like meteors. + - balance: Clogged vents got nerfed. + - bugfix: + Buildmode toggle now checks for permissions so the hotkey can't bypass + it. + - admin: Press F10 for dsay prompt. + - admin: PDA explosions now have logging. Denton: - - spellcheck: Fixed object descriptions and added missing ones - mostly to robotics - and RnD. + - spellcheck: + Fixed object descriptions and added missing ones - mostly to robotics + and RnD. Fox McCloud: - - tweak: Removed acid requirement from basic network card and basic data disk - - tweak: grinding circuitboards no longer generates acid + - tweak: Removed acid requirement from basic network card and basic data disk + - tweak: grinding circuitboards no longer generates acid Kor: - - rscadd: Added the Bureaucratic Error event, which replaces the overflow role with - a random job. + - rscadd: + Added the Bureaucratic Error event, which replaces the overflow role with + a random job. Mickyan: - - rscadd: 'New negative trait: Acute Blood Deficiency. Keep your slowly decreasing - blood level in check if you want to survive.' + - rscadd: + "New negative trait: Acute Blood Deficiency. Keep your slowly decreasing + blood level in check if you want to survive." MrDoomBringer: - - rscadd: Analyzers now show temperature in Kelvin as well as Celsuis + - rscadd: Analyzers now show temperature in Kelvin as well as Celsuis Naksu: - - code_imp: Inbounds subsystem, STATIONLOVING_2 and INFORM_ADMINS_ON_RELOCATE_2 - flags are removed. - - code_imp: New stationloving component replaces all of this. - - code_imp: 'Added new signals: COMSIG_MOVABLE_Z_CHANGED is now sent when a movable - changes Z level, COMSIG_PARENT_PREQDELETED is sent before the object''s Destroy() - is called and allows interrupting the deletion, COMSIG_ITEM_IMBUE_SOUL is sent - when a wizard attempts to make a thing their phylactery' - - bugfix: slime pressurization potions are no longer consumed when attempting to - apply them on already-spaceproof clothing + - code_imp: + Inbounds subsystem, STATIONLOVING_2 and INFORM_ADMINS_ON_RELOCATE_2 + flags are removed. + - code_imp: New stationloving component replaces all of this. + - code_imp: + "Added new signals: COMSIG_MOVABLE_Z_CHANGED is now sent when a movable + changes Z level, COMSIG_PARENT_PREQDELETED is sent before the object's Destroy() + is called and allows interrupting the deletion, COMSIG_ITEM_IMBUE_SOUL is sent + when a wizard attempts to make a thing their phylactery" + - bugfix: + slime pressurization potions are no longer consumed when attempting to + apply them on already-spaceproof clothing ShizCalev: - - bugfix: Fixed AI units being able to manually fire unpowered/broken turrets. - - bugfix: Fixed traitor AIs being unable to place a robotics factory if they failed - to place it after the prompt. - - bugfix: Fixed mobs having no hands if they had prosthetic limbs - - bugfix: Fixed damage overlays disappearing from prosthetic limbs when a mob is - husked - - bugfix: Fixed ghosts not being able to see into bags - - bugfix: Fixed a number of chapel and morgue doors being high-security CENTCOM - variants. This was also triggering certain phobias. - - bugfix: Fixed the warning message for chameleon projectors when a mob is inside - a closet - - tweak: Improved the formatting of the round-end report for AI and robotic units - - spellcheck: Added a period to the end of point-at messages. - - bugfix: Fixed ghosts getting spammed by sounds when clicking on a jukebox. - - bugfix: Fixed a duplicate docking port on the aux base template which was causing - some errors - - bugfix: Fixed Gr3y.T1d3 virus bolting open the doors to the SM, causing delamination. - - bugfix: Fixed the cat butcher dropping incorrectly colored tails - - bugfix: Fixed being unable to add a cat tail to someone through surgery. - - bugfix: Fixed mass purrbation & the anime event failing to give people ears and - tails in some cases. - - bugfix: Fixed AI units being able to toggle turrets on and off when AI control - is disabled. - - bugfix: While it slight increases the cost of production, vanilla ice cream is - now actually made with real vanilla! - - bugfix: Fixed AI units being able to see lights through static. - - bugfix: Fixed securitron pathfinding icons being broken. + - bugfix: Fixed AI units being able to manually fire unpowered/broken turrets. + - bugfix: + Fixed traitor AIs being unable to place a robotics factory if they failed + to place it after the prompt. + - bugfix: Fixed mobs having no hands if they had prosthetic limbs + - bugfix: + Fixed damage overlays disappearing from prosthetic limbs when a mob is + husked + - bugfix: Fixed ghosts not being able to see into bags + - bugfix: + Fixed a number of chapel and morgue doors being high-security CENTCOM + variants. This was also triggering certain phobias. + - bugfix: + Fixed the warning message for chameleon projectors when a mob is inside + a closet + - tweak: Improved the formatting of the round-end report for AI and robotic units + - spellcheck: Added a period to the end of point-at messages. + - bugfix: Fixed ghosts getting spammed by sounds when clicking on a jukebox. + - bugfix: + Fixed a duplicate docking port on the aux base template which was causing + some errors + - bugfix: Fixed Gr3y.T1d3 virus bolting open the doors to the SM, causing delamination. + - bugfix: Fixed the cat butcher dropping incorrectly colored tails + - bugfix: Fixed being unable to add a cat tail to someone through surgery. + - bugfix: + Fixed mass purrbation & the anime event failing to give people ears and + tails in some cases. + - bugfix: + Fixed AI units being able to toggle turrets on and off when AI control + is disabled. + - bugfix: + While it slight increases the cost of production, vanilla ice cream is + now actually made with real vanilla! + - bugfix: Fixed AI units being able to see lights through static. + - bugfix: Fixed securitron pathfinding icons being broken. imsxz: - - bugfix: invulnerability exploit involving stable adamantine extract fixed + - bugfix: invulnerability exploit involving stable adamantine extract fixed ninjanomnom: - - admin: You can now use alt click in advanced buildmode to to copy the targeted - object for placement with left click. - - rscadd: You can now see objects and turfs past the map edge borders. - - bugfix: Shuttles getting removed would occasionally causes issues. This has been - fixed. + - admin: + You can now use alt click in advanced buildmode to to copy the targeted + object for placement with left click. + - rscadd: You can now see objects and turfs past the map edge borders. + - bugfix: + Shuttles getting removed would occasionally causes issues. This has been + fixed. 2018-04-28: MMMiracles: - - rscadd: A jukebox can now be found in the bar of your respective station. Contact - Central about song suggestions to be added to the curated list! + - rscadd: + A jukebox can now be found in the bar of your respective station. Contact + Central about song suggestions to be added to the curated list! Naksu: - - code_imp: clothing-specific flags are now defined in /obj/item/clothing.clothing_flags + - code_imp: clothing-specific flags are now defined in /obj/item/clothing.clothing_flags PKPenguin321: - - balance: The changeling "Spiders" power now requires absorptions gained through - the actual Absorb ability, rather than DNA from DNA sting. To compensate, it - now only requires 3 absorptions, down from 5. + - balance: + The changeling "Spiders" power now requires absorptions gained through + the actual Absorb ability, rather than DNA from DNA sting. To compensate, it + now only requires 3 absorptions, down from 5. ShizCalev: - - bugfix: Fixed a good number of missing icons. + - bugfix: Fixed a good number of missing icons. as334: - - rscadd: Fusion is back - - rscadd: Fusion now happens with large quantities of hot plasma and CO2, consuming - all the plasma rapidly and producing large amounts of energy. Other gases can - also effect the performance of the reaction. - - rscadd: Fusion now produces radiation. Be careful around reactors. - - bugfix: fixes fusion dividing by zero and destroying everything - - code_imp: Gas reactions now have access to where they are occurring - - bugfix: Prevents some other reactions from producing matter from nothing + - rscadd: Fusion is back + - rscadd: + Fusion now happens with large quantities of hot plasma and CO2, consuming + all the plasma rapidly and producing large amounts of energy. Other gases can + also effect the performance of the reaction. + - rscadd: Fusion now produces radiation. Be careful around reactors. + - bugfix: fixes fusion dividing by zero and destroying everything + - code_imp: Gas reactions now have access to where they are occurring + - bugfix: Prevents some other reactions from producing matter from nothing kevinz000: - - rscadd: Circuit ntnet components buffed. Added a new low level ntnet component - that can send custom data instead of just the two plaintext and one passkey - format, which things will use by default. Ntnet now uses a list for their data - instead of three variables. they also have lowered complexity for the now weakened - normal network component, and has lower cooldowns. + - rscadd: + Circuit ntnet components buffed. Added a new low level ntnet component + that can send custom data instead of just the two plaintext and one passkey + format, which things will use by default. Ntnet now uses a list for their data + instead of three variables. they also have lowered complexity for the now weakened + normal network component, and has lower cooldowns. pigeonsk: - - bugfix: The faint echoes of maracas grows louder, as if a past spirit once forgotten - has come back with a vengeance... + - bugfix: + The faint echoes of maracas grows louder, as if a past spirit once forgotten + has come back with a vengeance... 2018-04-29: Naksu: - - bugfix: Wearing a bucket no longer connects your head to the vacuum of space + - bugfix: Wearing a bucket no longer connects your head to the vacuum of space oranges: - - rscdel: Pet collars can no longer be equipped on humans + - rscdel: Pet collars can no longer be equipped on humans 2018-04-30: Dax Dupont: - - balance: Adds a cooldown to PDA send to all messages. - - bugfix: Last sent message cooldown actually works now. - - tweak: More reagents in the clogged vents event. + - balance: Adds a cooldown to PDA send to all messages. + - bugfix: Last sent message cooldown actually works now. + - tweak: More reagents in the clogged vents event. Denton: - - rscadd: Added more holoprojectors to techwebs (security, engineering and atmos). + - rscadd: Added more holoprojectors to techwebs (security, engineering and atmos). Erwgd: - - rscadd: Limb growers can now create limbs for flypeople and mothmen. + - rscadd: Limb growers can now create limbs for flypeople and mothmen. Evsey9: - - balance: Integrated Circuit weapon mechanisms now work only when outside of any - containers and hands, due to reports of severe injury caused by activating them - while still holding them. + - balance: + Integrated Circuit weapon mechanisms now work only when outside of any + containers and hands, due to reports of severe injury caused by activating them + while still holding them. Garen: - - imageadd: added inhands for teleprods. + - imageadd: added inhands for teleprods. JJRcop: - - bugfix: Integrated circuits can no longer throw themselves. + - bugfix: Integrated circuits can no longer throw themselves. Jalleo: - - bugfix: a certain exploit that can occur in regards to creating certain items - in a particular manner - - tweak: readds emitter field generator and rad collector wrenching times. Someone - override it when adding the wrench_act. + - bugfix: + a certain exploit that can occur in regards to creating certain items + in a particular manner + - tweak: + readds emitter field generator and rad collector wrenching times. Someone + override it when adding the wrench_act. Mickyan: - - tweak: You can now see how well fed you are by self-inspecting. + - tweak: You can now see how well fed you are by self-inspecting. Naksu: - - code_imp: More flags have been moved to their appropriate places - - code_imp: HEALS_EARS_2 is removed in favor of the earhealing component - - code_imp: wearertargeting component is available to subtype for components that - want to target the wearer of an item rather than the item itself + - code_imp: More flags have been moved to their appropriate places + - code_imp: HEALS_EARS_2 is removed in favor of the earhealing component + - code_imp: + wearertargeting component is available to subtype for components that + want to target the wearer of an item rather than the item itself ShizCalev: - - bugfix: Glass stacks will now properly delete when exploded. - - bugfix: Fixed attacking someone with a bikehorn not triggering the correct mood - event. + - bugfix: Glass stacks will now properly delete when exploded. + - bugfix: + Fixed attacking someone with a bikehorn not triggering the correct mood + event. YakumoChen: - - tweak: Nanotrasen has once again shipped BZ to its nearby stations. Check your - local Xenobiology lab for your shipment. - - tweak: Nanotrasen would like to remind you that BZ is meant for keeping slimes - from moving or getting hungry. It is not for human use and may lead to hallucinations. - Always practice workplace safety when handling dangerous gasses! + - tweak: + Nanotrasen has once again shipped BZ to its nearby stations. Check your + local Xenobiology lab for your shipment. + - tweak: + Nanotrasen would like to remind you that BZ is meant for keeping slimes + from moving or getting hungry. It is not for human use and may lead to hallucinations. + Always practice workplace safety when handling dangerous gasses! george99g: - - bugfix: Committing suicide will now stop you from being cloned via prescans. + - bugfix: Committing suicide will now stop you from being cloned via prescans. iksyp: - - tweak: pacifists can now use .50BMG Soporific Rounds + - tweak: pacifists can now use .50BMG Soporific Rounds ninjanomnom: - - bugfix: Caravan ambush shuttles have been templated to fit the new system and - can fly again. + - bugfix: + Caravan ambush shuttles have been templated to fit the new system and + can fly again. pigeonsk: - - bugfix: Large stacks of plastitanium now display properly - - rscadd: You can now get traditional sake and get a first-hand taste of a superior - culture. Have I told you about my katana and my trip to- + - bugfix: Large stacks of plastitanium now display properly + - rscadd: + You can now get traditional sake and get a first-hand taste of a superior + culture. Have I told you about my katana and my trip to- 2018-05-01: BuffEngineering: - - bugfix: Nanotrasen has graciously connected the port bow solar's SMES to the main - grid. + - bugfix: + Nanotrasen has graciously connected the port bow solar's SMES to the main + grid. Denton: - - rscadd: You can now craft and disassemble HUDsunglasses! Check out the clothing - section of the crafting menu. - - tweak: Cargo packs have been reorganized to shrink the big engineering, food&livestock - and misc categories. + - rscadd: + You can now craft and disassemble HUDsunglasses! Check out the clothing + section of the crafting menu. + - tweak: + Cargo packs have been reorganized to shrink the big engineering, food&livestock + and misc categories. NewSta: - - rscadd: 'Added 5 new drinks: Alexander, Between the Sheets, Kamikaze, Mojito and - Sidecar.' - - rscadd: Added Menthol and Sake to the drink dispensers. + - rscadd: + "Added 5 new drinks: Alexander, Between the Sheets, Kamikaze, Mojito and + Sidecar." + - rscadd: Added Menthol and Sake to the drink dispensers. Ordonis, Denton: - - rscadd: OH YEAH BROTHER! The H.O.G.A.N. AI module has a chance to spawn at the - AI upload. + - rscadd: + OH YEAH BROTHER! The H.O.G.A.N. AI module has a chance to spawn at the + AI upload. SpaceManiac: - - bugfix: The button in the mech interface to terminate maintenace protocol no longer - reads "Initiate maintenace protocol". - - bugfix: Boxes now fit inside storage implants again. + - bugfix: + The button in the mech interface to terminate maintenace protocol no longer + reads "Initiate maintenace protocol". + - bugfix: Boxes now fit inside storage implants again. XDTM: - - balance: Small, constant ticks of brain damage are now less likely to cause traumas. + - balance: Small, constant ticks of brain damage are now less likely to cause traumas. deathride58: - - bugfix: Fixed the intergalactic stock market crash. The speculation/performance - modifier has been removed completely. + - bugfix: + Fixed the intergalactic stock market crash. The speculation/performance + modifier has been removed completely. 2018-05-04: Cobby (Stolen from GrayRachnid): - - tweak: The processor has now been generalized techweb-wise into the "food/slime - processor". - - rscadd: The processor can now be made by Science. + - tweak: + The processor has now been generalized techweb-wise into the "food/slime + processor". + - rscadd: The processor can now be made by Science. Dax Dupont: - - balance: After successful lobbying by the Space Ancap Federation ammo is no longer - free. Material redemption cost is now determined by the amount of bullets left. - - balance: .38 ammo is now cheaper to produce. - - balance: Casings now give a little bit of metal. mostly for immersion sake. + - balance: + After successful lobbying by the Space Ancap Federation ammo is no longer + free. Material redemption cost is now determined by the amount of bullets left. + - balance: .38 ammo is now cheaper to produce. + - balance: Casings now give a little bit of metal. mostly for immersion sake. Denton: - - bugfix: Runtimestation's RnD machinery is now up to date. + - bugfix: Runtimestation's RnD machinery is now up to date. Fox McCloud: - - bugfix: Fixes recycler not recycling bluespace and plastic objects - - bugfix: Fixes objects with material components always showing their materials - on examine + - bugfix: Fixes recycler not recycling bluespace and plastic objects + - bugfix: + Fixes objects with material components always showing their materials + on examine Garen: - - bugfix: Removes unintentional pins from the constant circuit. + - bugfix: Removes unintentional pins from the constant circuit. Hyacinth: - - rscadd: Grenadine is now available in the bar! - - tweak: Tequila sunrises now require grenadine to make! + - rscadd: Grenadine is now available in the bar! + - tweak: Tequila sunrises now require grenadine to make! Mickyan: - - bugfix: Our suppliers assure us that Midori Tabako cigarettes will actually contain - tobacco from now on. + - bugfix: + Our suppliers assure us that Midori Tabako cigarettes will actually contain + tobacco from now on. Naksu: - - code_imp: APC code is slightly less shit. - - tweak: APC cells can be removed with a crowbar + - code_imp: APC code is slightly less shit. + - tweak: APC cells can be removed with a crowbar Onule!: - - rscadd: Plasmaman liver and stomach crystals! + - rscadd: Plasmaman liver and stomach crystals! Poetic_Iron: - - spellcheck: Fixed 'Tequila Sunrise' naming from 'tequila Sunrise'. + - spellcheck: Fixed 'Tequila Sunrise' naming from 'tequila Sunrise'. SpaceManiac: - - code_imp: The commit hashes shown in Show Server Revision are now long enough - to autolink when copied into issue reports. + - code_imp: + The commit hashes shown in Show Server Revision are now long enough + to autolink when copied into issue reports. Spellbooks Take 2: - - imageadd: Magical Spellbooks are now animated. + - imageadd: Magical Spellbooks are now animated. Tlaltecuhtli: - - tweak: medbeams heal tox and oxy slighty + - tweak: medbeams heal tox and oxy slighty pigeonsk: - - rscdel: After an internal audit and review Nanotrasen has decided that stock financing - at the station-level makes no logistical nor managerial sense. Stations, and - their cargo departments, may no longer play the stock market. + - rscdel: + After an internal audit and review Nanotrasen has decided that stock financing + at the station-level makes no logistical nor managerial sense. Stations, and + their cargo departments, may no longer play the stock market. 2018-05-06: Dax Dupont: - - bugfix: Rhumba beat now stops processing while dead. + - bugfix: Rhumba beat now stops processing while dead. Denton: - - bugfix: The Donksoft vendor board got lost during the techwebs transition and - has been re-added under the illegal technology node. + - bugfix: + The Donksoft vendor board got lost during the techwebs transition and + has been re-added under the illegal technology node. Garen: - - tweak: Grilles must take damage to produce tesla shocks. + - tweak: Grilles must take damage to produce tesla shocks. Naksu: - - bugfix: APCs are closed with crowbars properly again. Screwdrivers can now be - used by borgs to pop out the cell instead of crowbars + - bugfix: + APCs are closed with crowbars properly again. Screwdrivers can now be + used by borgs to pop out the cell instead of crowbars SpaceManiac: - - bugfix: The top-left menus (icon scaling, ghost preferences, etc.) now work again. + - bugfix: The top-left menus (icon scaling, ghost preferences, etc.) now work again. Xhuis: - - tweak: Character traits are now called character quirks. Functionality remains - unaffected. + - tweak: + Character traits are now called character quirks. Functionality remains + unaffected. deathride58: - - rscadd: If the nuke disk stays still for long enough, the lone operative event - will enter the random event rotation. The longer the nuke disk stays still, - the more likely the lone operative event will trigger. + - rscadd: + If the nuke disk stays still for long enough, the lone operative event + will enter the random event rotation. The longer the nuke disk stays still, + the more likely the lone operative event will trigger. 2018-05-08: cacogen and nicbn: - - tweak: You can now select RPD modes individually. - - tweak: RPD autowrenching is now a tgui action rather than an Alt Click option. + - tweak: You can now select RPD modes individually. + - tweak: RPD autowrenching is now a tgui action rather than an Alt Click option. deathride58: - - rscadd: Added ambient occlusion. You can toggle this on or off in the game preferences - menu. + - rscadd: + Added ambient occlusion. You can toggle this on or off in the game preferences + menu. 2018-05-09: Firecage & Bluespace: - - balance: Replaces the Roman Shield and Roman helmets in the Autodrobe with fake - versions with neither block chance nor armour values. + - balance: + Replaces the Roman Shield and Roman helmets in the Autodrobe with fake + versions with neither block chance nor armour values. PKPenguin321: - - rscadd: There are now two new variants of the concatenator integrated circuit. - Small, which only takes 4 inputs, and large, which takes 16. Small uses 50% - less complexity, large uses 50% more. - - rscadd: There's a new string length circuit, which simply returns the length of - a given string. - - rscadd: There's a new indexer circuit, which takes a string and an index and returns - the character found at the index of the given string. - - tweak: The find text integrated circuit now has two new pulse outs, one that runs - when it finds the text and one that runs when it does not. - - tweak: Leaving the delimiter in the explode text circuit null will now return - all of the input string's characters in a list. + - rscadd: + There are now two new variants of the concatenator integrated circuit. + Small, which only takes 4 inputs, and large, which takes 16. Small uses 50% + less complexity, large uses 50% more. + - rscadd: + There's a new string length circuit, which simply returns the length of + a given string. + - rscadd: + There's a new indexer circuit, which takes a string and an index and returns + the character found at the index of the given string. + - tweak: + The find text integrated circuit now has two new pulse outs, one that runs + when it finds the text and one that runs when it does not. + - tweak: + Leaving the delimiter in the explode text circuit null will now return + all of the input string's characters in a list. 2018-05-10: Dax Dupont: - - bugfix: The singularity spawned by the arcade orion tale meme will disappear as - intended. + - bugfix: + The singularity spawned by the arcade orion tale meme will disappear as + intended. Kor: - - rscadd: Science may now research reactive armour shells, which create different - armours when combined with different anomaly cores. They are constructable from - the Research and Engineering lathes. + - rscadd: + Science may now research reactive armour shells, which create different + armours when combined with different anomaly cores. They are constructable from + the Research and Engineering lathes. Ordo: - - rscadd: Adds a french beret to the mime. Steal it from him to learn French! Sort - of. HONH HONH HONH. + - rscadd: + Adds a french beret to the mime. Steal it from him to learn French! Sort + of. HONH HONH HONH. SpaceManiac: - - refactor: Large groups of PNG assets are now transmitted in spritesheets, greatly - improving load times. - - tweak: The access denied message when entering a mech now distinguishes between - DNA lock and ID requirements. - - bugfix: Removing an ID card from a wallet now properly removes its visual and - accesses. + - refactor: + Large groups of PNG assets are now transmitted in spritesheets, greatly + improving load times. + - tweak: + The access denied message when entering a mech now distinguishes between + DNA lock and ID requirements. + - bugfix: + Removing an ID card from a wallet now properly removes its visual and + accesses. Tlaltecuhtli: - - bugfix: the default bulldog shotgun ammo makes sense now - - bugfix: fixes a possible money exploit + - bugfix: the default bulldog shotgun ammo makes sense now + - bugfix: fixes a possible money exploit YPOQ: - - bugfix: Anomalies can be disabled with signalers again + - bugfix: Anomalies can be disabled with signalers again 2018-05-13: Alexch2: - - bugfix: Large crates no longer behave like lockers. They no longer open into invisible - sprites when damaged, interacted with, when "toggle open" is used, or when non-crowbar - items are used on them. + - bugfix: + Large crates no longer behave like lockers. They no longer open into invisible + sprites when damaged, interacted with, when "toggle open" is used, or when non-crowbar + items are used on them. Ausops and Qbopper: - - rscadd: Added security jumpskirts - snag one from a security wardrobe locker. + - rscadd: Added security jumpskirts - snag one from a security wardrobe locker. Cobby: - - bugfix: Beds will now properly save you from floor is lava, but only if you buckle - to them + - bugfix: + Beds will now properly save you from floor is lava, but only if you buckle + to them Cyberboss: - - tweak: You may now take unlimited neutral and negative quirks + - tweak: You may now take unlimited neutral and negative quirks Denton: - - bugfix: Runtimestation's RTGs are now connected to the powernet. - - code_imp: Added chem_dispenser/fullupgrade as well as chem_synthesizer for testing. - - tweak: Replaced runtimestation's two chem dispensers with those subtypes. - - spellcheck: Did you know that you can use a screwdriver on the ChemMaster board? - Now you do. + - bugfix: Runtimestation's RTGs are now connected to the powernet. + - code_imp: Added chem_dispenser/fullupgrade as well as chem_synthesizer for testing. + - tweak: Replaced runtimestation's two chem dispensers with those subtypes. + - spellcheck: + Did you know that you can use a screwdriver on the ChemMaster board? + Now you do. Frozenguy5: - - tweak: You can now make plasma reinforced glass at the ORM. - - tweak: Titanium glass is now worth 0.5 titanium + 1 glass. Plastitanium glass - is now worth 0.5 titanium + 0.5 plasma + 1 glass. Therefore these glass sheets - are cheaper to make. + - tweak: You can now make plasma reinforced glass at the ORM. + - tweak: + Titanium glass is now worth 0.5 titanium + 1 glass. Plastitanium glass + is now worth 0.5 titanium + 0.5 plasma + 1 glass. Therefore these glass sheets + are cheaper to make. Iamgoofball: - - bugfix: Family Heirlooms now properly show you where they are stored if they spawn - in a bag. + - bugfix: + Family Heirlooms now properly show you where they are stored if they spawn + in a bag. Mickyan: - - tweak: Gauze can be deconstructed into cloth using wirecutters. + - tweak: Gauze can be deconstructed into cloth using wirecutters. Naksu: - - rscdel: Fusion has been removed for pressing ceremonial reasons, and also because - it crashes the server + - rscdel: + Fusion has been removed for pressing ceremonial reasons, and also because + it crashes the server Tlaltecuhtli: - - bugfix: 50% of the corgis bought are now male + - bugfix: 50% of the corgis bought are now male XDTM: - - tweak: Teleporters linked to other teleporters now teleport into the other teleporter's - hub, instead of the power station. - - bugfix: Teleporters now no longer consume power if teleportation fails. + - tweak: + Teleporters linked to other teleporters now teleport into the other teleporter's + hub, instead of the power station. + - bugfix: Teleporters now no longer consume power if teleportation fails. YPOQ: - - bugfix: Fixed items stacks sometimes having the wrong amount if created on another - stack - - bugfix: Constructing light tiles no longer uses two sheets of metal - - bugfix: Gorillas have hands slots again - - bugfix: The paddle/nozzles of defibs, backpack water tanks, and gatling lasers - work again - - bugfix: You can honk people with bike horns again + - bugfix: + Fixed items stacks sometimes having the wrong amount if created on another + stack + - bugfix: Constructing light tiles no longer uses two sheets of metal + - bugfix: Gorillas have hands slots again + - bugfix: + The paddle/nozzles of defibs, backpack water tanks, and gatling lasers + work again + - bugfix: You can honk people with bike horns again 2018-05-14: Barhandar: - - rscadd: Amount of goliath plates is now shown in examine for explorer suits and - mining hardsuits. + - rscadd: + Amount of goliath plates is now shown in examine for explorer suits and + mining hardsuits. Dax Dupont: - - rscadd: You can now swap disks in the plant manipulator. + - rscadd: You can now swap disks in the plant manipulator. JStheguy: - - imageadd: Vending machines now have more complex shading and are rigged with next-gen - flickering technology, a couple have either a partial or complete facelift. - Maintenance panel overlays have been fixed on machines where they were seemingly - left unchanged when the switch to 3/4ths was made. - - imageadd: Burger buns are bigger and more detailed. - - imageadd: Donuts have been totally redrawn. + - imageadd: + Vending machines now have more complex shading and are rigged with next-gen + flickering technology, a couple have either a partial or complete facelift. + Maintenance panel overlays have been fixed on machines where they were seemingly + left unchanged when the switch to 3/4ths was made. + - imageadd: Burger buns are bigger and more detailed. + - imageadd: Donuts have been totally redrawn. SpaceManiac: - - admin: Admin-healing someone will now rejuvenate their mood as well. + - admin: Admin-healing someone will now rejuvenate their mood as well. 2018-05-15: Dax Dupont: - - bugfix: Fixes missing curator hud icon. + - bugfix: Fixes missing curator hud icon. Denton: - - tweak: Engi-Vend machines now contain fire alarm and firelock electronics! - - code_imp: Loose tech storage circuit boards have been replaced with spawners. - - rscadd: APC/air alarm/airlock/fire alarm/firelock electronics are now available - once Industrial Engineering is researched.. + - tweak: Engi-Vend machines now contain fire alarm and firelock electronics! + - code_imp: Loose tech storage circuit boards have been replaced with spawners. + - rscadd: + APC/air alarm/airlock/fire alarm/firelock electronics are now available + once Industrial Engineering is researched.. 2018-05-16: Dax Dupont: - - balance: Cult items will no longer be a long ride on the vomit coaster if picked - up by a non cultist. + - balance: + Cult items will no longer be a long ride on the vomit coaster if picked + up by a non cultist. 2018-05-17: Dax Dupont: - - balance: Cult space bases are kill again. - - balance: Cult floors now pass gas. - - bugfix: Fixed a few things deconning into the wrong circuit. - - bugfix: You can no longer do infinite bioware surgery. - - rscadd: Added the MURDERDOME VR player versus player combat arena, filled with - the most powerful weapons Centcom could think of to murder each other peacefully. - Contact your nearest vendors for VR sleepers. - - tweak: VR landmarks now accept outfits. - - tweak: VR Sleepers can now be constructed and researched. - - tweak: VR Sleepers now respond to mouse drops like sleepers! - - bugfix: VR sleepers no longer close or open inappropriately. + - balance: Cult space bases are kill again. + - balance: Cult floors now pass gas. + - bugfix: Fixed a few things deconning into the wrong circuit. + - bugfix: You can no longer do infinite bioware surgery. + - rscadd: + Added the MURDERDOME VR player versus player combat arena, filled with + the most powerful weapons Centcom could think of to murder each other peacefully. + Contact your nearest vendors for VR sleepers. + - tweak: VR landmarks now accept outfits. + - tweak: VR Sleepers can now be constructed and researched. + - tweak: VR Sleepers now respond to mouse drops like sleepers! + - bugfix: VR sleepers no longer close or open inappropriately. Denton: - - code_imp: Added /syndicate subtypes for air alarms and APCs. - - bugfix: Added missing stock parts to the syndicate lavaland base. - - tweak: Added kitchen related circuit boards to the syndie lavaland base. + - code_imp: Added /syndicate subtypes for air alarms and APCs. + - bugfix: Added missing stock parts to the syndicate lavaland base. + - tweak: Added kitchen related circuit boards to the syndie lavaland base. Dimmadunk: - - rscadd: 'There''s a new type of reagent added to the booze dispenser: Fernet. - With it you can make a couple of new digestif drinks that will help you reduce - excess fat!' + - rscadd: + "There's a new type of reagent added to the booze dispenser: Fernet. + With it you can make a couple of new digestif drinks that will help you reduce + excess fat!" Garen: - - rscadd: Thrower and Gun circuits put messages in chat when they're used. - - tweak: Only the gun assembly can throw/shoot while in hand - - imageadd: Adds inhands for the gun assembly - - bugfix: grabber inventories update when a thrower takes from them + - rscadd: Thrower and Gun circuits put messages in chat when they're used. + - tweak: Only the gun assembly can throw/shoot while in hand + - imageadd: Adds inhands for the gun assembly + - bugfix: grabber inventories update when a thrower takes from them Pubby: - - tweak: PubbyStation has been updated. You can now be the lawyer. + - tweak: PubbyStation has been updated. You can now be the lawyer. ShizCalev: - - bugfix: Adminorazine will no longer kill ash lizards. - - bugfix: Adminorazine will no longer remove quirks. + - bugfix: Adminorazine will no longer kill ash lizards. + - bugfix: Adminorazine will no longer remove quirks. iskyp: - - tweak: the walls on the crashed abductor ship ruin in lavaland can now be broken - down + - tweak: + the walls on the crashed abductor ship ruin in lavaland can now be broken + down 2018-05-18: GrayRachnid: - - rscadd: The Spider Clan proudly announces that they've taken steps to improve - their hospitality at their capture center! They now hope that captured targets - would not kill them self or fight between each other, dirtying the floor with - blood. - - rscadd: They've also added a VR room for those sick of the real world, taking - them to a reality where they feel like they matter. + - rscadd: + The Spider Clan proudly announces that they've taken steps to improve + their hospitality at their capture center! They now hope that captured targets + would not kill them self or fight between each other, dirtying the floor with + blood. + - rscadd: + They've also added a VR room for those sick of the real world, taking + them to a reality where they feel like they matter. 2018-05-19: Alexch2: - - spellcheck: Fixes tons of typos related to integrated circuits. - - tweak: Re-writes the descriptions of a few parts of integrated circuits. + - spellcheck: Fixes tons of typos related to integrated circuits. + - tweak: Re-writes the descriptions of a few parts of integrated circuits. Astatineguy12: - - tweak: The experimentor is less likely to produce food when it transforms an item - - bugfix: The experimentor no longer breaks when the toxic waste malfunction occurs - multiple times and isn't cleaned up - - bugfix: The experimentor irridiate function actually chooses what item to make - properly rather than picking from the start of the list + - tweak: The experimentor is less likely to produce food when it transforms an item + - bugfix: + The experimentor no longer breaks when the toxic waste malfunction occurs + multiple times and isn't cleaned up + - bugfix: + The experimentor irridiate function actually chooses what item to make + properly rather than picking from the start of the list Dax Dupont: - - bugfix: Mulligan didn't work on lizards and other mutants. Now it does. - - bugfix: Foam no longer gives infinite metal + - bugfix: Mulligan didn't work on lizards and other mutants. Now it does. + - bugfix: Foam no longer gives infinite metal Denton: - - code_imp: Loose silver/gold/solar panel crates have been replaced with "proper" - crates. - - tweak: There are rumors of the Tiger Cooperative adding a "special little something" - to some of their bioterror kits. + - code_imp: + Loose silver/gold/solar panel crates have been replaced with "proper" + crates. + - tweak: + There are rumors of the Tiger Cooperative adding a "special little something" + to some of their bioterror kits. Iamgoofball: - - tweak: Lipolicide now only does damage if you're starving. + - tweak: Lipolicide now only does damage if you're starving. Mickyan: - - bugfix: Drinking too much Gargle Blaster, Nuka Cola or Neurotoxin no longer breaks - time and space. + - bugfix: + Drinking too much Gargle Blaster, Nuka Cola or Neurotoxin no longer breaks + time and space. Nichlas0010: - - tweak: Reseach Director Traitors can no longer receive an objective to steal the - Hand Teleporter + - tweak: + Reseach Director Traitors can no longer receive an objective to steal the + Hand Teleporter ShizCalev: - - bugfix: Fixed mobs immune to radiation being killed by HIGH bursts of radiation. - - bugfix: The book of mindswap will now properly mindswap it's users. + - bugfix: Fixed mobs immune to radiation being killed by HIGH bursts of radiation. + - bugfix: The book of mindswap will now properly mindswap it's users. iksyp: - - rscadd: stacking machines and their consoles no longer dissapear into the shadow - realm when broken - - rscadd: you can link the stacking machine and its console by using a multitool + - rscadd: + stacking machines and their consoles no longer dissapear into the shadow + realm when broken + - rscadd: you can link the stacking machine and its console by using a multitool 2018-05-20: Pubby: - - rscadd: 'Cargo bounties from Nanotrasen. Earn cargo points by completing fetch - quests. remove: Several cargo exports have been reduced or merged into cargo - bounties.' + - rscadd: + "Cargo bounties from Nanotrasen. Earn cargo points by completing fetch + quests. remove: Several cargo exports have been reduced or merged into cargo + bounties." XDTM: - - rscadd: 'Added a new lavaland loot item: Memento Mori. A necklace which has the - power to prevent death, but will turn you into dust if removed.' + - rscadd: + "Added a new lavaland loot item: Memento Mori. A necklace which has the + power to prevent death, but will turn you into dust if removed." 2018-05-22: Cyberboss: - - rscadd: You can now view your last round end report window with the "Your last - round" verb in the OOC tab + - rscadd: + You can now view your last round end report window with the "Your last + round" verb in the OOC tab Dax Dupont: - - tweak: The BoH dialog now has Abort instead of Proceed as an default option. - - bugfix: Fixes race condition caused by exiting the body while dying in VR. + - tweak: The BoH dialog now has Abort instead of Proceed as an default option. + - bugfix: Fixes race condition caused by exiting the body while dying in VR. Denton: - - balance: Skewium is much less likely to appear during the Clogged Vents event. + - balance: Skewium is much less likely to appear during the Clogged Vents event. Firecage: - - rscadd: Replaces wardrobe lockers on Box with Wardrobe Vending Machine. + - rscadd: Replaces wardrobe lockers on Box with Wardrobe Vending Machine. Kor: - - rscadd: Engineering can now create anomaly neutralizer devices, capable of instantly - neutralizing the short lived anomalies created by the supermatter engine. - - rscadd: The Quartermaster and HoP can now access the vault so they can use the - bank machine. + - rscadd: + Engineering can now create anomaly neutralizer devices, capable of instantly + neutralizing the short lived anomalies created by the supermatter engine. + - rscadd: + The Quartermaster and HoP can now access the vault so they can use the + bank machine. Mickyan: - - bugfix: Pacifists can now use harm intent for actions that require it (but still - can't harm!) + - bugfix: + Pacifists can now use harm intent for actions that require it (but still + can't harm!) Naksu: - - code_imp: Added EMP protection component, replaced various bespoke ways things - handled EMP proofness + - code_imp: + Added EMP protection component, replaced various bespoke ways things + handled EMP proofness Nichlas0010: - - spellcheck: you now feel nauseated instead of nauseous - - bugfix: Comms consoles won't update while viewing messages + - spellcheck: you now feel nauseated instead of nauseous + - bugfix: Comms consoles won't update while viewing messages SpaceManiac: - - bugfix: Pipe icons in the RPD now show properly in older versions of IE. - - bugfix: Family heirlooms which can fit in pockets will now spawn there. - - bugfix: Family heirlooms which only fit in the backpack now show the backpack - at roundstart. - - bugfix: Family heirlooms which do not fit in the backpack are no longer gone forever. - - bugfix: Mindswapping with someone else no longer forces ambient occlusion on. - - code_imp: IRV polls now use the same version of jQuery as everything else. - - bugfix: Hydroponics trays can no longer be deconstructed with their panels closed - or unanchored while irrigated. - - tweak: Frames for machines which do not require being anchored can now be un/anchored - after the circuit has been added. - - bugfix: Removing an ID from a PDA in a backpack no longer hides the ID until something - else updates. - - bugfix: Opening and closing airlocks repeatedly no longer stacks queued autocloses. - - bugfix: Admin AI interaction now works properly on firelocks. - - spellcheck: Fix "Your the wormhole jaunter" when a wormhole jaunter saves you - from a chasm. + - bugfix: Pipe icons in the RPD now show properly in older versions of IE. + - bugfix: Family heirlooms which can fit in pockets will now spawn there. + - bugfix: + Family heirlooms which only fit in the backpack now show the backpack + at roundstart. + - bugfix: Family heirlooms which do not fit in the backpack are no longer gone forever. + - bugfix: Mindswapping with someone else no longer forces ambient occlusion on. + - code_imp: IRV polls now use the same version of jQuery as everything else. + - bugfix: + Hydroponics trays can no longer be deconstructed with their panels closed + or unanchored while irrigated. + - tweak: + Frames for machines which do not require being anchored can now be un/anchored + after the circuit has been added. + - bugfix: + Removing an ID from a PDA in a backpack no longer hides the ID until something + else updates. + - bugfix: Opening and closing airlocks repeatedly no longer stacks queued autocloses. + - bugfix: Admin AI interaction now works properly on firelocks. + - spellcheck: + Fix "Your the wormhole jaunter" when a wormhole jaunter saves you + from a chasm. Wilchen: - - rscdel: Removed box of firing pins from rd's locker + - rscdel: Removed box of firing pins from rd's locker armhulen: - - rscdel: chameleon guns are disabled for breaking the server + - rscdel: chameleon guns are disabled for breaking the server kevinz000: - - bugfix: Field generators are once again operable by adjacent cyborgs. - - bugfix: Digital valves are once again operable by silicons. - - bugfix: Chasms no longer drop mobs buckled to undroppable mobs or objects. + - bugfix: Field generators are once again operable by adjacent cyborgs. + - bugfix: Digital valves are once again operable by silicons. + - bugfix: Chasms no longer drop mobs buckled to undroppable mobs or objects. resistor: - - rscadd: Added circuit labels! You can now customize the description of your assemblies. + - rscadd: Added circuit labels! You can now customize the description of your assemblies. 2018-05-23: ShizCalev: - - bugfix: Fixed a runtime with the gulag teleporter that could cause the process - to fail if you removed the ID. - - tweak: Not setting the goal of a prisoner's ID when teleporting them will now - set the ID's goal to the default value (200 points at the time of this change.) + - bugfix: + Fixed a runtime with the gulag teleporter that could cause the process + to fail if you removed the ID. + - tweak: + Not setting the goal of a prisoner's ID when teleporting them will now + set the ID's goal to the default value (200 points at the time of this change.) SpaceManiac: - - bugfix: Flipping and then rotating trinary pipe fittings no longer causes their - icon to mismatch what they will become when wrenched. - - bugfix: RPD tooltips for flippable trinary components have been corrected. - - bugfix: Entertainment monitors now view the real Thunderdome rather than the template. + - bugfix: + Flipping and then rotating trinary pipe fittings no longer causes their + icon to mismatch what they will become when wrenched. + - bugfix: RPD tooltips for flippable trinary components have been corrected. + - bugfix: Entertainment monitors now view the real Thunderdome rather than the template. cyclowns: - - rscadd: Analyzers can now scan all kinds of atmospheric machinery - unary, binary, - ternary, quaternary, you name it. This means stuff like gas pumps, gas mixers, - vents and so forth can be analyzed. - - tweak: Analyzers now show temperature in kelvin as well as celsius. - - tweak: Analyzers now show total mole count, volume, and mole count of all gases. - - tweak: Analyzers show everything at slightly higher degrees of precision. + - rscadd: + Analyzers can now scan all kinds of atmospheric machinery - unary, binary, + ternary, quaternary, you name it. This means stuff like gas pumps, gas mixers, + vents and so forth can be analyzed. + - tweak: Analyzers now show temperature in kelvin as well as celsius. + - tweak: Analyzers now show total mole count, volume, and mole count of all gases. + - tweak: Analyzers show everything at slightly higher degrees of precision. imsxz: - - admin: Using mayhem bottles and going under their effects is now logged. + - admin: Using mayhem bottles and going under their effects is now logged. kevinz000: - - rscadd: Any anomaly core can now be deconstructed for a one time boost of 10k - points in the deconstructive analyzer. + - rscadd: + Any anomaly core can now be deconstructed for a one time boost of 10k + points in the deconstructive analyzer. 2018-05-25: Astatineguy12: - - bugfix: The mime blockade spell now shows up under the right tab + - bugfix: The mime blockade spell now shows up under the right tab Cruix: - - rscadd: Added a button to chameleon items to change your entire chameleon outfit - to the standard outfit of a selected job. + - rscadd: + Added a button to chameleon items to change your entire chameleon outfit + to the standard outfit of a selected job. Dax Dupont: - - rscadd: Murderdome now has a telecomm system, so you can taunt your enemies better. - - rscadd: Snowdin has come back, as VR! - - rscadd: Nanotrasen Tactical Bureau has discovered a Syndicate VR Training program - on their last raid. It seems to be based on an old CentCom design... - - rscadd: Restricted variant of the uplink. Will allow admins and such to spawn - uplinks in remote arenas or for events that aren't as destructive and can't - communicate with other Zs. - - bugfix: Extends same Z level check to monitor and bugging operations too for camera - bug. - - bugfix: VR sleepers now show the stat of the VR avatar instead of the user as - intended. - - code_imp: Makes it throw a stack trace when you ghostize in VR. - - tweak: It will now delete the body if it's unconscious if you try to reconnect, - to speed up reconnection. - - balance: Emagged sleepers will now display a notification on the UI, and make - you slightly dizzy after a while. - - balance: More chemicals can be found when vents get clogged. - - bugfix: Fixes accidental empty ahelp replies. + - rscadd: Murderdome now has a telecomm system, so you can taunt your enemies better. + - rscadd: Snowdin has come back, as VR! + - rscadd: + Nanotrasen Tactical Bureau has discovered a Syndicate VR Training program + on their last raid. It seems to be based on an old CentCom design... + - rscadd: + Restricted variant of the uplink. Will allow admins and such to spawn + uplinks in remote arenas or for events that aren't as destructive and can't + communicate with other Zs. + - bugfix: + Extends same Z level check to monitor and bugging operations too for camera + bug. + - bugfix: + VR sleepers now show the stat of the VR avatar instead of the user as + intended. + - code_imp: Makes it throw a stack trace when you ghostize in VR. + - tweak: + It will now delete the body if it's unconscious if you try to reconnect, + to speed up reconnection. + - balance: + Emagged sleepers will now display a notification on the UI, and make + you slightly dizzy after a while. + - balance: More chemicals can be found when vents get clogged. + - bugfix: Fixes accidental empty ahelp replies. Denton: - - rscadd: Departmental wardrobe vendors have been added to all maps. - - spellcheck: Sorted cargo packs (wardrobe refills//alphabetically) and mining vendor - items (by price), again. - - bugfix: 'Navbeacon access requirements have been fixed: Now you need either Engineering - or Robotics access, but not both at the same time.' + - rscadd: Departmental wardrobe vendors have been added to all maps. + - spellcheck: + Sorted cargo packs (wardrobe refills//alphabetically) and mining vendor + items (by price), again. + - bugfix: + "Navbeacon access requirements have been fixed: Now you need either Engineering + or Robotics access, but not both at the same time." Garen: - - rscdel: Removed circuitry save files saving whether or not the assembly is open. - - rscadd: Adds messages for when you successfully use a sensor or scanner circuit. - - bugfix: Fixed circuit printers printing advanced assemblies from save files despite - not being upgraded. - - bugfix: Fixed circuit printers printing circuits into assemblies that wouldn't - normally be able to hold them. - - bugfix: Fixed circuit assemblies taking damage when using objects with the help - intent. + - rscdel: Removed circuitry save files saving whether or not the assembly is open. + - rscadd: Adds messages for when you successfully use a sensor or scanner circuit. + - bugfix: + Fixed circuit printers printing advanced assemblies from save files despite + not being upgraded. + - bugfix: + Fixed circuit printers printing circuits into assemblies that wouldn't + normally be able to hold them. + - bugfix: + Fixed circuit assemblies taking damage when using objects with the help + intent. Mickyan: - - spellcheck: fixed typo in bronze girder construction + - spellcheck: fixed typo in bronze girder construction MrDoomBringer: - - rscadd: Cargo now has access to Supplypod Beacons! Use these to call down supplypods - with frightening accuracy! - - imageadd: the VR sleeper action button has a sprite now + - rscadd: + Cargo now has access to Supplypod Beacons! Use these to call down supplypods + with frightening accuracy! + - imageadd: the VR sleeper action button has a sprite now Naksu: - - code_imp: Replaced initialized and admin_spawned vars with flags. - - code_imp: changed the shockedby list on doors to be only initialized when needed. - - tweak: Chameleon projector can no longer scan (often temporary) visual effects - like projectiles, flashes and the masked appearance of another chameleon projector - user - - bugfix: Drones can no longer see a static overlay over invisible revenants - - balance: adjusted default antag rep points to grant every job the same amount - of points per round, except for assistant which gets 30% less + - code_imp: Replaced initialized and admin_spawned vars with flags. + - code_imp: changed the shockedby list on doors to be only initialized when needed. + - tweak: + Chameleon projector can no longer scan (often temporary) visual effects + like projectiles, flashes and the masked appearance of another chameleon projector + user + - bugfix: Drones can no longer see a static overlay over invisible revenants + - balance: + adjusted default antag rep points to grant every job the same amount + of points per round, except for assistant which gets 30% less SpaceManiac: - - bugfix: Non-harmfully placing someone who is resting on a table no longer makes - them get up. - - bugfix: The disco machine no longer lags the chat by spamming "You are now resting!" - messages. - - bugfix: The green overlay indicating where a map template will be placed is no - longer invisible on space turfs. - - bugfix: CentCom is no longer self-looping, fixing the ability to see or get into - certain areas after escaping to space. - - bugfix: The destructive analyzer no longer consumes entire stacks to give the - benefit of one sheet. - - bugfix: Xeno weeds and floors under diagonal walls are now on the correct plane, - fixing odd ambient occlusion appearances. - - bugfix: Inserting materials into protolathes with telekinesis is now possible. - - bugfix: Telekinesis no longer teleports items removed from deep fryers, constructed - sandbags, and leftover materials not inserted into lathes. - - bugfix: Telekinetic sparkles now appear in the correct place when clicking on - a turf and when clicking in the fog of war in widescreen. - - bugfix: Telekinetically adjusting power tools no longer causes them to exit the - universe. - - tweak: Examining a telekinetic grab in-hand will now examine the grabbed object. - - bugfix: Frost spiders now correctly inject frost oil on bite. + - bugfix: + Non-harmfully placing someone who is resting on a table no longer makes + them get up. + - bugfix: + The disco machine no longer lags the chat by spamming "You are now resting!" + messages. + - bugfix: + The green overlay indicating where a map template will be placed is no + longer invisible on space turfs. + - bugfix: + CentCom is no longer self-looping, fixing the ability to see or get into + certain areas after escaping to space. + - bugfix: + The destructive analyzer no longer consumes entire stacks to give the + benefit of one sheet. + - bugfix: + Xeno weeds and floors under diagonal walls are now on the correct plane, + fixing odd ambient occlusion appearances. + - bugfix: Inserting materials into protolathes with telekinesis is now possible. + - bugfix: + Telekinesis no longer teleports items removed from deep fryers, constructed + sandbags, and leftover materials not inserted into lathes. + - bugfix: + Telekinetic sparkles now appear in the correct place when clicking on + a turf and when clicking in the fog of war in widescreen. + - bugfix: + Telekinetically adjusting power tools no longer causes them to exit the + universe. + - tweak: Examining a telekinetic grab in-hand will now examine the grabbed object. + - bugfix: Frost spiders now correctly inject frost oil on bite. yorii: - - bugfix: Fixed the smartfridges to be in line with all other machines and puts - the released item in your hand. + - bugfix: + Fixed the smartfridges to be in line with all other machines and puts + the released item in your hand. 2018-05-26: Dax Dupont: - - bugfix: Experimentor no longer shits out primed TB nades. + - bugfix: Experimentor no longer shits out primed TB nades. Garen: - - rscadd: Added a cell charger to the circuitry lab on all stations. - - rscadd: Added a circuitry lab to the syndicate lavaland base. - - tweak: Modified the meta station circuitry lab. + - rscadd: Added a cell charger to the circuitry lab on all stations. + - rscadd: Added a circuitry lab to the syndicate lavaland base. + - tweak: Modified the meta station circuitry lab. Iamgoofball: - - rscadd: Humans require ice cream. Eat the ice cream. + - rscadd: Humans require ice cream. Eat the ice cream. Kor: - - rscadd: Bag of Holding detonations have been significantly reworked. + - rscadd: Bag of Holding detonations have been significantly reworked. Robustin with cat earrs: - - bugfix: 'Gun overlays should be way less laggy now. remove: Chameleon guns are - completely removed since they crash the server, were already made unavailable, - and are the worst shitcode I''ve ever seen in my life.' + - bugfix: + "Gun overlays should be way less laggy now. remove: Chameleon guns are + completely removed since they crash the server, were already made unavailable, + and are the worst shitcode I've ever seen in my life." SpaceManiac: - - tweak: Clicking on the viewport to focus it no longer leaves the input bar red. - - admin: Create Object will no longer force objects with special directional logic - to be facing south by default. - - bugfix: Running diagonally into space now properly continues the diagonal movement - in zero-gravity. + - tweak: Clicking on the viewport to focus it no longer leaves the input bar red. + - admin: + Create Object will no longer force objects with special directional logic + to be facing south by default. + - bugfix: + Running diagonally into space now properly continues the diagonal movement + in zero-gravity. 2018-05-27: Armhulen, and Keekenox: - - rscadd: Chaplain now gets custom armor too! Order it from the beacon in your locker. + - rscadd: Chaplain now gets custom armor too! Order it from the beacon in your locker. Cobby: - - tweak: Several of the recent drinks added have now been given effects! - - rscadd: 'Alexander: Conquer the world... or just the station with this drink! - If you have a shield, it will increase the block chance by 10 percent! Careful - not to drop it in battle though....' - - rscadd: 'Between The Sheets: Save the pillow talk for next shift, having this - in your system while you''re asleep will slowly heal you!' - - rscadd: 'Menthol: Prevents coughing. Good for a cold or if the Chaplain gets his - hands on a smoke book!' - - tweak: Descriptions have been edited so that if you view these under a chem master - they will tell you the effect. - - tweak: Decals are the exception to the recent removal of effects in Chameleon - Projectors. + - tweak: Several of the recent drinks added have now been given effects! + - rscadd: + "Alexander: Conquer the world... or just the station with this drink! + If you have a shield, it will increase the block chance by 10 percent! Careful + not to drop it in battle though...." + - rscadd: + "Between The Sheets: Save the pillow talk for next shift, having this + in your system while you're asleep will slowly heal you!" + - rscadd: + "Menthol: Prevents coughing. Good for a cold or if the Chaplain gets his + hands on a smoke book!" + - tweak: + Descriptions have been edited so that if you view these under a chem master + they will tell you the effect. + - tweak: + Decals are the exception to the recent removal of effects in Chameleon + Projectors. Dax Dupont: - - bugfix: Did you know istype doesn't work on paths even though they are mostly - the same? Yeah I didn't either. Experimentor shouldn't shit out TB nades anymore. - - bugfix: Fixes item reactions for relics as well. - - rscadd: Adds better messaging - - bugfix: Fixes summons happening on away missions. + - bugfix: + Did you know istype doesn't work on paths even though they are mostly + the same? Yeah I didn't either. Experimentor shouldn't shit out TB nades anymore. + - bugfix: Fixes item reactions for relics as well. + - rscadd: Adds better messaging + - bugfix: Fixes summons happening on away missions. GuyonBroadway: - - rscadd: Adds gloves of the north star to the traitor uplink. Wearing these gloves - lets you punch people five times faster than normal. - - rscadd: Sprites for the gloves courtesy of Notamaniac + - rscadd: + Adds gloves of the north star to the traitor uplink. Wearing these gloves + lets you punch people five times faster than normal. + - rscadd: Sprites for the gloves courtesy of Notamaniac Mickyan: - - rscadd: 'New trait: Drunken Resilience. You may be a drunken wreck but at least - you''re healthy. If alcohol poisoning doesn''t get you, that is!' + - rscadd: + "New trait: Drunken Resilience. You may be a drunken wreck but at least + you're healthy. If alcohol poisoning doesn't get you, that is!" Naksu: - - rscadd: Nuclear explosive-shaped beerkegs found on metastation can now be triggered - with the nuclear disk and the syndicate's legacy nuclear code for a foamy surprise + - rscadd: + Nuclear explosive-shaped beerkegs found on metastation can now be triggered + with the nuclear disk and the syndicate's legacy nuclear code for a foamy surprise SpaceManiac: - - bugfix: Unwrenching and re-wrenching pre-mapped atmos components no longer turns - them on automatically. + - bugfix: + Unwrenching and re-wrenching pre-mapped atmos components no longer turns + them on automatically. steamport: - - bugfix: Borgs/AIs can now toggle rad collectors + - bugfix: Borgs/AIs can now toggle rad collectors 2018-05-28: CitrusGender: - - bugfix: Kills you if you're under 0% blood and above -9999% blood level (shouldn't - be possible through normal means to be below that.) - - bugfix: Stops bloodloss trait from happening if your race contains the NO_BLOOD - - bugfix: added a check to see if the preferred race is human when the name doesn't - have a space + - bugfix: + Kills you if you're under 0% blood and above -9999% blood level (shouldn't + be possible through normal means to be below that.) + - bugfix: Stops bloodloss trait from happening if your race contains the NO_BLOOD + - bugfix: + added a check to see if the preferred race is human when the name doesn't + have a space Dennok: - - bugfix: Fixed a laser reflections from reflectors. + - bugfix: Fixed a laser reflections from reflectors. Denton: - - tweak: Deltastation's firing range has been decommisioned and replaced with a - brand new toxins burn chamber. - - bugfix: Delta toxins disposals are now actually connected to the disposals loop. - Toxins storage has a fire alarm too. - - bugfix: The shutter buttons of Pubbystation's mechbay now check for access. + - tweak: + Deltastation's firing range has been decommisioned and replaced with a + brand new toxins burn chamber. + - bugfix: + Delta toxins disposals are now actually connected to the disposals loop. + Toxins storage has a fire alarm too. + - bugfix: The shutter buttons of Pubbystation's mechbay now check for access. SpaceManiac: - - bugfix: The robustness of the Super Secret Room has been increased. - - bugfix: Observers can no longer move the action button toggle or change the ambient - occlusion setting of their targets. - - bugfix: The emergency space suit safes in escape pods are no longer always unlocked. + - bugfix: The robustness of the Super Secret Room has been increased. + - bugfix: + Observers can no longer move the action button toggle or change the ambient + occlusion setting of their targets. + - bugfix: The emergency space suit safes in escape pods are no longer always unlocked. Tlaltecuhtli: - - bugfix: apiaries from cargo start unwrenched + - bugfix: apiaries from cargo start unwrenched 2018-05-29: Dennok: - - rscadd: Collectors show their real produced power and stored power when examined + - rscadd: Collectors show their real produced power and stored power when examined Naksu: - - code_imp: removed some unneeded typecaches + - code_imp: removed some unneeded typecaches 2018-05-31: CitrusGender: - - bugfix: Flamethrowers are no longer uncraftable since they have a part that happens - to be a tool. - - bugfix: Fixes cyborgs not being able to use two-handed modules while other modules - are equipped. + - bugfix: + Flamethrowers are no longer uncraftable since they have a part that happens + to be a tool. + - bugfix: + Fixes cyborgs not being able to use two-handed modules while other modules + are equipped. CosmicScientist: - - rscdel: Can't make drones anymore + - rscdel: Can't make drones anymore Cruix: - - rscadd: AIs now have an experimental multi-camera mode that allows them to view - up to six map areas at the same time, accessible through two new buttons on - their HUD. + - rscadd: + AIs now have an experimental multi-camera mode that allows them to view + up to six map areas at the same time, accessible through two new buttons on + their HUD. Cyberboss: - - config: The limit of monkey's spawned via monkey cubes is now configurable + - config: The limit of monkey's spawned via monkey cubes is now configurable Dax Dupont: - - bugfix: Fixes the wrong tiles in Syndicate VR trainer and uses different tiny - fans. - - bugfix: Access didn't append to VR IDs + - bugfix: + Fixes the wrong tiles in Syndicate VR trainer and uses different tiny + fans. + - bugfix: Access didn't append to VR IDs Firecage: - - rscadd: The mech fabricator can now print two new janiborg upgrades. Advanced - Mop and Trash Bag of holding. These two upgrades uses the advanced robotics - node. + - rscadd: + The mech fabricator can now print two new janiborg upgrades. Advanced + Mop and Trash Bag of holding. These two upgrades uses the advanced robotics + node. SpaceManiac: - - bugfix: Changing UI Style preference now takes effect immediately rather than - next round. - - bugfix: Mindswapping with someone no longer gives you their UI style. - - bugfix: The destructive analyzer can once again be used to reveal nodes. - - spellcheck: Some references to "deconstructive analyzer" have been updated to - "destructive". - - tweak: Hulks and catpeople now show "Human-derived mutant" under "Species" when - health scanned. - - bugfix: Cyborg inventory slots once again unhighlight when a module is stowed. + - bugfix: + Changing UI Style preference now takes effect immediately rather than + next round. + - bugfix: Mindswapping with someone no longer gives you their UI style. + - bugfix: The destructive analyzer can once again be used to reveal nodes. + - spellcheck: + Some references to "deconstructive analyzer" have been updated to + "destructive". + - tweak: + Hulks and catpeople now show "Human-derived mutant" under "Species" when + health scanned. + - bugfix: Cyborg inventory slots once again unhighlight when a module is stowed. deathride58: - - rscadd: Things that are capable of igniting plasma fires will now generate heat - if there's no plasma to ignite. Building a bonfire inside the station without - taking safety precautions is now a bad idea. + - rscadd: + Things that are capable of igniting plasma fires will now generate heat + if there's no plasma to ignite. Building a bonfire inside the station without + taking safety precautions is now a bad idea. kevinz000: - - rscadd: Plasma specific heat is 500J/K*unit, everything else is 200 + - rscadd: Plasma specific heat is 500J/K*unit, everything else is 200 zaracka: - - bugfix: The Spirit Realm rune no longer spawns a braindead cult ghost when attempting - to summon one after a player reaches the limit. + - bugfix: + The Spirit Realm rune no longer spawns a braindead cult ghost when attempting + to summon one after a player reaches the limit. 2018-06-01: Big Tobacco: - - rscadd: Cheap lighters now come in four different shapes and Zippos can have one - of four different designs, collect them all and improve our sales! - - imageadd: All existing lighter sprites have been given a face-lift and the flames - are now subtly animated. - - tweak: Cheap lighters now use a fixed list of 16 colors to pick from instead of - using totally randomized colors. - - imageadd: Cigar cases have been tweaked to be a bit smaller and to have a modified - design. - - imageadd: Cohiba Robusto and Havanan cigars now use separate case sprites from - the generic premium cigar cases. + - rscadd: + Cheap lighters now come in four different shapes and Zippos can have one + of four different designs, collect them all and improve our sales! + - imageadd: + All existing lighter sprites have been given a face-lift and the flames + are now subtly animated. + - tweak: + Cheap lighters now use a fixed list of 16 colors to pick from instead of + using totally randomized colors. + - imageadd: + Cigar cases have been tweaked to be a bit smaller and to have a modified + design. + - imageadd: + Cohiba Robusto and Havanan cigars now use separate case sprites from + the generic premium cigar cases. Dax Dupont: - - bugfix: Fixed rpeds throwing stock part rating related runtimes. + - bugfix: Fixed rpeds throwing stock part rating related runtimes. Naksu: - - code_imp: NODROP_1, DROPDEL_1, ABSTRACT_1 and NOBLUDGEON_1 have been moved to - item_flags - - tweak: brass handcuffs, meat hook and the chrono gun now conduct electricity. + - code_imp: + NODROP_1, DROPDEL_1, ABSTRACT_1 and NOBLUDGEON_1 have been moved to + item_flags + - tweak: brass handcuffs, meat hook and the chrono gun now conduct electricity. Nichlas0010: - - bugfix: You can no longer use a soapstone infinitely + - bugfix: You can no longer use a soapstone infinitely SpaceManiac: - - bugfix: Moving diagonally past delivery chutes, transit tube pods, &c. no longer - causes your camera to be stuck on them. - - refactor: The base machinery type is now anchored by default. - - bugfix: Pubby's auxiliary mining base now works again. - - bugfix: Cloning no longer breaks a character's connection to their family heirloom. - - bugfix: The overlay effects of cult flooring are now on the floor plane, fixing - their odd ambient occlusion appearance. - - bugfix: Beam rifle tracers no longer fall into chasms. - - bugfix: Vomiting on the same tile a second time no deletes the vomited reagents. + - bugfix: + Moving diagonally past delivery chutes, transit tube pods, &c. no longer + causes your camera to be stuck on them. + - refactor: The base machinery type is now anchored by default. + - bugfix: Pubby's auxiliary mining base now works again. + - bugfix: Cloning no longer breaks a character's connection to their family heirloom. + - bugfix: + The overlay effects of cult flooring are now on the floor plane, fixing + their odd ambient occlusion appearance. + - bugfix: Beam rifle tracers no longer fall into chasms. + - bugfix: Vomiting on the same tile a second time no deletes the vomited reagents. theo2003: - - bugfix: fixed the clockwork helmet not dropping to ground when used by non-clock - cultists + - bugfix: + fixed the clockwork helmet not dropping to ground when used by non-clock + cultists 2018-06-03: Denton: - - tweak: 'Pubbystation: Added a dual-port vent pump to the toxins burn chamber.' - - code_imp: Removed most airlock_controller/incinerator related varedits and replaced - them with defines/subtypes. - - tweak: The Deltastation toxins lab has its portable scrubber, air pump and intercom - back. + - tweak: "Pubbystation: Added a dual-port vent pump to the toxins burn chamber." + - code_imp: + Removed most airlock_controller/incinerator related varedits and replaced + them with defines/subtypes. + - tweak: + The Deltastation toxins lab has its portable scrubber, air pump and intercom + back. Naksu: - - bugfix: comms consoles now work in transit again, and no longer work in centcom - - code_imp: removed unnecessary getFlatIcons from holocalls - - bugfix: Screwdrivers and other items with overlays now show the proper appearance - of the item when attacking something with them, or when put on a tray. + - bugfix: comms consoles now work in transit again, and no longer work in centcom + - code_imp: removed unnecessary getFlatIcons from holocalls + - bugfix: + Screwdrivers and other items with overlays now show the proper appearance + of the item when attacking something with them, or when put on a tray. Nichlas0010: - - bugfix: You now can't get multiple download objectives! - - tweak: RDs, Scientists and Roboticists can no longer get download objectives! + - bugfix: You now can't get multiple download objectives! + - tweak: RDs, Scientists and Roboticists can no longer get download objectives! ShizCalev: - - bugfix: Fixed cigar cases & cigarette packets taking two inventory slots - - bugfix: Fixed cigar cases showing the wrong icon for the cigars inside them. - - bugfix: Fixed cigar cases & cigarette packets stating the wrong name of the cigar/cigarette - when removed via altclick. - - bugfix: Fixed items in pockets vanishing when a mob is monkeyized. - - bugfix: Fixed items in pockets vanishing when a mob is gorillized. - - bugfix: Fixed items in pockets vanishing when a mob is infected with a transformation - disease. - - bugfix: Fixed items in pockets not being properly deleted when a mob goes through - a recycler - - bugfix: Fixed items in pockets not being properly deleted when highlander mode - is enabled. - - bugfix: Fixed exploit allowing you to remove unremovable tanks from pockets. - - bugfix: Fixed items in pockets dropping when a mob is equipped with a new outfit. - - bugfix: Fixed items in pockets not being covered in blood when equipping the psycho - outfit. + - bugfix: Fixed cigar cases & cigarette packets taking two inventory slots + - bugfix: Fixed cigar cases showing the wrong icon for the cigars inside them. + - bugfix: + Fixed cigar cases & cigarette packets stating the wrong name of the cigar/cigarette + when removed via altclick. + - bugfix: Fixed items in pockets vanishing when a mob is monkeyized. + - bugfix: Fixed items in pockets vanishing when a mob is gorillized. + - bugfix: + Fixed items in pockets vanishing when a mob is infected with a transformation + disease. + - bugfix: + Fixed items in pockets not being properly deleted when a mob goes through + a recycler + - bugfix: + Fixed items in pockets not being properly deleted when highlander mode + is enabled. + - bugfix: Fixed exploit allowing you to remove unremovable tanks from pockets. + - bugfix: Fixed items in pockets dropping when a mob is equipped with a new outfit. + - bugfix: + Fixed items in pockets not being covered in blood when equipping the psycho + outfit. SpaceManiac: - - bugfix: Switching mobs into/out of a mech (by VR, ghosting, or mindswap) no longer - improperly applies the mech's cursor. + - bugfix: + Switching mobs into/out of a mech (by VR, ghosting, or mindswap) no longer + improperly applies the mech's cursor. ThatLing: - - bugfix: PDA style now gets loaded correctly. + - bugfix: PDA style now gets loaded correctly. cyclowns: - - bugfix: Fires no longer flicker back and forth like crazy + - bugfix: Fires no longer flicker back and forth like crazy iskyp: - - tweak: switched the type of the space suit on the syndicate shuttle + - tweak: switched the type of the space suit on the syndicate shuttle theo2003: - - tweak: roboticists have access to R&D windoors - - bugfix: fixed hydroponics tray weed light staying on when removing weeds with - integrated circuits + - tweak: roboticists have access to R&D windoors + - bugfix: + fixed hydroponics tray weed light staying on when removing weeds with + integrated circuits yorpan: - - rscadd: Brain damage makes you say one more thing. + - rscadd: Brain damage makes you say one more thing. 2018-06-04: Beachsprites: - - imageadd: added directional beach sprites + - imageadd: added directional beach sprites MrDoomBringer: - - admin: Central Command can now smite misbehaving crewmembers with supply pods - (filled with whatever their hearts desire!) + - admin: + Central Command can now smite misbehaving crewmembers with supply pods + (filled with whatever their hearts desire!) SpaceManiac: - - bugfix: Atom initialization and icon smoothing no longer race, causing late-loading - mineral turfs to have no icon. - - spellcheck: Faceless persons no longer "melt their face off" in energy gun suicides. - - bugfix: The Lightning Bolt spell now works again. + - bugfix: + Atom initialization and icon smoothing no longer race, causing late-loading + mineral turfs to have no icon. + - spellcheck: Faceless persons no longer "melt their face off" in energy gun suicides. + - bugfix: The Lightning Bolt spell now works again. yenwodyah: - - bugfix: A few virus threshold effects should work now + - bugfix: A few virus threshold effects should work now 2018-06-06: Dax Dupont: - - bugfix: Fixes a sentience related exploit by blacklisting it in restricted uplinks. + - bugfix: Fixes a sentience related exploit by blacklisting it in restricted uplinks. Denton: - - rscadd: Arcades have been stocked with preloaded tactical snack rigs. - - bugfix: Swarmers can no longer attack field generators and turret covers. - - bugfix: The Pubbystation maint bar Booze-O-Mat now shows its contents correctly. + - rscadd: Arcades have been stocked with preloaded tactical snack rigs. + - bugfix: Swarmers can no longer attack field generators and turret covers. + - bugfix: The Pubbystation maint bar Booze-O-Mat now shows its contents correctly. MrDoomBringer: - - admin: CentCom Supplypods now stun their target before landing, and won't damage - the station as much + - admin: + CentCom Supplypods now stun their target before landing, and won't damage + the station as much Naksu: - - code_imp: moved /datum.isprocessing into datum flags + - code_imp: moved /datum.isprocessing into datum flags iksyp: - - bugfix: Ever since the great emotion purge of 2558, people were able to work at - top efficiency, even while starving to death. This is no longer the case, Nanotrasen - Scientists say. - - admin: Hunger slowdown only applies if mood is disabled in the config. + - bugfix: + Ever since the great emotion purge of 2558, people were able to work at + top efficiency, even while starving to death. This is no longer the case, Nanotrasen + Scientists say. + - admin: Hunger slowdown only applies if mood is disabled in the config. 2018-06-07: Cruix: - - bugfix: Picture-in-picture objects now are no longer overlapped by other certain - objects + - bugfix: + Picture-in-picture objects now are no longer overlapped by other certain + objects SpaceManiac: - - bugfix: It is now possible to access the wires of RND machines in order to repair - them if they have been EMP'd. + - bugfix: + It is now possible to access the wires of RND machines in order to repair + them if they have been EMP'd. Tlaltecuhtli: - - bugfix: rad collectors set to research point gen are somewhat ok now + - bugfix: rad collectors set to research point gen are somewhat ok now kevinz000: - - tweak: Vehicle speed changes now happen immediately instead of on the next movement - cycle + - tweak: + Vehicle speed changes now happen immediately instead of on the next movement + cycle 2018-06-08: AnturK: - - code_imp: Gravity can now go above 1g + - code_imp: Gravity can now go above 1g CitrusGender: - - imageadd: sandstone wall sprite for indestructible object + - imageadd: sandstone wall sprite for indestructible object Denton: - - tweak: Added a warning to the shuttle purchase menu. - - bugfix: Added missing vents to runtimestation. - - tweak: 'Runtimestation: Added /debug EMP flashlight, emag, techfab and tiny fans. - Replaced RCD, healing wand and sleeper with more suitable subtypes.' + - tweak: Added a warning to the shuttle purchase menu. + - bugfix: Added missing vents to runtimestation. + - tweak: + "Runtimestation: Added /debug EMP flashlight, emag, techfab and tiny fans. + Replaced RCD, healing wand and sleeper with more suitable subtypes." MrDoomBringer: - - tweak: Due to DonkCo's recent budget cuts, their line of toy emags are now noticably - less realistic. As such, you can now examine an emag to determine if it is a - toy or not. + - tweak: + Due to DonkCo's recent budget cuts, their line of toy emags are now noticably + less realistic. As such, you can now examine an emag to determine if it is a + toy or not. Naksu: - - balance: Temperature gun projectiles now respect armor/dodge, and will no longer - freeze you if they don't hit you. + - balance: + Temperature gun projectiles now respect armor/dodge, and will no longer + freeze you if they don't hit you. SpaceManiac: - - bugfix: The thermal sight benefits of lantern wisps no longer disappear if you - change glasses. - - bugfix: Paradox bags no longer block the middle of your screen until reconnect, - and also actually work. - - bugfix: A pAI dying while in holoform no longer deletes the card, instead merely - emptying it. - - bugfix: The elevators in the Snowdin away and VR missions work again. - - bugfix: Minor atmos issues in Snowdin and UO45 have been corrected. + - bugfix: + The thermal sight benefits of lantern wisps no longer disappear if you + change glasses. + - bugfix: + Paradox bags no longer block the middle of your screen until reconnect, + and also actually work. + - bugfix: + A pAI dying while in holoform no longer deletes the card, instead merely + emptying it. + - bugfix: The elevators in the Snowdin away and VR missions work again. + - bugfix: Minor atmos issues in Snowdin and UO45 have been corrected. Tlaltecuhtli: - - bugfix: all spiders can make webs now + - bugfix: all spiders can make webs now deathride58: - - balance: Sparks, using welding tools, using igniters, etc, will no longer cause - an instant fireless inferno in small rooms. - - tweak: The revert of the original hotspot_expose() PR has been reverted, since - the reason as to why it was reverted was resolved with this change. - - balance: Reverted the increased rad collector tech point gain rate. + - balance: + Sparks, using welding tools, using igniters, etc, will no longer cause + an instant fireless inferno in small rooms. + - tweak: + The revert of the original hotspot_expose() PR has been reverted, since + the reason as to why it was reverted was resolved with this change. + - balance: Reverted the increased rad collector tech point gain rate. fludd12: - - rscadd: Love potions are marginally more interesting! This same effect applies - to if you are a valentine! - - tweak: The names of extracts are now in the proper order, finally! - - rscadd: Self-sustaining extracts are in! Technically, this is a fix, but whatever. - - bugfix: Stabilized Cerulean extracts no longer vaporize items into the Aetherium. - - rscadd: Stabilized Gold extracts are now moderately more fun to use! The randomized - creature persists if it is killed, and can be rerolled at will! Also, if you - give the creature a sentience potion, the mind will transfer over! + - rscadd: + Love potions are marginally more interesting! This same effect applies + to if you are a valentine! + - tweak: The names of extracts are now in the proper order, finally! + - rscadd: Self-sustaining extracts are in! Technically, this is a fix, but whatever. + - bugfix: Stabilized Cerulean extracts no longer vaporize items into the Aetherium. + - rscadd: + Stabilized Gold extracts are now moderately more fun to use! The randomized + creature persists if it is killed, and can be rerolled at will! Also, if you + give the creature a sentience potion, the mind will transfer over! oranges: - - rscadd: Sec now has khaki pants for tacticoolness + - rscadd: Sec now has khaki pants for tacticoolness 2018-06-11: Mickyan: - - rscadd: Added an abandoned kitchen to Metastation maintenance + - rscadd: Added an abandoned kitchen to Metastation maintenance XDTM: - - bugfix: Fixed anti-magic not working at all. + - bugfix: Fixed anti-magic not working at all. fludd12: - - bugfix: Stabilized gold extracts now respawn the familiar properly. - - bugfix: Stabilized gold familiars retain the proper languages even after respawning. - - tweak: Stabilized gold familiars can be renamed and have their positions reset - at will. + - bugfix: Stabilized gold extracts now respawn the familiar properly. + - bugfix: Stabilized gold familiars retain the proper languages even after respawning. + - tweak: + Stabilized gold familiars can be renamed and have their positions reset + at will. 2018-06-12: Dax Dupont: - - bugfix: Botany trays don't magically refill anymore with a rped. + - bugfix: Botany trays don't magically refill anymore with a rped. SpaceManiac: - - tweak: Fire alarms now redden all the room's lights, and emit light themselves, - rather than applying an area-wide overlay. - - bugfix: Fire alarms no longer visually conflict with radiation storms. - - bugfix: Pulling objects diagonally no longer causes them to flail about when changing - directions. - - bugfix: Riders are no longer left behind if you move while pulling something that - has since been anchored. - - bugfix: Lockboxes are now actually locked again. - - bugfix: Deaf people can no longer hear cyborg system error alarms. - - bugfix: Plasmamen now receive their suit and internals when entering VR. - - bugfix: Legion cores and admin revives now heal confusion. + - tweak: + Fire alarms now redden all the room's lights, and emit light themselves, + rather than applying an area-wide overlay. + - bugfix: Fire alarms no longer visually conflict with radiation storms. + - bugfix: + Pulling objects diagonally no longer causes them to flail about when changing + directions. + - bugfix: + Riders are no longer left behind if you move while pulling something that + has since been anchored. + - bugfix: Lockboxes are now actually locked again. + - bugfix: Deaf people can no longer hear cyborg system error alarms. + - bugfix: Plasmamen now receive their suit and internals when entering VR. + - bugfix: Legion cores and admin revives now heal confusion. XDTM: - - bugfix: Diseases now properly lose scan invisibility if their stealth drops below - the required threshold. + - bugfix: + Diseases now properly lose scan invisibility if their stealth drops below + the required threshold. 2018-06-13: - 'Armhulen code, Keekenox sprites and S_____ as the ideas guy :roll_eyes:': - - rscadd: 'New drinks: Peppermint Patty and the Candyland Extract!!' + "Armhulen code, Keekenox sprites and S_____ as the ideas guy :roll_eyes:": + - rscadd: "New drinks: Peppermint Patty and the Candyland Extract!!" CitrusGender: - - bugfix: checks to see if bullets are deleted if they are the ammo type and the - bullet chambered. + - bugfix: + checks to see if bullets are deleted if they are the ammo type and the + bullet chambered. Dax Dupont: - - balance: It's now easier to become fat. Don't eat so much. + - balance: It's now easier to become fat. Don't eat so much. Mickyan: - - bugfix: Fixed pacifists being able to harm using bottles/screwdrivers + - bugfix: Fixed pacifists being able to harm using bottles/screwdrivers SpaceManiac: - - spellcheck: Capitalization, propriety, and plurality on turfs have been improved. + - spellcheck: Capitalization, propriety, and plurality on turfs have been improved. XDTM: - - tweak: Coldproof mobs can now be cooled down, but are still immune to the negative - effects of cold. - - bugfix: This also fixes some edge cases (freezing beams) where mobs could be cooled - down and damaged despite cold resistance. - - balance: Virus crates now contain several bottles of randomly generated diseases - with symptom levels up to 8. - - rscdel: Removed the single-symptom bottles that were included in the virus crate. - - balance: Androids are now immune to radiation. + - tweak: + Coldproof mobs can now be cooled down, but are still immune to the negative + effects of cold. + - bugfix: + This also fixes some edge cases (freezing beams) where mobs could be cooled + down and damaged despite cold resistance. + - balance: + Virus crates now contain several bottles of randomly generated diseases + with symptom levels up to 8. + - rscdel: Removed the single-symptom bottles that were included in the virus crate. + - balance: Androids are now immune to radiation. cacogen: - - rscadd: You can now see what other people are eating or drinking. - - rscadd: Borg shaker can now synthesise milk, lemon juice, banana juice and coffee - - bugfix: Renamed drinks no longer revert to their original name when their reagents - change + - rscadd: You can now see what other people are eating or drinking. + - rscadd: Borg shaker can now synthesise milk, lemon juice, banana juice and coffee + - bugfix: + Renamed drinks no longer revert to their original name when their reagents + change chesse20: - - rscadd: Adds Exotic Corgi Crate to Cargo - - rscadd: Adds Exotic Corgi, a Corgi with a random hue applied to it - - rscadd: Adds Talking Corgi Crate, and talking Corgi + - rscadd: Adds Exotic Corgi Crate to Cargo + - rscadd: Adds Exotic Corgi, a Corgi with a random hue applied to it + - rscadd: Adds Talking Corgi Crate, and talking Corgi 2018-06-15: CitrusGender: - - bugfix: logs will now show ckeys when admin transformations are done + - bugfix: logs will now show ckeys when admin transformations are done Cruix: - - bugfix: Item attack animations can no longer be seen over darkness or camera static. + - bugfix: Item attack animations can no longer be seen over darkness or camera static. Dax Dupont: - - admin: You can now send messages as CentCom through people's headsets. - - bugfix: Fixes missing cream pies in the cream pie fridge. + - admin: You can now send messages as CentCom through people's headsets. + - bugfix: Fixes missing cream pies in the cream pie fridge. Denton: - - bugfix: 'Omegastation: Connected the Engineering Foyer APC to the powernet.' - - bugfix: 'Pubbystation: Connected Chemistry disposals to the pipenet and fixed - Booze-O-Mat related display/access issues.' - - tweak: Syndicate stormtroopers now fire buckshot again. + - bugfix: "Omegastation: Connected the Engineering Foyer APC to the powernet." + - bugfix: + "Pubbystation: Connected Chemistry disposals to the pipenet and fixed + Booze-O-Mat related display/access issues." + - tweak: Syndicate stormtroopers now fire buckshot again. Naksu: - - bugfix: Pipe dispensers can no longer create pipes containing literally anything + - bugfix: Pipe dispensers can no longer create pipes containing literally anything Nichlas0010: - - tweak: The TEG and its circulator can now be deconstructed and rotated! - - tweak: The TEG and its circulator now supports circulators in all directions, - rather than just west/east! + - tweak: The TEG and its circulator can now be deconstructed and rotated! + - tweak: + The TEG and its circulator now supports circulators in all directions, + rather than just west/east! SpaceManiac: - - rscadd: A new OOC verb "Fit Viewport" can be used to adjust the window splitter - to eliminate letterboxing around the map. It can also be set to run automatically - in Preferences. - - bugfix: Refunding nuclear reinforcements while polling ghosts no longer summons - the reinforcements into the error room anyways. - - bugfix: Shift-clicking turfs obscured by fog of war no longer lets you examine - them. - - admin: It is now possible to cancel "Manipulate Organs" midway through. + - rscadd: + A new OOC verb "Fit Viewport" can be used to adjust the window splitter + to eliminate letterboxing around the map. It can also be set to run automatically + in Preferences. + - bugfix: + Refunding nuclear reinforcements while polling ghosts no longer summons + the reinforcements into the error room anyways. + - bugfix: + Shift-clicking turfs obscured by fog of war no longer lets you examine + them. + - admin: It is now possible to cancel "Manipulate Organs" midway through. Tlaltecuhtli: - - rscadd: Added shoes to leather recipes + - rscadd: Added shoes to leather recipes ninjanomnom: - - bugfix: Gas overlays left over in some turf changes should no longer stick around - where they shouldn't. + - bugfix: + Gas overlays left over in some turf changes should no longer stick around + where they shouldn't. 2018-06-17: Dax Dupont: - - refactor: Syndicate and Centcom messages have been squashed together. - - admin: You can now send both Syndicate and Centcom headset messages. Be mindful - that the button was changed to HM in the playerpanel - - bugfix: Fixed missing grilles under brig windows of the pubby shuttle. - - rscadd: For the pubby shuttle, added some food in the fridge, mostly pie slices. - Also added a sleeper to the minimedbay. - - tweak: Reworded pubby shuttle description to be more inline with the new train - shuttle. - - bugfix: Chem synths overlays aren't all kinds of fucked anymore. - - refactor: Unfucked all of the remaining chem synth code. - - refactor: Reagents no longer have an unused var that's always set to true. Who - did this? - - bugfix: You can no longer remove circuits with your mind. - - balance: Makes the xeno nest ruin harder to cheese. - - bugfix: Fixes the bathroom being airless in the Space Ninja anime jail. + - refactor: Syndicate and Centcom messages have been squashed together. + - admin: + You can now send both Syndicate and Centcom headset messages. Be mindful + that the button was changed to HM in the playerpanel + - bugfix: Fixed missing grilles under brig windows of the pubby shuttle. + - rscadd: + For the pubby shuttle, added some food in the fridge, mostly pie slices. + Also added a sleeper to the minimedbay. + - tweak: + Reworded pubby shuttle description to be more inline with the new train + shuttle. + - bugfix: Chem synths overlays aren't all kinds of fucked anymore. + - refactor: Unfucked all of the remaining chem synth code. + - refactor: + Reagents no longer have an unused var that's always set to true. Who + did this? + - bugfix: You can no longer remove circuits with your mind. + - balance: Makes the xeno nest ruin harder to cheese. + - bugfix: Fixes the bathroom being airless in the Space Ninja anime jail. Denton: - - tweak: 'Runtimestation: Added shuttle docking ports, a comms console, cargo bay - and syndicate/centcom IDs.' - - balance: Pirates and Syndicate salvage workers have been beefed up around the - caravan ambush ruin. + - tweak: + "Runtimestation: Added shuttle docking ports, a comms console, cargo bay + and syndicate/centcom IDs." + - balance: + Pirates and Syndicate salvage workers have been beefed up around the + caravan ambush ruin. Pubby: - - bugfix: 'PubbyStation: Fixed disposals issue in security hallway' + - bugfix: "PubbyStation: Fixed disposals issue in security hallway" SpaceManiac: - - bugfix: Moving large amounts of items with bluespace launchpads no longer creates - a laggy amount of sparks. - - bugfix: Unbreakable ladders are now left behind when shuttles move. - - bugfix: It is no longer possible to pull the mirages images at space transitions, - and some other abstract effects. - - tweak: PDAs and radios with unlocked uplinks no longer open their normal interface - in addition to the uplink when activated. - - tweak: Nuclear operative uplinks are no longer also radios. - - bugfix: The mining shuttle can once again fly to the aux base construction room - after the base has dropped. - - bugfix: The escape pod hallways on MetaStation and DeltaStation now have air again. - - bugfix: Hyperspace ripples now remain visible until the shuttle arrives, even - during extreme lag. - - bugfix: Ripples now correctly take the shape of the shuttle, rather than always - being a rectangle. - - bugfix: Non-secure windoors now properly support the "One Required" access mode - of airlock electronics. + - bugfix: + Moving large amounts of items with bluespace launchpads no longer creates + a laggy amount of sparks. + - bugfix: Unbreakable ladders are now left behind when shuttles move. + - bugfix: + It is no longer possible to pull the mirages images at space transitions, + and some other abstract effects. + - tweak: + PDAs and radios with unlocked uplinks no longer open their normal interface + in addition to the uplink when activated. + - tweak: Nuclear operative uplinks are no longer also radios. + - bugfix: + The mining shuttle can once again fly to the aux base construction room + after the base has dropped. + - bugfix: The escape pod hallways on MetaStation and DeltaStation now have air again. + - bugfix: + Hyperspace ripples now remain visible until the shuttle arrives, even + during extreme lag. + - bugfix: + Ripples now correctly take the shape of the shuttle, rather than always + being a rectangle. + - bugfix: + Non-secure windoors now properly support the "One Required" access mode + of airlock electronics. Tlaltecuhtli: - - rscadd: After years of protests NT decided to update the fire security standards - by adding 3 (three) advanced fire extinguishers to all the new stations. + - rscadd: + After years of protests NT decided to update the fire security standards + by adding 3 (three) advanced fire extinguishers to all the new stations. and Fel: - - imageadd: New chairs are on most shuttles! Finally, you can relax in style while - escaping a metal death trap. + - imageadd: + New chairs are on most shuttles! Finally, you can relax in style while + escaping a metal death trap. cyclowns: - - rscadd: Fusion has been re-enabled! It works similarly to before, but with some - slight modification. - - tweak: Fusion now requires huge amounts of plasma and tritium, as well as a very - high thermal energy and temperature to start. There are several tiers of fusion - that cause different benefits and effects. - - tweak: The fusion power of most gases has been tweaked to allow for more interesting - interactions. - - tweak: BZ now takes N2O and plasma to create, rather than tritium and plasma. - - bugfix: Fusion no longer delivers server-crashingly large amounts of radiation - and stationwide EMPs. + - rscadd: + Fusion has been re-enabled! It works similarly to before, but with some + slight modification. + - tweak: + Fusion now requires huge amounts of plasma and tritium, as well as a very + high thermal energy and temperature to start. There are several tiers of fusion + that cause different benefits and effects. + - tweak: + The fusion power of most gases has been tweaked to allow for more interesting + interactions. + - tweak: BZ now takes N2O and plasma to create, rather than tritium and plasma. + - bugfix: + Fusion no longer delivers server-crashingly large amounts of radiation + and stationwide EMPs. theo2003: - - rscadd: Players who edited a circuit assembly can scan it as a ghost. + - rscadd: Players who edited a circuit assembly can scan it as a ghost. 2018-06-18: CitrusGender: - - tweak: The blob core (and only the blob core) now respawns randomly on the station - when the core is taken off z-level - - bugfix: Prevents the round from going into an unending state - - code_imp: Added a variable to the stationloving component for objects that can - be destroyed but not moved off z-level + - tweak: + The blob core (and only the blob core) now respawns randomly on the station + when the core is taken off z-level + - bugfix: Prevents the round from going into an unending state + - code_imp: + Added a variable to the stationloving component for objects that can + be destroyed but not moved off z-level Denton: - - tweak: NanoTours is proud to announce that the Lavaland beach club has been outfitted - with a dance machine, state of the art bar equipment and more. + - tweak: + NanoTours is proud to announce that the Lavaland beach club has been outfitted + with a dance machine, state of the art bar equipment and more. SpaceManiac: - - bugfix: It is no longer possible to repair cyborg headlamps even when their panel - is closed. - - bugfix: Item fortification scrolls no longer add multiple prefixes when applied - to the same item. - - bugfix: The gulag shuttle no longer moves instantly when returned via the claim - console. - - admin: It is now possible to use the ".p" (Asay) and ".d" (Dsay) prefixes while - an admin ghost. + - bugfix: + It is no longer possible to repair cyborg headlamps even when their panel + is closed. + - bugfix: + Item fortification scrolls no longer add multiple prefixes when applied + to the same item. + - bugfix: + The gulag shuttle no longer moves instantly when returned via the claim + console. + - admin: + It is now possible to use the ".p" (Asay) and ".d" (Dsay) prefixes while + an admin ghost. 2018-06-19: Cyberboss: - - admin: Speaking in deadchat now shows your rank instead of ADMIN + - admin: Speaking in deadchat now shows your rank instead of ADMIN Dax Dupont: - - balance: Circuit lab no longer starts with super batteries, they have been replaced - with high batteries. - - balance: Circuit labs now start with 20 sheets of metal instead of 50/100. Plenty - of materials on the station you can gather. - - balance: Circuit labs no longer have their own protolathe and autolathe. Science - has their own lathes already. - - tweak: There's no more entire library worth of equipment, they can go publish - the books like the rest of the station, in the library. At least give the librarians - something other to do than screaming about lizard porn on the radio. + - balance: + Circuit lab no longer starts with super batteries, they have been replaced + with high batteries. + - balance: + Circuit labs now start with 20 sheets of metal instead of 50/100. Plenty + of materials on the station you can gather. + - balance: + Circuit labs no longer have their own protolathe and autolathe. Science + has their own lathes already. + - tweak: + There's no more entire library worth of equipment, they can go publish + the books like the rest of the station, in the library. At least give the librarians + something other to do than screaming about lizard porn on the radio. Hyacinth-OR: - - rscadd: Added a pink scarf to vendomats + - rscadd: Added a pink scarf to vendomats Irafas: - - rscadd: Players can now ctrl-click the PDA to remove the item in its pen slot + - rscadd: Players can now ctrl-click the PDA to remove the item in its pen slot JStheguy: - - rscadd: Added the data card reader circuit, a circuit that is able to read data - cards, as well as write to them. - - tweak: Data cards are now longer inexplicably called data disks despite clearly - being cards, and can be printed from the "tools" section of the integrated circuit - printer. - - tweak: Data cards no longer have a special "label card" verb and instead can have - their names and descriptions changed with a pen. - - rscadd: Also, some aesthetically different variants of the data cards, because - why not. - - imageadd: Data cards have new sprites, with support for coloring them via the - assembly detailer. + - rscadd: + Added the data card reader circuit, a circuit that is able to read data + cards, as well as write to them. + - tweak: + Data cards are now longer inexplicably called data disks despite clearly + being cards, and can be printed from the "tools" section of the integrated circuit + printer. + - tweak: + Data cards no longer have a special "label card" verb and instead can have + their names and descriptions changed with a pen. + - rscadd: + Also, some aesthetically different variants of the data cards, because + why not. + - imageadd: + Data cards have new sprites, with support for coloring them via the + assembly detailer. Naksu: - - code_imp: Sped up atmos very slightly + - code_imp: Sped up atmos very slightly ninjanomnom: - - rscadd: A plush that knows too much has found its way to the bus ruin. + - rscadd: A plush that knows too much has found its way to the bus ruin. 2018-06-21: BlueNothing: - - tweak: Grabbers can no longer hold circuit assemblies + - tweak: Grabbers can no longer hold circuit assemblies CitrusGender: - - bugfix: Ruins air alarms will no longer be reported in the station tablets - - bugfix: added a clamp so you can't set a negative multiplier to create materials - and create more than 50 items. + - bugfix: Ruins air alarms will no longer be reported in the station tablets + - bugfix: + added a clamp so you can't set a negative multiplier to create materials + and create more than 50 items. Cobby: - - rscdel: Removed Advanced Mining Scanner from roundstart voucher kits. - - rscdel: Removed Explorer Webbing from all voucher kits besides the shelter capsule - pack. + - rscdel: Removed Advanced Mining Scanner from roundstart voucher kits. + - rscdel: + Removed Explorer Webbing from all voucher kits besides the shelter capsule + pack. Denton: - - bugfix: The public booze-o-mats and autodrobes on Box/Delta/Meta now have no access - requirements, as previously intended. - - rscadd: Regular and advanced health analyzers can now be researched and printed. + - bugfix: + The public booze-o-mats and autodrobes on Box/Delta/Meta now have no access + requirements, as previously intended. + - rscadd: Regular and advanced health analyzers can now be researched and printed. McDonald072: - - rscadd: A few new circuits for dealing with atmospherics have been uploaded to - your local printers. + - rscadd: + A few new circuits for dealing with atmospherics have been uploaded to + your local printers. NewSta: - - tweak: made it easier to see from the back whether someone is occupying the shuttle - chair or not. + - tweak: + made it easier to see from the back whether someone is occupying the shuttle + chair or not. SpaceManiac: - - tweak: One canister is now suitable to fully stock a vending machine. Relevant - cargo packs have been updated. - - bugfix: Deconstructing and reconstructing a vending machine no longer creates - items from thin air. - - bugfix: Using a part replacer on a vending machine no longer empties its inventory. - - rscadd: Bluespace RPEDs can now be used to refill vending machines. + - tweak: + One canister is now suitable to fully stock a vending machine. Relevant + cargo packs have been updated. + - bugfix: + Deconstructing and reconstructing a vending machine no longer creates + items from thin air. + - bugfix: Using a part replacer on a vending machine no longer empties its inventory. + - rscadd: Bluespace RPEDs can now be used to refill vending machines. Tlaltecuhtli: - - bugfix: anomaly cores no longer tend to dust + - bugfix: anomaly cores no longer tend to dust YPOQ: - - bugfix: Watcher beams will freeze you again + - bugfix: Watcher beams will freeze you again 2018-06-23: Dax Dupont: - - imageadd: CHANGE PLACES, SHUTTLE CHAIRS HAVE BEEN CHANGED AGAIN. - - admin: Create antags now checks for people being on station before applying. + - imageadd: CHANGE PLACES, SHUTTLE CHAIRS HAVE BEEN CHANGED AGAIN. + - admin: Create antags now checks for people being on station before applying. ExcessiveUseOfCobblestone: - - spellcheck: Plant disks with potency genes clarify the percent is for potency - scaling and not relative to max volume on examine. + - spellcheck: + Plant disks with potency genes clarify the percent is for potency + scaling and not relative to max volume on examine. Kor: - - rscadd: Bubblegum has regained his original (deadlier) move set. + - rscadd: Bubblegum has regained his original (deadlier) move set. SpaceManiac: - - bugfix: Fire extinguishers on the emergency shuttle are no longer unclickable - once removed from their cabinets. + - bugfix: + Fire extinguishers on the emergency shuttle are no longer unclickable + once removed from their cabinets. kevinz000: - - rscadd: Blast cannons have been fixed and are now available for purchase by traitorous - scientists for a low low price of 14TC. - - rscadd: 'Blast cannons take the explosive power of a TTV bomb and ejects a linear - projectile that will apply what the bomb would do to a certain tile at that - distance to that tile. However, this will not cause breaches, or gib mobs, unless - the gods (admins) so will it. experimental: Blast cannons do not respect maxcap. - (Unless the admins so will it.)' + - rscadd: + Blast cannons have been fixed and are now available for purchase by traitorous + scientists for a low low price of 14TC. + - rscadd: + "Blast cannons take the explosive power of a TTV bomb and ejects a linear + projectile that will apply what the bomb would do to a certain tile at that + distance to that tile. However, this will not cause breaches, or gib mobs, unless + the gods (admins) so will it. experimental: Blast cannons do not respect maxcap. + (Unless the admins so will it.)" 2018-06-24: CitrusGender: - - bugfix: Fixed cyborgs not getting their names at round start - - bugfix: Fixed cyborgs and A.I.s being able to bypass appearance bans + - bugfix: Fixed cyborgs not getting their names at round start + - bugfix: Fixed cyborgs and A.I.s being able to bypass appearance bans SpaceManiac: - - bugfix: The "Save Logs" option in the chat now actually works (IE 10+ only). + - bugfix: The "Save Logs" option in the chat now actually works (IE 10+ only). Time-Green: - - bugfix: Soda is no longer intangible to the laws of physics + - bugfix: Soda is no longer intangible to the laws of physics cinder1992: - - rscadd: The Captain can now go down with their station in style! Suicide animation - added to the Officer's Sabre. + - rscadd: + The Captain can now go down with their station in style! Suicide animation + added to the Officer's Sabre. kevinz000: - - rscadd: Cyborgs now drop keys on deconstruction/detonation + - rscadd: Cyborgs now drop keys on deconstruction/detonation 2018-06-27: Cyberboss: - - server: Logs and admin messages will now appear when you are using deprecated - config settings and advise on upgrades + - server: + Logs and admin messages will now appear when you are using deprecated + config settings and advise on upgrades Dax Dupont: - - admin: Malf AI machine overloads now are logged/admin messaged. - - tweak: The tree of liberty must be refreshed from time to time with the blood - of patriots and tyrants. We've removed access requirements from liberation station - vendors. - - bugfix: Fixes more href exploits in circuits - - refactor: Printing premade assemblies is no longer shitcode, time remaining had - to go for this. - - admin: Filled holes in the logging of circuits + - admin: Malf AI machine overloads now are logged/admin messaged. + - tweak: + The tree of liberty must be refreshed from time to time with the blood + of patriots and tyrants. We've removed access requirements from liberation station + vendors. + - bugfix: Fixes more href exploits in circuits + - refactor: + Printing premade assemblies is no longer shitcode, time remaining had + to go for this. + - admin: Filled holes in the logging of circuits Denton: - - tweak: Camera networks, monitor screens and telescreens have been standardized. - - tweak: Motion-sensitive cameras now show a message when they trigger the alarm. - - bugfix: The Box/Meta auxillary base camera now works. - - bugfix: Bomb test site cameras now emit light, as intended. - - bugfix: 'Meta: Replaced the RD telescreen in the CE office with the correct one.' - - tweak: Did you know that honey has antibiotic properties? + - tweak: Camera networks, monitor screens and telescreens have been standardized. + - tweak: Motion-sensitive cameras now show a message when they trigger the alarm. + - bugfix: The Box/Meta auxillary base camera now works. + - bugfix: Bomb test site cameras now emit light, as intended. + - bugfix: "Meta: Replaced the RD telescreen in the CE office with the correct one." + - tweak: Did you know that honey has antibiotic properties? Irafas: - - bugfix: Hardsuit helmets now protect the wearer from pepperspray - - bugfix: Bucket helmets cannot have reagents transferred into them until after - they are removed + - bugfix: Hardsuit helmets now protect the wearer from pepperspray + - bugfix: + Bucket helmets cannot have reagents transferred into them until after + they are removed MadmanMartian: - - bugfix: Cameras that are EMPed no longer sound an alarm + - bugfix: Cameras that are EMPed no longer sound an alarm Mickyan: - - bugfix: Branca Menta won't make you starve and then kill you - - tweak: Fernet has been moved to contraband + - bugfix: Branca Menta won't make you starve and then kill you + - tweak: Fernet has been moved to contraband Naksu: - - code_imp: Removed unused effect object that could be used to spawn a list of humans + - code_imp: Removed unused effect object that could be used to spawn a list of humans Nichlas0010: - - bugfix: Mothpeople no longer push objects to move in 0-grav, if they can fly + - bugfix: Mothpeople no longer push objects to move in 0-grav, if they can fly SpaceManiac: - - refactor: AI static now uses visual contents and should perform better in theory. - - bugfix: Pocket protectors now work again. - - bugfix: URLs are no longer auto-linkified in character names and IC messages. - - bugfix: It is once again possible for Cargo to export mechs. - - bugfix: Deaths in the CTF arena are no longer announced to deadchat. + - refactor: AI static now uses visual contents and should perform better in theory. + - bugfix: Pocket protectors now work again. + - bugfix: URLs are no longer auto-linkified in character names and IC messages. + - bugfix: It is once again possible for Cargo to export mechs. + - bugfix: Deaths in the CTF arena are no longer announced to deadchat. Tlaltecuhtli: - - tweak: tourettes doesnt stack on itself anymore - - bugfix: fixes cult shuttle message repeating + - tweak: tourettes doesnt stack on itself anymore + - bugfix: fixes cult shuttle message repeating Zxaber: - - rscadd: Cyborgs can wear more hats now. + - rscadd: Cyborgs can wear more hats now. kevinz000: - - rscadd: R&D deconstructors can now destroy things regardless of if there's a point - value or material + - rscadd: + R&D deconstructors can now destroy things regardless of if there's a point + value or material nichlas0010: - - bugfix: You should now receive your destroy AI objectives properly during IAA + - bugfix: You should now receive your destroy AI objectives properly during IAA 2018-06-28: Anonmare: - - balance: The possessed chainsword no longer makes e-swords look pathetic + - balance: The possessed chainsword no longer makes e-swords look pathetic Dax Dupont: - - admin: Admins can now scan circuits if they have admin AI interaction enabled. - - admin: some more circuit logging - - rscadd: You can now build clown borgs with a little bit of bananium and research. - Praise be the honkmother. - - rscadd: New upgrade module has been added so making loot/tech web borg modules - has become easier for admins/mappers/coders. - - refactor: Unused and broken OOC metadata code has been killed. + - admin: Admins can now scan circuits if they have admin AI interaction enabled. + - admin: some more circuit logging + - rscadd: + You can now build clown borgs with a little bit of bananium and research. + Praise be the honkmother. + - rscadd: + New upgrade module has been added so making loot/tech web borg modules + has become easier for admins/mappers/coders. + - refactor: Unused and broken OOC metadata code has been killed. Denton: - - tweak: Added a disk compartmentalizer to Omegastation's hydroponics. + - tweak: Added a disk compartmentalizer to Omegastation's hydroponics. Kraso: - - bugfix: You can no longer use a soulstone shard to tell who's a cultist. + - bugfix: You can no longer use a soulstone shard to tell who's a cultist. ShizCalev: - - bugfix: The blob will no longer take over space/mining/ect upon victory. + - bugfix: The blob will no longer take over space/mining/ect upon victory. 2018-06-29: BlueNothing: - - balance: Cavity implants can no longer hold normal-sized combat circuits. Grabbers - can now hold up to assembly size. - - bugfix: Grabbers and throwers no longer function inside of storage implants. + - balance: + Cavity implants can no longer hold normal-sized combat circuits. Grabbers + can now hold up to assembly size. + - bugfix: Grabbers and throwers no longer function inside of storage implants. Denton: - - tweak: Added all-in-one tcomms machinery and an automated announcement system. + - tweak: Added all-in-one tcomms machinery and an automated announcement system. Mickyan: - - imageadd: graffiti letters and numbers have received a makeover + - imageadd: graffiti letters and numbers have received a makeover MrDoomBringer: - - imageadd: Disk Fridges now have sprites! Ask cobby if you're wondering why they - look like toasters. + - imageadd: + Disk Fridges now have sprites! Ask cobby if you're wondering why they + look like toasters. 2018-06-30: Dennok: - - bugfix: Deconstructable TEG now propertly connects to pipes. - - bugfix: Fix of inverted TEG sprite of slow turbine turning. add:Now you can flip - circulator and make TEG of your dream. add:Add TEG and circulator to "Advanced - Power Manipulation" techweb node. + - bugfix: Deconstructable TEG now propertly connects to pipes. + - bugfix: + Fix of inverted TEG sprite of slow turbine turning. add:Now you can flip + circulator and make TEG of your dream. add:Add TEG and circulator to "Advanced + Power Manipulation" techweb node. MacHac: - - rscadd: Changelings can now take the Pheromone Receptors ability to hunt down - other changelings. + - rscadd: + Changelings can now take the Pheromone Receptors ability to hunt down + other changelings. TerraGS: - - imageadd: New icon for plastic flaps that actually looks airtight. - - code_imp: Update to plastic flaps code to use tool procs rather than attackby - and removed two pointless states. + - imageadd: New icon for plastic flaps that actually looks airtight. + - code_imp: + Update to plastic flaps code to use tool procs rather than attackby + and removed two pointless states. 2018-07-01: Denton: - - tweak: To comply with space OSHA regulations, all toasters (disk compartmentalizers) - have been put on tables. - - rscadd: Added a disk compartmentalizer to the seed vault Lavaland ruin. + - tweak: + To comply with space OSHA regulations, all toasters (disk compartmentalizers) + have been put on tables. + - rscadd: Added a disk compartmentalizer to the seed vault Lavaland ruin. Nichlas0010: - - bugfix: Changelings can now greentext the extract more genomes objective. + - bugfix: Changelings can now greentext the extract more genomes objective. Thunder12345: - - rscadd: Added a colour picker component for use with circuits. + - rscadd: Added a colour picker component for use with circuits. 2018-07-02: AnturK: - - bugfix: non-player monkeys won't fight when stunned. + - bugfix: non-player monkeys won't fight when stunned. Denton: - - bugfix: 'Pubbystation: Fixed the QM camera console''s direction.' - - code_imp: 'Pubbystation: Used the correct aux bomb camera subtype and replaced - loose tech storage boards with spawners, as is done in the rest of the map.' - - tweak: Tesla balls no longer blow up disposal outlets/delivery chutes and cameras. + - bugfix: "Pubbystation: Fixed the QM camera console's direction." + - code_imp: + "Pubbystation: Used the correct aux bomb camera subtype and replaced + loose tech storage boards with spawners, as is done in the rest of the map." + - tweak: Tesla balls no longer blow up disposal outlets/delivery chutes and cameras. Irafas: - - rscadd: Admin spawnable Death Ripley that comes with a version of the Death Clamp - that actually inflicts damage and rips arms off. + - rscadd: + Admin spawnable Death Ripley that comes with a version of the Death Clamp + that actually inflicts damage and rips arms off. Naksu: - - admin: maxHealth is now guarded against invalid values when varediting + - admin: maxHealth is now guarded against invalid values when varediting SpaceManiac: - - bugfix: A single wired glass tile no longer creates unlimited light floor tiles. - - bugfix: Printing the TEG and circulator boards no longer prints the completed - machinery instead. + - bugfix: A single wired glass tile no longer creates unlimited light floor tiles. + - bugfix: + Printing the TEG and circulator boards no longer prints the completed + machinery instead. XDTM: - - tweak: Nutriment Pump implants no longer require replacing the stomach. + - tweak: Nutriment Pump implants no longer require replacing the stomach. 2018-07-03: Dax Dupont: - - balance: BoH detonations now gib the user. + - balance: BoH detonations now gib the user. Denton: - - tweak: Engine heaters no longer let gases pass through them. - - tweak: The Cerestation escape shuttle is now available for purchase! + - tweak: Engine heaters no longer let gases pass through them. + - tweak: The Cerestation escape shuttle is now available for purchase! Frozenguy5: - - bugfix: Fixes nitryl gas not applying its effects. + - bugfix: Fixes nitryl gas not applying its effects. MrDoomBringer: - - bugfix: SupplyPod smites work properly once again. + - bugfix: SupplyPod smites work properly once again. Naksu: - - code_imp: Fixed the signatures of several reagent procs, removing useless checks - - tweak: drunkenness is now handled at the carbon level, allowing monkeys to experience - ethanol - - balance: initropidil also works on carbon level, allowing syndicate operatives - using the poison kit to achieve the silent assassin rating against monkeys - - tweak: The ladders in the tear in the fabric of reality no longer spawn their - endpoints when the area is loaded, but only when the tear is made accessible - via a BoH bomb. - - tweak: CentCom is no longer accessible via the space ladder in the tear. - - tweak: The lavaland endpoint can no longer spawn completely surrounded by lava, - unless it spawns on an island - - code_imp: ChangeTurf can now conditionally inherit the air of the turf it is replacing, - via the CHANGETURF_INHERIT_AIR flag. - - bugfix: when ladder endpoints are created, the binary turfs that are created inherit - the air of the turfs they are replacing. This means the lavaland ladder endpoint - will have the lavaland airmix, instead of a vacuum. - - code_imp: navigation beacons are now properly deregistered from their Z-level - list and re-registered on the correct one if moved across Z-levels by an effect - such as teleportation or a BoH-induced chasm. + - code_imp: Fixed the signatures of several reagent procs, removing useless checks + - tweak: + drunkenness is now handled at the carbon level, allowing monkeys to experience + ethanol + - balance: + initropidil also works on carbon level, allowing syndicate operatives + using the poison kit to achieve the silent assassin rating against monkeys + - tweak: + The ladders in the tear in the fabric of reality no longer spawn their + endpoints when the area is loaded, but only when the tear is made accessible + via a BoH bomb. + - tweak: CentCom is no longer accessible via the space ladder in the tear. + - tweak: + The lavaland endpoint can no longer spawn completely surrounded by lava, + unless it spawns on an island + - code_imp: + ChangeTurf can now conditionally inherit the air of the turf it is replacing, + via the CHANGETURF_INHERIT_AIR flag. + - bugfix: + when ladder endpoints are created, the binary turfs that are created inherit + the air of the turfs they are replacing. This means the lavaland ladder endpoint + will have the lavaland airmix, instead of a vacuum. + - code_imp: + navigation beacons are now properly deregistered from their Z-level + list and re-registered on the correct one if moved across Z-levels by an effect + such as teleportation or a BoH-induced chasm. Nirnael: - - refactor: Removed an unnecessary volume_pump check + - refactor: Removed an unnecessary volume_pump check SpaceManiac: - - bugfix: Backpack water tanks now work properly when wielded by drones. - - bugfix: Backpack water tank nozzles can no longer be placed inside bags of holding - and chem dispensers. - - bugfix: Moving items between your hands no longer causes them to cross the floor - (squeaking, lava burning). - - bugfix: Scrambled research console icons have been fixed, and will be prevented - in the future. + - bugfix: Backpack water tanks now work properly when wielded by drones. + - bugfix: + Backpack water tank nozzles can no longer be placed inside bags of holding + and chem dispensers. + - bugfix: + Moving items between your hands no longer causes them to cross the floor + (squeaking, lava burning). + - bugfix: + Scrambled research console icons have been fixed, and will be prevented + in the future. Zxaber: - - tweak: Empty cyborg shells can now be disassembled with a wrench. - - tweak: Using a screwdriver on an empty shell will now remove the cell, or swap - it if you're holding a cell in your other hand. + - tweak: Empty cyborg shells can now be disassembled with a wrench. + - tweak: + Using a screwdriver on an empty shell will now remove the cell, or swap + it if you're holding a cell in your other hand. ninjanomnom: - - tweak: Shuttle throwing also applies to loose objects on shuttles now. - - tweak: Closets on shuttles start anchored. - - tweak: The throw distance of shuttle throws is marginally random, potentialy 10% - further or shorter - - rscadd: Tables and racks on shuttles have been installed with inertia dampeners. - - bugfix: Some very thin barriers didn't stop mobs from being thrown by the shuttle - under certain circumstances, this has been fixed. + - tweak: Shuttle throwing also applies to loose objects on shuttles now. + - tweak: Closets on shuttles start anchored. + - tweak: + The throw distance of shuttle throws is marginally random, potentialy 10% + further or shorter + - rscadd: Tables and racks on shuttles have been installed with inertia dampeners. + - bugfix: + Some very thin barriers didn't stop mobs from being thrown by the shuttle + under certain circumstances, this has been fixed. 2018-07-05: Cyberboss: - - bugfix: Setting "default" in maps.txt now will load that map as the first fallback - when a next_map.json is missing + - bugfix: + Setting "default" in maps.txt now will load that map as the first fallback + when a next_map.json is missing Jared-Fogle: - - bugfix: Fixed the "Remove IV Container" verb on IV drips from showing every nearby - mob + - bugfix: + Fixed the "Remove IV Container" verb on IV drips from showing every nearby + mob Naksu: - - tweak: shuttles now move the air along with their occupants, instead of magicking - up new air. + - tweak: + shuttles now move the air along with their occupants, instead of magicking + up new air. deathride58: - - tweak: Lone nuclear operatives now spawn as often as originally intended when - the disk is immobile. Secure that fuckin' disk. + - tweak: + Lone nuclear operatives now spawn as often as originally intended when + the disk is immobile. Secure that fuckin' disk. 2018-07-06: Denton: - - spellcheck: Improved supply shuttle messages and firefighting foam descs. - - bugfix: Supply shuttles will no longer spill containers on docking. + - spellcheck: Improved supply shuttle messages and firefighting foam descs. + - bugfix: Supply shuttles will no longer spill containers on docking. Jared-Fogle: - - imageadd: Medical HUDs will now show an icon if the body has died recently enough - to be defibbed + - imageadd: + Medical HUDs will now show an icon if the body has died recently enough + to be defibbed Jegub: - - imageadd: Glowcaps now have their own sprite. + - imageadd: Glowcaps now have their own sprite. MacHac: - - bugfix: Bedsheets once again properly influence the dreams of those who sleep - under them. + - bugfix: + Bedsheets once again properly influence the dreams of those who sleep + under them. 2018-07-07: Cruix: - - bugfix: Advaced camera consoles now properly show camera static in the area that - the eye starts + - bugfix: + Advaced camera consoles now properly show camera static in the area that + the eye starts Denton: - - bugfix: Cere Station's escape shuttle has had its turbo encabulator replaced and - should no longer fly through hyperspace backwards. + - bugfix: + Cere Station's escape shuttle has had its turbo encabulator replaced and + should no longer fly through hyperspace backwards. Garen: - - rscadd: sends a signal for afterattack() - - code_imp: modified all calls of afterattack() to call the parent proc + - rscadd: sends a signal for afterattack() + - code_imp: modified all calls of afterattack() to call the parent proc Naksu: - - bugfix: constructed directional windows no longer leak atmos across them - - code_imp: setting the value of anchored for objects should be done via the setAnchored - proc to properly handle things like atmos updates in one place + - bugfix: constructed directional windows no longer leak atmos across them + - code_imp: + setting the value of anchored for objects should be done via the setAnchored + proc to properly handle things like atmos updates in one place Spaceinaba: - - tweak: Digitigrade legs no longer revert to normal on compatible outfits. + - tweak: Digitigrade legs no longer revert to normal on compatible outfits. 2018-07-08: Affurit: - - imageadd: Back Sprites for the Godstaffs and Scythe now exist. + - imageadd: Back Sprites for the Godstaffs and Scythe now exist. Cruix: - - rscadd: AI detection multitools can now be toggled to provide a HUD that shows - the exact viewports of AI eyes, and the location of nearby camera blind spots. + - rscadd: + AI detection multitools can now be toggled to provide a HUD that shows + the exact viewports of AI eyes, and the location of nearby camera blind spots. Floyd: - - rscdel: removed beauty / dirtyness - - balance: Mood no longer gives you hallucinations, instead makes you go into crit - sooner + - rscdel: removed beauty / dirtyness + - balance: + Mood no longer gives you hallucinations, instead makes you go into crit + sooner Gwolfski: - - rscadd: autoname APC - - rscadd: directional autoname APC's + - rscadd: autoname APC + - rscadd: directional autoname APC's Naksu: - - code_imp: fixed mood component + - code_imp: fixed mood component XDTM: - - bugfix: Corazone now actually stops heart attacks. + - bugfix: Corazone now actually stops heart attacks. cacogen: - - rscadd: Gibs squelch when walked over + - rscadd: Gibs squelch when walked over subject217: - - bugfix: Five months later, wires will again make noise when pulsed or cut while - hacking. + - bugfix: + Five months later, wires will again make noise when pulsed or cut while + hacking. 2018-07-09: Ausops: - - imageadd: New shuttle chair sprites. + - imageadd: New shuttle chair sprites. Jared-Fogle: - - bugfix: Fixed russian revolvers acting like normal revolvers. + - bugfix: Fixed russian revolvers acting like normal revolvers. Nabski: - - imageadd: Crabs have a movement state sprite + - imageadd: Crabs have a movement state sprite TerraGS: - - tweak: Removed tap.ogg from multitool so getting hit by one sounds as painful - as it really is. + - tweak: + Removed tap.ogg from multitool so getting hit by one sounds as painful + as it really is. ninjanomnom: - - code_imp: The very back-end of movement got some significant reshuffling in preparation - for some future refactors. Bugs are expected. + - code_imp: + The very back-end of movement got some significant reshuffling in preparation + for some future refactors. Bugs are expected. subject217: - - spellcheck: The Nuke Op uplink no longer lies about how much ammo a C-20r holds. - - tweak: The L6 SAW now has a small amount of spread. It is still accurate within - visual range, but it's not as effective at longer ranges. + - spellcheck: The Nuke Op uplink no longer lies about how much ammo a C-20r holds. + - tweak: + The L6 SAW now has a small amount of spread. It is still accurate within + visual range, but it's not as effective at longer ranges. 2018-07-10: Astatineguy12: - - bugfix: You can now buy energy shields as a nuke op again + - bugfix: You can now buy energy shields as a nuke op again Denton: - - rscadd: 'Box/Delta/Pubbystation: Nuclear explosive-shaped beerkegs have been added - to maintenance areas.' + - rscadd: + "Box/Delta/Pubbystation: Nuclear explosive-shaped beerkegs have been added + to maintenance areas." Naksu: - - rscadd: Added a new ghost verb that lets you change your ignore settings, allowing - previously ignored popups to be un-ignored and notifications without an ignore - button to be ignored - - bugfix: Chaplains are once again unable to acquire the inquisition ERT commander's - sword, as intended. The sword has been restored to its former glory + - rscadd: + Added a new ghost verb that lets you change your ignore settings, allowing + previously ignored popups to be un-ignored and notifications without an ignore + button to be ignored + - bugfix: + Chaplains are once again unable to acquire the inquisition ERT commander's + sword, as intended. The sword has been restored to its former glory Supermichael777: - - bugfix: Changelings are no longer prevented from entering stasis by another form - of fake death. + - bugfix: + Changelings are no longer prevented from entering stasis by another form + of fake death. Wjohnston & ninjanomnom: - - imageadd: Engine heaters and engines have had a minor touch up so they don't meld - with the floor quite so much. - - tweak: Engine heaters don't block air anymore. + - imageadd: + Engine heaters and engines have had a minor touch up so they don't meld + with the floor quite so much. + - tweak: Engine heaters don't block air anymore. XDTM: - - bugfix: Romerol tumors no longer zombify you if you're alive when the revive timer - counts down. + - bugfix: + Romerol tumors no longer zombify you if you're alive when the revive timer + counts down. 2018-07-11: Denton: - - bugfix: Fixed a bug where golem shells couldn't be completed by certain brass/sandstone/titanium - stacks. - - tweak: The Spider Clan holding facility has completed minor renovations. The dojo - now includes medical and surgical equipment, while the lobby has a fire extinguisher - and plasmaman equipment. - - bugfix: Plasma and wooden golems no longer need to breathe, same as all other - golems. - - spellcheck: Fixed wrong or incomplete golem spawn info texts. - - tweak: Added more random golem names. + - bugfix: + Fixed a bug where golem shells couldn't be completed by certain brass/sandstone/titanium + stacks. + - tweak: + The Spider Clan holding facility has completed minor renovations. The dojo + now includes medical and surgical equipment, while the lobby has a fire extinguisher + and plasmaman equipment. + - bugfix: + Plasma and wooden golems no longer need to breathe, same as all other + golems. + - spellcheck: Fixed wrong or incomplete golem spawn info texts. + - tweak: Added more random golem names. Irafas: - - bugfix: non-silicons can no longer use machines without standing next to them. + - bugfix: non-silicons can no longer use machines without standing next to them. XDTM: - - bugfix: Automatic emotes no longer spam you saying that you can't perform them - while unconscious. - - rscadd: Added a Rest button to the HUD. It allows the user to lie down or get - back on their feet. - - balance: Getting back up now takes a second, to avoid people matrix-ing bullets. + - bugfix: + Automatic emotes no longer spam you saying that you can't perform them + while unconscious. + - rscadd: + Added a Rest button to the HUD. It allows the user to lie down or get + back on their feet. + - balance: Getting back up now takes a second, to avoid people matrix-ing bullets. fludd12: - - rscadd: You can now craft wooden barrels with 30 pieces of wood! They can hold - up to 300u of reagents. - - rscadd: Putting hydroponics-grown plants into the barrel lets you ferment them - for alcohol! Some give bar drinks, while others simply give plain fruit wine. + - rscadd: + You can now craft wooden barrels with 30 pieces of wood! They can hold + up to 300u of reagents. + - rscadd: + Putting hydroponics-grown plants into the barrel lets you ferment them + for alcohol! Some give bar drinks, while others simply give plain fruit wine. ninjanomnom: - - bugfix: Porta turret rotation on shuttles visually would not turn, this has been - dealt with. - - bugfix: Decals weren't rotating properly after the recent signal refactor, a couple - new procs for dealing with the signals on the parent object have been added - to deal with this. + - bugfix: + Porta turret rotation on shuttles visually would not turn, this has been + dealt with. + - bugfix: + Decals weren't rotating properly after the recent signal refactor, a couple + new procs for dealing with the signals on the parent object have been added + to deal with this. subject217: - - balance: L6 SAW AP ammo now costs 9 TC per magazine, up from 6. - - balance: L6 SAW incendiary ammo now deals 20 damage per shot, up from 15. + - balance: L6 SAW AP ammo now costs 9 TC per magazine, up from 6. + - balance: L6 SAW incendiary ammo now deals 20 damage per shot, up from 15. 2018-07-12: AnturK: - - bugfix: Nuclear rounds will now end properly on nukeop deaths if there are no - other antags present. + - bugfix: + Nuclear rounds will now end properly on nukeop deaths if there are no + other antags present. Denton: - - rscadd: A new shuttle loan event has been added. Hope you like bees! - - tweak: The pizza delivery shuttle loan event now has some of each flavor and no - longer pays the station for accepting it. - - balance: Syndicate shuttle infiltrators now carry suppressed pistols. - - spellcheck: Added a missing period to spent bullet casing and pizza shutte loan - text. - - bugfix: Zealot's blindfolds now properly prevent non-cultists from using them. - - bugfix: Cultist legion corpses now wear the correct type of zealot's blindfold. + - rscadd: A new shuttle loan event has been added. Hope you like bees! + - tweak: + The pizza delivery shuttle loan event now has some of each flavor and no + longer pays the station for accepting it. + - balance: Syndicate shuttle infiltrators now carry suppressed pistols. + - spellcheck: + Added a missing period to spent bullet casing and pizza shutte loan + text. + - bugfix: Zealot's blindfolds now properly prevent non-cultists from using them. + - bugfix: Cultist legion corpses now wear the correct type of zealot's blindfold. Time-Green: - - rscadd: An overdosing chemist filled the maintenance shafts with unorthodox pills, - be wary + - rscadd: + An overdosing chemist filled the maintenance shafts with unorthodox pills, + be wary ninjanomnom: - - rscadd: Certain objects which make noise which are thrown in disposals will squeak - when they hit bends in the piping. This includes clowns. + - rscadd: + Certain objects which make noise which are thrown in disposals will squeak + when they hit bends in the piping. This includes clowns. tralezab: - - admin: admins, you can now find martial art granting buttons in your VV dropdown. + - admin: admins, you can now find martial art granting buttons in your VV dropdown. 2018-07-13: Arithmetics plus: - - rscadd: Min circuit - - rscadd: Max circuit + - rscadd: Min circuit + - rscadd: Max circuit Cyberboss: - - rscadd: More interesting recipes to the pizza delivery event + - rscadd: More interesting recipes to the pizza delivery event Deepfreeze2k: - - balance: Adds 2 carbon dioxide jetpacks to the pirate ship. Also gives the captain - a renamed bottle of rum in his room. + - balance: + Adds 2 carbon dioxide jetpacks to the pirate ship. Also gives the captain + a renamed bottle of rum in his room. Denton: - - tweak: 'Most static ingame manuals have been replaced with ones that open relevant - wiki articles. remove: Deleted the "Particle Accelerator User''s Guide" manual, - since it''s included in the Singulo/Tesla one.' - - tweak: Machine frames no longer explode when struck by tesla arcs. - - rscadd: Locators can now be researched and printed at the security protolathe. + - tweak: + 'Most static ingame manuals have been replaced with ones that open relevant + wiki articles. remove: Deleted the "Particle Accelerator User''s Guide" manual, + since it''s included in the Singulo/Tesla one.' + - tweak: Machine frames no longer explode when struck by tesla arcs. + - rscadd: Locators can now be researched and printed at the security protolathe. Jared-Fogle: - - soundadd: Removed delay from rustle1.ogg + - soundadd: Removed delay from rustle1.ogg LetterN: - - rscadd: Adds ratvar plushie and narsie plushie on chaplain vendors + - rscadd: Adds ratvar plushie and narsie plushie on chaplain vendors Naksu: - - bugfix: deep-frying no longer turns certain objects like limbs invisible + - bugfix: deep-frying no longer turns certain objects like limbs invisible Time-Green: - - bugfix: "Fixes an href exploit that lets you grab ID\u2019s out of PDA right from\ - \ another person" + - bugfix: + "Fixes an href exploit that lets you grab ID\u2019s out of PDA right from\ + \ another person" XDTM: - - balance: (Real) Zombies no longer die from normal means. They will instead go - into crit indefinitely and regenerate until they get back up again. To kill - a zombie permanently you either need to remove the tumor, cut off their head, - gib them, or use more elaborate methods like a wand of death or driving them - to suicide. - - balance: Slowed down zombie regeneration overall, since putting them in crit now - no longer disables them for a full minute in average. + - balance: + (Real) Zombies no longer die from normal means. They will instead go + into crit indefinitely and regenerate until they get back up again. To kill + a zombie permanently you either need to remove the tumor, cut off their head, + gib them, or use more elaborate methods like a wand of death or driving them + to suicide. + - balance: + Slowed down zombie regeneration overall, since putting them in crit now + no longer disables them for a full minute in average. Zxaber: - - bugfix: MMI units inside cyborgs are no longer affected by ash storms. + - bugfix: MMI units inside cyborgs are no longer affected by ash storms. ninjanomnom: - - bugfix: Objects on tables that are thrown by shuttle movement should no longer - do a silly spin - - balance: The alien pistol and the xray gun have both received a much belated buff - to their radiation damage to be on par with other sources of radiation. + - bugfix: + Objects on tables that are thrown by shuttle movement should no longer + do a silly spin + - balance: + The alien pistol and the xray gun have both received a much belated buff + to their radiation damage to be on par with other sources of radiation. 2018-07-14: Naksu: - - balance: stamina damage is no longer softcapped by the unconsciousness trigger - lowering stamina damage a little bit + - balance: + stamina damage is no longer softcapped by the unconsciousness trigger + lowering stamina damage a little bit ShizCalev: - - tweak: "The SM is now even more deadly to \"certain mobs\"\u2122" + - tweak: "The SM is now even more deadly to \"certain mobs\"\u2122" 2018-07-15: AnturK: - - tweak: You can now use numbers in religion and deity names + - tweak: You can now use numbers in religion and deity names Denton: - - bugfix: Bounty console circuit boards no longer construct into supply request - terminals. + - bugfix: + Bounty console circuit boards no longer construct into supply request + terminals. Naksu: - - bugfix: fixed some missing args in emote procs called with named args, leading - to runtimes - - code_imp: removed unnecessary processing from a few machine types + - bugfix: + fixed some missing args in emote procs called with named args, leading + to runtimes + - code_imp: removed unnecessary processing from a few machine types SpaceManiac: - - bugfix: The Shuttle Manipulator admin verb works once more. + - bugfix: The Shuttle Manipulator admin verb works once more. 2018-07-16: kevinz000: - - rscadd: 'Integrated circuit clocks now come in 3 flavors: Nanotrasen time (round - time), Station time (station time), and Bluespace time (server time, therefore - not affected by lag/time dilation)' - - rscadd: Integrated circuit clocks now also output a raw value for deciseconds, - allowing for interesting timer constructions. + - rscadd: + "Integrated circuit clocks now come in 3 flavors: Nanotrasen time (round + time), Station time (station time), and Bluespace time (server time, therefore + not affected by lag/time dilation)" + - rscadd: + Integrated circuit clocks now also output a raw value for deciseconds, + allowing for interesting timer constructions. 2018-07-17: Cyberboss: - - server: Added BSQL.dll and updated libmariadb.dll for non-blocking SQL support. - See https://github.com/tgstation/BSQL for instructions on building for non-windows - systems + - server: + Added BSQL.dll and updated libmariadb.dll for non-blocking SQL support. + See https://github.com/tgstation/BSQL for instructions on building for non-windows + systems Denton: - - tweak: Sparks now emit less heat. - - tweak: Added a storage room to Metastation engineering that both engineers and - atmos techs can access. + - tweak: Sparks now emit less heat. + - tweak: + Added a storage room to Metastation engineering that both engineers and + atmos techs can access. Naksu: - - admin: Plasma decontamination can now be triggered via events - - bugfix: Reebe is no longer airless and completely broken + - admin: Plasma decontamination can now be triggered via events + - bugfix: Reebe is no longer airless and completely broken Shdorsh: - - tweak: added UI to the circuit printer. That's all + - tweak: added UI to the circuit printer. That's all XDTM: - - balance: Limbs no longer need to have full damage to be dismemberable, although - more damage means higher dismemberment chance. - - balance: Damaging limbs now only counts as 75% for the mob's total health. Bleeding - still applies normally. - - rscadd: Limbs that reach max damage will now be disabled until they are healed - to half health. - - rscadd: Disabled limbs work similarly to missing limbs, but they can still be - used to wear items or handcuffs. + - balance: + Limbs no longer need to have full damage to be dismemberable, although + more damage means higher dismemberment chance. + - balance: + Damaging limbs now only counts as 75% for the mob's total health. Bleeding + still applies normally. + - rscadd: + Limbs that reach max damage will now be disabled until they are healed + to half health. + - rscadd: + Disabled limbs work similarly to missing limbs, but they can still be + used to wear items or handcuffs. kevinz000: - - rscadd: Crew pinpointers added to advanced biotechnology, printable from medical - lathes. - - rscadd: AIs can now interact with smartfridges by default, but by default they - will not be able to retrieve items. + - rscadd: + Crew pinpointers added to advanced biotechnology, printable from medical + lathes. + - rscadd: + AIs can now interact with smartfridges by default, but by default they + will not be able to retrieve items. ninjanomnom: - - bugfix: Mech equipment can be detached again. This probably also fixes any other - uncaught bugs relating to objects moving out of other objects. + - bugfix: + Mech equipment can be detached again. This probably also fixes any other + uncaught bugs relating to objects moving out of other objects. 2018-07-18: Cyberboss: - - bugfix: Deaths now lag the server less - - bugfix: Ban checks cause less lag + - bugfix: Deaths now lag the server less + - bugfix: Ban checks cause less lag Denton: - - tweak: RCDs can now also be loaded with reinforced glass and reinforced plasma - glass sheets. + - tweak: + RCDs can now also be loaded with reinforced glass and reinforced plasma + glass sheets. Irafas: - - bugfix: players can construct while standing on top of a directional window. (machine - frames, computer frames, etc) + - bugfix: + players can construct while standing on top of a directional window. (machine + frames, computer frames, etc) MrStonedOne: - - bugfix: synchronizing admin ranks with the database now lags the server less - - bugfix: saving stats now lags the server less - - bugfix: jobexp updating now lags the server less - - bugfix: poll creation now lags the server less. + - bugfix: synchronizing admin ranks with the database now lags the server less + - bugfix: saving stats now lags the server less + - bugfix: jobexp updating now lags the server less + - bugfix: poll creation now lags the server less. Tlaltecuhtli: - - tweak: putting a cell and other not intended actions dont open the circuit window + - tweak: putting a cell and other not intended actions dont open the circuit window WJohnston: - - tweak: Abandoned box ship space ruin consoles have been turned into something - more obviously broken so people stop complaining the ship doesn't work when - it's not meant to anyway. - - rscdel: Removed the extra syndie headset from the syndicate listening post space - ruin so people stumbling on the ruin won't be able to ruin your channel's security - as often. + - tweak: + Abandoned box ship space ruin consoles have been turned into something + more obviously broken so people stop complaining the ship doesn't work when + it's not meant to anyway. + - rscdel: + Removed the extra syndie headset from the syndicate listening post space + ruin so people stumbling on the ruin won't be able to ruin your channel's security + as often. XDTM: - - bugfix: Fixed a few bugs with imaginary friends, including them not being able - to hear anyone or surviving past the owner's death. - - rscadd: Imaginary friends can now move into the owner's head. - - rscadd: Imaginary friends can now choose to become invisible to the owner at will. + - bugfix: + Fixed a few bugs with imaginary friends, including them not being able + to hear anyone or surviving past the owner's death. + - rscadd: Imaginary friends can now move into the owner's head. + - rscadd: Imaginary friends can now choose to become invisible to the owner at will. 2018-07-20: Cobby: - - bugfix: having higher sanity is no longer punished by making you enter crit faster - - balance: you can have 100 mood instead of 99 before it starts slowly decreasing - - bugfix: Paper doesn't give illegal tech anymore + - bugfix: having higher sanity is no longer punished by making you enter crit faster + - balance: you can have 100 mood instead of 99 before it starts slowly decreasing + - bugfix: Paper doesn't give illegal tech anymore CthulhuOnIce: - - spellcheck: Fixed 'Cybogs' in research nodes. + - spellcheck: Fixed 'Cybogs' in research nodes. Denton: - - admin: Added hardsuit outfits for the Captain, HoS, and CMO. Removed old Shaft - Miner (Asteroid) outfits. Gave Chief Engineer (Hardsuit) engineering scanner - goggles. Added debug outfit for testing. - - tweak: Most wardrobe vendor contents have been tweaked. CargoDrobe now has the - vintage shaft miner jumpsuit available as a premium item. + - admin: + Added hardsuit outfits for the Captain, HoS, and CMO. Removed old Shaft + Miner (Asteroid) outfits. Gave Chief Engineer (Hardsuit) engineering scanner + goggles. Added debug outfit for testing. + - tweak: + Most wardrobe vendor contents have been tweaked. CargoDrobe now has the + vintage shaft miner jumpsuit available as a premium item. WJohn: - - balance: Caravan ruin overall contains much less firepower, and should be harder - to cheese due to placement changes and less ammunition to work with. - - rscadd: The white ship is no longer stuck to flying around the station z level. - It can now fly around its own spawn's level and the derelict's level too (these - sometimes will be the same level). + - balance: + Caravan ruin overall contains much less firepower, and should be harder + to cheese due to placement changes and less ammunition to work with. + - rscadd: + The white ship is no longer stuck to flying around the station z level. + It can now fly around its own spawn's level and the derelict's level too (these + sometimes will be the same level). kevinz000: - - rscdel: Removed flightsuits + - rscdel: Removed flightsuits zaracka: - - balance: Visible indications of cultist status during deconversion using holy - water happen more often. + - balance: + Visible indications of cultist status during deconversion using holy + water happen more often. 2018-07-21: Jared-Fogle: - - bugfix: Fixes destroyed non-human bodies cloning as humans. + - bugfix: Fixes destroyed non-human bodies cloning as humans. WJohnston: - - balance: Reduced the 180 rounds (6 boxes) of 9mm ammo in the deep storage bunker - to 45 (3 mags). Removed one of the wt-550s but put a compatible magazine in - its place for the other to use. Turned the syndicate hardsuit into a regular - grey space suit. + - balance: + Reduced the 180 rounds (6 boxes) of 9mm ammo in the deep storage bunker + to 45 (3 mags). Removed one of the wt-550s but put a compatible magazine in + its place for the other to use. Turned the syndicate hardsuit into a regular + grey space suit. 2018-07-23: BeeSting12: - - bugfix: Robotics' circuit printers have been changed to science departmental circuit - printers to allow science to do their job more efficiently. + - bugfix: + Robotics' circuit printers have been changed to science departmental circuit + printers to allow science to do their job more efficiently. Cruix: - - bugfix: AI eyes will now see static immediately after jumping between cameras. + - bugfix: AI eyes will now see static immediately after jumping between cameras. Denton: - - rscadd: Shared engineering storage rooms have been added to Deltastation. - - bugfix: Fixed access requirements of lockdown buttons in the CE office. On some - maps, these were set to the wrong department. - - bugfix: Fixed Box and Metastation's CE locker having no access requirements. - - bugfix: 'Deltastation: Fixed engineers having access to atmospheric technicians'' - storage room. Fixed engineers having no access to port bow solars (the ones - at the incinerator by Atmospherics). Also fixed Minisat airlock access requirements.' - - bugfix: 'Pubbystation: Medbay and Cargo now have a techfab instead of protolathe.' - - tweak: Charlie/Delta Station (the "old cryogenics pod" ghost role) has been improved. - Survivors can now finish the singularity engine and will have more minerals - available inside the Hivebot mothership. The local atmos network is connected - to an air tank; fire alarms and a bathroom have been added. Keep an eye out - for a defibrillator too. - - rscadd: Nuclear Operatives can now purchase Buzzkill grenades for 5TC per box - of three. Those release a swarm of angry bees with random toxins. - - spellcheck: Chemical grenades, empty casings and smart metal foam nades now have - more detailed descriptions. - - spellcheck: Added examine descriptions to the organ harvester. + - rscadd: Shared engineering storage rooms have been added to Deltastation. + - bugfix: + Fixed access requirements of lockdown buttons in the CE office. On some + maps, these were set to the wrong department. + - bugfix: Fixed Box and Metastation's CE locker having no access requirements. + - bugfix: + "Deltastation: Fixed engineers having access to atmospheric technicians' + storage room. Fixed engineers having no access to port bow solars (the ones + at the incinerator by Atmospherics). Also fixed Minisat airlock access requirements." + - bugfix: "Pubbystation: Medbay and Cargo now have a techfab instead of protolathe." + - tweak: + Charlie/Delta Station (the "old cryogenics pod" ghost role) has been improved. + Survivors can now finish the singularity engine and will have more minerals + available inside the Hivebot mothership. The local atmos network is connected + to an air tank; fire alarms and a bathroom have been added. Keep an eye out + for a defibrillator too. + - rscadd: + Nuclear Operatives can now purchase Buzzkill grenades for 5TC per box + of three. Those release a swarm of angry bees with random toxins. + - spellcheck: + Chemical grenades, empty casings and smart metal foam nades now have + more detailed descriptions. + - spellcheck: Added examine descriptions to the organ harvester. Epoc: - - rscadd: Adds "Toggle Flashlight" to PDA context menu. + - rscadd: Adds "Toggle Flashlight" to PDA context menu. Hathkar: - - tweak: Captain's Door Remote now has vault access again. + - tweak: Captain's Door Remote now has vault access again. Mickyan: - - bugfix: 'Deltastation: replaced blood decals in maintenance with their dried counterparts' + - bugfix: "Deltastation: replaced blood decals in maintenance with their dried counterparts" SpaceManiac: - - tweak: RCDs can now be loaded partially by compressed matter cartridges rather - than always consuming the entire cartridge. - - bugfix: Fernet Cola's effect has been restored. - - bugfix: Krokodil's addition stage two warning message has been restored. - - admin: The party button is back. + - tweak: + RCDs can now be loaded partially by compressed matter cartridges rather + than always consuming the entire cartridge. + - bugfix: Fernet Cola's effect has been restored. + - bugfix: Krokodil's addition stage two warning message has been restored. + - admin: The party button is back. WJohnston: - - bugfix: Fixed corner decals rotating incorrectly in the small caravan freighter. + - bugfix: Fixed corner decals rotating incorrectly in the small caravan freighter. XDTM: - - bugfix: Limbs disabled by stamina damage no longer appear as broken and mangled. + - bugfix: Limbs disabled by stamina damage no longer appear as broken and mangled. obscolene: - - soundadd: Curator's whip actually makes a whip sound now + - soundadd: Curator's whip actually makes a whip sound now 2018-07-25: Denton: - - tweak: H.O.N.K mechs can now play more sounds from the "Sounds of HONK" panel. + - tweak: H.O.N.K mechs can now play more sounds from the "Sounds of HONK" panel. JJRcop: - - tweak: The item pick up animation tweens to the correct spot if you move + - tweak: The item pick up animation tweens to the correct spot if you move MrDoomBringer: - - spellcheck: Changed "cyro" to "cryo" in a few item descriptions and flavortexts. + - spellcheck: Changed "cyro" to "cryo" in a few item descriptions and flavortexts. SpaceManiac: - - rscadd: The vault now contains an ore silo where the station's minerals are stored. - - rscadd: The station's ORM, recycling, and the labor camp send materials to the - silo via bluespace. - - rscadd: Protolathes, techfabs, and circuit imprinters all pull materials from - the silo via bluespace. - - rscadd: Those with vault access can view mineral logs and pause or remove any - machine's access, or add machines with a multitool. - - tweak: The ORM's alloy recipes are now available in engineering and science protolathes. + - rscadd: The vault now contains an ore silo where the station's minerals are stored. + - rscadd: + The station's ORM, recycling, and the labor camp send materials to the + silo via bluespace. + - rscadd: + Protolathes, techfabs, and circuit imprinters all pull materials from + the silo via bluespace. + - rscadd: + Those with vault access can view mineral logs and pause or remove any + machine's access, or add machines with a multitool. + - tweak: The ORM's alloy recipes are now available in engineering and science protolathes. Telecomms chat logging: - - code_imp: Added logging of telecomms chat - - config: Added LOG_TELECOMMS config flag (enabled by default) + - code_imp: Added logging of telecomms chat + - config: Added LOG_TELECOMMS config flag (enabled by default) WJohnston: - - rscadd: Redesigned deltastation's abandoned white ship into a luxury NT frigate. - Oh, and there are giant spiders too. - - bugfix: Med and booze dispensers work again on lavaland's syndie base, and the - circuit lab there is slightly less tiny. + - rscadd: + Redesigned deltastation's abandoned white ship into a luxury NT frigate. + Oh, and there are giant spiders too. + - bugfix: + Med and booze dispensers work again on lavaland's syndie base, and the + circuit lab there is slightly less tiny. subject217: - - rscadd: The M-90gl is back in the Nuke Ops uplink with rebalanced pricing. - - bugfix: The revolver cargo bounty no longer accepts double barrel shotguns and - grenade launchers. + - rscadd: The M-90gl is back in the Nuke Ops uplink with rebalanced pricing. + - bugfix: + The revolver cargo bounty no longer accepts double barrel shotguns and + grenade launchers. 2018-07-26: Iamgoofball: - - bugfix: The shake now occurs at the same time as the movement, and it now doesn't - trigger on containers or uplinks. + - bugfix: + The shake now occurs at the same time as the movement, and it now doesn't + trigger on containers or uplinks. Mickyan: - - balance: Light Step quirk now stops you from leaving footprints + - balance: Light Step quirk now stops you from leaving footprints Naksu: - - code_imp: gas reactions no longer copy a list needlessly + - code_imp: gas reactions no longer copy a list needlessly SpaceManiac: - - rscadd: 'The following machines can now be tabled: all-in-one grinder, cell charger, - dish drive, disk compartmentalizer, microwave, recharger, soda/booze dispenser.' - - rscadd: Unanchored soda/booze dispensers can now be rotated with alt-click. - - bugfix: Machinery UIs no longer close immediately upon going out of interaction - range. - - rscadd: Washing machines now wiggle slightly while running. - - rscadd: Washing machines can be unanchored if their panel is open for even more - wiggle. + - rscadd: + "The following machines can now be tabled: all-in-one grinder, cell charger, + dish drive, disk compartmentalizer, microwave, recharger, soda/booze dispenser." + - rscadd: Unanchored soda/booze dispensers can now be rotated with alt-click. + - bugfix: + Machinery UIs no longer close immediately upon going out of interaction + range. + - rscadd: Washing machines now wiggle slightly while running. + - rscadd: + Washing machines can be unanchored if their panel is open for even more + wiggle. WJohnston: - - rscadd: Return of the boxstation white ship, with a complete makeover! Box and - meta no longer share the same ship. + - rscadd: + Return of the boxstation white ship, with a complete makeover! Box and + meta no longer share the same ship. 2018-07-27: ShizCalev: - - bugfix: Destroying a camera will now clear it's alarm. + - bugfix: Destroying a camera will now clear it's alarm. ninjanomnom: - - bugfix: The cargo shuttle should move normally again + - bugfix: The cargo shuttle should move normally again 2018-07-28: CitrusGender: - - rscdel: Removed slippery component from water turf + - rscdel: Removed slippery component from water turf Denton: - - balance: The Odysseus mech's movespeed has been increased. - - tweak: 'Metastation: Spruced up the RnD circuitry lab; no gameplay changes.' - - tweak: Due to exemplary performance, NanoTrasen has awarded Shaft Miners with - their very own bathroom, constructed at the mining station dormitories. Construction - costs will be deducted from their salaries. + - balance: The Odysseus mech's movespeed has been increased. + - tweak: "Metastation: Spruced up the RnD circuitry lab; no gameplay changes." + - tweak: + Due to exemplary performance, NanoTrasen has awarded Shaft Miners with + their very own bathroom, constructed at the mining station dormitories. Construction + costs will be deducted from their salaries. Mickyan: - - imageadd: insanity static is subtler - - imageadd: neutral mood icon is now light blue + - imageadd: insanity static is subtler + - imageadd: neutral mood icon is now light blue SpaceManiac: - - bugfix: Cyborgs and AIs can now interact with items inside them again. + - bugfix: Cyborgs and AIs can now interact with items inside them again. Tlaltecuhtli: - - rscadd: Mouse traps are craftable from cardboard and a metal rod. + - rscadd: Mouse traps are craftable from cardboard and a metal rod. WJohnston: - - balance: Syndicate and pirate simple animals should have stats that more closely - resemble fighting a human in those suits, with appropriate health, sounds, and - space movement limitations. - - imageadd: Pirates in space suits have more modern space suits. + - balance: + Syndicate and pirate simple animals should have stats that more closely + resemble fighting a human in those suits, with appropriate health, sounds, and + space movement limitations. + - imageadd: Pirates in space suits have more modern space suits. 2018-07-30: Anonmare: - - balance: Upload boards and AI modules, in addition to Weapon Recharger boards, - are now more expensive to manufacture + - balance: + Upload boards and AI modules, in addition to Weapon Recharger boards, + are now more expensive to manufacture Basilman: - - bugfix: fixed BM Speedwagon offsets + - bugfix: fixed BM Speedwagon offsets Cobby (based off Wesoda25's idea): - - rscadd: Adds the PENLITE holobarrier. A holographic barrier which halts individuals - with bad diseases! + - rscadd: + Adds the PENLITE holobarrier. A holographic barrier which halts individuals + with bad diseases! Denton: - - tweak: Techweb nodes that are available to exofabs by roundstart have been moved - to basic research technology. - - balance: Ripley APLU circuit boards are now printable by roundstart. - - balance: Odysseus, Gygax, Durand, H.O.N.K. and Phazon mech parts have to be researched - before becoming printable (same as their circuit boards). - - tweak: Arrivals shuttles no longer throw objects/players when docking. - - bugfix: Regular fedoras no longer spawn containing flasks. - - tweak: Increased the range of handheld T-ray scanners. - - balance: Cargo bounties that request irreplaceable items have been removed. + - tweak: + Techweb nodes that are available to exofabs by roundstart have been moved + to basic research technology. + - balance: Ripley APLU circuit boards are now printable by roundstart. + - balance: + Odysseus, Gygax, Durand, H.O.N.K. and Phazon mech parts have to be researched + before becoming printable (same as their circuit boards). + - tweak: Arrivals shuttles no longer throw objects/players when docking. + - bugfix: Regular fedoras no longer spawn containing flasks. + - tweak: Increased the range of handheld T-ray scanners. + - balance: Cargo bounties that request irreplaceable items have been removed. Garen: - - balance: Throwers no longer deal damage - - balance: Flashlight circuits are now the same strength as a normal flashlight - - balance: Grabber circuits are now combat circuits - - rscdel: Removed smoke circuits - - rscdel: Removed all screens larger than small - - tweak: Ntnet circuits can no longer specify the passkey used, it instead always - uses the access + - balance: Throwers no longer deal damage + - balance: Flashlight circuits are now the same strength as a normal flashlight + - balance: Grabber circuits are now combat circuits + - rscdel: Removed smoke circuits + - rscdel: Removed all screens larger than small + - tweak: + Ntnet circuits can no longer specify the passkey used, it instead always + uses the access Hate9: - - rscadd: Added pulse multiplexer circuits, to complete the list of data transfers. + - rscadd: Added pulse multiplexer circuits, to complete the list of data transfers. Jared-Fogle: - - rscadd: NanoTrasen now officially recognizes Moth Week as a holiday. - - rscdel: Temporarily removes canvases until someone figures out how to fix them. + - rscadd: NanoTrasen now officially recognizes Moth Week as a holiday. + - rscdel: Temporarily removes canvases until someone figures out how to fix them. Mickyan: - - balance: Social anxiety trigger range decreased. Stay out of my personal space! - - bugfix: Social anxiety no longer triggers while nobody is around but you + - balance: Social anxiety trigger range decreased. Stay out of my personal space! + - bugfix: Social anxiety no longer triggers while nobody is around but you WJohnston: - - rscadd: Redesigned the metastation white ship as a salvage vessel. + - rscadd: Redesigned the metastation white ship as a salvage vessel. YoYoBatty: - - bugfix: SMES power terminals not actually deleting the terminal reference when - by cutting the terminal itself rather than the SMES. - - bugfix: SMES now reconnect to the grid properly after construction. - - refactor: SMES now uses wirecutter act to handle terminal deconstruction. + - bugfix: + SMES power terminals not actually deleting the terminal reference when + by cutting the terminal itself rather than the SMES. + - bugfix: SMES now reconnect to the grid properly after construction. + - refactor: SMES now uses wirecutter act to handle terminal deconstruction. ninjanomnom: - - bugfix: Objects picked up from tables blocking throws will no longer be forever - unthrowable + - bugfix: + Objects picked up from tables blocking throws will no longer be forever + unthrowable 2018-08-01: Basilman: - - rscadd: Added the stealth manual to the uplink, costs 8 TC. Find it under the - implant section + - rscadd: + Added the stealth manual to the uplink, costs 8 TC. Find it under the + implant section Cobby: - - spellcheck: Drone's Law 3 has been edited to explicitly state that it's for the - site of activation (aka people do not get banned for going to upgrade station - as derelict drones since it's explicitly clear now). See https://tgstation13.org/phpBB/viewtopic.php?f=33&t=18844&p=429944#p429944 - for why this was PR'd - - bugfix: PENLITEs are now actually spawnable in techwebs. Reminder to make sure - everything is committed before PRing haha! + - spellcheck: + Drone's Law 3 has been edited to explicitly state that it's for the + site of activation (aka people do not get banned for going to upgrade station + as derelict drones since it's explicitly clear now). See https://tgstation13.org/phpBB/viewtopic.php?f=33&t=18844&p=429944#p429944 + for why this was PR'd + - bugfix: + PENLITEs are now actually spawnable in techwebs. Reminder to make sure + everything is committed before PRing haha! Denton: - - tweak: New bounties have been added for the Firefighter APLU mech, cat tails and - the Cat/Liz o' Nine Tails weapons. - - bugfix: ExoNuclear mech reactors now noticably irradiate their environment. - - spellcheck: Adjusted suit storage unit descriptions to mention that they can decontaminate - irradiated equipment. + - tweak: + New bounties have been added for the Firefighter APLU mech, cat tails and + the Cat/Liz o' Nine Tails weapons. + - bugfix: ExoNuclear mech reactors now noticably irradiate their environment. + - spellcheck: + Adjusted suit storage unit descriptions to mention that they can decontaminate + irradiated equipment. Hate9: - - rscadd: Added tiny-sized circuits (called Devices) - - imageadd: added new icons for the Devices + - rscadd: Added tiny-sized circuits (called Devices) + - imageadd: added new icons for the Devices Iamgoofball: - - balance: 'Buzzkill Grenade Box Cost: 5 -> 15' + - balance: "Buzzkill Grenade Box Cost: 5 -> 15" Shdorsh: - - rscadd: Text replacer circuit + - rscadd: Text replacer circuit SpaceManiac: - - bugfix: The bridge of the gulag shuttle now has a stacking machine console for - ejecting sheets. + - bugfix: + The bridge of the gulag shuttle now has a stacking machine console for + ejecting sheets. Time-Green: - - rscadd: You can now mount energy guns into emitters - - bugfix: portal guns no longer runtime when fired by turrets + - rscadd: You can now mount energy guns into emitters + - bugfix: portal guns no longer runtime when fired by turrets barbedwireqtip: - - tweak: Adds the security guard outfit from Half-Life to the secdrobe + - tweak: Adds the security guard outfit from Half-Life to the secdrobe granpawalton: - - tweak: Removed old piping sections and replaced with Canister storage area in - atmos incinerator - - tweak: scrubber and distro pipes moved in atmos incinerator to make room for added - piping - - balance: added filter at connector on scrubbing pipe in atmos incinerator - - balance: replaced vent in incinerator with scrubber in **Both** incinerators - - balance: mixer placed on pure loop at plasma - - bugfix: delta and pubby atmos incinerator air alarm is no longer locked at round - start - - bugfix: pubby atmos incinerator now starts without atmos in it + - tweak: + Removed old piping sections and replaced with Canister storage area in + atmos incinerator + - tweak: + scrubber and distro pipes moved in atmos incinerator to make room for added + piping + - balance: added filter at connector on scrubbing pipe in atmos incinerator + - balance: replaced vent in incinerator with scrubber in **Both** incinerators + - balance: mixer placed on pure loop at plasma + - bugfix: + delta and pubby atmos incinerator air alarm is no longer locked at round + start + - bugfix: pubby atmos incinerator now starts without atmos in it kevinz000: - - rscadd: 'Cameras now shoot from 1x1 to 7x7, fully customizable. Alt click on them - to change the size of your photos. experimental: All photos, assuming the server - host turns this feature on, will be logged to disk in round logs, with their - data and path stored in a json. This allows for things like Statbus, and persistence - features among other things to easily grab the data and load the photo.' - - rscadd: Mappers are now able to add in photo albums and wall frames with persistence! - This, obviously, requires photo logging to be turned on. If this is enabled - and used, these albums and frames will save the ID of the photo(s) inside them - and load it the next time they're loaded in! Like secret satchels, but for photos! + - rscadd: + "Cameras now shoot from 1x1 to 7x7, fully customizable. Alt click on them + to change the size of your photos. experimental: All photos, assuming the server + host turns this feature on, will be logged to disk in round logs, with their + data and path stored in a json. This allows for things like Statbus, and persistence + features among other things to easily grab the data and load the photo." + - rscadd: + Mappers are now able to add in photo albums and wall frames with persistence! + This, obviously, requires photo logging to be turned on. If this is enabled + and used, these albums and frames will save the ID of the photo(s) inside them + and load it the next time they're loaded in! Like secret satchels, but for photos! 2018-08-03: ArcaneMusic: - - soundadd: Added a new, shoutier RoundEnd Sound. + - soundadd: Added a new, shoutier RoundEnd Sound. Basilman: - - bugfix: fixed agent box invisibility + - bugfix: fixed agent box invisibility Denton: - - tweak: 'Syndicate lavaland base: Added a grenade parts vendor and smoke machine - board. The testing chamber now has a heatproof door and vents/scrubbers to replace - air after testing gas grenades. Chemical/soda/beer vendors are emagged by default; - the vault contains a set of valuable Syndicate documents.' - - tweak: Added a scrubber pipenet to the Lavaland mining base. + - tweak: + "Syndicate lavaland base: Added a grenade parts vendor and smoke machine + board. The testing chamber now has a heatproof door and vents/scrubbers to replace + air after testing gas grenades. Chemical/soda/beer vendors are emagged by default; + the vault contains a set of valuable Syndicate documents." + - tweak: Added a scrubber pipenet to the Lavaland mining base. Garen: - - bugfix: mobs now call COMSIG_PARENT_ATTACKBY + - bugfix: mobs now call COMSIG_PARENT_ATTACKBY JJRcop: - - rscadd: Deadchat can use emoji now, be sure to freak out scrying orb users. + - rscadd: Deadchat can use emoji now, be sure to freak out scrying orb users. Kmc2000: - - rscadd: You can now attach 4 energy swords to a securiton assembly instead of - a baton to create a 4 esword wielding nightmare-bot + - rscadd: + You can now attach 4 energy swords to a securiton assembly instead of + a baton to create a 4 esword wielding nightmare-bot Mickyan: - - imageadd: added sprites for camera when equipped or in hand - - tweak: cameras are now equipped in the neck slot + - imageadd: added sprites for camera when equipped or in hand + - tweak: cameras are now equipped in the neck slot SpaceManiac: - - bugfix: Traps now have their examine text back. + - bugfix: Traps now have their examine text back. Supermichael777: - - bugfix: Cigarettes now always transfer a valid amount of reagents. - - bugfix: Reagent order of operations is no longer completely insane + - bugfix: Cigarettes now always transfer a valid amount of reagents. + - bugfix: Reagent order of operations is no longer completely insane WJohnston: - - tweak: Added a gun recharger to delta's white ship and toned it down from a "luxury" - frigate to just a NT frigate, it's just not made for luxury! + - tweak: + Added a gun recharger to delta's white ship and toned it down from a "luxury" + frigate to just a NT frigate, it's just not made for luxury! XDTM: - - bugfix: Beheading now works while in hard crit, so it can be used against zombies. - - tweak: You can now have fakedeath without also being unconscious. Existing sources - of fakedeath still cause unconsciousness. - - rscadd: Zombies and skeletons now appear as dead. Don't trust zombies on the ground! - - rscadd: You can now make Ghoul Powder with Zombie Powder and epinephrine, which - causes fakedeath without uncounsciousness. + - bugfix: Beheading now works while in hard crit, so it can be used against zombies. + - tweak: + You can now have fakedeath without also being unconscious. Existing sources + of fakedeath still cause unconsciousness. + - rscadd: Zombies and skeletons now appear as dead. Don't trust zombies on the ground! + - rscadd: + You can now make Ghoul Powder with Zombie Powder and epinephrine, which + causes fakedeath without uncounsciousness. granpawalton: - - bugfix: pubby round start atmos issues resolved - - bugfix: pubby departures lounge vent is no longer belonging to brig maint - - rscadd: pipe dispenser on pirate ship + - bugfix: pubby round start atmos issues resolved + - bugfix: pubby departures lounge vent is no longer belonging to brig maint + - rscadd: pipe dispenser on pirate ship ninjanomnom: - - bugfix: The first pod spawned had some issues with shuttle id and wouldn't move - properly. This has been fixed. + - bugfix: + The first pod spawned had some issues with shuttle id and wouldn't move + properly. This has been fixed. 2018-08-06: Basilman: - - balance: Increased agent box cooldown to 10 seconds + - balance: Increased agent box cooldown to 10 seconds Denton: - - bugfix: Omegastation's Atmospherics lockdown button now has the proper access - reqs. - - bugfix: Pubbystation's disposals conveyor belts now face the correct direction. - - bugfix: Pubby's service techfab is no longer stuck inside a wall. - - bugfix: Pubby's disposal loop is no longer broken. - - tweak: The Lavaland seed vault chem dispenser now has upgraded stock parts. - - tweak: 'Metastation: Extended protective grilles to partially cover the Supermatter - cooling loop.' + - bugfix: + Omegastation's Atmospherics lockdown button now has the proper access + reqs. + - bugfix: Pubbystation's disposals conveyor belts now face the correct direction. + - bugfix: Pubby's service techfab is no longer stuck inside a wall. + - bugfix: Pubby's disposal loop is no longer broken. + - tweak: The Lavaland seed vault chem dispenser now has upgraded stock parts. + - tweak: + "Metastation: Extended protective grilles to partially cover the Supermatter + cooling loop." Epoc: - - rscadd: You can now show off your Attorney's Badge + - rscadd: You can now show off your Attorney's Badge Garen: - - bugfix: Fixed AddComponent(target) not working when an instance is passed rather - than a path + - bugfix: + Fixed AddComponent(target) not working when an instance is passed rather + than a path JJRcop: - - bugfix: Fixed some strange string handling in SDQL + - bugfix: Fixed some strange string handling in SDQL Jared-Fogle: - - rscadd: Moths can now eat clothes. + - rscadd: Moths can now eat clothes. JohnGinnane: - - rscadd: Users can now see their prayers (similar to PDA sending messages) + - rscadd: Users can now see their prayers (similar to PDA sending messages) Mickyan: - - tweak: Drinking alcohol now improves your mood + - tweak: Drinking alcohol now improves your mood Shdorsh: - - bugfix: The previously-added find-replace circuit now actually exists. + - bugfix: The previously-added find-replace circuit now actually exists. Tlaltecuhtli (and then Cobby): - - bugfix: Science Bounties are now available! + - bugfix: Science Bounties are now available! WJohnston: - - balance: Rebalanced the simple animal syndies on the metastation ship to be a - bit less destructive of their surroundings, and downgraded the smg guy to a - pistol and upgraded the other guys to knives. + - balance: + Rebalanced the simple animal syndies on the metastation ship to be a + bit less destructive of their surroundings, and downgraded the smg guy to a + pistol and upgraded the other guys to knives. Y0SH1 M4S73R: - - rscadd: windoors now have NTNet support. The "open" command toggles the windoor - open and closed. The "touch" command, not usable by door remotes, functions - identically to walking into the windoor, opening it and then closing it after - some time. + - rscadd: + windoors now have NTNet support. The "open" command toggles the windoor + open and closed. The "touch" command, not usable by door remotes, functions + identically to walking into the windoor, opening it and then closing it after + some time. cyclowns: - - tweak: Fusion has been reworked to be a whole lot deadlier! - - tweak: You can now use analyzers on gas mixtures holders (canisters, pipes, turfs, - etc) that have undergone fusion to see the power of the fusion reaction that - occurred. - - balance: Several gases' fusion power and fusion's gas creation has been reworked - to make its tier system more linear and less cheese-able. + - tweak: Fusion has been reworked to be a whole lot deadlier! + - tweak: + You can now use analyzers on gas mixtures holders (canisters, pipes, turfs, + etc) that have undergone fusion to see the power of the fusion reaction that + occurred. + - balance: + Several gases' fusion power and fusion's gas creation has been reworked + to make its tier system more linear and less cheese-able. 2018-08-07: WJohnston: - - rscadd: Redesigned the pirate event ship to be much prettier and better fitting - what it was meant to do. + - rscadd: + Redesigned the pirate event ship to be much prettier and better fitting + what it was meant to do. 2018-08-08: Denton: - - rscadd: 'Added five new cargo packs: cargo supplies, circuitry starter pack, premium - carpet, surgical supplies and wrapping paper.' - - tweak: Added one bag of L type blood to the blood pack crate. Added a chance for - contraband crates to contain DonkSoft refill packs. + - rscadd: + "Added five new cargo packs: cargo supplies, circuitry starter pack, premium + carpet, surgical supplies and wrapping paper." + - tweak: + Added one bag of L type blood to the blood pack crate. Added a chance for + contraband crates to contain DonkSoft refill packs. Iamgoofball: - - tweak: The Stealth Implant was mistakenly made nuclear operatives only due to - a misunderstanding of the code. This has been fixed. + - tweak: + The Stealth Implant was mistakenly made nuclear operatives only due to + a misunderstanding of the code. This has been fixed. Mark9013100: - - rscadd: Pocket fire extinguishers can now be made in the autolathe. + - rscadd: Pocket fire extinguishers can now be made in the autolathe. SpaceManiac: - - bugfix: The power flow control console once again allows actually modifying APCs. - - tweak: Gas meters will now prefer to target visible pipes if they share a turf - with hidden pipes. + - bugfix: The power flow control console once again allows actually modifying APCs. + - tweak: + Gas meters will now prefer to target visible pipes if they share a turf + with hidden pipes. daklaj: - - bugfix: fixed beepsky and ED-209 cuffing their target successfully even when getting - disabled (EMP'd) in the process + - bugfix: + fixed beepsky and ED-209 cuffing their target successfully even when getting + disabled (EMP'd) in the process kevinz000: - - rscadd: Catpeople are now a subspecies of human. Switch your character's species - to "Felinid" to be one. - - rscadd: Oh yeah and they show up as felinids on health analyzers. + - rscadd: + Catpeople are now a subspecies of human. Switch your character's species + to "Felinid" to be one. + - rscadd: Oh yeah and they show up as felinids on health analyzers. 2018-08-10: AnturK: - - balance: Portable flashers won't burnout from failed flashes. + - balance: Portable flashers won't burnout from failed flashes. Denton, Tlaltecuhtli: - - rscadd: Added cargo bounties that require cooperation with Atmospherics, Engineering - and Mining. + - rscadd: + Added cargo bounties that require cooperation with Atmospherics, Engineering + and Mining. Naksu: - - bugfix: Transformation diseases now properly check for job bans where applicable - - code_imp: Fixed a bunch of runtimes that result from transforming into a nonhuman - from a human, or a noncarbon from a carbon. + - bugfix: Transformation diseases now properly check for job bans where applicable + - code_imp: + Fixed a bunch of runtimes that result from transforming into a nonhuman + from a human, or a noncarbon from a carbon. SpaceManiac: - - refactor: The map loader has been cleaned up and made more flexible. + - refactor: The map loader has been cleaned up and made more flexible. nicbn: - - tweak: 'BoxStation science changes: Circuitry lab is closer to RnD now; cannisters, - portable vents, portable scrubbers, filters and mixers have been moved to Toxin - Mixing Lab. There is now a firing range at the testing lab!' + - tweak: + "BoxStation science changes: Circuitry lab is closer to RnD now; cannisters, + portable vents, portable scrubbers, filters and mixers have been moved to Toxin + Mixing Lab. There is now a firing range at the testing lab!" 2018-08-11: Denton: - - tweak: Fixed the Beer Day date and added a few more holidays. + - tweak: Fixed the Beer Day date and added a few more holidays. Jordie0608: - - admin: Asay history is once again logged under the admin log secret. - - admin: Notes, messages, memos and watchlists can now have an expiry time. Once - expired they are hidden like as if deleted. + - admin: Asay history is once again logged under the admin log secret. + - admin: + Notes, messages, memos and watchlists can now have an expiry time. Once + expired they are hidden like as if deleted. SpaceManiac: - - tweak: Giant spiders can now freely pull their victims through webs. + - tweak: Giant spiders can now freely pull their victims through webs. Time-Green: - - rscadd: Circuit Boards now tell you the components required to build them on examine + - rscadd: Circuit Boards now tell you the components required to build them on examine WJohn: - - rscadd: Added zombies to boxstation's abandoned ship. + - rscadd: Added zombies to boxstation's abandoned ship. YPOQ: - - bugfix: AIs can take photos and print them at photocopiers again. - - bugfix: Cult floors will not deconstruct to space - - bugfix: Cult floors do not spawn rods when deconstructed - - bugfix: Footprints should no longer spread out of control + - bugfix: AIs can take photos and print them at photocopiers again. + - bugfix: Cult floors will not deconstruct to space + - bugfix: Cult floors do not spawn rods when deconstructed + - bugfix: Footprints should no longer spread out of control zaracka: - - bugfix: blunt trauma causes brain damage while unconscious too - - bugfix: sharp weapons no longer count as blunt trauma in all cases + - bugfix: blunt trauma causes brain damage while unconscious too + - bugfix: sharp weapons no longer count as blunt trauma in all cases 2018-08-12: Denton: - - rscadd: Killing gondolas now lets you harvest meat from them. Eating it raw might - be a bad idea. + - rscadd: + Killing gondolas now lets you harvest meat from them. Eating it raw might + be a bad idea. Mickyan: - - rscadd: Mixed drinks now give mood boosts with varying strength depending on their - quality. - - rscadd: Although powerful, mood boosts from quality drinks are short lived. If - you want to make the most out of them, take a sip every few minutes like a normal - human being instead of downing the entire glass like the alcoholic you are. + - rscadd: + Mixed drinks now give mood boosts with varying strength depending on their + quality. + - rscadd: + Although powerful, mood boosts from quality drinks are short lived. If + you want to make the most out of them, take a sip every few minutes like a normal + human being instead of downing the entire glass like the alcoholic you are. Nichlas0010: - - bugfix: Admins with +admin and without +fun are no longer able to smite. + - bugfix: Admins with +admin and without +fun are no longer able to smite. SpaceManiac: - - bugfix: Blood and oil footprints sharing a tile no longer causes footprint decals - to stack. + - bugfix: + Blood and oil footprints sharing a tile no longer causes footprint decals + to stack. WJohnston: - - balance: Syndicate (melee) simple animals will now move less predictably and attack - twice as often, hopefully making them quite a bit more dangerous. + - balance: + Syndicate (melee) simple animals will now move less predictably and attack + twice as often, hopefully making them quite a bit more dangerous. XDTM: - - tweak: Operating Computers can now sync to the research database to acquire researched - surgeries, instead of requiring installation by disk. - - rscadd: You can now review the full list of unlocked surgeries from the operating - computer. + - tweak: + Operating Computers can now sync to the research database to acquire researched + surgeries, instead of requiring installation by disk. + - rscadd: + You can now review the full list of unlocked surgeries from the operating + computer. actioninja: - - rscadd: Added (unobtainable) Felinid Mutation Toxin. + - rscadd: Added (unobtainable) Felinid Mutation Toxin. lyman: - - imageadd: Updated the Chronosuit Helmet sprite. + - imageadd: Updated the Chronosuit Helmet sprite. 2018-08-13: Basilman: - - rscadd: Adds Arnold pizza, dont try putting pineapple on it. + - rscadd: Adds Arnold pizza, dont try putting pineapple on it. Denton: - - tweak: The briefcase launchpad can now hold items while in briefcase mode (just - like a regular briefcase). Its remote has been disguised as a folder and now - spawns pre-linked inside the briefcase. - - balance: Increased the briefcase launchpad's range from 3 to 8 tiles, which is - roughly half the screen. - - spellcheck: Added more ingame manuals that access wiki pages. - - rscadd: Added botanical and medical bounties as well as a static adamantine bar - bounty. - - tweak: Increased the syndicate document bounty's reward from 10.000 to 15.000 - credits. - - tweak: Removed the gondola hide bounty and in return, increased the export value - to the old level. - - tweak: The briefcase bounty now also accepts secure briefcases. - - bugfix: The action figure bounty now correctly spawns as an assistant type bounty. + - tweak: + The briefcase launchpad can now hold items while in briefcase mode (just + like a regular briefcase). Its remote has been disguised as a folder and now + spawns pre-linked inside the briefcase. + - balance: + Increased the briefcase launchpad's range from 3 to 8 tiles, which is + roughly half the screen. + - spellcheck: Added more ingame manuals that access wiki pages. + - rscadd: + Added botanical and medical bounties as well as a static adamantine bar + bounty. + - tweak: + Increased the syndicate document bounty's reward from 10.000 to 15.000 + credits. + - tweak: + Removed the gondola hide bounty and in return, increased the export value + to the old level. + - tweak: The briefcase bounty now also accepts secure briefcases. + - bugfix: The action figure bounty now correctly spawns as an assistant type bounty. Logging refactor and improvement: - - code_imp: All mob-related logs now include the area name and (x,y,z) position. - - code_imp: All logs that included an (x,y,z) position now also include the area - name. - - code_imp: Standardized logging format of mob/player keys. - - code_imp: Telecomms logs are now included in the individual logging panel. - - code_imp: Fixed many other cases of logs being sent to either the individual logging - panel or the saved log files, but not both. - - refactor: The logging system has been refactored to contain less redundant code - and to produce more consistent logs. + - code_imp: All mob-related logs now include the area name and (x,y,z) position. + - code_imp: + All logs that included an (x,y,z) position now also include the area + name. + - code_imp: Standardized logging format of mob/player keys. + - code_imp: Telecomms logs are now included in the individual logging panel. + - code_imp: + Fixed many other cases of logs being sent to either the individual logging + panel or the saved log files, but not both. + - refactor: + The logging system has been refactored to contain less redundant code + and to produce more consistent logs. SpaceManiac: - - admin: The VV window loads and searches faster. - - admin: Fields in the VV window's header will immediately show your edits. - - admin: Selecting an action from the VV dropdown no longer leaves it selected after - the action is done. + - admin: The VV window loads and searches faster. + - admin: Fields in the VV window's header will immediately show your edits. + - admin: + Selecting an action from the VV dropdown no longer leaves it selected after + the action is done. YPOQ: - - bugfix: Uncalibrated teleporters can turn humans into flies again + - bugfix: Uncalibrated teleporters can turn humans into flies again 2018-08-14: Coolguy3289: - - config: Removed un-needed and un-used RENAME comment from game_options.txt + - config: Removed un-needed and un-used RENAME comment from game_options.txt SpaceManiac: - - bugfix: Escape Pod 1 now reaches the CentCom recovery ship again. + - bugfix: Escape Pod 1 now reaches the CentCom recovery ship again. WJohn: - - imageadd: Titanium walls and windows are a bit prettier looking now. + - imageadd: Titanium walls and windows are a bit prettier looking now. Zxaber: - - rscadd: Airlock electronics can have now have unrestricted access by direction - set. The resulting airlock will allow all traffic from the specified direction(s) - while still requiring normal access otherwise. A small floor light will indicate - this. - - tweak: Medbay Cloning and Main Access doors now have unrestricted access settings - set, and the buttons have been removed. All maps have been updated. - - bugfix: Airlocks now correctly update their overlays (bolts lights, emergency - lights) when their power state changes. + - rscadd: + Airlock electronics can have now have unrestricted access by direction + set. The resulting airlock will allow all traffic from the specified direction(s) + while still requiring normal access otherwise. A small floor light will indicate + this. + - tweak: + Medbay Cloning and Main Access doors now have unrestricted access settings + set, and the buttons have been removed. All maps have been updated. + - bugfix: + Airlocks now correctly update their overlays (bolts lights, emergency + lights) when their power state changes. 2018-08-15: barbedwireqtip: - - tweak: added binoculars to the detective's locker + - tweak: added binoculars to the detective's locker 2018-08-17: Anonmare: - - rscadd: Ore silos circuit boards are now constructable + - rscadd: Ore silos circuit boards are now constructable SpaceManiac: - - admin: The "Map Template - Upload" verb now reports if a map uses nonexistent - paths. + - admin: + The "Map Template - Upload" verb now reports if a map uses nonexistent + paths. Tlaltecuhtli: - - bugfix: fixes diamond drill bounty having the wrong object path + - bugfix: fixes diamond drill bounty having the wrong object path YPOQ: - - bugfix: Roundstart motion-detecting cameras work again + - bugfix: Roundstart motion-detecting cameras work again intrnlerr: - - bugfix: '"Allows image windows sent by PDA to be closed"' + - bugfix: '"Allows image windows sent by PDA to be closed"' 2018-08-18: Floyd / Qustinnus: - - code_imp: moves nutrition events to the mood component + - code_imp: moves nutrition events to the mood component Jared-Fogle: - - rscadd: Hovering over storage slots with an item in your hand will show you first - if you can put the item in. + - rscadd: + Hovering over storage slots with an item in your hand will show you first + if you can put the item in. XDTM: - - bugfix: Fixed augmentation not working and/or giving you extra limbs + - bugfix: Fixed augmentation not working and/or giving you extra limbs nicbn: - - imageadd: New janitor cart sprites (by Quantum-M) - - imageadd: Dirt is smooth (by AndrewMontagne) + - imageadd: New janitor cart sprites (by Quantum-M) + - imageadd: Dirt is smooth (by AndrewMontagne) zaracka: - - bugfix: You can now use certain emotes and the suicide verb while buckled, but - not while stunned. + - bugfix: + You can now use certain emotes and the suicide verb while buckled, but + not while stunned. 2018-08-20: Basilman: - - rscadd: Added gondola fur products + - rscadd: Added gondola fur products Basilman, Sprites by WJohnston: - - rscadd: His Grace ascension is back, feed Him 25 people and you will unlock His - full potential. + - rscadd: + His Grace ascension is back, feed Him 25 people and you will unlock His + full potential. Denton: - - tweak: Added new destinations for the parcel tagger! You can now send packages - to the Circuitry Lab, Toxins, Dormitories, Virology, Xenobiology, Law Office - and the Detective's office. Viro/Xeno can only receive parcels. - - bugfix: 'Deltastation: Tagged parcels no longer get routed straight into the crusher. - Untagged parcels also no longer get routed straight into the crusher!' - - tweak: 'Deltastation: Added disposals to Xenobiology that launch contents into - space.' + - tweak: + Added new destinations for the parcel tagger! You can now send packages + to the Circuitry Lab, Toxins, Dormitories, Virology, Xenobiology, Law Office + and the Detective's office. Viro/Xeno can only receive parcels. + - bugfix: + "Deltastation: Tagged parcels no longer get routed straight into the crusher. + Untagged parcels also no longer get routed straight into the crusher!" + - tweak: + "Deltastation: Added disposals to Xenobiology that launch contents into + space." Epoc: - - tweak: Putting an extinguisher into a cabinet with the safety off will no longer - cause it to spray first + - tweak: + Putting an extinguisher into a cabinet with the safety off will no longer + cause it to spray first Floyd / Qustinnus: - - code_imp: removes useless mood events subtypes - - bugfix: 'fixes mood event timers not resetting when they get triggered again remove: - removes the depression overlay which makes our fruit happy' + - code_imp: removes useless mood events subtypes + - bugfix: + "fixes mood event timers not resetting when they get triggered again remove: + removes the depression overlay which makes our fruit happy" Frosty Fridge: - - rscadd: Added the Surgical Processor upgrade for medical cyborgs. Scan surgery - disks or an operating computer to be able to initiate advanced procedures. - - tweak: Cyborgs can now perform surgery steps that do not require an instrument. - - bugfix: Plastic creation reaction now properly scales with the amount of reagents; - 10u = 1 sheet. + - rscadd: + Added the Surgical Processor upgrade for medical cyborgs. Scan surgery + disks or an operating computer to be able to initiate advanced procedures. + - tweak: Cyborgs can now perform surgery steps that do not require an instrument. + - bugfix: + Plastic creation reaction now properly scales with the amount of reagents; + 10u = 1 sheet. Garen: - - bugfix: fixed using items on a circuit removing all its access(now access gained - from each new item stacks) - - admin: adds logging for gun circuits, grabber circuits, and dragging claw circuits - - rscadd: grabbers can select what they want to drop + - bugfix: + fixed using items on a circuit removing all its access(now access gained + from each new item stacks) + - admin: adds logging for gun circuits, grabber circuits, and dragging claw circuits + - rscadd: grabbers can select what they want to drop MrDoomBringer: - - imageadd: The Nanotrasen Airspace Aesthetics division has shipped out a newer - design of NT-Brand "Ore Silos". No new features have been added, but they certainly - look much nicer! + - imageadd: + The Nanotrasen Airspace Aesthetics division has shipped out a newer + design of NT-Brand "Ore Silos". No new features have been added, but they certainly + look much nicer! Naksu: - - balance: Having a high body temperature now increases the damage you take gradually, - whether you're on fire or not. Being on fire also always increases body temperature - damage + - balance: + Having a high body temperature now increases the damage you take gradually, + whether you're on fire or not. Being on fire also always increases body temperature + damage NewSta: - - tweak: The names of haircuts, facial hair, undershirts, underwear and socks have - now been sorted and categorized + - tweak: + The names of haircuts, facial hair, undershirts, underwear and socks have + now been sorted and categorized WJohnston: - - imageadd: Remade titanium and plastitanium floors to be less of an eye strain - and something mappers might actually consider using. - - imageadd: New reinforced floor sprites. + - imageadd: + Remade titanium and plastitanium floors to be less of an eye strain + and something mappers might actually consider using. + - imageadd: New reinforced floor sprites. XDTM: - - rscadd: Added programmable nanites to science! - - rscadd: Science now has a nanite chamber, a nanite program hub, a nanite cloud - console and a nanite programmer. - - rscadd: From the program hub you can download nanite programs (unlocked through - techwebs) to disks. - - rscadd: You can then customize their functionality and signal codes through the - Nanite Programmer. - - rscadd: The nanite chamber is necesary to inject nanites into a patient, and it's - also used to install/uninstall programs into a patient's nanites. A second person - is required to man the console. - - rscadd: The nanite cloud console controls remote program storage; it stores program - backups that nanites can be synced to through cloud IDs. - - rscadd: Nanite programs range can be either helpful or harmful; their main potential - is that they can be enabled at will through the use of remotes and sensors. - The potential uses are endless! - - rscadd: More detailed information is available in the wiki. + - rscadd: Added programmable nanites to science! + - rscadd: + Science now has a nanite chamber, a nanite program hub, a nanite cloud + console and a nanite programmer. + - rscadd: + From the program hub you can download nanite programs (unlocked through + techwebs) to disks. + - rscadd: + You can then customize their functionality and signal codes through the + Nanite Programmer. + - rscadd: + The nanite chamber is necesary to inject nanites into a patient, and it's + also used to install/uninstall programs into a patient's nanites. A second person + is required to man the console. + - rscadd: + The nanite cloud console controls remote program storage; it stores program + backups that nanites can be synced to through cloud IDs. + - rscadd: + Nanite programs range can be either helpful or harmful; their main potential + is that they can be enabled at will through the use of remotes and sensors. + The potential uses are endless! + - rscadd: More detailed information is available in the wiki. 2018-08-22: BlueNothing: - - rscadd: Allows video camera circuits to be seen on networks other than the science - cameranet. - - tweak: Alphabetizes camera list for camera bugs, and lets camera bugs see through - borg and circuit cameras. - - tweak: Makes video camera circuits fit in tiny assemblies. + - rscadd: + Allows video camera circuits to be seen on networks other than the science + cameranet. + - tweak: + Alphabetizes camera list for camera bugs, and lets camera bugs see through + borg and circuit cameras. + - tweak: Makes video camera circuits fit in tiny assemblies. PKPenguin321: - - tweak: The GPS circuit now has a 4th output, placing X,Y,Z all in a string. - - rscadd: '2 new converters: Rel to Abs, and Advanced Rel to Abs.' - - rscadd: Rel to Abs takes a set of relative and a set of absolute coordinates, - and converts the relative one to absolute. 1 complexity. - - rscadd: Advanced Rel to Abs takes a set of relative coordinates and converts it - to absolute without the need for an already known set of absolute coordinates. - 2 complexity. + - tweak: The GPS circuit now has a 4th output, placing X,Y,Z all in a string. + - rscadd: "2 new converters: Rel to Abs, and Advanced Rel to Abs." + - rscadd: + Rel to Abs takes a set of relative and a set of absolute coordinates, + and converts the relative one to absolute. 1 complexity. + - rscadd: + Advanced Rel to Abs takes a set of relative coordinates and converts it + to absolute without the need for an already known set of absolute coordinates. + 2 complexity. SpaceManiac: - - bugfix: Freezers and heaters which start on no longer stay visually on when you - turn them off. - - code_imp: Atmospherics now initializes 93% (about 40 seconds) faster. + - bugfix: + Freezers and heaters which start on no longer stay visually on when you + turn them off. + - code_imp: Atmospherics now initializes 93% (about 40 seconds) faster. floyd: - - bugfix: fixes the hunger alert appearing forever + - bugfix: fixes the hunger alert appearing forever intrnlerr: - - bugfix: Tank temperature is no longer based on pressure + - bugfix: Tank temperature is no longer based on pressure ninjanomnom: - - bugfix: Shuttle templates now handle shuttle registration in the load rather than - the shuttle manipulator. This means admin loaded shuttle templates no longer - need to be manually registered. + - bugfix: + Shuttle templates now handle shuttle registration in the load rather than + the shuttle manipulator. This means admin loaded shuttle templates no longer + need to be manually registered. oranges: - - tweak: Inventory overlay now uses a traffic light to indicate if the item can - be placed in there + - tweak: + Inventory overlay now uses a traffic light to indicate if the item can + be placed in there 2018-08-23: Naksu: - - code_imp: Waddling is now available as a component + - code_imp: Waddling is now available as a component Nervere: - - rscadd: re-adds the joy emoji. + - rscadd: re-adds the joy emoji. SpaceManiac: - - rscadd: The body zone selector now indicates which body part you are about to - select when hovered over. - - code_imp: Transit space initializes about five seconds faster. + - rscadd: + The body zone selector now indicates which body part you are about to + select when hovered over. + - code_imp: Transit space initializes about five seconds faster. Tlaltecuhtli: - - balance: Cyborg ion thrusters consume 1/5 of their previous power. + - balance: Cyborg ion thrusters consume 1/5 of their previous power. 2018-08-25: Denton: - - rscadd: Added missing export rewards for various lavaland items (tendril/megafauna/ruins) - and engine parts. - - balance: Increased export values for emitters, PA parts, field generators and - radiation collectors to match the rest of engineering exports. Reduced supermatter - shard value by 1000 credits. - - rscdel: Removed export rewards for red/blue warp cubes since they're blacklisted - from the cargo shuttle. - - tweak: Added private intercoms to the confession booths of the Deltastation+Pubbystation - chapels. - - bugfix: Fixed invalid radio frequencies on interrogation chamber/confession booth - intercoms. - - tweak: Anime is even more horrifying than previously discovered! - - rscadd: Added a new shuttle loan event where crew can get paid for having an active - syndicate bomb delivered to cargo bay. + - rscadd: + Added missing export rewards for various lavaland items (tendril/megafauna/ruins) + and engine parts. + - balance: + Increased export values for emitters, PA parts, field generators and + radiation collectors to match the rest of engineering exports. Reduced supermatter + shard value by 1000 credits. + - rscdel: + Removed export rewards for red/blue warp cubes since they're blacklisted + from the cargo shuttle. + - tweak: + Added private intercoms to the confession booths of the Deltastation+Pubbystation + chapels. + - bugfix: + Fixed invalid radio frequencies on interrogation chamber/confession booth + intercoms. + - tweak: Anime is even more horrifying than previously discovered! + - rscadd: + Added a new shuttle loan event where crew can get paid for having an active + syndicate bomb delivered to cargo bay. Mickyan: - - bugfix: Blue polo undershirt option has been restored - - tweak: underwear "nude" option moved to the top of the list + - bugfix: Blue polo undershirt option has been restored + - tweak: underwear "nude" option moved to the top of the list SpaceManiac: - - code_imp: The map loader now supports vars to be set to lists containing non-strings. - - bugfix: Overcharging energy guns no longer crashes the server. - - bugfix: Ordering the Build Your Own Shuttle kit no longer crashes the server. + - code_imp: The map loader now supports vars to be set to lists containing non-strings. + - bugfix: Overcharging energy guns no longer crashes the server. + - bugfix: Ordering the Build Your Own Shuttle kit no longer crashes the server. The Dreamweaver: - - code_imp: Refactored gift code to fix a minor inefficiency. + - code_imp: Refactored gift code to fix a minor inefficiency. XDTM: - - bugfix: Fixed chest and head augmentation not working properly. + - bugfix: Fixed chest and head augmentation not working properly. 2018-08-26: CitrusGender: - - admin: Added note severity to [most] bans and the notes associated with them - - admin: 'Banning panel now has a severity option UI: Changed the UI of the note - panel UI: Changed the UI again, added some icons, removed brackets in urls, - fading out notes cannot be selected to expand the browser anymore' + - admin: Added note severity to [most] bans and the notes associated with them + - admin: + "Banning panel now has a severity option UI: Changed the UI of the note + panel UI: Changed the UI again, added some icons, removed brackets in urls, + fading out notes cannot be selected to expand the browser anymore" Floyd / Qustinnus (Credits to KMC for the sprites): - - rscadd: The Clown Car, your 18TC clown-only solution to asshole co-workers - - rscadd: Regular car implementation (makes it easier to add more cars if someone - actually feels like adding those) + - rscadd: The Clown Car, your 18TC clown-only solution to asshole co-workers + - rscadd: + Regular car implementation (makes it easier to add more cars if someone + actually feels like adding those) JJRcop: - - admin: 'Asay logs show "ADMINPRIVATE: ASAY:" again instead of just "ADMINPRIVATE:"' + - admin: 'Asay logs show "ADMINPRIVATE: ASAY:" again instead of just "ADMINPRIVATE:"' Naksu: - - code_imp: living and stack typecaches now use a shared instance where it makes - sense, giving small memory savings + - code_imp: + living and stack typecaches now use a shared instance where it makes + sense, giving small memory savings PKPenguin321: - - rscadd: Integrated circuit medium screens have been readded. They are now called - large screens. They now only work from your hands or on the ground when you're - standing on top of them (NOT from pockets, lockers, backpacks, etc). - - bugfix: Roundstart cyborgs will now be properly referred to as "it." + - rscadd: + Integrated circuit medium screens have been readded. They are now called + large screens. They now only work from your hands or on the ground when you're + standing on top of them (NOT from pockets, lockers, backpacks, etc). + - bugfix: Roundstart cyborgs will now be properly referred to as "it." SpaceManiac: - - admin: The shuttle manipulator now allows flying any shuttle to any port which - will fit it. - - bugfix: The shuttle manipulator now allows fast-travelling shuttles with 5s remaining, - down from 50s. - - refactor: Status displays have been refactored to be cleaner and more flexible. - - bugfix: The AI dying properly updates its status displays again. + - admin: + The shuttle manipulator now allows flying any shuttle to any port which + will fit it. + - bugfix: + The shuttle manipulator now allows fast-travelling shuttles with 5s remaining, + down from 50s. + - refactor: Status displays have been refactored to be cleaner and more flexible. + - bugfix: The AI dying properly updates its status displays again. intrnlerr: - - refactor: Refactored nettles to be reagent_containers + - refactor: Refactored nettles to be reagent_containers nicbn: - - soundadd: Nanotrasen shoes no longer contain Silencium. Now footsteps make noise! - Sounds from Baystation. + - soundadd: + Nanotrasen shoes no longer contain Silencium. Now footsteps make noise! + Sounds from Baystation. 2018-08-28: Denton: - - bugfix: The 10 second anti spam cooldown of night shift lighting now works properly. - - spellcheck: Added an examine message to APCs that mentions Alt-click and Ctrl-click - (silicons only) behavior. + - bugfix: The 10 second anti spam cooldown of night shift lighting now works properly. + - spellcheck: + Added an examine message to APCs that mentions Alt-click and Ctrl-click + (silicons only) behavior. Garen: - - code_imp: adds a signal for screwdriver_act + - code_imp: adds a signal for screwdriver_act SpaceManiac: - - code_imp: Multiple copies of a shuttle each get their own area instances (affects - APCs and air alarms). + - code_imp: + Multiple copies of a shuttle each get their own area instances (affects + APCs and air alarms). XDTM: - - rscadd: The forcefield projector is now available ingame in the engineering protolathe. - It can project up to 3 forcefields which act as transparent walls, and share - a pool of health which is recharged over time. The projector must remain within - 7 tiles of the forcefields to keep them active. + - rscadd: + The forcefield projector is now available ingame in the engineering protolathe. + It can project up to 3 forcefields which act as transparent walls, and share + a pool of health which is recharged over time. The projector must remain within + 7 tiles of the forcefields to keep them active. 2018-08-31: Anonmare: - - bugfix: AIs can now turn shield generators on and off again + - bugfix: AIs can now turn shield generators on and off again Denton: - - bugfix: Plastic golems can no longer vent crawl with items in their pockets. + - bugfix: Plastic golems can no longer vent crawl with items in their pockets. Mickyan: - - balance: Skateboards can fit in backpacks - - tweak: Skateboards are slower by default, speed can be adjusted by alt-clicking - - rscadd: 'Show your support for the fine arts with these new quirks:' - - rscadd: 'Tagger: drawing graffiti takes half as many charges off your spraycan/crayon' - - rscadd: 'Photographer: halves the cooldown after taking a picture' - - rscadd: 'Musician: tune instruments to temporarily give your music beneficial - effects such as clearing minor debuffs and improving mood.' + - balance: Skateboards can fit in backpacks + - tweak: Skateboards are slower by default, speed can be adjusted by alt-clicking + - rscadd: "Show your support for the fine arts with these new quirks:" + - rscadd: "Tagger: drawing graffiti takes half as many charges off your spraycan/crayon" + - rscadd: "Photographer: halves the cooldown after taking a picture" + - rscadd: + "Musician: tune instruments to temporarily give your music beneficial + effects such as clearing minor debuffs and improving mood." Skoglol: - - bugfix: Dispensers can now add 5u to buckets, plastic beakers and metamaterial - beakers, down from 10u. - - bugfix: You can now pour 5u from buckets, plastic beakers and metamaterial beakers, - down from 10u. - - bugfix: Chem dispenser window width increased slightly, no longer shuffles buttons - when scroll bar appears. + - bugfix: + Dispensers can now add 5u to buckets, plastic beakers and metamaterial + beakers, down from 10u. + - bugfix: + You can now pour 5u from buckets, plastic beakers and metamaterial beakers, + down from 10u. + - bugfix: + Chem dispenser window width increased slightly, no longer shuffles buttons + when scroll bar appears. The Dreamweaver: - - bugfix: Sentience Potions no longer require you to have Xenomorph toggled on in - preferences and now relies on its own preference in order to be notified of - open roles. - - code_imp: Split xenomorph, intelligence potions, and mind transfer potions into - separate roles for more precise role management. - - admin: Sentience Potion Spawns and Mind Transfer Potions are now job-bannable - roles. + - bugfix: + Sentience Potions no longer require you to have Xenomorph toggled on in + preferences and now relies on its own preference in order to be notified of + open roles. + - code_imp: + Split xenomorph, intelligence potions, and mind transfer potions into + separate roles for more precise role management. + - admin: + Sentience Potion Spawns and Mind Transfer Potions are now job-bannable + roles. Time-Green and locker sprites by MrDoomBringer: - - rscadd: Reports have come in that the wizard federation has harnessed some of - the ancient locker force to create a wand + - rscadd: + Reports have come in that the wizard federation has harnessed some of + the ancient locker force to create a wand XDTM: - - rscdel: Removed the chance of spouting brain damage lines when over 60 brain damage. - The dumbness trauma still has them. - - bugfix: Fixed Mechanical Repair nanites not working. + - rscdel: + Removed the chance of spouting brain damage lines when over 60 brain damage. + The dumbness trauma still has them. + - bugfix: Fixed Mechanical Repair nanites not working. ninjanomnom: - - rscadd: Computers are now visible even in the darkest of rooms. Comfy! - - tweak: Because computers are now far easier to find in dark rooms their base light - output has been reduced. - - bugfix: Broken components left over from the signal origin refactor should be - fixed. - - bugfix: Lava isn't a safe place to throw your flammable shit anymore - - bugfix: The computer screen overlay being rotated incorrectly after construction - has been fixed. + - rscadd: Computers are now visible even in the darkest of rooms. Comfy! + - tweak: + Because computers are now far easier to find in dark rooms their base light + output has been reduced. + - bugfix: + Broken components left over from the signal origin refactor should be + fixed. + - bugfix: Lava isn't a safe place to throw your flammable shit anymore + - bugfix: + The computer screen overlay being rotated incorrectly after construction + has been fixed. 2018-09-01: ElPresidentePoole: - - rscdel: removes curator's fear of snakes + - rscdel: removes curator's fear of snakes McDonald072: - - bugfix: Defibrillator nanites work properly. + - bugfix: Defibrillator nanites work properly. Poojawa: - - bugfix: fixed clothing vendor fedoras having Detective Fedora grade armor + - bugfix: fixed clothing vendor fedoras having Detective Fedora grade armor Potato Masher: - - tweak: The color of Wooden golems should be more in line with the color of the - wood used to make it. + - tweak: + The color of Wooden golems should be more in line with the color of the + wood used to make it. WJohnston: - - imageadd: Reinforced floors are now shinier. + - imageadd: Reinforced floors are now shinier. 2018-09-02: Denton: - - spellcheck: Fixed species type names that show up on health scanners. + - spellcheck: Fixed species type names that show up on health scanners. 2018-09-03: Cdey78 (Ported by Floyd / Qustinnus): - - imageadd: AI can now think - - imageadd: 'New OOC emote: :thinking:!' + - imageadd: AI can now think + - imageadd: "New OOC emote: :thinking:!" Naksu: - - admin: a new admin secret has been added to create a customized portal storm + - admin: a new admin secret has been added to create a customized portal storm Shdorsh: - - tweak: Makes it possible to create circuits that can get an item loaded into them - while they are in an assembly and the assembly is open. - - code_imp: Optimized electronic assemblies also. - - bugfix: A bug pertaining putting batteries in assemblies + - tweak: + Makes it possible to create circuits that can get an item loaded into them + while they are in an assembly and the assembly is open. + - code_imp: Optimized electronic assemblies also. + - bugfix: A bug pertaining putting batteries in assemblies Skoglol: - - bugfix: Eggplant and egg-plant seeds now have different names and plant names. + - bugfix: Eggplant and egg-plant seeds now have different names and plant names. XDTM: - - bugfix: Fixed nanite cloud storage not allowing uploads. + - bugfix: Fixed nanite cloud storage not allowing uploads. octareenroon91: - - admin: Supermatter more likely to log fingerprintslast when it consumes any object. + - admin: Supermatter more likely to log fingerprintslast when it consumes any object. 2018-09-04: Denton: - - spellcheck: Mech construction messages no longer incorrectly mention high-tier - stock parts. - - tweak: Added a nanite lab to Deltastation! It's at the old EXPERIMENTOR lab. - - tweak: 'Delta: Moved the Xenobiology disposals bin to be less obstructive. Added - two sets of insulated gloves to Engineering.' - - bugfix: 'Delta: Fixed scientists not having maintenance access near the circuitry - lab and toxins launch chamber.' + - spellcheck: + Mech construction messages no longer incorrectly mention high-tier + stock parts. + - tweak: Added a nanite lab to Deltastation! It's at the old EXPERIMENTOR lab. + - tweak: + "Delta: Moved the Xenobiology disposals bin to be less obstructive. Added + two sets of insulated gloves to Engineering." + - bugfix: + "Delta: Fixed scientists not having maintenance access near the circuitry + lab and toxins launch chamber." Shdorsh: - - code_imp: Made all the extinguishers use less sleep and spawn procs + - code_imp: Made all the extinguishers use less sleep and spawn procs 2018-09-05: Floyd / Qustinnus: - - rscadd: Clown cars can now fit any mob (besides megafauna) - - rscadd: Repair your clown car with bananas - - rscadd: Emag the clowncar to unlock a button panel. Activate it to press a random - button for a random effect! - - balance: lowers health and cost of clown car - - bugfix: removes a return in the clown car code that caused the wrong flags to - be assigned - - bugfix: you cant open the clowncar trunk from the inside anymore, you can still - escape though. - - bugfix: fixes broken to_chat in clown car + - rscadd: Clown cars can now fit any mob (besides megafauna) + - rscadd: Repair your clown car with bananas + - rscadd: + Emag the clowncar to unlock a button panel. Activate it to press a random + button for a random effect! + - balance: lowers health and cost of clown car + - bugfix: + removes a return in the clown car code that caused the wrong flags to + be assigned + - bugfix: + you cant open the clowncar trunk from the inside anymore, you can still + escape though. + - bugfix: fixes broken to_chat in clown car Naksu: - - admin: Ghost poll description button was broken in the ert spawner. It isn't anymore. + - admin: Ghost poll description button was broken in the ert spawner. It isn't anymore. Nichlas0010: - - bugfix: IAA now has its own preference + - bugfix: IAA now has its own preference Robustin and Subject217: - - balance: Once the blood cult reaches 20% of the active player population, they - will receive a notice that the cult is "rising" - and after a moderate delay - the eyes of all existing and new cultists will be permanently red. Examining - a cultist with uncovered eyes will confirm their supernatural appearance. - - balance: Once the blood cult reaches 40% of the active player population they - will receive a warning and after a moderate delay will glow red, permanently - revealing the identity of existing and new blood cultists. - - rscadd: Any non-cultist can now strike a (filled) soulshard with a bible to purify - it. Purified shades have a unique appearance and will be eager to get revenge - on the cult. Bibles can be printed in the library. - - balance: Juggernauts have 25% less HP and 35% less projectile reflection. - - balance: Cult mirror shield is slightly easier to break, has less illusions, and - has -33% throwing distance. - - balance: The EMP blood spell has -1 light and heavy radius. - - balance: The revive rune now requires 3 sacrifices per revive, it still starts - with one "freebie" revive. Giving "souls" to AFK/Catatonic cultists remains - free of charge. - - balance: Twisted Construction now has a channel time with added noise/effects - when used on doors. It also hurts you slightly more to use. - - balance: You can now only hold 1 blood spell without an empowering rune and 4 - with one. - - rscdel: The Bloody Bastard Sword is no longer available in Blood Cult. It's still - spawnable with admin tools. + - balance: + Once the blood cult reaches 20% of the active player population, they + will receive a notice that the cult is "rising" - and after a moderate delay + the eyes of all existing and new cultists will be permanently red. Examining + a cultist with uncovered eyes will confirm their supernatural appearance. + - balance: + Once the blood cult reaches 40% of the active player population they + will receive a warning and after a moderate delay will glow red, permanently + revealing the identity of existing and new blood cultists. + - rscadd: + Any non-cultist can now strike a (filled) soulshard with a bible to purify + it. Purified shades have a unique appearance and will be eager to get revenge + on the cult. Bibles can be printed in the library. + - balance: Juggernauts have 25% less HP and 35% less projectile reflection. + - balance: + Cult mirror shield is slightly easier to break, has less illusions, and + has -33% throwing distance. + - balance: The EMP blood spell has -1 light and heavy radius. + - balance: + The revive rune now requires 3 sacrifices per revive, it still starts + with one "freebie" revive. Giving "souls" to AFK/Catatonic cultists remains + free of charge. + - balance: + Twisted Construction now has a channel time with added noise/effects + when used on doors. It also hurts you slightly more to use. + - balance: + You can now only hold 1 blood spell without an empowering rune and 4 + with one. + - rscdel: + The Bloody Bastard Sword is no longer available in Blood Cult. It's still + spawnable with admin tools. SpaceManiac: - - bugfix: The stealth box and chameleon projector no longer allow escaping lockers. - - bugfix: Combining the stealth box and chameleon projector should cause less teleportation - behavior. - - bugfix: In extreme lag scenarios, hyperspace ripples are no longer removed before - the location is actually safe. - - bugfix: Research points are no longer generated during the pre-round lobby. + - bugfix: The stealth box and chameleon projector no longer allow escaping lockers. + - bugfix: + Combining the stealth box and chameleon projector should cause less teleportation + behavior. + - bugfix: + In extreme lag scenarios, hyperspace ripples are no longer removed before + the location is actually safe. + - bugfix: Research points are no longer generated during the pre-round lobby. WJohn: - - refactor: Refactored floor tiles to use decals like warning lines do. + - refactor: Refactored floor tiles to use decals like warning lines do. jegub: - - bugfix: Chemicals should no longer vanish for some reactions. - - tweak: Health sensor's 'detect death' mode now triggers on death rather than extreme - unwellness. + - bugfix: Chemicals should no longer vanish for some reactions. + - tweak: + Health sensor's 'detect death' mode now triggers on death rather than extreme + unwellness. 2018-09-07: Denton: - - spellcheck: Added missing descriptions for objects that have alt+click functionality. - - bugfix: You can no longer infinitely sell immortality talismans. - - spellcheck: Added a cooldown message for the immortality talisman. + - spellcheck: Added missing descriptions for objects that have alt+click functionality. + - bugfix: You can no longer infinitely sell immortality talismans. + - spellcheck: Added a cooldown message for the immortality talisman. Shdorsh: - - rscadd: A gas named miasma, that has a ridiculously low chance of infecting people - with a very basic and benign disease - - rscadd: A gas reaction to remove miasma - - tweak: Corpses emit a gas named miasma - - tweak: Air alarms detect and automatically are set to scrub miasma + - rscadd: + A gas named miasma, that has a ridiculously low chance of infecting people + with a very basic and benign disease + - rscadd: A gas reaction to remove miasma + - tweak: Corpses emit a gas named miasma + - tweak: Air alarms detect and automatically are set to scrub miasma Skoglol: - - bugfix: SMES will no longer output if not connected to a powernet. + - bugfix: SMES will no longer output if not connected to a powernet. SpaceManiac: - - tweak: The status messages shown by shuttle consoles are now more useful. - - bugfix: Double-wide shuttle airlocks now cycle link properly, rather than always - thinking they are docked. + - tweak: The status messages shown by shuttle consoles are now more useful. + - bugfix: + Double-wide shuttle airlocks now cycle link properly, rather than always + thinking they are docked. WJohn: - - bugfix: Fixed pubby's bugged R&D tiles. + - bugfix: Fixed pubby's bugged R&D tiles. XDTM: - - bugfix: Fixed nanite chambers not being interactable if placed under a window. + - bugfix: Fixed nanite chambers not being interactable if placed under a window. octareenroon91: - - bugfix: remove base types not meant to spawn from get_random_drink and from the - silver-slime spawnlist. + - bugfix: + remove base types not meant to spawn from get_random_drink and from the + silver-slime spawnlist. subject217: - - bugfix: You can actually purify shades with a Bible now, as intended. - - code_imp: Made deconversion just update_body instead of cutting and rebuilding - all mob overlays. - - spellcheck: Removed an extra exclamation point from the messages for purifying - bastard swords and soul stones. + - bugfix: You can actually purify shades with a Bible now, as intended. + - code_imp: + Made deconversion just update_body instead of cutting and rebuilding + all mob overlays. + - spellcheck: + Removed an extra exclamation point from the messages for purifying + bastard swords and soul stones. 2018-09-08: Denton: - - balance: Laser slug shells have been changed to fire scatter lasers. + - balance: Laser slug shells have been changed to fire scatter lasers. Mickyan: - - tweak: the length of footprint trails from blood pools now scales with the amount - of blood they contain - - tweak: blood pools from bleeding will take slightly longer to congregate + - tweak: + the length of footprint trails from blood pools now scales with the amount + of blood they contain + - tweak: blood pools from bleeding will take slightly longer to congregate Naksu: - - admin: a new admin secret has been added to create a customized portal storm + - admin: a new admin secret has been added to create a customized portal storm Shdorsh: - - bugfix: Made the self reference pins for reagents reference themselves automatically. - - tweak: Made it possible to copy datas frop pin to pin with the debugger. - - spellcheck: Removed ugly useless brackets from printers. + - bugfix: Made the self reference pins for reagents reference themselves automatically. + - tweak: Made it possible to copy datas frop pin to pin with the debugger. + - spellcheck: Removed ugly useless brackets from printers. ShizCalev: - - spellcheck: Nar-Sie's name has been revised to Nar'Sie. + - spellcheck: Nar-Sie's name has been revised to Nar'Sie. Supermichael777: - - rscadd: NTs crack archeo-gastronomers have discovered a long lost recipe for a - meat based donut. + - rscadd: + NTs crack archeo-gastronomers have discovered a long lost recipe for a + meat based donut. Tlaltecuhtli: - - balance: stimulum now makes you stun/sleep immune and some generic stamina heal + - balance: stimulum now makes you stun/sleep immune and some generic stamina heal WJohnston: - - imageadd: Added new bluespace floor tile sprites. + - imageadd: Added new bluespace floor tile sprites. barbedwireqtip: - - tweak: Hand drills are now better ghetto alternatives for surgical drills than - standard screwdrivers + - tweak: + Hand drills are now better ghetto alternatives for surgical drills than + standard screwdrivers granpawalton: - - rscadd: pubby atmospherics now has black gloves and smart foam grenades + - rscadd: pubby atmospherics now has black gloves and smart foam grenades ninjanomnom: - - code_imp: Mappers no longer need to manually update the size and offset vars on - mobile docks while mapping. + - code_imp: + Mappers no longer need to manually update the size and offset vars on + mobile docks while mapping. 2018-09-09: Cw3040: - - rscadd: Added Improvised Jetpacks, with approx. 2/7ths of the volume of a normal - jetpack, acts like a hardsuit jetpack in terms of speed and can cut out at random! - - imageadd: Sprite by obscolene + - rscadd: + Added Improvised Jetpacks, with approx. 2/7ths of the volume of a normal + jetpack, acts like a hardsuit jetpack in terms of speed and can cut out at random! + - imageadd: Sprite by obscolene Naksu: - - bugfix: ghosts will no longer lose their hearing from jumping between z-levels - via orbiting + - bugfix: + ghosts will no longer lose their hearing from jumping between z-levels + via orbiting Tlaltecuhtli: - - balance: .38 no longer insta stuns, it still deals 25 brute + - balance: .38 no longer insta stuns, it still deals 25 brute 2018-09-10: Denton: - - bugfix: The CMO office and morgue disposal bins on Deltastation are now connected - to the disposal loop. - - spellcheck: Multitools and quantum pads now show infos about their buffer when - examined. - - bugfix: Players no longer bash quantum pads with multitools that contain no pad - in their buffer. - - tweak: You can no longer link a quantum pad to itself. - - balance: The damage caused by liver failure has been reduced, to give players - more time to seek help. - - tweak: Made feedback messages for liver failure/damage more obvious. - - spellcheck: Fixed typos and capitalization in health scanner messages. + - bugfix: + The CMO office and morgue disposal bins on Deltastation are now connected + to the disposal loop. + - spellcheck: + Multitools and quantum pads now show infos about their buffer when + examined. + - bugfix: + Players no longer bash quantum pads with multitools that contain no pad + in their buffer. + - tweak: You can no longer link a quantum pad to itself. + - balance: + The damage caused by liver failure has been reduced, to give players + more time to seek help. + - tweak: Made feedback messages for liver failure/damage more obvious. + - spellcheck: Fixed typos and capitalization in health scanner messages. Poojawaw: - - bugfix: APCs are now able to be rebuilt in Maintenance + - bugfix: APCs are now able to be rebuilt in Maintenance 2018-09-11: Cobby: - - rscadd: emojis + - rscadd: emojis Denton: - - bugfix: Fixed the Cere emergency shuttle brig floor. - - tweak: Removed access restrictions on the Hi Daniel shuttle's booze-o-mat. - - tweak: Added missing surgical drills and cauteries to emergency shuttles. - - tweak: Replaced boring high traction floors in the SnapPop!(tm) shuttle with exciting - bananium floors. + - bugfix: Fixed the Cere emergency shuttle brig floor. + - tweak: Removed access restrictions on the Hi Daniel shuttle's booze-o-mat. + - tweak: Added missing surgical drills and cauteries to emergency shuttles. + - tweak: + Replaced boring high traction floors in the SnapPop!(tm) shuttle with exciting + bananium floors. Potato Masher: - - tweak: CentCom would like to announce that new station AIs will now support updated - surveillance software, allowing units to monitor multiple locations with ease - with customizable viewing range, albeit at an overall reduced viewing radius. - - config: Cruix's AI Multicamera mode has been finally enabled, with a new config - option for enabling and disabling it as well! + - tweak: + CentCom would like to announce that new station AIs will now support updated + surveillance software, allowing units to monitor multiple locations with ease + with customizable viewing range, albeit at an overall reduced viewing radius. + - config: + Cruix's AI Multicamera mode has been finally enabled, with a new config + option for enabling and disabling it as well! ninjanomnom: - - balance: Radiation toxin damage has been slightly increased. - - balance: Contaminated objects are overall a bit weaker but are easier to create - in the first place. - - balance: Showers deal with high amounts of contamination much faster but aren't - that great at dealing with weakly contaminated objects. - - rscadd: Atmos holo-barriers have been given radiation insulation like the engineering - ones. + - balance: Radiation toxin damage has been slightly increased. + - balance: + Contaminated objects are overall a bit weaker but are easier to create + in the first place. + - balance: + Showers deal with high amounts of contamination much faster but aren't + that great at dealing with weakly contaminated objects. + - rscadd: + Atmos holo-barriers have been given radiation insulation like the engineering + ones. 2018-09-13: Cobby: - - bugfix: Employees at Centcom's supply department have been asked to wear glasses - so that you don't have to spread the adamantine across the floor to get the - proper reward. + - bugfix: + Employees at Centcom's supply department have been asked to wear glasses + so that you don't have to spread the adamantine across the floor to get the + proper reward. Crazylemon: - - admin: '"Fill" Buildmode, "Area Edit" Buildmode, "Boom" Buildmode' - - refactor: Buildmode is now in modules instead of defining new modes by extra branches - of switch statements. - - imageadd: Switches buildmode button icons to something with a slightly more refined - background. - - admin: Buildmode now switches between modes using a discrete switcher, instead - of by repeatedly clicking. + - admin: '"Fill" Buildmode, "Area Edit" Buildmode, "Boom" Buildmode' + - refactor: + Buildmode is now in modules instead of defining new modes by extra branches + of switch statements. + - imageadd: + Switches buildmode button icons to something with a slightly more refined + background. + - admin: + Buildmode now switches between modes using a discrete switcher, instead + of by repeatedly clicking. Denton: - - tweak: Added nanite circuit boards to tech storage. - - rscadd: Added new available items to all departmental protolathes. Keep an eye - out for the new "Basic Tools" and "Basic Security Equipment" research nodes. - - tweak: Made the AI surveillance upgrade available through the "Illegal Technology" - research node. - - tweak: Created a "Tool Designs" lathe subsection and moved most tools into it. - - balance: Made defibrillators easier to print by moving them to the basic biotechnology - research node. - - bugfix: Health analyzers are now properly printable once researched. - - balance: Bees only inject the reagent they were mutated with. Non-mutated bees - still inject toxin when stinging someone. - - bugfix: Fixed various missing texture errors. - - bugfix: Heat resistant species no longer burn their hands on lightbulbs. - - rscadd: Added a plasmaman EVA suit pack to cargo for 4000 bucks each. + - tweak: Added nanite circuit boards to tech storage. + - rscadd: + Added new available items to all departmental protolathes. Keep an eye + out for the new "Basic Tools" and "Basic Security Equipment" research nodes. + - tweak: + Made the AI surveillance upgrade available through the "Illegal Technology" + research node. + - tweak: Created a "Tool Designs" lathe subsection and moved most tools into it. + - balance: + Made defibrillators easier to print by moving them to the basic biotechnology + research node. + - bugfix: Health analyzers are now properly printable once researched. + - balance: + Bees only inject the reagent they were mutated with. Non-mutated bees + still inject toxin when stinging someone. + - bugfix: Fixed various missing texture errors. + - bugfix: Heat resistant species no longer burn their hands on lightbulbs. + - rscadd: Added a plasmaman EVA suit pack to cargo for 4000 bucks each. Naksu: - - code_imp: crayons now have about 10% less shitcode + - code_imp: crayons now have about 10% less shitcode The Dreamweaver: - - rscadd: An unknown, adventurous greyshirt has discovered a way to make a special - type of bola out of gondola hide. The effects of the gondola seem to rub off - on the victim while attached. + - rscadd: + An unknown, adventurous greyshirt has discovered a way to make a special + type of bola out of gondola hide. The effects of the gondola seem to rub off + on the victim while attached. Tlaltecuhtli: - - bugfix: seed extractor and dna manipulator are now in the right tab + - bugfix: seed extractor and dna manipulator are now in the right tab WJohn & Naksu: - - rscadd: Nuke ops may now order a borg with the Syndicate Saboteur module. It's - a streamlined engineering unit capable of extraordinary robustness by virtue - of not only not being able to leave its welder in the shuttle, but also quick - travel around the station via the disposal system. Oh and it can also disguise - itself. - - rscadd: Syndicate medical and assault modules have received improved sprites + - rscadd: + Nuke ops may now order a borg with the Syndicate Saboteur module. It's + a streamlined engineering unit capable of extraordinary robustness by virtue + of not only not being able to leave its welder in the shuttle, but also quick + travel around the station via the disposal system. Oh and it can also disguise + itself. + - rscadd: Syndicate medical and assault modules have received improved sprites subject217: - - balance: The Clown Car can no longer move unrestricted in zero gravity environments. - - balance: The Clown Car now costs 20 TC to purchase. + - balance: The Clown Car can no longer move unrestricted in zero gravity environments. + - balance: The Clown Car now costs 20 TC to purchase. 2018-09-14: Administrative Moonman: - - tweak: Fake nuclear disks no longer appear in null-crates, but can appear in surplus - traitor crates with the regularity they had before. + - tweak: + Fake nuclear disks no longer appear in null-crates, but can appear in surplus + traitor crates with the regularity they had before. Cobby: - - rscadd: Cyberorgans give small benefits (advanced versions now also get these - obviously) - - balance: Cyber Heart - Gives Epinephrine once in hardcrit - - balance: Cyber Liver - 10% better health and toxicity tolerance, with 10% less - lethality - - balance: Cyber Lungs - Can breath at 13 kPa oxygen compared to the normal 16 kPa + - rscadd: + Cyberorgans give small benefits (advanced versions now also get these + obviously) + - balance: Cyber Heart - Gives Epinephrine once in hardcrit + - balance: + Cyber Liver - 10% better health and toxicity tolerance, with 10% less + lethality + - balance: Cyber Lungs - Can breath at 13 kPa oxygen compared to the normal 16 kPa Denton: - - tweak: The EngiVend, welding and electrical lockers in Meta/Delta shared engineering - storage have been moved back into the Engineering department. The reason for - this is that Atmos techs never had ID access to them in the first place. + - tweak: + The EngiVend, welding and electrical lockers in Meta/Delta shared engineering + storage have been moved back into the Engineering department. The reason for + this is that Atmos techs never had ID access to them in the first place. Garen: - - bugfix: Fixes soap cleaning things before it checks that it can. + - bugfix: Fixes soap cleaning things before it checks that it can. Granpawalton: - - bugfix: fixed some round start atmospherics differences on lavaland caused by - the ufo crash ruin + - bugfix: + fixed some round start atmospherics differences on lavaland caused by + the ufo crash ruin Mickyan: - - tweak: Gauzes can be deconstructed using any sharp object + - tweak: Gauzes can be deconstructed using any sharp object Naksu: - - rscdel: archaeology component no longer handles sand-digging, it has been disabled - until someone works on xenoarch again. + - rscdel: + archaeology component no longer handles sand-digging, it has been disabled + until someone works on xenoarch again. Shdorsh: - - bugfix: atmos analyzer circuit not analyzing certain stuff + - bugfix: atmos analyzer circuit not analyzing certain stuff Skoglol: - - bugfix: Power sinks now explode within a reasonable amount of time. - - bugfix: Power changes between power ticks are now tracked by the powernets and - applied to the next power tick. - - bugfix: Power sinks now apply load before machines. This includes SMES and APC - charging. - - code_imp: Electric grilles, ninja gloves, apc terminals and power sinks now use - helper procs to add load. - - code_imp: Power beacons can no longer cause powernet excess to go negative instead - of turning off. - - code_imp: Shocks can no longer cause powernet excess to go negative. + - bugfix: Power sinks now explode within a reasonable amount of time. + - bugfix: + Power changes between power ticks are now tracked by the powernets and + applied to the next power tick. + - bugfix: + Power sinks now apply load before machines. This includes SMES and APC + charging. + - code_imp: + Electric grilles, ninja gloves, apc terminals and power sinks now use + helper procs to add load. + - code_imp: + Power beacons can no longer cause powernet excess to go negative instead + of turning off. + - code_imp: Shocks can no longer cause powernet excess to go negative. XDTM: - - rscadd: Added the experimental dissection surgery, which can be performed once - per corpse to gain techweb points. - - rscadd: Rarer specimens are more valuable, so xenos and rare species are more - efficient subjects. + - rscadd: + Added the experimental dissection surgery, which can be performed once + per corpse to gain techweb points. + - rscadd: + Rarer specimens are more valuable, so xenos and rare species are more + efficient subjects. YPOQ: - - bugfix: Stealth implants work again + - bugfix: Stealth implants work again YoYoBatty: - - code_imp: Added signals for various mob attacking actions. + - code_imp: Added signals for various mob attacking actions. Zxaber: - - bugfix: Cyborg Self-Repair item no longer attaches an action button to anyone - that picks it up under certain circumstances. You can no longer remote-control - a borg's Self-Repair. + - bugfix: + Cyborg Self-Repair item no longer attaches an action button to anyone + that picks it up under certain circumstances. You can no longer remote-control + a borg's Self-Repair. basilman: - - balance: mobs without an attached mind dont contribute towards his grace ascension + - balance: mobs without an attached mind dont contribute towards his grace ascension 2018-09-15: Cobby (using cyclown's formula): - - balance: 'Techweb point gen via toxins are now very-hard-soft capped at 50K point - rewards. After 50K points have been awarded, you can still get points for bombs - that would reward higher than 50K, but they are worth only a flat 1K (hint: - it''s not beneficial). Give those other bombs to mining!' - - balance: Techweb toxins equation has been edited (once again) + - balance: + "Techweb point gen via toxins are now very-hard-soft capped at 50K point + rewards. After 50K points have been awarded, you can still get points for bombs + that would reward higher than 50K, but they are worth only a flat 1K (hint: + it's not beneficial). Give those other bombs to mining!" + - balance: Techweb toxins equation has been edited (once again) actioninja: - - rscadd: Bone Hurting Juice + - rscadd: Bone Hurting Juice kevinz000: - - rscadd: All atom movables now have move force and move resist, and pull force - An atom can only pull another atom if its pull force is stronger than that atom's - move resist - - rscadd: 'Mobs with a higher move force than an atom''s move resist will automatically - try to force the atom out of its way. This might not always work, depending - on how snowflakey code is. experimental: As of right now, everything has a move - force and resist of 100, and a pull force of 101. Things take (resist - force) - damage when bumped into experimental; Failing to move onto a tile will now still - bump up your last move timer. However, successfully pushing something out of - your way will result in you automatically moving into where it was.' + - rscadd: + All atom movables now have move force and move resist, and pull force + An atom can only pull another atom if its pull force is stronger than that atom's + move resist + - rscadd: + "Mobs with a higher move force than an atom's move resist will automatically + try to force the atom out of its way. This might not always work, depending + on how snowflakey code is. experimental: As of right now, everything has a move + force and resist of 100, and a pull force of 101. Things take (resist - force) + damage when bumped into experimental; Failing to move onto a tile will now still + bump up your last move timer. However, successfully pushing something out of + your way will result in you automatically moving into where it was." 2018-09-16: Naksu: - - code_imp: Added a new framework for saving memory on type-associated invariant - lists - - code_imp: windows no longer hold whole instances of the things that pop out from - them hoping for the day some assistant breaks the windows in reebe. + - code_imp: + Added a new framework for saving memory on type-associated invariant + lists + - code_imp: + windows no longer hold whole instances of the things that pop out from + them hoping for the day some assistant breaks the windows in reebe. SpaceManiac: - - code_imp: Git revision info is now gathered by rust-g instead of manually reading - .git files. - - bugfix: The telecomms log computers now use the actual language of messages, rather - than mob type. + - code_imp: + Git revision info is now gathered by rust-g instead of manually reading + .git files. + - bugfix: + The telecomms log computers now use the actual language of messages, rather + than mob type. 2018-09-17: AnturK: - - rscadd: Failsafe codes for uplinks are now available for purchase. + - rscadd: Failsafe codes for uplinks are now available for purchase. Dax Dupont: - - bugfix: Fixes missing human mob subtype for felinids. + - bugfix: Fixes missing human mob subtype for felinids. Frosty Fridge: - - balance: Reduced steps for reconstruction surgery & increased healing + - balance: Reduced steps for reconstruction surgery & increased healing Tlaltecuhtli: - - balance: combat knifes can stick in the wounds now + - balance: combat knifes can stick in the wounds now 2018-09-18: ShizCalev: - - bugfix: Lavarocks will no longer be invisible. - - bugfix: Flying and ventcrawling mobs will no longer make footstep sounds. + - bugfix: Lavarocks will no longer be invisible. + - bugfix: Flying and ventcrawling mobs will no longer make footstep sounds. ShizClaev: - - bugfix: Bloodcrawling and jaunting mobs will no longer be consumed by chasms. + - bugfix: Bloodcrawling and jaunting mobs will no longer be consumed by chasms. 2018-09-19: Denton: - - spellcheck: Changed a few wizard spell descriptions to better explain what they - do. + - spellcheck: + Changed a few wizard spell descriptions to better explain what they + do. Naksu & octareenroon91: - - rscadd: plasmaglass windows leave plasmaglass shards when destroyed, these shards - can also be used to make spears. - - bugfix: fulltile windows didn't give you the promised 2 shards, this has been - fixed. + - rscadd: + plasmaglass windows leave plasmaglass shards when destroyed, these shards + can also be used to make spears. + - bugfix: + fulltile windows didn't give you the promised 2 shards, this has been + fixed. ShizCalev: - - bugfix: Blood cultists using a stun spell now emit a flash of red light when.... - they emit a flash of red light! - - bugfix: Blood cult stun spells now properly check for any holy items on the target - mob. - - tweak: Targets immune to blood cult stun spells will now glow with holy light - for a short duration after. + - bugfix: + Blood cultists using a stun spell now emit a flash of red light when.... + they emit a flash of red light! + - bugfix: + Blood cult stun spells now properly check for any holy items on the target + mob. + - tweak: + Targets immune to blood cult stun spells will now glow with holy light + for a short duration after. SpaceManiac: - - bugfix: Non-TGM format shuttle templates no longer leave some of their turfs behind. + - bugfix: Non-TGM format shuttle templates no longer leave some of their turfs behind. cacogen: - - rscadd: The luxury shuttle now accepts dragged money. Useful for mobs without - hands. + - rscadd: + The luxury shuttle now accepts dragged money. Useful for mobs without + hands. 2018-09-20: Denton: - - rscdel: Omegastation has been scrapped. + - rscdel: Omegastation has been scrapped. Granpawalton: - - rscadd: toxins on all maps now have an unlocked chamber air alarm, 2 air pumps, - a rpd, a heater, a freezer, and igniters - - tweak: the pipe arrangements in toxins have been reorganized for efficiency + - rscadd: + toxins on all maps now have an unlocked chamber air alarm, 2 air pumps, + a rpd, a heater, a freezer, and igniters + - tweak: the pipe arrangements in toxins have been reorganized for efficiency ShizCalev: - - bugfix: Gas sensors in the incinerator chamber will no longer catch on fire. - - bugfix: Airlock sensors are no longer completely immune to damage - - tweak: No smoking signs are now flammable, fire warning signs are now fireproofed - - bugfix: The lavaproofing slime potion is now lavaproof! + - bugfix: Gas sensors in the incinerator chamber will no longer catch on fire. + - bugfix: Airlock sensors are no longer completely immune to damage + - tweak: No smoking signs are now flammable, fire warning signs are now fireproofed + - bugfix: The lavaproofing slime potion is now lavaproof! Time-Green: - - bugfix: staff of the locker no longer gibs or deletes people + - bugfix: staff of the locker no longer gibs or deletes people octareenroon91: - - bugfix: toolbelts will now show alien screwdrivers on the item sprite + - bugfix: toolbelts will now show alien screwdrivers on the item sprite 2018-09-21: Mark9013100: - - rscadd: Added ERT backpacks, sprites by PlasmaRifle. - - rscadd: Replaced the old metal foam grenades with smart foam grenades in engineering - ERT locker. + - rscadd: Added ERT backpacks, sprites by PlasmaRifle. + - rscadd: + Replaced the old metal foam grenades with smart foam grenades in engineering + ERT locker. MrDoomBringer: - - admin: Admins can now spawn things in ICly (as well as do a bunch of other cool - new stuff) using the Config/Launch Supplypod verb! - - code_imp: also supplypods have been refactored + - admin: + Admins can now spawn things in ICly (as well as do a bunch of other cool + new stuff) using the Config/Launch Supplypod verb! + - code_imp: also supplypods have been refactored ShizCalev: - - bugfix: Flashbangs will now make a sound if nobody is around to see them. (honk) - - tweak: Flashbangs now come with sparks and will also light things up around them - on detonation! - - tweak: Flashes, flashers, flash powder, and cameras also now produce lighting! - Woo! - - bugfix: Cameras will no longer give you a prompt when alt-clicking them while - not adjacent to them. - - bugfix: You can no longer put a pocket protector in your shirt pocket if you're - only wearing a pair of pants. This also applies to pinning medals on your chest - (owww.) + - bugfix: Flashbangs will now make a sound if nobody is around to see them. (honk) + - tweak: + Flashbangs now come with sparks and will also light things up around them + on detonation! + - tweak: + Flashes, flashers, flash powder, and cameras also now produce lighting! + Woo! + - bugfix: + Cameras will no longer give you a prompt when alt-clicking them while + not adjacent to them. + - bugfix: + You can no longer put a pocket protector in your shirt pocket if you're + only wearing a pair of pants. This also applies to pinning medals on your chest + (owww.) 2018-09-23: MrDoomBringer: - - bugfix: Ever since Centcom got their own supplypod cannon, they've neglected any - of the station's requests for supply-pod delivered orders. The operators responsible - have been fired (out of an airlock) and replaced with better ones. As such, - Express Consoles work again. - - admin: Also, the centcom podlauncher verb no longer spams "Explosion with size - (0,0,0)" + - bugfix: + Ever since Centcom got their own supplypod cannon, they've neglected any + of the station's requests for supply-pod delivered orders. The operators responsible + have been fired (out of an airlock) and replaced with better ones. As such, + Express Consoles work again. + - admin: + Also, the centcom podlauncher verb no longer spams "Explosion with size + (0,0,0)" Naksu: - - rscadd: RCDs now have a comfier interface - - bugfix: some floor tiles had their broken states broken by the list-culling PR - a while back. they're fixed now. + - rscadd: RCDs now have a comfier interface + - bugfix: + some floor tiles had their broken states broken by the list-culling PR + a while back. they're fixed now. Shdorsh: - - bugfix: Fuel cell circuits are now using the right pin + - bugfix: Fuel cell circuits are now using the right pin ShizCalev: - - bugfix: Grenade launchers will no longer report an incorrect number of live rounds. - - bugfix: Every department has been given access to their corresponding mecha's - maintenance features. These accesses are provided at roundstart, and can be - altered by the HoP if need be. - - bugfix: In continuation with the mech accesses, station side personnel will no - longer be able to access the maintenance protocols of CentCom & Syndicate exclusive - mechas. - - bugfix: AIs can now unbolt again. + - bugfix: Grenade launchers will no longer report an incorrect number of live rounds. + - bugfix: + Every department has been given access to their corresponding mecha's + maintenance features. These accesses are provided at roundstart, and can be + altered by the HoP if need be. + - bugfix: + In continuation with the mech accesses, station side personnel will no + longer be able to access the maintenance protocols of CentCom & Syndicate exclusive + mechas. + - bugfix: AIs can now unbolt again. Tlaltecuhtli: - - bugfix: traps check for antimagic + - bugfix: traps check for antimagic bobbahbrown: - - rscadd: Unsecured grenade assemblies now show the number and type of beakers inside - when not wearing science goggles. - - tweak: Science goggles now show the type of beakers inside a grenade assembly. - - tweak: We are no longer shaked, but shaken. + - rscadd: + Unsecured grenade assemblies now show the number and type of beakers inside + when not wearing science goggles. + - tweak: Science goggles now show the type of beakers inside a grenade assembly. + - tweak: We are no longer shaked, but shaken. 2018-09-25: Barhandar: - - balance: Plasma cutters now flash you (same intensity as experimental welder) - when used for welding. - - bugfix: Plasma cutters also use charge to weld. 25 per most things like vents - or walls, more for specials like airlock shielding. + - balance: + Plasma cutters now flash you (same intensity as experimental welder) + when used for welding. + - bugfix: + Plasma cutters also use charge to weld. 25 per most things like vents + or walls, more for specials like airlock shielding. BeeSting12: - - bugfix: Sustenance vendors are free. + - bugfix: Sustenance vendors are free. Denton: - - bugfix: Deltastation's hydroponics department now has an APC and no longer draws - its power from the twilight zone. + - bugfix: + Deltastation's hydroponics department now has an APC and no longer draws + its power from the twilight zone. Kierany9: - - rscadd: A new gamemode called Assimilation. - - rscadd: 'Several probably-inhuman creatures wielding psionic powers, known only - as Hivemind Hosts, have appeared onboard the station and must assimilate as - many crew members as possible. Assimilated crew serve as vessels for the Host - to use their powers through (and on), and as a Host gains vessels, they gain - new abilities. remove: Vessels are not antagonists. Assimilation does not convert - crew in any way.' - - rscadd: Assimilated crewmembers can escape this nightmare by either getting a - mindshield implant or by dying. Mindshielding vessels will reveal the identity - of whoever assimilated them. Mindshielded crew are initially protected, but - should a Host get strong enough, they can break these implants with ease. - - rscadd: Nothing is stopping Hosts from working together, but as their hives grow, - so does the incentive to backstab. At 8 vessels, Hosts can probe the minds of - crew and discover the identity of any other Hosts who have assimilated them, - and at 18, they can steal every single vessel from a captured enemy Host. - - tweak: Assimilation requires 25 players roundstart. + - rscadd: A new gamemode called Assimilation. + - rscadd: + "Several probably-inhuman creatures wielding psionic powers, known only + as Hivemind Hosts, have appeared onboard the station and must assimilate as + many crew members as possible. Assimilated crew serve as vessels for the Host + to use their powers through (and on), and as a Host gains vessels, they gain + new abilities. remove: Vessels are not antagonists. Assimilation does not convert + crew in any way." + - rscadd: + Assimilated crewmembers can escape this nightmare by either getting a + mindshield implant or by dying. Mindshielding vessels will reveal the identity + of whoever assimilated them. Mindshielded crew are initially protected, but + should a Host get strong enough, they can break these implants with ease. + - rscadd: + Nothing is stopping Hosts from working together, but as their hives grow, + so does the incentive to backstab. At 8 vessels, Hosts can probe the minds of + crew and discover the identity of any other Hosts who have assimilated them, + and at 18, they can steal every single vessel from a captured enemy Host. + - tweak: Assimilation requires 25 players roundstart. ShizCalev: - - bugfix: Fixed vareditted bonfires not properly igniting at round start. - - bugfix: Fixed vareditted pianos switching to minimoogs at round start. - - bugfix: Fixed some vareddited flashlights not turning on properly at round start. - - bugfix: Fixed all missing floor icons - - bugfix: Fixed bookcases at the Wild West away mission not being properly populated. + - bugfix: Fixed vareditted bonfires not properly igniting at round start. + - bugfix: Fixed vareditted pianos switching to minimoogs at round start. + - bugfix: Fixed some vareddited flashlights not turning on properly at round start. + - bugfix: Fixed all missing floor icons + - bugfix: Fixed bookcases at the Wild West away mission not being properly populated. XDTM: - - balance: Advanced Bluespace Research has been split in Bluespace Travel and Miniaturized - Bluespace Research, with the former relating to static teleporters and the latter - to small devices and stock parts. - - rscadd: Added Quantum Keycards, devices that can link to a quantum pad, and can - be used on any other quantum pad to teleport to its linked pad. - - tweak: Bluespace Power Technology now requires Applied Bluespace Research instead - of Advanced Bluespace Research. - - tweak: Sending an activation code to a nanite program will reset its timer. - - bugfix: Fixed self-deactivating programs being unable to be reactivated afterwards. - - bugfix: ID Cards now only display payday messages to the owner if they're being - carried. Cards on the ground will still display them to nearby mobs. + - balance: + Advanced Bluespace Research has been split in Bluespace Travel and Miniaturized + Bluespace Research, with the former relating to static teleporters and the latter + to small devices and stock parts. + - rscadd: + Added Quantum Keycards, devices that can link to a quantum pad, and can + be used on any other quantum pad to teleport to its linked pad. + - tweak: + Bluespace Power Technology now requires Applied Bluespace Research instead + of Advanced Bluespace Research. + - tweak: Sending an activation code to a nanite program will reset its timer. + - bugfix: Fixed self-deactivating programs being unable to be reactivated afterwards. + - bugfix: + ID Cards now only display payday messages to the owner if they're being + carried. Cards on the ground will still display them to nearby mobs. YoYoBatty: - - code_imp: Particle accelerator control box now uses multitool_act and better ui_interact - - bugfix: Particle accelerator wires can be opened by borgs with multitools now. + - code_imp: Particle accelerator control box now uses multitool_act and better ui_interact + - bugfix: Particle accelerator wires can be opened by borgs with multitools now. bandit: - - tweak: Due to cost-cutting measures throughout the company, Nanotrasen has changed - the recipes for food supplied to sustenance vendors in all station brigs. Nanotrasen - prides itself in its quality standards and is sure crew members will notice - no difference in taste! + - tweak: + Due to cost-cutting measures throughout the company, Nanotrasen has changed + the recipes for food supplied to sustenance vendors in all station brigs. Nanotrasen + prides itself in its quality standards and is sure crew members will notice + no difference in taste! cacogen: - - rscadd: Luxury shuttle now attempts to charge humans' bank accounts in addition - to taking held and dragged money - - rscadd: Luxury shuttle now attempts to return change to humans' bank accounts - - rscadd: You can now pay for the luxury shuttle in instalments (mostly useful for - handless mobs) - - tweak: Luxury shuttle ticket booth messages are now spoken, so you can spend loudly + - rscadd: + Luxury shuttle now attempts to charge humans' bank accounts in addition + to taking held and dragged money + - rscadd: Luxury shuttle now attempts to return change to humans' bank accounts + - rscadd: + You can now pay for the luxury shuttle in instalments (mostly useful for + handless mobs) + - tweak: Luxury shuttle ticket booth messages are now spoken, so you can spend loudly imsxz: - - balance: plasma cutter blasts, including mech-mounted, no longer have a pressure - penalty, but do 1/4 their old damage - - balance: plasma cutters can no longer dismember at range regardless of pressure + - balance: + plasma cutter blasts, including mech-mounted, no longer have a pressure + penalty, but do 1/4 their old damage + - balance: plasma cutters can no longer dismember at range regardless of pressure ninjanomnom: - - bugfix: Orbiting is a little more aggressive about staying in orbit. The wisp - as a result now correctly follows you over shuttle moves. + - bugfix: + Orbiting is a little more aggressive about staying in orbit. The wisp + as a result now correctly follows you over shuttle moves. subject217: - - spellcheck: Fixed a typo with 10mm ammo casings. + - spellcheck: Fixed a typo with 10mm ammo casings. 2018-09-26: XDTM: - - rscadd: Added credit holochips, a form of semi-physical currency to use in transactions. - They can be generated by id cards by drawing from bank accounts and can be used - to make payments. - - rscadd: There is no limit to the amount of credits that can be stored on a holochip, - but being holograms they are vulnerable to electromagnetic pulses, and may disappear - if exposed to one! - - rscadd: Holochips can be split with alt-click, and can be merged by clicking on - another holochip. + - rscadd: + Added credit holochips, a form of semi-physical currency to use in transactions. + They can be generated by id cards by drawing from bank accounts and can be used + to make payments. + - rscadd: + There is no limit to the amount of credits that can be stored on a holochip, + but being holograms they are vulnerable to electromagnetic pulses, and may disappear + if exposed to one! + - rscadd: + Holochips can be split with alt-click, and can be merged by clicking on + another holochip. 2018-09-27: Dennok: - - bugfix: Teleconsole now can be researched again. + - bugfix: Teleconsole now can be researched again. Denton: - - rscadd: Geneticist and Chief Medical Officer traitors can now purchase a box of - gorilla cubes for 8TC. - - spellcheck: Changed the clown car uplink description to mention emag interaction. - - rscdel: Removed roundstart sulphuric acid beakers. These aren't needed as circuit - boards no longer require acid to print. + - rscadd: + Geneticist and Chief Medical Officer traitors can now purchase a box of + gorilla cubes for 8TC. + - spellcheck: Changed the clown car uplink description to mention emag interaction. + - rscdel: + Removed roundstart sulphuric acid beakers. These aren't needed as circuit + boards no longer require acid to print. Floyd / Qustinnus (thx to mrdoombringer for sprite + idea): - - rscadd: The clowncar now comes with an inbuilt cannon that can be activated by - emagging its circuits - - bugfix: cars can only kidnap if they have the CAN_KIDNAP trait - - bugfix: removes a dot too much in a to_chat in clown car actions + - rscadd: + The clowncar now comes with an inbuilt cannon that can be activated by + emagging its circuits + - bugfix: cars can only kidnap if they have the CAN_KIDNAP trait + - bugfix: removes a dot too much in a to_chat in clown car actions MetroidLover: - - rscadd: E-Katana can now be stored on your back + - rscadd: E-Katana can now be stored on your back MrDoomBringer: - - bugfix: Fixes advanced buildmode not having the picker + - bugfix: Fixes advanced buildmode not having the picker ShizCalev: - - rscadd: Nuke Ops now have the ability to purchase a usable RPG, as well as a couple - different types of rockets for it. - - bugfix: Storage items and parcels can no longer be fried. - - bugfix: Camera assembly upgrades can now only be placed in stage 3 (just before - completion.) + - rscadd: + Nuke Ops now have the ability to purchase a usable RPG, as well as a couple + different types of rockets for it. + - bugfix: Storage items and parcels can no longer be fried. + - bugfix: + Camera assembly upgrades can now only be placed in stage 3 (just before + completion.) Tlaltecuhtli: - - bugfix: skate bounty now accept the item version of the sakteboard + - bugfix: skate bounty now accept the item version of the sakteboard Whoneedspacee: - - rscadd: new arena attack where ash drake summons lava around you - - rscdel: removed old swooping above you, instead flies above you instantly - - balance: ash drake now spawns temporary lava pools instead of meteors falling - down - - balance: ash drake takes twice as long to swoop down now that he instantly goes - above you - - balance: ash drake now moves twice as fast - - balance: increases the odds of lava spawns in the lava pool attack - - balance: increases fire line damage and decreases lava attacks direct damage - - tweak: ash drake fire now shoots in the direction of the target - - tweak: changes times of certain animations - - tweak: changes sounds of meteor falling to lava creation - - bugfix: a bug where ash drakes attacks did not damage mechs - - imageadd: changes meteor icon to lava creation animation from lava staff + - rscadd: new arena attack where ash drake summons lava around you + - rscdel: removed old swooping above you, instead flies above you instantly + - balance: + ash drake now spawns temporary lava pools instead of meteors falling + down + - balance: + ash drake takes twice as long to swoop down now that he instantly goes + above you + - balance: ash drake now moves twice as fast + - balance: increases the odds of lava spawns in the lava pool attack + - balance: increases fire line damage and decreases lava attacks direct damage + - tweak: ash drake fire now shoots in the direction of the target + - tweak: changes times of certain animations + - tweak: changes sounds of meteor falling to lava creation + - bugfix: a bug where ash drakes attacks did not damage mechs + - imageadd: changes meteor icon to lava creation animation from lava staff cacogen: - - balance: Space cleaner in spray bottles travels 5 tiles instead of 3 (doesn't - affect other reagents) - - balance: Trash bag fits in exosuit slot of janitor biosuit - - balance: All soaps are faster - - balance: Soaps now clean all decals on a tile instead of just one - - balance: Soap now has limited uses (100 for most, 300 for NT brand which janitor - gets) - - balance: Mops are considerably faster - - balance: Basic mop holds twice the reagents - - balance: Janitorial cart now refills mops completely with one click - - balance: Basic and advanced mops are more robust (8 force and 12 force) - - balance: Galoshes no longer leave bloody footprints - - balance: Chameleon noslips no longer leave bloody footprints - - bugfix: Bulb boxes can be used on light replacers refill them in bulk - - balance: Light replacer can be used in-hand to change all bulbs on a tile - - rscadd: Custodial barrier projector which creates solid wet floor signs that force - people to walk to pass (available through service protolathe) + - balance: + Space cleaner in spray bottles travels 5 tiles instead of 3 (doesn't + affect other reagents) + - balance: Trash bag fits in exosuit slot of janitor biosuit + - balance: All soaps are faster + - balance: Soaps now clean all decals on a tile instead of just one + - balance: + Soap now has limited uses (100 for most, 300 for NT brand which janitor + gets) + - balance: Mops are considerably faster + - balance: Basic mop holds twice the reagents + - balance: Janitorial cart now refills mops completely with one click + - balance: Basic and advanced mops are more robust (8 force and 12 force) + - balance: Galoshes no longer leave bloody footprints + - balance: Chameleon noslips no longer leave bloody footprints + - bugfix: Bulb boxes can be used on light replacers refill them in bulk + - balance: Light replacer can be used in-hand to change all bulbs on a tile + - rscadd: + Custodial barrier projector which creates solid wet floor signs that force + people to walk to pass (available through service protolathe) 2018-09-28: Moon Farmer: - - rscadd: Both reagent universal enzyme & sacks of flour are now availible for their - respective costs from the biogenerator. - - rscadd: New crafting recipies for donut boxes, eggboxes & candle boxes have been - added to cardboard recipies for the collective benefit of service personnel - and the station. + - rscadd: + Both reagent universal enzyme & sacks of flour are now availible for their + respective costs from the biogenerator. + - rscadd: + New crafting recipies for donut boxes, eggboxes & candle boxes have been + added to cardboard recipies for the collective benefit of service personnel + and the station. Poojawa: - - rscadd: Fire Alarms are visible in low light situations + - rscadd: Fire Alarms are visible in low light situations XDTM: - - rscadd: 'Added a new severe brain trauma: hypnotic stupor. Victims of hypnotic - stupor occasionally fall into a trance, and upon hearing a sentence they''ll - focus on it to the point of obsession, until it is replaced by a new hypnosis - or the trauma is cured.' + - rscadd: + "Added a new severe brain trauma: hypnotic stupor. Victims of hypnotic + stupor occasionally fall into a trance, and upon hearing a sentence they'll + focus on it to the point of obsession, until it is replaced by a new hypnosis + or the trauma is cured." 2018-09-30: Mickyan: - - rscadd: After rigorous mandatory art training for the crew, many new graffiti - styles are now available + - rscadd: + After rigorous mandatory art training for the crew, many new graffiti + styles are now available MrDoomBringer: - - bugfix: Crew Monitors now only track crew with nanites when said crewmembers are - on the same (or station) z-level - - bugfix: 'massive service department nerf: space can no longer be extra crispy.' - - rscadd: 'Nanotrasen''s Alien Life Detection Department has issued new training - for crewmembers when facing blobs: the crew is now able to actually discern - when a blob is dead.' + - bugfix: + Crew Monitors now only track crew with nanites when said crewmembers are + on the same (or station) z-level + - bugfix: "massive service department nerf: space can no longer be extra crispy." + - rscadd: + "Nanotrasen's Alien Life Detection Department has issued new training + for crewmembers when facing blobs: the crew is now able to actually discern + when a blob is dead." Naksu: - - code_imp: squeezed a little bit more perf out of atmos - - code_imp: DB queries are now async by default, the code that runs in /world/New - has been adjusted to continue blocking as it apparently is not allowed to sleep. + - code_imp: squeezed a little bit more perf out of atmos + - code_imp: + DB queries are now async by default, the code that runs in /world/New + has been adjusted to continue blocking as it apparently is not allowed to sleep. Nanotrasen Reserve Bank: - - imageadd: Holochips have been given a noticeable redesign, and now use a combination - of color and shape to show how many credits are in an individual chip, along - with using a new coloring scheme outright. - - tweak: Holochips now show how many credits they contain in their name. + - imageadd: + Holochips have been given a noticeable redesign, and now use a combination + of color and shape to show how many credits are in an individual chip, along + with using a new coloring scheme outright. + - tweak: Holochips now show how many credits they contain in their name. ShizCalev: - - bugfix: Fixed bottles not smashing properly when slipping on puddles/lube. - - bugfix: Fixed a bug related to reloading RPGs - 'The Dreamweaver (Idea: Roth)': - - rscadd: Space Fashion has discovered a new way to wear bandannas. With some simple - minor adjustments and ties, bandannas can be made into fashionable neckerchiefs! + - bugfix: Fixed bottles not smashing properly when slipping on puddles/lube. + - bugfix: Fixed a bug related to reloading RPGs + "The Dreamweaver (Idea: Roth)": + - rscadd: + Space Fashion has discovered a new way to wear bandannas. With some simple + minor adjustments and ties, bandannas can be made into fashionable neckerchiefs! basilman: - - balance: changed the time for agent box to turn invisible from half a second to - 2 seconds + - balance: + changed the time for agent box to turn invisible from half a second to + 2 seconds 2018-10-02: Denton: - - tweak: Split chemical bounties into simple/complex ones and removed some that - are disproportionately hard to acquire. - - tweak: The "More Bounties" bounty now awards five instead of three new bounties. - - tweak: Tweaked Runtimestation to include uplinks as well as a room for lighting - testing. - - tweak: Tweaked lighting in some areas to better account for night lighting. + - tweak: + Split chemical bounties into simple/complex ones and removed some that + are disproportionately hard to acquire. + - tweak: The "More Bounties" bounty now awards five instead of three new bounties. + - tweak: + Tweaked Runtimestation to include uplinks as well as a room for lighting + testing. + - tweak: Tweaked lighting in some areas to better account for night lighting. Frosty Fridge: - - tweak: CMO and Roboticist traitors can now purchase the brainwashing surgery disk. + - tweak: CMO and Roboticist traitors can now purchase the brainwashing surgery disk. MMMiracles: - - rscadd: Botany can now grow cotton to produce cloth for various jumpsuits. - - rscadd: Cotton can be mutated into a much more durable strand, allowing for the - production of crude armor. - - rscadd: Rainbow flowers, an alternative for clothing dyeing, is obtainable through - cargo's exotic seed crate. - - rscadd: A loom can now be crafted with some planks so you can actually weave that - cotton into a usable fabric. - - rscadd: Fannypacks, softcaps, beanies and scarves are now craftable with cloth - and dyeable. + - rscadd: Botany can now grow cotton to produce cloth for various jumpsuits. + - rscadd: + Cotton can be mutated into a much more durable strand, allowing for the + production of crude armor. + - rscadd: + Rainbow flowers, an alternative for clothing dyeing, is obtainable through + cargo's exotic seed crate. + - rscadd: + A loom can now be crafted with some planks so you can actually weave that + cotton into a usable fabric. + - rscadd: + Fannypacks, softcaps, beanies and scarves are now craftable with cloth + and dyeable. MrDoomBringer: - - admin: Admins can now launch supplypods the old, slightly quicker way as well - - bugfix: The ceres shuttle will no longer overlap with centcom. The architects - responsible for this issue have been sternly reprimanded. - - bugfix: morgues have had their proton packs removed and as such no longer suck - in ghosts on closing. + - admin: Admins can now launch supplypods the old, slightly quicker way as well + - bugfix: + The ceres shuttle will no longer overlap with centcom. The architects + responsible for this issue have been sternly reprimanded. + - bugfix: + morgues have had their proton packs removed and as such no longer suck + in ghosts on closing. Shdorsh: - - bugfix: Grabber mode -1 doesn't require a target + - bugfix: Grabber mode -1 doesn't require a target ShizCalev: - - bugfix: Resolved a large number of instances where items would not work as their - respective tool types (ie plasma cutters not working as welders.) - - bugfix: Using an item that acts as a multitool that does not have a buffer on - an object that requires a buffer will now consistently provide user feedback - for why it failed. - - rscadd: An antagonist holding a syndicate balloon will now receive a positive - mood modifier. - - bugfix: Lights constructed by players will now respect the local APC's nightshift - setting. - - bugfix: Deoxyribonucleic Saboteur now exists again. + - bugfix: + Resolved a large number of instances where items would not work as their + respective tool types (ie plasma cutters not working as welders.) + - bugfix: + Using an item that acts as a multitool that does not have a buffer on + an object that requires a buffer will now consistently provide user feedback + for why it failed. + - rscadd: + An antagonist holding a syndicate balloon will now receive a positive + mood modifier. + - bugfix: + Lights constructed by players will now respect the local APC's nightshift + setting. + - bugfix: Deoxyribonucleic Saboteur now exists again. XDTM: - - rscadd: 'Added scanner gates: these buildable machines will scan any mob passing - under it, and it will alert when a set condition is met.' - - rscadd: 'Possible conditions: Wanted status, Mindshield, Nanites, Diseases, Species, - or carrying guns.' - - rscadd: Can be inverted, so it will alert when the condition is _not_ met, and - can be id-locked to avoid tampering. - - tweak: Holding an ID in your hands uses it instead of your worn ID for authentication - purposes. - - tweak: If you don't have an ID in your id slot, the belt slot will be checked - as well. + - rscadd: + "Added scanner gates: these buildable machines will scan any mob passing + under it, and it will alert when a set condition is met." + - rscadd: + "Possible conditions: Wanted status, Mindshield, Nanites, Diseases, Species, + or carrying guns." + - rscadd: + Can be inverted, so it will alert when the condition is _not_ met, and + can be id-locked to avoid tampering. + - tweak: + Holding an ID in your hands uses it instead of your worn ID for authentication + purposes. + - tweak: + If you don't have an ID in your id slot, the belt slot will be checked + as well. YPOQ: - - bugfix: Wizards will no longer be stuck after using rod form while in a container + - bugfix: Wizards will no longer be stuck after using rod form while in a container imsxz: - - balance: plasma cutter turrets have their old damage again - - balance: plasma blasts have their dismemberment back - - bugfix: general beepsky can now properly be constructed again + - balance: plasma cutter turrets have their old damage again + - balance: plasma blasts have their dismemberment back + - bugfix: general beepsky can now properly be constructed again 2018-10-03: Floyd / Qustinnus: - - bugfix: Liver damage is now healed when fully_heal is called on carbon mobs + - bugfix: Liver damage is now healed when fully_heal is called on carbon mobs MrDoomBringer: - - rscadd: Nanotrasen's ID cards are once again clearly readable from a distance, - meaning employees can show their ID's to eachother again. The Director of ID-Card - technology promises that the temporary unreadability of said cards was not an - oversight, and was in fact an intended, yet undocumented feature. promise. Alt+Clicking - cards now dispenses money, and clicking on the card in-hand shows it off. + - rscadd: + Nanotrasen's ID cards are once again clearly readable from a distance, + meaning employees can show their ID's to eachother again. The Director of ID-Card + technology promises that the temporary unreadability of said cards was not an + oversight, and was in fact an intended, yet undocumented feature. promise. Alt+Clicking + cards now dispenses money, and clicking on the card in-hand shows it off. ShizCalev: - - bugfix: Nanite viruses are now enabled. - - bugfix: ID cards now work with vending machines again. - - bugfix: You can now alt-click assembled assemblies to rotate them. - - bugfix: Updated the implant pad. Implants are now removed by alt-clicking it (no - more meme hand swapping BS.) Implants will no longer disappear into the void - if it didn't go into your hand. Dialog screens will now properly update when - inserting and removing an implant. - - bugfix: Underpowered emitters will now show up as orange instead of green. - - bugfix: Free Golems will no longer have the incorrect name when using Envy's Knife - on them. - - bugfix: Pac-Man / portable generators will now show the correct power output. + - bugfix: Nanite viruses are now enabled. + - bugfix: ID cards now work with vending machines again. + - bugfix: You can now alt-click assembled assemblies to rotate them. + - bugfix: + Updated the implant pad. Implants are now removed by alt-clicking it (no + more meme hand swapping BS.) Implants will no longer disappear into the void + if it didn't go into your hand. Dialog screens will now properly update when + inserting and removing an implant. + - bugfix: Underpowered emitters will now show up as orange instead of green. + - bugfix: + Free Golems will no longer have the incorrect name when using Envy's Knife + on them. + - bugfix: Pac-Man / portable generators will now show the correct power output. 2018-10-05: Coconutwarrior97: - - tweak: Food Cart can now be bolted down. + - tweak: Food Cart can now be bolted down. Dennok: - - tweak: small update of crashed ship + - tweak: small update of crashed ship Denton: - - tweak: Light bulbs now shatter and hurt people when stepped on. - - tweak: Light bulbs that have been sabotaged with plasma will spill it when they - shatter. - - tweak: Nanotrasen has started shipping more types of bedsheets to its stations. + - tweak: Light bulbs now shatter and hurt people when stepped on. + - tweak: + Light bulbs that have been sabotaged with plasma will spill it when they + shatter. + - tweak: Nanotrasen has started shipping more types of bedsheets to its stations. Floyd / Qustinnus: - - bugfix: Fixes vehicle bug which caused you to keep special actions when you were - forcemoved out of them through weird means (Admin intervention, special items) + - bugfix: + Fixes vehicle bug which caused you to keep special actions when you were + forcemoved out of them through weird means (Admin intervention, special items) MetroidLover: - - balance: The Spider Clan had finally updated their Adrenal injectors with better - stimulants. However, the radium waste is still a problem + - balance: + The Spider Clan had finally updated their Adrenal injectors with better + stimulants. However, the radium waste is still a problem MrDoomBringer: - - bugfix: Supplypods no longer detonate their contents + - bugfix: Supplypods no longer detonate their contents Naksu: - - code_imp: a couple of things still had adv_bluespace as their techweb dependency, - that's been fixed + - code_imp: + a couple of things still had adv_bluespace as their techweb dependency, + that's been fixed ShizCalev: - - bugfix: Looms can now be attacked. - - bugfix: Caks will no longer override the bonus reagents provided in a donut when - frosting them. - - bugfix: Caks can no longer create frosted frosted jelly donuts. - - bugfix: Jelly donuts will no longer lose their vitamins when they're frosted. - - bugfix: Fixed chaos donuts potentially doubling the amount of reagents added when - microwaved with something else. - - bugfix: Donuts now always contain 1 sprinkles as was stated on the wiki. Frosted - donuts have a chance at adding an extra sprinkle. - - imageadd: Cleaned up some rogue pixels on a couple BYOND premium exclusive ghost - sprites. Thanks for supporting BYOND guys. + - bugfix: Looms can now be attacked. + - bugfix: + Caks will no longer override the bonus reagents provided in a donut when + frosting them. + - bugfix: Caks can no longer create frosted frosted jelly donuts. + - bugfix: Jelly donuts will no longer lose their vitamins when they're frosted. + - bugfix: + Fixed chaos donuts potentially doubling the amount of reagents added when + microwaved with something else. + - bugfix: + Donuts now always contain 1 sprinkles as was stated on the wiki. Frosted + donuts have a chance at adding an extra sprinkle. + - imageadd: + Cleaned up some rogue pixels on a couple BYOND premium exclusive ghost + sprites. Thanks for supporting BYOND guys. Whoneedspacee: - - balance: ash drake fire does less damage now - - balance: ash drake takes longer to swoop down now - - balance: tiles take longer to fully convert into lava now, slowing down the arena - attack as well - - balance: fire breath now moves slower - - balance: triple fire breath for the lava swoop only happens below half health - now - - bugfix: https://github.com/tgstation/tgstation/issues/40621#issue-365415326 + - balance: ash drake fire does less damage now + - balance: ash drake takes longer to swoop down now + - balance: + tiles take longer to fully convert into lava now, slowing down the arena + attack as well + - balance: fire breath now moves slower + - balance: + triple fire breath for the lava swoop only happens below half health + now + - bugfix: https://github.com/tgstation/tgstation/issues/40621#issue-365415326 bobbahbrown: - - rscadd: Headsets now dynamically show in their description how to speak on any - channels they can use when held or worn. + - rscadd: + Headsets now dynamically show in their description how to speak on any + channels they can use when held or worn. oranges: - - rscdel: Mecha internal logging removed, admin only - - tweak: Mech logging overhauled to not use an internal list + - rscdel: Mecha internal logging removed, admin only + - tweak: Mech logging overhauled to not use an internal list 2018-10-06: Floyd / Qustinnus: - - bugfix: Fat people explode again when fed mint toxin + - bugfix: Fat people explode again when fed mint toxin Naksu: - - code_imp: default radiation insulation is now handled by atom vars rather than - a component, components can still be used. + - code_imp: + default radiation insulation is now handled by atom vars rather than + a component, components can still be used. Qustinnus / Floyd: - - tweak: your belly is now flat and empty + - tweak: your belly is now flat and empty ShizCalev: - - bugfix: Pirates can no longer ransom themselves to CentCom - - tweak: Ghosts can now see active AI cameras. - - tweak: Microwaves now produce light when running. - - tweak: The slime fireproofing potion is now fireproof. + - bugfix: Pirates can no longer ransom themselves to CentCom + - tweak: Ghosts can now see active AI cameras. + - tweak: Microwaves now produce light when running. + - tweak: The slime fireproofing potion is now fireproof. XDTM: - - tweak: Credits now change size every 1000x. The 1000+ credit color has been moved - to 1-4 credits instead. + - tweak: + Credits now change size every 1000x. The 1000+ credit color has been moved + to 1-4 credits instead. tigercat2000@Paradise: - - bugfix: fixed invalid characters breaking chat output for that message + - bugfix: fixed invalid characters breaking chat output for that message 2018-10-08: Denton: - - rscadd: Added more job specific items for the family heirloom trait. - - tweak: Moths that have the heirloom trait now always have a lantern as their heirloom. - - bugfix: Buttons are no longer indestructible and won't cause endless tesla zap - explosions. Buttons on CentCom and other special areas are still unbreakable. + - rscadd: Added more job specific items for the family heirloom trait. + - tweak: Moths that have the heirloom trait now always have a lantern as their heirloom. + - bugfix: + Buttons are no longer indestructible and won't cause endless tesla zap + explosions. Buttons on CentCom and other special areas are still unbreakable. Dreamweaver: - - balance: Rebalances the Kinetic Accelerators cooldown mod so that it's on par - with other mods. + - balance: + Rebalances the Kinetic Accelerators cooldown mod so that it's on par + with other mods. Memager: - - imageadd: New ERT suit sprites! + - imageadd: New ERT suit sprites! MrDoomBringer: - - tweak: Admins can now allow ghosts to follow the delivery of Centcom-launched - supply pods - - tweak: Cards will now let you know if there is no registered account with the - card, and how to add one. + - tweak: + Admins can now allow ghosts to follow the delivery of Centcom-launched + supply pods + - tweak: + Cards will now let you know if there is no registered account with the + card, and how to add one. ShizCalev: - - bugfix: Everything spawned by summon magic (with the exception of single-use spellbooks) - now count towards the "Steal at least five magical artefacts" objective. - - bugfix: Certain toxins will no longer notify the mob of their presence with the - "You feel a dull pain in your abdomen" message, which allowed some stealthy - (and some nonharmful) toxins to be easily detected. - - bugfix: Examine text for modular computers now properly reflect their modularity - and state which components are installed, as well as what is contained within - those components. At this time, AI card slots, ID slots, and printers are implemented. + - bugfix: + Everything spawned by summon magic (with the exception of single-use spellbooks) + now count towards the "Steal at least five magical artefacts" objective. + - bugfix: + Certain toxins will no longer notify the mob of their presence with the + "You feel a dull pain in your abdomen" message, which allowed some stealthy + (and some nonharmful) toxins to be easily detected. + - bugfix: + Examine text for modular computers now properly reflect their modularity + and state which components are installed, as well as what is contained within + those components. At this time, AI card slots, ID slots, and printers are implemented. TMTIME: - - bugfix: Travis works again + - bugfix: Travis works again Tlaltecuhtli: - - tweak: you can now choose your instrument as musician + - tweak: you can now choose your instrument as musician YPOQ: - - bugfix: The "floor is lava" weather will no longer cover everything - - bugfix: Badass syndrones can now use nuke op weapons + - bugfix: The "floor is lava" weather will no longer cover everything + - bugfix: Badass syndrones can now use nuke op weapons bandit: - - bugfix: The necropolis tendril is anchored again. + - bugfix: The necropolis tendril is anchored again. subject217: - - spellcheck: The Syndicate Infiltrator's nuke storage windoor is no longer called - "Theatre Stage". + - spellcheck: + The Syndicate Infiltrator's nuke storage windoor is no longer called + "Theatre Stage". 2018-10-09: Denton: - - balance: 'Security officers who have been assigned to a department now have access - to more areas inside it:' - - balance: 'Supply: Cargo bay. Engineering: Atmospherics. Medical: Morgue, surgery - and cloning. RnD: Toxins.' + - balance: + "Security officers who have been assigned to a department now have access + to more areas inside it:" + - balance: + "Supply: Cargo bay. Engineering: Atmospherics. Medical: Morgue, surgery + and cloning. RnD: Toxins." ShizCalev: - - bugfix: Prebuilt AI cores will no longer drop the wrong circuit board when deconstructed. - - spellcheck: Corrected a few instances where bluespace was referred to as blue - space. - - bugfix: Fixed a runtime resulting in grown weapons not containing the correct - reagents of the seed used to grow them. - - balance: Suiciding no longer counts towards the "Die a glorious death" objective. - Getting drunk on Bahama Mama's in the bar and blowing your brains out with a - revolver while Pun-Pun is watching isn't very glorious. - - bugfix: You can now unlock a locker by attacking it with a PDA. + - bugfix: Prebuilt AI cores will no longer drop the wrong circuit board when deconstructed. + - spellcheck: + Corrected a few instances where bluespace was referred to as blue + space. + - bugfix: + Fixed a runtime resulting in grown weapons not containing the correct + reagents of the seed used to grow them. + - balance: + Suiciding no longer counts towards the "Die a glorious death" objective. + Getting drunk on Bahama Mama's in the bar and blowing your brains out with a + revolver while Pun-Pun is watching isn't very glorious. + - bugfix: You can now unlock a locker by attacking it with a PDA. Swindly: - - rscadd: Added suicide for glowsticks + - rscadd: Added suicide for glowsticks nicbn: - - tweak: Fire alarm is now simpler. Touch it to activate, touch it to deactivate. - When activated, it will blink inconsistently if it is emagged. + - tweak: + Fire alarm is now simpler. Touch it to activate, touch it to deactivate. + When activated, it will blink inconsistently if it is emagged. 2018-10-11: CMOisLing: - - spellcheck: fixed typo in Cryogenic Treatments description + - spellcheck: fixed typo in Cryogenic Treatments description Dennok: - - bugfix: Now advanced lungs can be created + - bugfix: Now advanced lungs can be created Denton: - - tweak: Moths now only have a 50% chance to spawn with a lamp as an heirloom. + - tweak: Moths now only have a 50% chance to spawn with a lamp as an heirloom. Naksu: - - bugfix: welding tools etc should be able to properly ignite plasma fires again + - bugfix: welding tools etc should be able to properly ignite plasma fires again ShizCalev: - - bugfix: Ghosts will no longer see AI camera icons after an AI dies. - - bugfix: Fixed being unable to click underneath AI camera icons. - - bugfix: Industrial satchels & duffelbags are now fireproof. - - bugfix: Fixed the talking sword's spirit's mind not having the correct name. - - tweak: The talking sword's spirit's name is now prefixed with "The spirit of". - - balance: ERT backpacks and spacesuits are now fireproofed. - - balance: Syndicate chestrigs (belts) & bags now have fireproofing. - - bugfix: Fixed burning sprites not updating properly for humans on fire. - - tweak: Standing over lava while immune to it will now apply a cosmetic singeing - effect to your character. - - bugfix: Moved machines below items so you don't vend stuff and have to right click - to pick it up. Let us know if you see something that seems out of place! - - bugfix: Fixed bibles sometimes not having inhand icons. - - bugfix: Fixed a bug that would result in sechuds not showing a user's assignment - as unknown if they have no ID. + - bugfix: Ghosts will no longer see AI camera icons after an AI dies. + - bugfix: Fixed being unable to click underneath AI camera icons. + - bugfix: Industrial satchels & duffelbags are now fireproof. + - bugfix: Fixed the talking sword's spirit's mind not having the correct name. + - tweak: The talking sword's spirit's name is now prefixed with "The spirit of". + - balance: ERT backpacks and spacesuits are now fireproofed. + - balance: Syndicate chestrigs (belts) & bags now have fireproofing. + - bugfix: Fixed burning sprites not updating properly for humans on fire. + - tweak: + Standing over lava while immune to it will now apply a cosmetic singeing + effect to your character. + - bugfix: + Moved machines below items so you don't vend stuff and have to right click + to pick it up. Let us know if you see something that seems out of place! + - bugfix: Fixed bibles sometimes not having inhand icons. + - bugfix: + Fixed a bug that would result in sechuds not showing a user's assignment + as unknown if they have no ID. Swindly: - - balance: Firesuits now provide the same armor as firefighter helmets + - balance: Firesuits now provide the same armor as firefighter helmets XDTM: - - bugfix: Retrieving credits from a pirate syphon now properly removes them from - the syphon, instead of duplicating them. + - bugfix: + Retrieving credits from a pirate syphon now properly removes them from + the syphon, instead of duplicating them. deathride58: - - tweak: asay now supports emojis. Eggplant emoji goes here + - tweak: asay now supports emojis. Eggplant emoji goes here kevinz000: - - rscadd: Crawling is now possible if you are down but not stunned. Obviously, you - will be slower. + - rscadd: + Crawling is now possible if you are down but not stunned. Obviously, you + will be slower. subject217: - - bugfix: The Syndicate Elite Hardsuit's combat mode will now show face masks and - glasses. + - bugfix: + The Syndicate Elite Hardsuit's combat mode will now show face masks and + glasses. 2018-10-12: BeeSting12: - - balance: Some prices have been changed to be more reasonable. + - balance: Some prices have been changed to be more reasonable. MMMiracles: - - rscadd: RDs can now attempt to recreate last year's Feats of Strength challenge. + - rscadd: RDs can now attempt to recreate last year's Feats of Strength challenge. MrDoomBringer: - - bugfix: AI Eyes are no longer be visible on AI disconnect + - bugfix: AI Eyes are no longer be visible on AI disconnect ShizCalev: - - bugfix: You will no longer hit an organ harvester after using a screwdriver or - crowbar on them. + - bugfix: + You will no longer hit an organ harvester after using a screwdriver or + crowbar on them. 2018-10-14: Barhandar: - - bugfix: Golem shells and ashwalker eggs can be pulled again. + - bugfix: Golem shells and ashwalker eggs can be pulled again. ChemicalRascal: - - bugfix: The toxins burn chamber mounted igniters have been cleaned and should - work again. + - bugfix: + The toxins burn chamber mounted igniters have been cleaned and should + work again. Denton: - - bugfix: Re-added missing reagents that chem dispensers receive once their manipulator - is upgraded to tier 4. - - code_imp: Removed unused access defines. + - bugfix: + Re-added missing reagents that chem dispensers receive once their manipulator + is upgraded to tier 4. + - code_imp: Removed unused access defines. Doomloard: - - bugfix: Fixed the canisters eject button to use the replace tank logic - - bugfix: portable pumps eject button to use the replace tank logic - - bugfix: portable scrubber eject button to use the replace tank logic + - bugfix: Fixed the canisters eject button to use the replace tank logic + - bugfix: portable pumps eject button to use the replace tank logic + - bugfix: portable scrubber eject button to use the replace tank logic Fel: - - bugfix: Gutlunches (AKA Guthen / Gubbuck) now eat all kinds of guts, not just - generic gibs! Ashwalkers have their basic healing source back, now. + - bugfix: + Gutlunches (AKA Guthen / Gubbuck) now eat all kinds of guts, not just + generic gibs! Ashwalkers have their basic healing source back, now. MetroidLover: - - tweak: tweaked what the Chaplain armor can actually hold. + - tweak: tweaked what the Chaplain armor can actually hold. MrDoomBringer: - - admin: The "Cancel" button in rudimentary transforms is no longer useless + - admin: The "Cancel" button in rudimentary transforms is no longer useless Shdorsh: - - tweak: Mixers are now more accurate - - code_imp: Improved mixer and filter code + - tweak: Mixers are now more accurate + - code_imp: Improved mixer and filter code ShizCalev: - - bugfix: Fixed moth wings burning off if a mob is ignite while in space. - - bugfix: Fixed moth wings burning off if the mob had the NOFIRE trait. - - bugfix: Fixed Xenos that were on fire heating up for one extra life() tick after - being put out. + - bugfix: Fixed moth wings burning off if a mob is ignite while in space. + - bugfix: Fixed moth wings burning off if the mob had the NOFIRE trait. + - bugfix: + Fixed Xenos that were on fire heating up for one extra life() tick after + being put out. nicbn: - - imageadd: Gases changed. + - imageadd: Gases changed. 2018-10-15: Confused Rock: - - rscadd: Pais can now install the loudness booster to play horrible music so they - can sound and look awful at the same time! + - rscadd: + Pais can now install the loudness booster to play horrible music so they + can sound and look awful at the same time! Iamgoofball: - - bugfix: If you are somehow a revolutionary head as a monkey, you can now properly - teach others the plight of the working class. - - bugfix: A monkey with superior intellect can also now be taught the way of Marx. + - bugfix: + If you are somehow a revolutionary head as a monkey, you can now properly + teach others the plight of the working class. + - bugfix: A monkey with superior intellect can also now be taught the way of Marx. Naksu: - - tweak: the hazy chameleon effect has been restored to the saboteur borg's chameleon - module + - tweak: + the hazy chameleon effect has been restored to the saboteur borg's chameleon + module Swindly: - - bugfix: Fixed urinal cakes being inedible + - bugfix: Fixed urinal cakes being inedible 2018-10-16: ShizCalev: - - bugfix: Due to a recent policy review by Nanotrasen Central Command, we have determined - that personnel who have committed suicide are too great of a risk to be borged, - and are making half of the Robotics staff's job redundant (we pay them good - money to do that!) As such, suicide is now considered a PERMANENT decision. - - bugfix: Fixed a specific scenario where ghosts would not be passed their suicider - status. - - bugfix: Fixed a specific scenario where brains that suicided would not have their - suicider var corrected upon being revived. - - bugfix: Defibrillator units will now correctly consider 180 damage in either brute - or burn damage to be the cutoff for revival (down from 181.) - - bugfix: Fixed mobs suiciding in VR. - - bugfix: Admin revives will now properly restore mutant organs. + - bugfix: + Due to a recent policy review by Nanotrasen Central Command, we have determined + that personnel who have committed suicide are too great of a risk to be borged, + and are making half of the Robotics staff's job redundant (we pay them good + money to do that!) As such, suicide is now considered a PERMANENT decision. + - bugfix: + Fixed a specific scenario where ghosts would not be passed their suicider + status. + - bugfix: + Fixed a specific scenario where brains that suicided would not have their + suicider var corrected upon being revived. + - bugfix: + Defibrillator units will now correctly consider 180 damage in either brute + or burn damage to be the cutoff for revival (down from 181.) + - bugfix: Fixed mobs suiciding in VR. + - bugfix: Admin revives will now properly restore mutant organs. deathride58: - - bugfix: Mechs now properly filter out non-ascii input, and can no longer have - null names + - bugfix: + Mechs now properly filter out non-ascii input, and can no longer have + null names spook-o-log: - - rscadd: Adds the intelliLantern, a big ol' spooky intelliCard skin - - rscadd: crafting recipe for the new intelliCard skin (requires 1 pumpkin, 1 intelliCard, - 5 cables and a wirecutter as a tool) - - tweak: changed the intelliTater crafting recipe to match the intelliLantern recipe - (but with a potato for obvious reasons) + - rscadd: Adds the intelliLantern, a big ol' spooky intelliCard skin + - rscadd: + crafting recipe for the new intelliCard skin (requires 1 pumpkin, 1 intelliCard, + 5 cables and a wirecutter as a tool) + - tweak: + changed the intelliTater crafting recipe to match the intelliLantern recipe + (but with a potato for obvious reasons) 2018-10-17: Kierany9: - - rscadd: Assimilation has been updated! - - rscadd: Two new objectives have been added to promote competition. Hivemind hosts - may now be asked to have the biggest hive of them all at round end, or multiple - hosts will be tasked with assimilating the same target, and ensuring that no-one - else does. - - tweak: Hivemind hosts now get four objectives instead of three. - - tweak: Assimilation and kill/maroon objectives are no-longer mutually exclusive. - - tweak: A description of each power is now shown in chat once it is unlocked. - - tweak: Neural Shock no longer tells the target why they got shocked since this - reveals the mode way too early. - - tweak: Repair Protocol no longer weakens with distance, as the targets are randomly - selected. - - tweak: Increased the number of antagonists from 1 per 15 players to 1 per 12 players - (and still with a 50% chance of one extra). Still caps at 5 (or 6 with the extra) - antagonists - - tweak: Assimilation is now a continuous mode, like traitors and changelings, it - doesn't end when all antagonists are dead. + - rscadd: Assimilation has been updated! + - rscadd: + Two new objectives have been added to promote competition. Hivemind hosts + may now be asked to have the biggest hive of them all at round end, or multiple + hosts will be tasked with assimilating the same target, and ensuring that no-one + else does. + - tweak: Hivemind hosts now get four objectives instead of three. + - tweak: Assimilation and kill/maroon objectives are no-longer mutually exclusive. + - tweak: A description of each power is now shown in chat once it is unlocked. + - tweak: + Neural Shock no longer tells the target why they got shocked since this + reveals the mode way too early. + - tweak: + Repair Protocol no longer weakens with distance, as the targets are randomly + selected. + - tweak: + Increased the number of antagonists from 1 per 15 players to 1 per 12 players + (and still with a 50% chance of one extra). Still caps at 5 (or 6 with the extra) + antagonists + - tweak: + Assimilation is now a continuous mode, like traitors and changelings, it + doesn't end when all antagonists are dead. Mark9013100: - - rscadd: Added the engineering hazard jumpsuit, can be found in the engidrobe. - Sprites by sgtsammac. + - rscadd: + Added the engineering hazard jumpsuit, can be found in the engidrobe. + Sprites by sgtsammac. Moonlit Protector: - - rscadd: Introducing the 'Heroic Beacon', standing vigil over service the curator - can assume one three different historic heroes, each determining their equipment - and emergent playstyle to suit the player; a beacon can be found in the curator's - backpack upon spawning - - rscadd: Become the Braveheart, a fierce scottish warrior armed with a ceremonial - claymore, spraycan, kilt and a disregard for underwear with the scottish themed - hero pack. - - rscadd: A unique mention is the "First man on the Moon" heroic pack, with a two - piece space worthy suit, air tank & a GPS for recreating a key spessfaring moment - in history. - - tweak: The Curadrobe has been stripped & refilled full of helpful library supplies, - including varieties of pens and glasses including the jamjar's. - - tweak: The curator's explorer equipment & whip has been moved into the 'Courageous - Tomb Raider' heroic pack; removed from the backpack & the Curavend respectively. + - rscadd: + Introducing the 'Heroic Beacon', standing vigil over service the curator + can assume one three different historic heroes, each determining their equipment + and emergent playstyle to suit the player; a beacon can be found in the curator's + backpack upon spawning + - rscadd: + Become the Braveheart, a fierce scottish warrior armed with a ceremonial + claymore, spraycan, kilt and a disregard for underwear with the scottish themed + hero pack. + - rscadd: + A unique mention is the "First man on the Moon" heroic pack, with a two + piece space worthy suit, air tank & a GPS for recreating a key spessfaring moment + in history. + - tweak: + The Curadrobe has been stripped & refilled full of helpful library supplies, + including varieties of pens and glasses including the jamjar's. + - tweak: + The curator's explorer equipment & whip has been moved into the 'Courageous + Tomb Raider' heroic pack; removed from the backpack & the Curavend respectively. Nichlas0010: - - bugfix: air tanks now respect the layer they have been set to + - bugfix: air tanks now respect the layer they have been set to ShizCalev: - - tweak: AI core display screen can now be set in character preferences. - - bugfix: AI core display screen will now be restore when revived. - - spellcheck: Corrected some inconsistent capitalization in the player preferences - screen. - - imageadd: Readded some forgotten AI sprites. - - bugfix: Fixed Hades AI death animation not playing. - - bugfix: Monkey revheads now properly count towards active revheads. - - bugfix: Nonhumanoid revolutionaries will now only be considered for promotion - to a head-revolutionary role if there are no human revolutionaries remaining - that are valid for promotion. + - tweak: AI core display screen can now be set in character preferences. + - bugfix: AI core display screen will now be restore when revived. + - spellcheck: + Corrected some inconsistent capitalization in the player preferences + screen. + - imageadd: Readded some forgotten AI sprites. + - bugfix: Fixed Hades AI death animation not playing. + - bugfix: Monkey revheads now properly count towards active revheads. + - bugfix: + Nonhumanoid revolutionaries will now only be considered for promotion + to a head-revolutionary role if there are no human revolutionaries remaining + that are valid for promotion. Swindly: - - rscadd: Chairs made of one sheet of metal now drop two rods when smashed + - rscadd: Chairs made of one sheet of metal now drop two rods when smashed Tlaltecuhtli: - - tweak: borg upgrades price changes - - tweak: mediborg chemical upgrades have been unified + - tweak: borg upgrades price changes + - tweak: mediborg chemical upgrades have been unified 2018-10-18: Fel: - - rscadd: You can hide in a disgusting bloated human suit like it's a tauntaun and - survive a single casting of Ei'Nath! + - rscadd: + You can hide in a disgusting bloated human suit like it's a tauntaun and + survive a single casting of Ei'Nath! Floyd / Qustinnus: - - bugfix: Clown and Mimes their ID cards no longer show the name of some random - weirdo. - - bugfix: Legion core / aheal now only removes temp moodies - - rscadd: Legion cores now give you a bad moodlet + - bugfix: + Clown and Mimes their ID cards no longer show the name of some random + weirdo. + - bugfix: Legion core / aheal now only removes temp moodies + - rscadd: Legion cores now give you a bad moodlet MMMiracles: - - tweak: Penguins now waddle. - - rscadd: Penguins can now be butchered for the source of their waddling. + - tweak: Penguins now waddle. + - rscadd: Penguins can now be butchered for the source of their waddling. Mickyan: - - rscadd: 'DeltaStation: added the Vacant Commissary, the perfect place for enterprising - crew members to start their own... enterprise.' + - rscadd: + "DeltaStation: added the Vacant Commissary, the perfect place for enterprising + crew members to start their own... enterprise." MrDoomBringer: - - bugfix: Centcom-launched supplypods will now properly delimb you (if they are - designated to do so) instead of touching you then literally yeeting all of your - internal organs out of your body. - - admin: Centcom can now specify if they want to yeet all of your organs out of - your body with a supplypod - - tweak: Instruments received from the express delivery beacon are now delivered - via orbital drop pod. + - bugfix: + Centcom-launched supplypods will now properly delimb you (if they are + designated to do so) instead of touching you then literally yeeting all of your + internal organs out of your body. + - admin: + Centcom can now specify if they want to yeet all of your organs out of + your body with a supplypod + - tweak: + Instruments received from the express delivery beacon are now delivered + via orbital drop pod. QualityVan: - - bugfix: Hugging skeletons is now possible + - bugfix: Hugging skeletons is now possible ShizCalev: - - bugfix: Nanite chamber interfaces will no longer give you the option to install - a program if there isn't one on the inserted data disk. - - tweak: Clothing (bags, gloves, belts, uniforms, armor, ect) will now inform you - if they are resistant to frost, fire, acid, and lava when examined. - - bugfix: Fixed sechuds not updating when a user removes/inserts an ID from/into - their PDA/wallet/computer while it's in their ID slot. - - tweak: Corgi collars can now be removed! - - bugfix: Clowns and mimes will no longer have the incorrect name on their ID's - bank account. - - balance: Cutting someone's brain out via ghetto surgery (ie brutally chopping - their skull to pieces with a fireaxe) now has a high probability of damaging - the brain due to it's non-surgical nature. - - balance: Likewise, attacking a brain will now cause minor brain damage. - - balance: With recent advancements in bluespace medical research, damaged (not - braindead) brains can now be restored to a functional state by splashing them - with 10u of mannitol. - - bugfix: Monkeys are no longer masters of spacetime and respect the laws of physics - when it comes to movement speed. - - tweak: Mineral (and wood/paper) doors can now be unsecured from the ground with - a wrench (the wiki is finally accurate after like 10 years.) - - tweak: Mineral doors can now be deconstructed with a welder. In the case of paper/wood - doors, use a crowbar instead. - - bugfix: Paper / wood doors can no longer be dug by a pickaxe. - - bugfix: Attacking a paper or wood door with a lit welder will now set it alight. - - tweak: Damaged paper doors can now be repaired by hitting them with paper (wasn't - consistent with paper windows.) - - tweak: Paper windows will now inform you that they can be repaired when damaged. - - spellcheck: Ban durations are now a little more user-friendly (to read.) + - bugfix: + Nanite chamber interfaces will no longer give you the option to install + a program if there isn't one on the inserted data disk. + - tweak: + Clothing (bags, gloves, belts, uniforms, armor, ect) will now inform you + if they are resistant to frost, fire, acid, and lava when examined. + - bugfix: + Fixed sechuds not updating when a user removes/inserts an ID from/into + their PDA/wallet/computer while it's in their ID slot. + - tweak: Corgi collars can now be removed! + - bugfix: + Clowns and mimes will no longer have the incorrect name on their ID's + bank account. + - balance: + Cutting someone's brain out via ghetto surgery (ie brutally chopping + their skull to pieces with a fireaxe) now has a high probability of damaging + the brain due to it's non-surgical nature. + - balance: Likewise, attacking a brain will now cause minor brain damage. + - balance: + With recent advancements in bluespace medical research, damaged (not + braindead) brains can now be restored to a functional state by splashing them + with 10u of mannitol. + - bugfix: + Monkeys are no longer masters of spacetime and respect the laws of physics + when it comes to movement speed. + - tweak: + Mineral (and wood/paper) doors can now be unsecured from the ground with + a wrench (the wiki is finally accurate after like 10 years.) + - tweak: + Mineral doors can now be deconstructed with a welder. In the case of paper/wood + doors, use a crowbar instead. + - bugfix: Paper / wood doors can no longer be dug by a pickaxe. + - bugfix: Attacking a paper or wood door with a lit welder will now set it alight. + - tweak: + Damaged paper doors can now be repaired by hitting them with paper (wasn't + consistent with paper windows.) + - tweak: Paper windows will now inform you that they can be repaired when damaged. + - spellcheck: Ban durations are now a little more user-friendly (to read.) landscaping moonman: - - tweak: Due to resolved manufacturer complaints, more aesthetic basalt tiles will - be yielded in crafting than previously, in line with the results of other floortile - products. + - tweak: + Due to resolved manufacturer complaints, more aesthetic basalt tiles will + be yielded in crafting than previously, in line with the results of other floortile + products. nicbn: - - tweak: Attacking the fire alarm with anything that has force and won't deconstruct - it will turn it on - - bugfix: Toggling the fire alarm now leaves fingerprints + - tweak: + Attacking the fire alarm with anything that has force and won't deconstruct + it will turn it on + - bugfix: Toggling the fire alarm now leaves fingerprints ninjanomnom: - - bugfix: Wisps no longer get deleted when you use a telepad or other form of teleport. + - bugfix: Wisps no longer get deleted when you use a telepad or other form of teleport. obscolene: - - tweak: Humans can no longer equip pet collars + - tweak: Humans can no longer equip pet collars 2018-10-19: Denton: - - tweak: Added more possible names that Deathsquad members spawn with. + - tweak: Added more possible names that Deathsquad members spawn with. 2018-10-20: MrDoomBringer: - - bugfix: Explosions will no longer damage wizards in rod form + - bugfix: Explosions will no longer damage wizards in rod form Nichlas0010: - - tweak: the AI icon-selection menu now uses a radial. + - tweak: the AI icon-selection menu now uses a radial. ShizCalev: - - bugfix: You can now stuff physical currency into your ID's (as was intended.) - - tweak: Tidied up ID examine messages a bit. - - bugfix: Fixed a minor issue where vacant offices and the vacant commissary were - being selected by GR3YT1D3 virus and EGALITARIAN events. - - bugfix: Vacant rooms now have the correct ambience. + - bugfix: You can now stuff physical currency into your ID's (as was intended.) + - tweak: Tidied up ID examine messages a bit. + - bugfix: + Fixed a minor issue where vacant offices and the vacant commissary were + being selected by GR3YT1D3 virus and EGALITARIAN events. + - bugfix: Vacant rooms now have the correct ambience. Supermichael777: - - bugfix: The Wizards Federation has bound the foul spirit Soul Snatching Willy - to their service. Their necromantic stones are now a bit more 'assertive' about - binding the eternal service of the dead. + - bugfix: + The Wizards Federation has bound the foul spirit Soul Snatching Willy + to their service. Their necromantic stones are now a bit more 'assertive' about + binding the eternal service of the dead. 2018-10-21: Dennok: - - bugfix: now you dont lose you pulled item on world edge. + - bugfix: now you dont lose you pulled item on world edge. Kierany9: - - bugfix: Finding an objective target by role now actually picks a random target + - bugfix: Finding an objective target by role now actually picks a random target Mickyan: - - tweak: 'Metastation: The janitorial closet has been moved in the maintenance section - of the service wing' - - rscadd: 'Metastation: Added the vacant commissary where the janitorial closet - used to be' - - tweak: the order in which items are listed in certain vendors has been changed, - giving priority to cheaper items and occasionally sorting by category - - balance: prices for a number of items have been changed, certain vendors have - new premium merchandise in stock - - balance: decreased the amount of reagents contained in ramen cups & hot coco - - bugfix: Chaplains no longer have to pay for their equipment + - tweak: + "Metastation: The janitorial closet has been moved in the maintenance section + of the service wing" + - rscadd: + "Metastation: Added the vacant commissary where the janitorial closet + used to be" + - tweak: + the order in which items are listed in certain vendors has been changed, + giving priority to cheaper items and occasionally sorting by category + - balance: + prices for a number of items have been changed, certain vendors have + new premium merchandise in stock + - balance: decreased the amount of reagents contained in ramen cups & hot coco + - bugfix: Chaplains no longer have to pay for their equipment QualityVan: - - bugfix: Zombies get claws on resurrection again + - bugfix: Zombies get claws on resurrection again ShizCalev: - - rscadd: Added a config option to automatically reopen the job positions of players - who have suicided at roundstart. - - bugfix: Fixed Syndicate MMI's having their name swapped when inserting a brain. - - tweak: Added better user feedback when inserting a dead brain into an MMI. - - tweak: Jobbans are now displayed in a more user-friendly time format. - - tweak: Added a notice when a user damages a brain during removal via ghetto surgery. + - rscadd: + Added a config option to automatically reopen the job positions of players + who have suicided at roundstart. + - bugfix: Fixed Syndicate MMI's having their name swapped when inserting a brain. + - tweak: Added better user feedback when inserting a dead brain into an MMI. + - tweak: Jobbans are now displayed in a more user-friendly time format. + - tweak: Added a notice when a user damages a brain during removal via ghetto surgery. ninjanomnom: - - bugfix: Gaps between sounds in some looping sound effects should no longer happen - as much under heavy server lag. + - bugfix: + Gaps between sounds in some looping sound effects should no longer happen + as much under heavy server lag. 2018-10-23: BebeYoshi: - - bugfix: Penguins drops their organs when butchered. - - balance: Baby penguins only drop one meat instead of three. + - bugfix: Penguins drops their organs when butchered. + - balance: Baby penguins only drop one meat instead of three. Denton: - - spellcheck: Sleepers now show a message if players try to unscrew the maintenance - hatch while they're occupied or open. Fixed typos in sleeper/organ harvester - messages. - - tweak: Sleepers can now be pried open with crowbars. - - tweak: You can open and close sleepers by alt-clicking them. + - spellcheck: + Sleepers now show a message if players try to unscrew the maintenance + hatch while they're occupied or open. Fixed typos in sleeper/organ harvester + messages. + - tweak: Sleepers can now be pried open with crowbars. + - tweak: You can open and close sleepers by alt-clicking them. Fel: - - rscadd: Dark blue (AKA Chilling) crossbreeds are now available. Feed an adult - slime 10 dark blue extracts to obtain one! + - rscadd: + Dark blue (AKA Chilling) crossbreeds are now available. Feed an adult + slime 10 dark blue extracts to obtain one! GranpaWalton: - - rscadd: Added a new premium drink to the soda machine called "Grey Bull" which - gives temporary shock resistance + - rscadd: + Added a new premium drink to the soda machine called "Grey Bull" which + gives temporary shock resistance MrDoomBringer: - - admin: The centcom podlauncher now has better logging - - bugfix: Cancelling a supplypod smite will now not throw an error message + - admin: The centcom podlauncher now has better logging + - bugfix: Cancelling a supplypod smite will now not throw an error message QualityVan: - - bugfix: Diseases that damage bodyparts only work on organics now + - bugfix: Diseases that damage bodyparts only work on organics now XDTM: - - tweak: Phobia trigger words are now more noticeable. + - tweak: Phobia trigger words are now more noticeable. 2018-10-24: Denton: - - tweak: The deep storage bunker APCs and airlocks are now locked by default, but - can be unlocked with bunker access IDs. - - bugfix: Fixed the deep storage bunker's entrance camera. The scrubber and vent - inside the entrance chamber can now be controlled by the adjacent air alarm. + - tweak: + The deep storage bunker APCs and airlocks are now locked by default, but + can be unlocked with bunker access IDs. + - bugfix: + Fixed the deep storage bunker's entrance camera. The scrubber and vent + inside the entrance chamber can now be controlled by the adjacent air alarm. SpaceManiac: - - code_imp: It is now possible to set a different most-base-turf per z-level. + - code_imp: It is now possible to set a different most-base-turf per z-level. YPOQ: - - bugfix: Anti-magic items will now properly protect you from the tesla blast spell + - bugfix: Anti-magic items will now properly protect you from the tesla blast spell actioninja: - - tweak: Slime Management Consoles now state the number of monkeys available when - you recycle a monkey. + - tweak: + Slime Management Consoles now state the number of monkeys available when + you recycle a monkey. 2018-10-26: Denton: - - rscadd: The 'Industrial Engineering' research node now includes empty oxygen and - plasma tanks. + - rscadd: + The 'Industrial Engineering' research node now includes empty oxygen and + plasma tanks. Mickyan: - - bugfix: 'Deltastation: the vacant commissary camera can now correctly be accessed - from the camera console' + - bugfix: + "Deltastation: the vacant commissary camera can now correctly be accessed + from the camera console" MrDoomBringer: - - bugfix: Blob overminds, sentient diseases, etc. can no longer dump out boxes. - Sorry gamers. + - bugfix: + Blob overminds, sentient diseases, etc. can no longer dump out boxes. + Sorry gamers. Robustin: - - bugfix: '"Floor is lava" event no longer affects flying mobs' + - bugfix: '"Floor is lava" event no longer affects flying mobs' ShizCalev: - - rscadd: Admins can now personalize their asay message color on servers with the - feature enabled. - - tweak: Moved some admin only preference verbs out of the Preferences tab and to - a new admin preferences tab to help unclutter it / prevent accidental toggling - of fun things. - - tweak: L3 biohazard closets now contain O2 tanks & breathmasks. + - rscadd: + Admins can now personalize their asay message color on servers with the + feature enabled. + - tweak: + Moved some admin only preference verbs out of the Preferences tab and to + a new admin preferences tab to help unclutter it / prevent accidental toggling + of fun things. + - tweak: L3 biohazard closets now contain O2 tanks & breathmasks. SpaceManiac: - - bugfix: Destruction on Lavaland will no longer reveal space in rare situations. + - bugfix: Destruction on Lavaland will no longer reveal space in rare situations. Zaex: - - tweak: Supermatter Shard is now placed in front of other objects. + - tweak: Supermatter Shard is now placed in front of other objects. davethwave: - - tweak: reduces electrical storm chance by half + - tweak: reduces electrical storm chance by half kevinz000: - - bugfix: You can no longer spam fire alarms. Also, they're logged again. + - bugfix: You can no longer spam fire alarms. Also, they're logged again. 2018-10-27: Barhandar: - - bugfix: Reagent dispensers that aren't chemdisp will no longer contain T4 chemicals. + - bugfix: Reagent dispensers that aren't chemdisp will no longer contain T4 chemicals. Basilman: - - rscadd: Added the blindness quirk, good luck. + - rscadd: Added the blindness quirk, good luck. Denton: - - tweak: Added hydroponics guard armbands to Hydrobe clothes vendors. + - tweak: Added hydroponics guard armbands to Hydrobe clothes vendors. Floyd / Qustinnus (sprites by Mickyan): - - bugfix: sanity can now reach its highest level - - imageadd: Adds HUD icons for sanity + - bugfix: sanity can now reach its highest level + - imageadd: Adds HUD icons for sanity Kierany9: - - tweak: Electric shocks are no longer capped at a measly 90(+-5) damage, with a - proper engine setup and hotwiring, electric shocks can now do up to 195(+-5). - However, for the most part, shocks do less damage than before at charges under - 2 MW. + - tweak: + Electric shocks are no longer capped at a measly 90(+-5) damage, with a + proper engine setup and hotwiring, electric shocks can now do up to 195(+-5). + However, for the most part, shocks do less damage than before at charges under + 2 MW. MrDoomBringer: - - tweak: Random Events now have a follow link for ghosts! + - tweak: Random Events now have a follow link for ghosts! Nabski89: - - rscadd: Some animals now move their legs when they walk. + - rscadd: Some animals now move their legs when they walk. Nero1024: - - soundadd: Bare feet will now make the correct footstep sounds. - - soundadd: Other mobs will make the correct footstep sounds. + - soundadd: Bare feet will now make the correct footstep sounds. + - soundadd: Other mobs will make the correct footstep sounds. Poojawa: - - bugfix: fixes getFlatIcon breaking if an overlay was a color matrix + - bugfix: fixes getFlatIcon breaking if an overlay was a color matrix Robustin: - - bugfix: The heart attack disease will now actually stop your heart (again) + - bugfix: The heart attack disease will now actually stop your heart (again) ShizCalev: - - tweak: Added examine messages for helmets & guns with flashlights (and bayonets.) - - bugfix: Fixed an issue where you were able to remove flashlights/bayonets that - were supposed to be permanently attached to a gun. - - bugfix: Fixed an issue where you were unable to remove flashlights & bayonets - from certain weapons. - - bugfix: Fixed a potential issue where adding a flashlight to your helmet would've - caused you to lose other action buttons. - - bugfix: Fixed a issue where guns with multiple action buttons would break all - but one of those action buttons. - - tweak: If you have both a bayonet and a flashlight attached to your gun, you'll - now be given a prompt on which you'd like to remove when using a screwdriver - on it. - - tweak: Added some examine messages to disembodied heads indicating if it's missing - eyes, or if it's brain is nonfunctional. - - tweak: Added some examine messages to cyborg parts to indicate their current construction - status. - - tweak: You can now remove the power cell and cut the wiring out of a cyborg chest - during construction. - - bugfix: Fixed items worn by a burning mob not getting burning overlays while taking - damage. - - bugfix: Fixed items with special effects when lit on fire not having the effect - triggered when worn by a mob. - - bugfix: The supermatter shuttle's walls no longer look derpy. - - bugfix: The gulag reclaimer will no longer break when a mob is gibbed, and will - instead dump the mob's equipment on the ground when the console is next used. - - bugfix: Manually inserting sheets into the gulag stacking machine will now properly - add points to the console. + - tweak: Added examine messages for helmets & guns with flashlights (and bayonets.) + - bugfix: + Fixed an issue where you were able to remove flashlights/bayonets that + were supposed to be permanently attached to a gun. + - bugfix: + Fixed an issue where you were unable to remove flashlights & bayonets + from certain weapons. + - bugfix: + Fixed a potential issue where adding a flashlight to your helmet would've + caused you to lose other action buttons. + - bugfix: + Fixed a issue where guns with multiple action buttons would break all + but one of those action buttons. + - tweak: + If you have both a bayonet and a flashlight attached to your gun, you'll + now be given a prompt on which you'd like to remove when using a screwdriver + on it. + - tweak: + Added some examine messages to disembodied heads indicating if it's missing + eyes, or if it's brain is nonfunctional. + - tweak: + Added some examine messages to cyborg parts to indicate their current construction + status. + - tweak: + You can now remove the power cell and cut the wiring out of a cyborg chest + during construction. + - bugfix: + Fixed items worn by a burning mob not getting burning overlays while taking + damage. + - bugfix: + Fixed items with special effects when lit on fire not having the effect + triggered when worn by a mob. + - bugfix: The supermatter shuttle's walls no longer look derpy. + - bugfix: + The gulag reclaimer will no longer break when a mob is gibbed, and will + instead dump the mob's equipment on the ground when the console is next used. + - bugfix: + Manually inserting sheets into the gulag stacking machine will now properly + add points to the console. SouDescolado: - - refactor: For every object that creates 3+, replaced with a for(var/i in x to - y) and sometimes combined into a list + - refactor: + For every object that creates 3+, replaced with a for(var/i in x to + y) and sometimes combined into a list Swindly: - - bugfix: Fixed MMIs not being able to use mecha equipment - - bugfix: Fixed MMIs not getting mecha mouse pointers - - bugfix: Fixed MMIs not getting medical HUDs in Odysseuses - - tweak: Brains can now switch to harm intent + - bugfix: Fixed MMIs not being able to use mecha equipment + - bugfix: Fixed MMIs not getting mecha mouse pointers + - bugfix: Fixed MMIs not getting medical HUDs in Odysseuses + - tweak: Brains can now switch to harm intent XDTM: - - rscadd: Being really close to death might cause surreal experiences, almost as - if you could hear the other side of the veil. + - rscadd: + Being really close to death might cause surreal experiences, almost as + if you could hear the other side of the veil. bobbahbrown: - - tweak: Getting tabled is now far easier to prove due to advancements in logging - technology! + - tweak: + Getting tabled is now far easier to prove due to advancements in logging + technology! 2018-10-28: Buggy: - - rscadd: Nanotrasen has added the Overlord lawset to their AI law database. Nonetheless, - they strongly advise against using it under any circumstances, and insist that - it is intended for research purposes only. + - rscadd: + Nanotrasen has added the Overlord lawset to their AI law database. Nonetheless, + they strongly advise against using it under any circumstances, and insist that + it is intended for research purposes only. Ikacid: - - rscadd: Hooch now heals assistants. + - rscadd: Hooch now heals assistants. Mickyan: - - spellcheck: 'the description for the Heavy Sleeper quirk now mentions that it - also affects being unconscious. Some (not all) of the most common sources of - being knocked unconscious are: explosions, CO2 overload, seizures, low blood - count' + - spellcheck: + "the description for the Heavy Sleeper quirk now mentions that it + also affects being unconscious. Some (not all) of the most common sources of + being knocked unconscious are: explosions, CO2 overload, seizures, low blood + count" ShizCalev: - - bugfix: Pandemic computers will no longer have a clickable empty button if the - beaker is already empty. - - tweak: Pandemic computers can now be alt-clicked to eject the contained beaker. + - bugfix: + Pandemic computers will no longer have a clickable empty button if the + beaker is already empty. + - tweak: Pandemic computers can now be alt-clicked to eject the contained beaker. 2018-10-29: Barhandar: - - bugfix: Pumpkin meteors on Halloween now replace catastrophic meteor waves, instead - of ALL OF THEM. + - bugfix: + Pumpkin meteors on Halloween now replace catastrophic meteor waves, instead + of ALL OF THEM. Basilman: - - bugfix: fixed blindness identification blindfold changing color more than once - - bugfix: fixed blindfold item being split in your inventory + - bugfix: fixed blindness identification blindfold changing color more than once + - bugfix: fixed blindfold item being split in your inventory cyclowns: - - bugfix: Fixes stimulum and nitryl reagents running out too fast + - bugfix: Fixes stimulum and nitryl reagents running out too fast 2018-10-30: Barhandar: - - balance: Basic tools are now a starting node and do not need researching. - - tweak: Autolathe tools can now be printed again without needing a design disk. + - balance: Basic tools are now a starting node and do not need researching. + - tweak: Autolathe tools can now be printed again without needing a design disk. ShizCalev: - - bugfix: Fixed an exploit allowing you to teleport ammo out of a magazine. - - bugfix: Fixed magazine loading sounds playing at the incorrect location if you - load the magazine via TK. + - bugfix: Fixed an exploit allowing you to teleport ammo out of a magazine. + - bugfix: + Fixed magazine loading sounds playing at the incorrect location if you + load the magazine via TK. Zxaber: - - bugfix: Fixed borg organ bags causing brain damage when picking up brains. + - bugfix: Fixed borg organ bags causing brain damage when picking up brains. 2018-10-31: Cyberboss: - - tweak: Allows Grilles to be built on space turf. + - tweak: Allows Grilles to be built on space turf. Shdorsh: - - rscdel: Circuitry module + - rscdel: Circuitry module ShizCalev: - - spellcheck: Suiciding with a gun will now say 'You pull the trigger', instead - of referring to you in the third person. - - spellcheck: Ammoboxes will no longer say 'there are 1 shell left'. - - bugfix: The really black suit is now a -really- black suit. - - fix: Droppers will now work properly when squirting the contents into the eyes - of a mob while wearing only the body part of a hardsuit and no helmet. - - fix: You can now examine bars of soap to tell how many uses (roughly) are left. + - spellcheck: + Suiciding with a gun will now say 'You pull the trigger', instead + of referring to you in the third person. + - spellcheck: Ammoboxes will no longer say 'there are 1 shell left'. + - bugfix: The really black suit is now a -really- black suit. + - fix: + Droppers will now work properly when squirting the contents into the eyes + of a mob while wearing only the body part of a hardsuit and no helmet. + - fix: You can now examine bars of soap to tell how many uses (roughly) are left. Skoglol: - - tweak: Multitool powernet readout now includes load and excess. - - bugfix: Eating is now more gramatically correct + - tweak: Multitool powernet readout now includes load and excess. + - bugfix: Eating is now more gramatically correct YPOQ: - - fix: Fixed a bug that caused fire extinguishers to often fail to extinguish people. + - fix: Fixed a bug that caused fire extinguishers to often fail to extinguish people. 2018-11-01: ShizCalev: - - bugfix: Buckled mobs will no longer go prone when killed/stunned/ect. + - bugfix: Buckled mobs will no longer go prone when killed/stunned/ect. Skoglol: - - tweak: Revenants now only use stolen essence to unlock new spells. No more counting - corpses or waiting for regen before draining. - - tweak: Spell unlock costs adjusted accordingly, defile upped from 0 to a cost - of 10. - - balance: Reduced blight cost to 75, more in line with its underwhelming nature. - - tweak: Drain targets in soft-crit will be stunned, to prevent them crawling away. - - bugfix: Ghosts can no longer examine the inner workings of modular computers. + - tweak: + Revenants now only use stolen essence to unlock new spells. No more counting + corpses or waiting for regen before draining. + - tweak: + Spell unlock costs adjusted accordingly, defile upped from 0 to a cost + of 10. + - balance: Reduced blight cost to 75, more in line with its underwhelming nature. + - tweak: Drain targets in soft-crit will be stunned, to prevent them crawling away. + - bugfix: Ghosts can no longer examine the inner workings of modular computers. The Dreamweaver: - - rscadd: Nanotrasen has received word of a high-tech research facility that may - contain advancements in bluespace-based research. Any crew members who become - aware of its whereabouts are to report it to CentCom immediately and are restricted - from sharing said info. - - refactor: The turf reservation system now dynamically creates new z levels if - the current reserved levels are full. + - rscadd: + Nanotrasen has received word of a high-tech research facility that may + contain advancements in bluespace-based research. Any crew members who become + aware of its whereabouts are to report it to CentCom immediately and are restricted + from sharing said info. + - refactor: + The turf reservation system now dynamically creates new z levels if + the current reserved levels are full. 2018-11-02: ShizCalev: - - bugfix: You can no longer try to tactically reload rocket launchers, making it - become invisible and breaking it's rocket. - - bugfix: You can no longer unload a rocket with TK - - tweak: Suiciding while holding a rocket launcher will now cause you to blow yourself - up with it. - - bugfix: Crowbarring an airlock to remove it's electronics will no longer bypass - it's electronics security shielding. + - bugfix: + You can no longer try to tactically reload rocket launchers, making it + become invisible and breaking it's rocket. + - bugfix: You can no longer unload a rocket with TK + - tweak: + Suiciding while holding a rocket launcher will now cause you to blow yourself + up with it. + - bugfix: + Crowbarring an airlock to remove it's electronics will no longer bypass + it's electronics security shielding. karma: - - bugfix: being able to pick up blood crawl items if they are dropped and being - unable to drop them for the rest of the round is now fixed + - bugfix: + being able to pick up blood crawl items if they are dropped and being + unable to drop them for the rest of the round is now fixed nicbn: - - bugfix: The close radial icon is now clickable in the middle and more visible. - - bugfix: Dropping or throwing RCD will make radial close. - - tweak: The change AI display verb will change your camera to the core so that - you can choose it. + - bugfix: The close radial icon is now clickable in the middle and more visible. + - bugfix: Dropping or throwing RCD will make radial close. + - tweak: + The change AI display verb will change your camera to the core so that + you can choose it. 2018-11-03: ShizCalev: - - bugfix: Hydroponics trays now work again. + - bugfix: Hydroponics trays now work again. 2018-11-04: Denton: - - tweak: Most upgradeable machines now show their upgrade status when examined while - standing right next to them. - - tweak: Added examine messages to teleporter stations that hint at their multitool/wirecutter - interactions. - - tweak: Renamed teleporter stations from `station` to `teleporter station`. - - code_imp: Changed the teleporter hub `accurate` var to `accuracy`; the old name - misled people into thinking that it was a boolean. + - tweak: + Most upgradeable machines now show their upgrade status when examined while + standing right next to them. + - tweak: + Added examine messages to teleporter stations that hint at their multitool/wirecutter + interactions. + - tweak: Renamed teleporter stations from `station` to `teleporter station`. + - code_imp: + Changed the teleporter hub `accurate` var to `accuracy`; the old name + misled people into thinking that it was a boolean. Iamgoofball: - - bugfix: Thirty year old boomers can now sip their monster safely as God intended. - - bugfix: Even if it's 9 in the morning on a Saturday. - - bugfix: Even if your kid's trying to sleep because they were up all night shitposting. - - bugfix: Yep. Times were good back then. + - bugfix: Thirty year old boomers can now sip their monster safely as God intended. + - bugfix: Even if it's 9 in the morning on a Saturday. + - bugfix: Even if your kid's trying to sleep because they were up all night shitposting. + - bugfix: Yep. Times were good back then. Mickyan: - - rscadd: Added various new moodlets - - rscadd: Most notably, the Laughter chemical and breathing small quantities of - N2O can improve mood - - rscadd: 'Psicodine: a new chemical that can restore sanity levels to normal and - temporarily suppress phobias' - - rscadd: 'Happiness: a homemade drug that supposedly gives a feeling of total bliss - and.. emptiness? That can''t be healthy... watch out for side effects.' - - bugfix: The suffocation moodlet now triggers correctly - - bugfix: The drunk moodlet now clears as soon as the drunkenness wears off + - rscadd: Added various new moodlets + - rscadd: + Most notably, the Laughter chemical and breathing small quantities of + N2O can improve mood + - rscadd: + "Psicodine: a new chemical that can restore sanity levels to normal and + temporarily suppress phobias" + - rscadd: + "Happiness: a homemade drug that supposedly gives a feeling of total bliss + and.. emptiness? That can't be healthy... watch out for side effects." + - bugfix: The suffocation moodlet now triggers correctly + - bugfix: The drunk moodlet now clears as soon as the drunkenness wears off MrDoomBringer: - - soundadd: Supplypods sound a bit nicer as the land now. - - admin: admins can now adjust the animation duration for centcom-launched supplypods - - admin: admins can adjust any sounds that are played as the supplypod lands + - soundadd: Supplypods sound a bit nicer as the land now. + - admin: admins can now adjust the animation duration for centcom-launched supplypods + - admin: admins can adjust any sounds that are played as the supplypod lands ShizCalev: - - bugfix: Fixed x-ray cameras going invisible when in use by a camera monitor. - - bugfix: Fixed cameras having the incorrect icon when an xray module is installed - after construction. - - bugfix: Fixed cameras not having the correct name when proximity sensors are installed - after construction. - - bugfix: Fixed camera assemblies not passing their upgrades to a camera during - construction. - - bugfix: Fixed camera assemblies consuming your entire stack of plasma sheets when - upgrading it with EMP shielding instead of just 1 sheet. - - bugfix: Fixed upgrades within a camera assembly disappearing into bluespace when - wrenched. - - bugfix: Fixed upgraded cameras having their internal upgrades deleted while still - functioning not updating the camera's attributes (mostly for admins.) - - tweak: Welding/unwelding a camera assembly to/from a wall now consumes 3 fuel. - - tweak: Deconstructing a camera assembly with upgrades within it will now give - you a prompt on what you'd like to remove. - - tweak: Added examination text to cameras and camera assemblies to detail their - current construction status and upgrades. - - bugfix: Covering your mouth when you cough/sneeze can now help stop the spread - of germs. - - bugfix: Using your SecHUD just adjust wanted status of a mob while not adjacent - to them will no longer give you a useless out of range warning. - - bugfix: Trying to strip or equip a mob while while not in range will now close - the inventory menu. - - bugfix: Trying to strip a non-human carbon mob while handcuffed/not in range will - no longer give you duplicate warnings. + - bugfix: Fixed x-ray cameras going invisible when in use by a camera monitor. + - bugfix: + Fixed cameras having the incorrect icon when an xray module is installed + after construction. + - bugfix: + Fixed cameras not having the correct name when proximity sensors are installed + after construction. + - bugfix: + Fixed camera assemblies not passing their upgrades to a camera during + construction. + - bugfix: + Fixed camera assemblies consuming your entire stack of plasma sheets when + upgrading it with EMP shielding instead of just 1 sheet. + - bugfix: + Fixed upgrades within a camera assembly disappearing into bluespace when + wrenched. + - bugfix: + Fixed upgraded cameras having their internal upgrades deleted while still + functioning not updating the camera's attributes (mostly for admins.) + - tweak: Welding/unwelding a camera assembly to/from a wall now consumes 3 fuel. + - tweak: + Deconstructing a camera assembly with upgrades within it will now give + you a prompt on what you'd like to remove. + - tweak: + Added examination text to cameras and camera assemblies to detail their + current construction status and upgrades. + - bugfix: + Covering your mouth when you cough/sneeze can now help stop the spread + of germs. + - bugfix: + Using your SecHUD just adjust wanted status of a mob while not adjacent + to them will no longer give you a useless out of range warning. + - bugfix: + Trying to strip or equip a mob while while not in range will now close + the inventory menu. + - bugfix: + Trying to strip a non-human carbon mob while handcuffed/not in range will + no longer give you duplicate warnings. Skoglol: - - bugfix: Borg ion thrusters now stop draining charge when you can move without - them. + - bugfix: + Borg ion thrusters now stop draining charge when you can move without + them. 2018-11-08: CRTXBacon: - - tweak: Moves the clown mask south-facing sprite down one pixel, putting it on - level with its other directional sprites. Henk. + - tweak: + Moves the clown mask south-facing sprite down one pixel, putting it on + level with its other directional sprites. Henk. MrDoomBringer: - - bugfix: You will no longer attempt to use an explosive lance to craft an explosive - lance + - bugfix: + You will no longer attempt to use an explosive lance to craft an explosive + lance MrDoombringer: - - tweak: you can now rocket jump with rocketlaunchers! Just aim at the ground and - fire! + - tweak: + you can now rocket jump with rocketlaunchers! Just aim at the ground and + fire! ShizCalev: - - imageadd: Updated the robotics control console interface a bit. Borgs are now - grouped by their slaved AI. - - bugfix: Fixed the robotics control console showing the cultist conversion button - on borgs which are already converted. - - bugfix: Flying / floating humans will no longer get stuck laying down if they - have no legs. - - bugfix: Alien larva will no longer get stuck laying down after ventcrawling. - - bugfix: Turrets will now correctly target silicon mobs when check anomalies is - disabled. - - bugfix: Fixed prying open a door with a jaws of life not checking if you're still - holding them. - - bugfix: Fixed Xenos being able to force a door open even if they picked up another - object during the action. - - bugfix: Posibrains will no longer become unusable if a mob suicides in them. - - bugfix: Suiciding is now even MORE permanent... again. + - imageadd: + Updated the robotics control console interface a bit. Borgs are now + grouped by their slaved AI. + - bugfix: + Fixed the robotics control console showing the cultist conversion button + on borgs which are already converted. + - bugfix: + Flying / floating humans will no longer get stuck laying down if they + have no legs. + - bugfix: Alien larva will no longer get stuck laying down after ventcrawling. + - bugfix: + Turrets will now correctly target silicon mobs when check anomalies is + disabled. + - bugfix: + Fixed prying open a door with a jaws of life not checking if you're still + holding them. + - bugfix: + Fixed Xenos being able to force a door open even if they picked up another + object during the action. + - bugfix: Posibrains will no longer become unusable if a mob suicides in them. + - bugfix: Suiciding is now even MORE permanent... again. Skoglol: - - code_imp: New helper proc for alt-click turf listing, bypasses any interaction - overrides. - - code_imp: Ghosts and revenants now use the new proc. - - bugfix: Ghosts can no longer toggleopen sleepers, adjust skateboard speed or close - laptops - - bugfix: Revenant can now alt-click turf to list contents. - - tweak: Revenant now slightly less nosy, use shift click to examine. - - tweak: Alt-clicking the same turf again no longer closes the turf listing tab. + - code_imp: + New helper proc for alt-click turf listing, bypasses any interaction + overrides. + - code_imp: Ghosts and revenants now use the new proc. + - bugfix: + Ghosts can no longer toggleopen sleepers, adjust skateboard speed or close + laptops + - bugfix: Revenant can now alt-click turf to list contents. + - tweak: Revenant now slightly less nosy, use shift click to examine. + - tweak: Alt-clicking the same turf again no longer closes the turf listing tab. XDTM: - - rscadd: You can now pay for cargo orders from your account with the cargo requests - console. Credits will be detracted from the requester's account instead of the - cargo budget. A 10% handling fee on top of the order will be paid to the cargo - department budget. - - rscadd: Cargo employees must still accept the order for it to be delivered. - - rscadd: The delivery will arrive in a locked crate that can only be opened by - an id with the paying bank account. + - rscadd: + You can now pay for cargo orders from your account with the cargo requests + console. Credits will be detracted from the requester's account instead of the + cargo budget. A 10% handling fee on top of the order will be paid to the cargo + department budget. + - rscadd: Cargo employees must still accept the order for it to be delivered. + - rscadd: + The delivery will arrive in a locked crate that can only be opened by + an id with the paying bank account. bobbahbrown: - - rscadd: RCDs are now more environmentally friendly and can now recycle rods and - floor tiles without having to reduce them to sheets first. + - rscadd: + RCDs are now more environmentally friendly and can now recycle rods and + floor tiles without having to reduce them to sheets first. nicbn: - - tweak: On BoxStation, there's a vacant commissary where detective office used - to be. Detective office is now located where Law Office was, and Law Office - has been moved to the adjacent Vacant Office B. + - tweak: + On BoxStation, there's a vacant commissary where detective office used + to be. Detective office is now located where Law Office was, and Law Office + has been moved to the adjacent Vacant Office B. subject217: - - tweak: Disabler beams now deal 40 stamina damage, so they should be a bit more - consistent in knocking people down in 3 hits. + - tweak: + Disabler beams now deal 40 stamina damage, so they should be a bit more + consistent in knocking people down in 3 hits. 2018-11-10: Denton: - - spellcheck: Added separate MMI/cyborg shell messages for when players try to insert - damaged brains or MMIs that contain damaged brains. - - spellcheck: Added an MMI examine message that mentions their radio toggle. + - spellcheck: + Added separate MMI/cyborg shell messages for when players try to insert + damaged brains or MMIs that contain damaged brains. + - spellcheck: Added an MMI examine message that mentions their radio toggle. ShizCalev: - - bugfix: Sleeping mobs will no longer scream when their limbs become disabled. - - bugfix: Fixed players getting duplicate messages if their already disabled limbs - were attacked after they died / when no change happened. + - bugfix: Sleeping mobs will no longer scream when their limbs become disabled. + - bugfix: + Fixed players getting duplicate messages if their already disabled limbs + were attacked after they died / when no change happened. XDTM: - - bugfix: Cargo can now order cargo again + - bugfix: Cargo can now order cargo again 2018-11-11: Basilman: - - rscadd: Slimes can now pass through grilles + - rscadd: Slimes can now pass through grilles Crawl Gang: - - tweak: Plastic flaps that weren't protected by windoors now had them added to - prevent players from just crawling through them. + - tweak: + Plastic flaps that weren't protected by windoors now had them added to + prevent players from just crawling through them. Denton: - - bugfix: Silver slime extracts no longer spawn unintended items related to moths - eating clothes. + - bugfix: + Silver slime extracts no longer spawn unintended items related to moths + eating clothes. Garen: - - tweak: The shift E & B keybindings now take the item in the slot if it is not - a storage item. The hotkey help has been updated accordingly. - - bugfix: Fixed shift E & B not updating hands when it was used to put an item directly - into the slot(not into a storage item but the actual equip slot) + - tweak: + The shift E & B keybindings now take the item in the slot if it is not + a storage item. The hotkey help has been updated accordingly. + - bugfix: + Fixed shift E & B not updating hands when it was used to put an item directly + into the slot(not into a storage item but the actual equip slot) ShizCalev: - - bugfix: Gibs will now be passed the correct DNA. - - bugfix: Delta's cargo shuttle's conveyor belts will no longer move the wrong direction - if turned on while the shuttle is at CentCom. - - bugfix: Humans with no legs will no longer run around unimpeded. + - bugfix: Gibs will now be passed the correct DNA. + - bugfix: + Delta's cargo shuttle's conveyor belts will no longer move the wrong direction + if turned on while the shuttle is at CentCom. + - bugfix: Humans with no legs will no longer run around unimpeded. no homo: - - spellcheck: changed "gay" in cloning code to "expected amounts" + - spellcheck: changed "gay" in cloning code to "expected amounts" 2018-11-14: CRTXBacon & Nepeta33Leijon: - - rscadd: New clown mask skin that CRTXBacon totally wasn't forced to help with. + - rscadd: New clown mask skin that CRTXBacon totally wasn't forced to help with. Dennok: - - bugfix: Now areas_in_z get areas spawned by templates and blueprints. + - bugfix: Now areas_in_z get areas spawned by templates and blueprints. Denton: - - rscadd: Added three new .38 ammo types. TRAC bullets, which embed a tracking implant - inside the target's body. The implant only lasts for five minutes and doesn't - work as a teleport beacon. Hot Shot bullets set targets on fire; Iceblox bullets - drastically lower the target's body temperature. They are available after researching - the Subdermal Implants node (TRAC) or Exotic Ammunition node (Hot Shot/Iceblox). - - tweak: Renamed the Technological Shells research node to Exotic Ammunition. - - code_imp: The "lifespan_postmortem" var now determines how long tracking implants - work after death. - - rscadd: Added a negative deafness quirk worth two points. - - bugfix: Pubbystation's engineering conveyor belts no longer stop working when - the nearby maintenance APC runs out of power. - - bugfix: 'Pubbystation: The Gateway shutter control button now correctly checks - for Gateway access.' - - tweak: 'Deltastation: Added an additional single conveyor belt to the mailroom. - Cargo technicians now also have access to the ORM room.' - - tweak: 'Deltastation: Removed a duplicate airlock/firelock near the mining office.' - - tweak: Added some plating and caution decals to Pubbystation's mail room. - - tweak: 'Adjusted cargo access requirements across all maps: Cargo bay airlocks - no longer check for mailroom access, but instead cargo bay access.' - - tweak: Added cargo bay access requirements to mining shuttle blast doors. + - rscadd: + Added three new .38 ammo types. TRAC bullets, which embed a tracking implant + inside the target's body. The implant only lasts for five minutes and doesn't + work as a teleport beacon. Hot Shot bullets set targets on fire; Iceblox bullets + drastically lower the target's body temperature. They are available after researching + the Subdermal Implants node (TRAC) or Exotic Ammunition node (Hot Shot/Iceblox). + - tweak: Renamed the Technological Shells research node to Exotic Ammunition. + - code_imp: + The "lifespan_postmortem" var now determines how long tracking implants + work after death. + - rscadd: Added a negative deafness quirk worth two points. + - bugfix: + Pubbystation's engineering conveyor belts no longer stop working when + the nearby maintenance APC runs out of power. + - bugfix: + "Pubbystation: The Gateway shutter control button now correctly checks + for Gateway access." + - tweak: + "Deltastation: Added an additional single conveyor belt to the mailroom. + Cargo technicians now also have access to the ORM room." + - tweak: "Deltastation: Removed a duplicate airlock/firelock near the mining office." + - tweak: Added some plating and caution decals to Pubbystation's mail room. + - tweak: + "Adjusted cargo access requirements across all maps: Cargo bay airlocks + no longer check for mailroom access, but instead cargo bay access." + - tweak: Added cargo bay access requirements to mining shuttle blast doors. MMMiracles: - - rscadd: Blobs can now upgrade their strong blobs to reflect projectiles at the - cost of their normal health and extra brute resistance. + - rscadd: + Blobs can now upgrade their strong blobs to reflect projectiles at the + cost of their normal health and extra brute resistance. Mickyan: - - tweak: lowered the concentration of miasma required to display a warning message - - bugfix: Security webbing is now priced as intended + - tweak: lowered the concentration of miasma required to display a warning message + - bugfix: Security webbing is now priced as intended MrDoomBringer: - - bugfix: Events now announce follow-able atoms to ghosts much more reliably + - bugfix: Events now announce follow-able atoms to ghosts much more reliably ShizCalev: - - balance: Lethal turrets can now target blobs. - - bugfix: Fixed exosuit console showing some code by accident. - - bugfix: Restored the ability to send EMP pulses via the exosuit console - - bugfix: Fixed tracking beacons being added to mechas located at ruins allowing - you to metagame their spawning. - - bugfix: Fixed exosuit consoles presenting some values via scientific notation - (ie pressure being 3.258e-5) - - bugfix: The hotel ruin now has a maximum room number to select from. - - balance: Putting an item back into your inventory as a cyborg will now automatically - turn said item off (ie welders, lighters, ect.) - - bugfix: Cyborgs can now longer conceal unconcealable energy saws (ie ones that - are activated) inside themselves. They will now turn off automatically. - - admin: Fixed AI fingersprints not getting logged - - admin: Fixed some door interactions not being logged at all. - - admin: Turret control interactions are now in mob combat logs - - tweak: Paper airplanes can now have their hit probability adjusted by badmins. - - rscadd: Added syndicate paper airplanes. They are rather robust and are guaranteed - to hit someone in the eye. - - rscadd: Added The Art of Origami to the syndicate uplink. This allows you to fold - weapons grade paper airplanes. It will also allow you to catch paper airplanes - when you have the ability enabled. - - bugfix: You can no longer move / reconstruct a vending machine on lavaland to - access all it's contents for free. - - bugfix: Rebuilding a vending machine which originated from lavaland on station - will now carry over it's original pricing setup. - - bugfix: Pricing of premium vending machine items can now be altered. - - bugfix: Fixed inconsistency where illiterate and blind mobs were able to read - some books/manuals, but not others. - - bugfix: Fixed mobs being granted mime speak even if they failed to finish reading - the Guide to Advanced Mimery Volumes 1/2. - - bugfix: Badmins can no longer turn you into Neo without the Matrix knowing about - it as well. - - bugfix: Supermatter shards going critical and shitting out arcing beams of extremely - high voltage electricity that burn the hell out of you and everyone around you - (and can potentially stop your heart) will once again stun you. - - bugfix: Swinging the singularity hammer around as if you were a damn tornado will - now stun the people you hit once again. - - bugfix: Fixed building a new camera with EMP upgrades in it's assembly giving - it the X-Ray upgrade, and vice versa. - - bugfix: The AI Camera network firmware upgrade will no longer change the icon - of the upgraded cameras, with made it very obvious the AI was rogue when the - entire station suddenly had X-Ray cameras. - - bugfix: You will no longer be able to detect the usage of the AI Camera network - firmware upgrade by examining a camera to see if it has xray / emp upgrades. - - bugfix: You will no longer be able to detect the usage of the AI Camera network - firmware upgrade by trying to upgrade the camera (it's a software thing, not - a hardware thing.) - - bugfix: Cameras rebuilt after being upgraded by the AI Camera network firmware - upgrade will now retain their upgrades. - - rscadd: Cutting the shut up wire on a vending machine will now make the vending - machine shut up. - - bugfix: Combat knives can now get embedded in their victims again. - - bugfix: The Swedish language now works again. + - balance: Lethal turrets can now target blobs. + - bugfix: Fixed exosuit console showing some code by accident. + - bugfix: Restored the ability to send EMP pulses via the exosuit console + - bugfix: + Fixed tracking beacons being added to mechas located at ruins allowing + you to metagame their spawning. + - bugfix: + Fixed exosuit consoles presenting some values via scientific notation + (ie pressure being 3.258e-5) + - bugfix: The hotel ruin now has a maximum room number to select from. + - balance: + Putting an item back into your inventory as a cyborg will now automatically + turn said item off (ie welders, lighters, ect.) + - bugfix: + Cyborgs can now longer conceal unconcealable energy saws (ie ones that + are activated) inside themselves. They will now turn off automatically. + - admin: Fixed AI fingersprints not getting logged + - admin: Fixed some door interactions not being logged at all. + - admin: Turret control interactions are now in mob combat logs + - tweak: Paper airplanes can now have their hit probability adjusted by badmins. + - rscadd: + Added syndicate paper airplanes. They are rather robust and are guaranteed + to hit someone in the eye. + - rscadd: + Added The Art of Origami to the syndicate uplink. This allows you to fold + weapons grade paper airplanes. It will also allow you to catch paper airplanes + when you have the ability enabled. + - bugfix: + You can no longer move / reconstruct a vending machine on lavaland to + access all it's contents for free. + - bugfix: + Rebuilding a vending machine which originated from lavaland on station + will now carry over it's original pricing setup. + - bugfix: Pricing of premium vending machine items can now be altered. + - bugfix: + Fixed inconsistency where illiterate and blind mobs were able to read + some books/manuals, but not others. + - bugfix: + Fixed mobs being granted mime speak even if they failed to finish reading + the Guide to Advanced Mimery Volumes 1/2. + - bugfix: + Badmins can no longer turn you into Neo without the Matrix knowing about + it as well. + - bugfix: + Supermatter shards going critical and shitting out arcing beams of extremely + high voltage electricity that burn the hell out of you and everyone around you + (and can potentially stop your heart) will once again stun you. + - bugfix: + Swinging the singularity hammer around as if you were a damn tornado will + now stun the people you hit once again. + - bugfix: + Fixed building a new camera with EMP upgrades in it's assembly giving + it the X-Ray upgrade, and vice versa. + - bugfix: + The AI Camera network firmware upgrade will no longer change the icon + of the upgraded cameras, with made it very obvious the AI was rogue when the + entire station suddenly had X-Ray cameras. + - bugfix: + You will no longer be able to detect the usage of the AI Camera network + firmware upgrade by examining a camera to see if it has xray / emp upgrades. + - bugfix: + You will no longer be able to detect the usage of the AI Camera network + firmware upgrade by trying to upgrade the camera (it's a software thing, not + a hardware thing.) + - bugfix: + Cameras rebuilt after being upgraded by the AI Camera network firmware + upgrade will now retain their upgrades. + - rscadd: + Cutting the shut up wire on a vending machine will now make the vending + machine shut up. + - bugfix: Combat knives can now get embedded in their victims again. + - bugfix: The Swedish language now works again. Skoglol: - - bugfix: Sleepy-pens now cause reactions, just like syringes. + - bugfix: Sleepy-pens now cause reactions, just like syringes. Steelpoint: - - rscadd: Nanotrasen Security has unveiled a newly designed Security Webbing, a - minor upgrade over the standard issue security belt that is comfortable, tactical - and able to hold an extra security item. - - rscadd: However, the webbing is not considered standard issue, so any interested - officers will need to buy the item from a SecVendor out of their own pay. - - imageadd: New sprites for the Security, Medical and Diagnostic Night Vision Goggles. + - rscadd: + Nanotrasen Security has unveiled a newly designed Security Webbing, a + minor upgrade over the standard issue security belt that is comfortable, tactical + and able to hold an extra security item. + - rscadd: + However, the webbing is not considered standard issue, so any interested + officers will need to buy the item from a SecVendor out of their own pay. + - imageadd: New sprites for the Security, Medical and Diagnostic Night Vision Goggles. Trilbyspaceclone: - - tweak: cargo toy crate now has more toys + - tweak: cargo toy crate now has more toys Youbar: - - bugfix: clipboards now display held papers properly - - bugfix: mice can be butchered + - bugfix: clipboards now display held papers properly + - bugfix: mice can be butchered anconfuzedrock: - - tweak: nicotine now metabolizes far slower, but is actually dangerous at high - doses. Try actually smoking! - - tweak: cigarettes don't last as long, but more slowly inject reagents to hopefully - last its entire lifetime. if you need it to burn fast, try a pipe or vape. - - bugfix: overdosing on nicotine now causes oxygen and toxin damage, as the description - said it did. + - tweak: + nicotine now metabolizes far slower, but is actually dangerous at high + doses. Try actually smoking! + - tweak: + cigarettes don't last as long, but more slowly inject reagents to hopefully + last its entire lifetime. if you need it to burn fast, try a pipe or vape. + - bugfix: + overdosing on nicotine now causes oxygen and toxin damage, as the description + said it did. memager/actioninja: - - imageadd: New sprite for the Energy Gun + - imageadd: New sprite for the Energy Gun subject217: - - balance: The Summon Guns and Summon Magic rituals will now only turn 10% of the - crew each into antagonists, down from 25%. + - balance: + The Summon Guns and Summon Magic rituals will now only turn 10% of the + crew each into antagonists, down from 25%. 2018-11-15: 4dplanner: - - bugfix: now checks throwforce of objects, so you can't push tendrils around + - bugfix: now checks throwforce of objects, so you can't push tendrils around Mickyan: - - bugfix: Fixed being unable to smother people using the damp rag + - bugfix: Fixed being unable to smother people using the damp rag MrDoomBringer: - - bugfix: Ghost Announcements work a little bit better now. Space dust won't be - announced, and general wording has been improved. + - bugfix: + Ghost Announcements work a little bit better now. Space dust won't be + announced, and general wording has been improved. Tlaltecuhtli and Subject217: - - rscadd: You can now make Diagnostic HUD sunglasses. - - bugfix: Fixed the MedHUD sunglasses having the wrong color when worn. + - rscadd: You can now make Diagnostic HUD sunglasses. + - bugfix: Fixed the MedHUD sunglasses having the wrong color when worn. XDTM: - - tweak: The Paralysis trauma now randomly chooses a selection of limbs to paralyze - instead of always being complete paralysis. It can be a single limb, both arms, - both legs, either side of your body or the classic full paralysis. + - tweak: + The Paralysis trauma now randomly chooses a selection of limbs to paralyze + instead of always being complete paralysis. It can be a single limb, both arms, + both legs, either side of your body or the classic full paralysis. 2018-11-18: Denton: - - bugfix: Multitools can now be properly examined again. - - balance: You can no longer reveal the 'illegal tech' research node by deconstructing - .357 speedloaders, riot dart boxes, syndicate cigarettes or syndicate balloons. - - tweak: Holodeck computers now announce warning messages via speech. - - bugfix: The Snowdin waste loop air injector is now on the correct piping layer. - - tweak: Tweaked the Snowdin VR atmos area so it looks properly broken. - - bugfix: Space pirates can now afford their own vending machine again. - - bugfix: Removed unconnected vents/scrubbers from the derelict space ruin. - - bugfix: The Boxstation bomb test site telescreen now faces the correct way. - - spellcheck: Improved Uplink item descriptions and formatting. + - bugfix: Multitools can now be properly examined again. + - balance: + You can no longer reveal the 'illegal tech' research node by deconstructing + .357 speedloaders, riot dart boxes, syndicate cigarettes or syndicate balloons. + - tweak: Holodeck computers now announce warning messages via speech. + - bugfix: The Snowdin waste loop air injector is now on the correct piping layer. + - tweak: Tweaked the Snowdin VR atmos area so it looks properly broken. + - bugfix: Space pirates can now afford their own vending machine again. + - bugfix: Removed unconnected vents/scrubbers from the derelict space ruin. + - bugfix: The Boxstation bomb test site telescreen now faces the correct way. + - spellcheck: Improved Uplink item descriptions and formatting. JoeyJo0: - - bugfix: Changed BoxStation Engineering door to Engineering Foyer door, to reflect - the other stations. + - bugfix: + Changed BoxStation Engineering door to Engineering Foyer door, to reflect + the other stations. MrDoomBringer: - - bugfix: Explosive lances now explode again + - bugfix: Explosive lances now explode again ShizCalev: - - bugfix: Corrected some doors still being called Circuitry Lab. - - bugfix: Replaced the circuitry lab telescreen in the sci security checkpoint in - science with a standard science telescreen. - - bugfix: Corrected the Nanite lab's camera tags on Box. - - bugfix: Changelings with a team objective will no longer get an objective to absorb - their teammates. - - bugfix: Solo changelings will no longer get an objective to absorb themselves. - - bugfix: Fixed latejoin/admin created changelings being given an objective to absorb - the only other changeling if that ling was already absorbed and the ling that - absorbed them was gibbed, leaving the objective in an uncompletable state. - - bugfix: Droppers will now work if the target's wearing eyeglasses which don't - cover the mob's eyes. - - bugfix: Fixed eye protection checks checking if your mask covers your mouth instead - of your eyes. - - balance: Cloaks now obscure suit storage items. - - bugfix: Fixed toxins mixing chamber not having an APC every map but Box - - bugfix: Fixed Box's vacant commissary's APC not being wired. - - bugfix: Fixed a couple areas that didn't have APC's on Meta, Delta, and Pubby. - - bugfix: Split up a couple noncontiguous maintenance areas on Meta and Delta. - - bugfix: Corrected some department maintenance access doors having the incorrect - area on Meta and Delta. - - bugfix: Cleaned up some stacked pipes on Delta's white ship. - - bugfix: Added some missing cameras on Pubby - - bugfix: Fixed cameras in medbay on Pubby not having the medbay network assigned. - - bugfix: Fixed the bomb testing area on Meta and Delta being set to the mixing - lab area instead. + - bugfix: Corrected some doors still being called Circuitry Lab. + - bugfix: + Replaced the circuitry lab telescreen in the sci security checkpoint in + science with a standard science telescreen. + - bugfix: Corrected the Nanite lab's camera tags on Box. + - bugfix: + Changelings with a team objective will no longer get an objective to absorb + their teammates. + - bugfix: Solo changelings will no longer get an objective to absorb themselves. + - bugfix: + Fixed latejoin/admin created changelings being given an objective to absorb + the only other changeling if that ling was already absorbed and the ling that + absorbed them was gibbed, leaving the objective in an uncompletable state. + - bugfix: + Droppers will now work if the target's wearing eyeglasses which don't + cover the mob's eyes. + - bugfix: + Fixed eye protection checks checking if your mask covers your mouth instead + of your eyes. + - balance: Cloaks now obscure suit storage items. + - bugfix: Fixed toxins mixing chamber not having an APC every map but Box + - bugfix: Fixed Box's vacant commissary's APC not being wired. + - bugfix: Fixed a couple areas that didn't have APC's on Meta, Delta, and Pubby. + - bugfix: Split up a couple noncontiguous maintenance areas on Meta and Delta. + - bugfix: + Corrected some department maintenance access doors having the incorrect + area on Meta and Delta. + - bugfix: Cleaned up some stacked pipes on Delta's white ship. + - bugfix: Added some missing cameras on Pubby + - bugfix: Fixed cameras in medbay on Pubby not having the medbay network assigned. + - bugfix: + Fixed the bomb testing area on Meta and Delta being set to the mixing + lab area instead. Steelpoint: - - tweak: The Tactical Medkit that Nuke Ops can purchase now has extra medical supplies. + - tweak: The Tactical Medkit that Nuke Ops can purchase now has extra medical supplies. Swindly: - - rscadd: Added concealed weapon bays. They allow a non-combat mecha to equip a - mecha weapon. They can be purchased by traitor roboticists and research directors - from the traitor uplink. - - bugfix: Fixed glowsticks not running out of fuel or turning off when they have - no fuel + - rscadd: + Added concealed weapon bays. They allow a non-combat mecha to equip a + mecha weapon. They can be purchased by traitor roboticists and research directors + from the traitor uplink. + - bugfix: + Fixed glowsticks not running out of fuel or turning off when they have + no fuel XDTM: - - balance: Mannitol no longer cures mild traumas. - - balance: Added a new reagent, Neurine, made with Mannitol, Acetone and Oxygen. - Neurine can cure mild traumas in the same way Mannitol did, but does not heal - brain damage. + - balance: Mannitol no longer cures mild traumas. + - balance: + Added a new reagent, Neurine, made with Mannitol, Acetone and Oxygen. + Neurine can cure mild traumas in the same way Mannitol did, but does not heal + brain damage. YPOQ: - - bugfix: Simple mobs will no longer be stuck resting after being killed and then - revived + - bugfix: + Simple mobs will no longer be stuck resting after being killed and then + revived morrowwolf: - - tweak: Changes how fire spread works between mobs + - tweak: Changes how fire spread works between mobs ninjanomnom: - - rscadd: Spaghetti fits in your pocket but it falls out if you get knocked down + - rscadd: Spaghetti fits in your pocket but it falls out if you get knocked down subject217: - - balance: You can no longer choose the zombie race in the Wizard's Magic Mirror. - This is the future you chose. - - tweak: Blood crawl will hurt your ears less now. - - tweak: Gorillas and migos will hurt your ears less now. + - balance: + You can no longer choose the zombie race in the Wizard's Magic Mirror. + This is the future you chose. + - tweak: Blood crawl will hurt your ears less now. + - tweak: Gorillas and migos will hurt your ears less now. variableundefined: - - rscadd: Cancel button to assault pod destination selector. - - bugfix: You can zoom your zoomable guns again. + - rscadd: Cancel button to assault pod destination selector. + - bugfix: You can zoom your zoomable guns again. 2018-11-21: 4dplanner: - - bugfix: throws no longer default to INFINITE FORCE + - bugfix: throws no longer default to INFINITE FORCE Adds an AI Core Sprite: - - imageadd: Added an AI Core Sprite + - imageadd: Added an AI Core Sprite CRTXBacon: - - refactor: Added the Race-Restricted category to syndicate uplinks, which can be - used for species restricted traitor items. - - rscadd: Adds an extra-bright syndicate brand lamp as an uplink item exclusive - to mothpeople. - - bugfix: Fixes an error caused by the species restricted category in uplinks + - refactor: + Added the Race-Restricted category to syndicate uplinks, which can be + used for species restricted traitor items. + - rscadd: + Adds an extra-bright syndicate brand lamp as an uplink item exclusive + to mothpeople. + - bugfix: Fixes an error caused by the species restricted category in uplinks Denton: - - balance: 'Malfunctioning or emagged borgs now only give away their antag status - if their interface is locked/unlocked successfully. The new message is: "The - cover interface glitches out for a split second."' + - balance: + 'Malfunctioning or emagged borgs now only give away their antag status + if their interface is locked/unlocked successfully. The new message is: "The + cover interface glitches out for a split second."' Mickyan: - - tweak: The voracious quirk now allows you to eat junk food without limits and - overeating will no longer make you sad! Isn't that convenient? + - tweak: + The voracious quirk now allows you to eat junk food without limits and + overeating will no longer make you sad! Isn't that convenient? ShizCalev: - - tweak: Updated the corgi & parrot inventory panels to use the same formatting - as other mobs - - bugfix: Fixed corgi inventory panels not closing properly. - - bugfix: Fixed the parrot inventory panel not closing properly if you're not able - to interact with it. + - tweak: + Updated the corgi & parrot inventory panels to use the same formatting + as other mobs + - bugfix: Fixed corgi inventory panels not closing properly. + - bugfix: + Fixed the parrot inventory panel not closing properly if you're not able + to interact with it. Zxaber: - - rscadd: The teleporter computers's selection window now shows the name of renamed - beacons, as well as their location - - tweak: For consistency's sake, tracking implants now show the carrier's location - as well as name. + - rscadd: + The teleporter computers's selection window now shows the name of renamed + beacons, as well as their location + - tweak: + For consistency's sake, tracking implants now show the carrier's location + as well as name. actioninja: - - rscadd: Guns now have their shot volume and variation of shot pitch controlled - by variables instead of hardcode - - tweak: Racking a shotgun is no longer louder than the actual shot - - soundadd: Shotguns now have a unique sound effect. Blat blat. + - rscadd: + Guns now have their shot volume and variation of shot pitch controlled + by variables instead of hardcode + - tweak: Racking a shotgun is no longer louder than the actual shot + - soundadd: Shotguns now have a unique sound effect. Blat blat. subject217: - - code_imp: Damage deflection is handled at the machine level instead of the door - level now, so it can be applied to any machine. - - balance: The stacking machine now has damage deflection, so it can't be destroyed - by things like pickaxes. + - code_imp: + Damage deflection is handled at the machine level instead of the door + level now, so it can be applied to any machine. + - balance: + The stacking machine now has damage deflection, so it can't be destroyed + by things like pickaxes. tralezab: - - admin: select equipment no longer pesters you with alerts if it doesn't have to! + - admin: select equipment no longer pesters you with alerts if it doesn't have to! 2018-11-22: Denton: - - tweak: Clowns that are consumed by singularities now either add or remove a much - larger amount of energy. + - tweak: + Clowns that are consumed by singularities now either add or remove a much + larger amount of energy. Nervere and subject217: - - balance: The cook's CQC now only works when in the kitchen or the kitchen backroom. + - balance: The cook's CQC now only works when in the kitchen or the kitchen backroom. Thunder12345: - - bugfix: Boxstation's detective no longer starts the round undercover in a random - job's spawn point + - bugfix: + Boxstation's detective no longer starts the round undercover in a random + job's spawn point 2018-11-23: Barhandar: - - bugfix: Magboots will yet again prevent singularity from pulling you in. - - tweak: Magboots will now also prevent being pulled in by gravitational anomaly. - - tweak: Magboots will also prevent effects of supermatter pull, gravitational catapult - and RnD gravity gun. - - balance: Being prone will now prevent knockdown-stun of supermatter pull, removing - accumulating chainstunning that rendered CO2 delams impossible to escape by - humans. You still can get chainstunned, but now you have a few moments between - stuns to try and get out. - - tweak: Said supermatter pull stun now has player feedback. - - bugfix: Ghosts (and all other things that have no business being pulled) no longer - get pulled by supermatter pull. - - bugfix: RnD gravity gun and gravity catapult had their proton packs removed too - and should no longer throw ghosts around. + - bugfix: Magboots will yet again prevent singularity from pulling you in. + - tweak: Magboots will now also prevent being pulled in by gravitational anomaly. + - tweak: + Magboots will also prevent effects of supermatter pull, gravitational catapult + and RnD gravity gun. + - balance: + Being prone will now prevent knockdown-stun of supermatter pull, removing + accumulating chainstunning that rendered CO2 delams impossible to escape by + humans. You still can get chainstunned, but now you have a few moments between + stuns to try and get out. + - tweak: Said supermatter pull stun now has player feedback. + - bugfix: + Ghosts (and all other things that have no business being pulled) no longer + get pulled by supermatter pull. + - bugfix: + RnD gravity gun and gravity catapult had their proton packs removed too + and should no longer throw ghosts around. 2018-11-24: Denton: - - rscadd: Added more cargo bounties! Three for Lavaland mushrooms, one for serious - Corgi farming, one for dead mice and another for oats. + - rscadd: + Added more cargo bounties! Three for Lavaland mushrooms, one for serious + Corgi farming, one for dead mice and another for oats. coiax: - - rscadd: Pets will be selected first to gain self awareness before other simple - mobs during a sentience event. + - rscadd: + Pets will be selected first to gain self awareness before other simple + mobs during a sentience event. 2018-11-27: Denton: - - bugfix: Atmos gas tank computers can now be properly rebuilt with their own circuit - boards. + - bugfix: + Atmos gas tank computers can now be properly rebuilt with their own circuit + boards. MMMiracles: - - tweak: Wizard shapeshift now converts damage taken while transformed + - tweak: Wizard shapeshift now converts damage taken while transformed Mark9013100: - - rscadd: French beret added to standard costume crate(clown and mime outfits). + - rscadd: French beret added to standard costume crate(clown and mime outfits). Mickyan: - - bugfix: Certain incompatible quirks can no longer be taken together + - bugfix: Certain incompatible quirks can no longer be taken together Nichlas0010: - - bugfix: You are now also blocked from teleporting IN to no-teleport areas, not - just out of them. + - bugfix: + You are now also blocked from teleporting IN to no-teleport areas, not + just out of them. Skoglol: - - bugfix: Smuggler satchels should now properly be removed from the pool upon spawn. - - bugfix: Marker beacons are now disintegrated by nightmares light eater + - bugfix: Smuggler satchels should now properly be removed from the pool upon spawn. + - bugfix: Marker beacons are now disintegrated by nightmares light eater imsxz: - - balance: AI can now only interact with things on its z level + - balance: AI can now only interact with things on its z level xmikey555: - - rscadd: Added pirate language, equip a pirate hat to speak it. + - rscadd: Added pirate language, equip a pirate hat to speak it. 2018-11-29: 4dplanner: - - bugfix: You can no longer walk through ash walker tendrils + - bugfix: You can no longer walk through ash walker tendrils Denton: - - balance: Double capacity emergency tanks are no longer available on stations, - regular shuttles and free escape shuttles. They have been replaced with standard - emergency oxygen tanks. - - balance: The Curator's NASA set contains a full-sized oxygen tank instead of a - compact double emergency oxygen tank. - - balance: Death Squads now start with double capacity oxygen tanks instead of regular - oxygen tanks. - - tweak: AIs that get upgraded with a combat software upgrade now see a reminder - that this doesn't change their laws or antagonist status. - - admin: Added logging and an admin follow message to AI combat/surveillance software - upgrades. - - spellcheck: Added an examine message to clone pods which shows that you can link - them via multitool. + - balance: + Double capacity emergency tanks are no longer available on stations, + regular shuttles and free escape shuttles. They have been replaced with standard + emergency oxygen tanks. + - balance: + The Curator's NASA set contains a full-sized oxygen tank instead of a + compact double emergency oxygen tank. + - balance: + Death Squads now start with double capacity oxygen tanks instead of regular + oxygen tanks. + - tweak: + AIs that get upgraded with a combat software upgrade now see a reminder + that this doesn't change their laws or antagonist status. + - admin: + Added logging and an admin follow message to AI combat/surveillance software + upgrades. + - spellcheck: + Added an examine message to clone pods which shows that you can link + them via multitool. Floyd / Qustinnus: - - rscadd: New medals for being the best clown car driver - - rscadd: You can now thank the clown car driver - - code_imp: changes usr to user somewhere because seeing usr triggers my bones + - rscadd: New medals for being the best clown car driver + - rscadd: You can now thank the clown car driver + - code_imp: changes usr to user somewhere because seeing usr triggers my bones Mickyan: - - spellcheck: the quirk menu went through some minor formatting changes + - spellcheck: the quirk menu went through some minor formatting changes MrDroppodBringer: - - spellcheck: Fixed a typo in the origami manual's description + - spellcheck: Fixed a typo in the origami manual's description Qustinnus / Floyd / Ethereal sprites by Space, is that it? / Alerts and food sprites by MrDroppodBringer: - - rscadd: Adds Ethereal; a race which lives off of electricity and shines bright. - If they are healthy they shine a bright green light, and the more damaged they - are, the less they shine and the greyer they become. Their punches do burn damage - and they are weak to blunt attacks! They dont need to eat normal food and dont - have nutrition, Instead they gain charge by going into borg rechargers, eating - ethereal food or doign specific interactions. - - refactor: all nutrition changes now go through a proc so we can override behavior + - rscadd: + Adds Ethereal; a race which lives off of electricity and shines bright. + If they are healthy they shine a bright green light, and the more damaged they + are, the less they shine and the greyer they become. Their punches do burn damage + and they are weak to blunt attacks! They dont need to eat normal food and dont + have nutrition, Instead they gain charge by going into borg rechargers, eating + ethereal food or doign specific interactions. + - refactor: all nutrition changes now go through a proc so we can override behavior Skoglol: - - bugfix: Reduced ventcrawl lag greatly. - - tweak: The space pirates will no longer ask for pocket change. - - spellcheck: Changed techfab text Mining Rewards Vender to Vendor. + - bugfix: Reduced ventcrawl lag greatly. + - tweak: The space pirates will no longer ask for pocket change. + - spellcheck: Changed techfab text Mining Rewards Vender to Vendor. Swindly: - - bugfix: Fixed being unable to interact with broken microwaves + - bugfix: Fixed being unable to interact with broken microwaves TheDracheX: - - bugfix: Fixes grenades not changing their detonation timer when attacked by a - screwdriver. + - bugfix: + Fixes grenades not changing their detonation timer when attacked by a + screwdriver. XDTM: - - rscadd: Spraying holy water on tiles will now prevent cult-based teleportation - from using them as a destination point. - - tweak: Quantum, wormhole and magic teleportation is no longer disrupted by bags - of holding. + - rscadd: + Spraying holy water on tiles will now prevent cult-based teleportation + from using them as a destination point. + - tweak: + Quantum, wormhole and magic teleportation is no longer disrupted by bags + of holding. YPOQ: - - bugfix: Fixed an issue that could cause a tesla ball submitted for the tesla ball - bounty to not be deleted + - bugfix: + Fixed an issue that could cause a tesla ball submitted for the tesla ball + bounty to not be deleted YoYoBatty: - - code_imp: turn_off proc for jetpack wasn't having user being sent in argument. + - code_imp: turn_off proc for jetpack wasn't having user being sent in argument. coiax: - - rscadd: Sometimes a low level cloning pod will make errors in replicating your - brain, leaving you with a mild brain trauma. + - rscadd: + Sometimes a low level cloning pod will make errors in replicating your + brain, leaving you with a mild brain trauma. 2018-12-01: 4dplanner: - - bugfix: spawners check allegiance + - bugfix: spawners check allegiance Lavalandby: - - bugfix: Watcher's Wing no longer Perma-Disarms certain mobs + - bugfix: Watcher's Wing no longer Perma-Disarms certain mobs Skoglol: - - rscadd: You can now alt click storage (bags, boxes, etc) to open it. - - rscadd: Kitchen whetstones now have a sound when used. + - rscadd: You can now alt click storage (bags, boxes, etc) to open it. + - rscadd: Kitchen whetstones now have a sound when used. YPOQ: - - bugfix: Kudzu planting and spacevine random event work again + - bugfix: Kudzu planting and spacevine random event work again Zxaber: - - bugfix: It is no longer possible to purge a malfunctioning AI's Law zero if the - AI is currently using a shell. + - bugfix: + It is no longer possible to purge a malfunctioning AI's Law zero if the + AI is currently using a shell. coiax: - - bugfix: You can no longer turn blindfolds into regular sunglasses. + - bugfix: You can no longer turn blindfolds into regular sunglasses. nicbn: - - rscadd: All-In-One Blender UI uses a radial menu now. You can see the contents - and reagents by examining. - - bugfix: Layered pipes no longer stick out of their tile, also vents and other - machines will always be in the middle of the tile. - - imageadd: Layer manifold now loos like an adaptor. + - rscadd: + All-In-One Blender UI uses a radial menu now. You can see the contents + and reagents by examining. + - bugfix: + Layered pipes no longer stick out of their tile, also vents and other + machines will always be in the middle of the tile. + - imageadd: Layer manifold now loos like an adaptor. nichlas0010: - - bugfix: wizards can teleport out of their den again + - bugfix: wizards can teleport out of their den again 2018-12-02: Dennok: - - bugfix: Fix sensor set by reconnect button in atmos tank console. - - rscadd: Add rate button to atmos tank console to set injection rate. + - bugfix: Fix sensor set by reconnect button in atmos tank console. + - rscadd: Add rate button to atmos tank console to set injection rate. MMMiracles: - - rscadd: Signalers can now be attached to active paystands to send a signal when - a certain amount of money is deposited. - - rscadd: Swiping your card on a paystand you own will let you lock it down, preventing - it from being unbolted from the ground. - - tweak: Paystands now ask for how much you want to deposit when interacting instead - of a static price. + - rscadd: + Signalers can now be attached to active paystands to send a signal when + a certain amount of money is deposited. + - rscadd: + Swiping your card on a paystand you own will let you lock it down, preventing + it from being unbolted from the ground. + - tweak: + Paystands now ask for how much you want to deposit when interacting instead + of a static price. ShizCalev: - - bugfix: Fixed chem OD's causing damage to robotic limbs. - - bugfix: Fixed wood golems repairing robotic limbs every tick of life() - - bugfix: Fixed vampires repairing robotic limbs every tick of life()... - - bugfix: Fixed shadowpeople healing robotic limbs every tick of life() - - bugfix: Fixed poppeople healing robotic limbs every tick of life() - - bugfix: Fixed adjustBruteLoss and adjustFireLoss not properly discriminating for - limb status types. - - tweak: Fixed bibles healing robotic limbs, because your false deity can't fix - SCIENCE. - - bugfix: Fixed the Starlight Condensation, Nocturnal Regeneration, Tissue Hydration, - Regenerative Coma, and Radioactive Resonance virus symptoms repairing robotic - limbs. + - bugfix: Fixed chem OD's causing damage to robotic limbs. + - bugfix: Fixed wood golems repairing robotic limbs every tick of life() + - bugfix: Fixed vampires repairing robotic limbs every tick of life()... + - bugfix: Fixed shadowpeople healing robotic limbs every tick of life() + - bugfix: Fixed poppeople healing robotic limbs every tick of life() + - bugfix: + Fixed adjustBruteLoss and adjustFireLoss not properly discriminating for + limb status types. + - tweak: + Fixed bibles healing robotic limbs, because your false deity can't fix + SCIENCE. + - bugfix: + Fixed the Starlight Condensation, Nocturnal Regeneration, Tissue Hydration, + Regenerative Coma, and Radioactive Resonance virus symptoms repairing robotic + limbs. Skoglol: - - code_imp: Added missing typepaths for syndicate implanters. - - tweak: Stealth implant now comes in a box. - - spellcheck: Changed the names of some syndicate boxes. - - rscadd: Added click shortcuts to xenobiology console. You no longer have to aim - with the camera eye to do slime science. - - balance: Reduced the beam rifle shots per charge from 10 to 5. - - bugfix: Beam rifle no longer looks empty before it is empty. + - code_imp: Added missing typepaths for syndicate implanters. + - tweak: Stealth implant now comes in a box. + - spellcheck: Changed the names of some syndicate boxes. + - rscadd: + Added click shortcuts to xenobiology console. You no longer have to aim + with the camera eye to do slime science. + - balance: Reduced the beam rifle shots per charge from 10 to 5. + - bugfix: Beam rifle no longer looks empty before it is empty. Steelpoint: - - rscadd: Beanbag slug shells can now be produced at the security protolathe. - - tweak: Beanbag slug shells now have the same metal cost as other comparable shotgun - shells. + - rscadd: Beanbag slug shells can now be produced at the security protolathe. + - tweak: + Beanbag slug shells now have the same metal cost as other comparable shotgun + shells. XDTM: - - rscadd: Added the desynchronizer device, buildable in science protolathes. - - rscadd: The desynchronizer can desync the user from spacetime, effectively making - them incorporeal (but immobile) while it lasts. The effect can be ended early, - and has a maximum duration of five minutes. - - rscadd: Requires the Unregulated Bluespace techweb node. - - rscadd: The wizard federation announces that the Curse of Madness is out of beta - and is now available for purchase for 4 points. It causes long-lasting brain - traumas to all inhabitants of a target space station. - - rscadd: The wizard federation declines responsibility for any self-harm caused - by curses cast while inside the targeted station. - - rscadd: Due to the extensive testing of the Curse of Madness some unique new trauma - types have appeared across Nanotrasen-controlled space. - - rscadd: Added the Hypnotic Flash to the uplink for 7 TC. - - rscadd: The Hypnotic Flash temporarily confuses and pacifies those it's used on. - - rscadd: If the victim is in a mentally vulnerable state (hallucinating, insane, - reduced mental activity) they will instead fall into a trance, and will be hypnotized - by the next words they hear. + - rscadd: Added the desynchronizer device, buildable in science protolathes. + - rscadd: + The desynchronizer can desync the user from spacetime, effectively making + them incorporeal (but immobile) while it lasts. The effect can be ended early, + and has a maximum duration of five minutes. + - rscadd: Requires the Unregulated Bluespace techweb node. + - rscadd: + The wizard federation announces that the Curse of Madness is out of beta + and is now available for purchase for 4 points. It causes long-lasting brain + traumas to all inhabitants of a target space station. + - rscadd: + The wizard federation declines responsibility for any self-harm caused + by curses cast while inside the targeted station. + - rscadd: + Due to the extensive testing of the Curse of Madness some unique new trauma + types have appeared across Nanotrasen-controlled space. + - rscadd: Added the Hypnotic Flash to the uplink for 7 TC. + - rscadd: The Hypnotic Flash temporarily confuses and pacifies those it's used on. + - rscadd: + If the victim is in a mentally vulnerable state (hallucinating, insane, + reduced mental activity) they will instead fall into a trance, and will be hypnotized + by the next words they hear. actioninja: - - tweak: Suppressed and dry fire sounds are now stored as a variable, and can be - edited on a per gun basis. - - sounddel: The standard gun dry fire sound was collapsed to one sound instead of - 4. They were all just pitch variations anyways, which is now covered by built - in sound pitch variation. - - soundadd: Revolvers now have a unique gunshot sound that is slightly different - for 357 and 38. - - soundadd: Revolvers now have a unique dry fire sound. - - soundadd: Revolvers now make a unique noise when emptying them besides just the - sound of shells falling out. - - soundadd: Spinning a revolver such as the Russian Revolver now makes a sound. - - spellcheck: Syndicate sniper kit now includes a suppressor instead of a "supressor." + - tweak: + Suppressed and dry fire sounds are now stored as a variable, and can be + edited on a per gun basis. + - sounddel: + The standard gun dry fire sound was collapsed to one sound instead of + 4. They were all just pitch variations anyways, which is now covered by built + in sound pitch variation. + - soundadd: + Revolvers now have a unique gunshot sound that is slightly different + for 357 and 38. + - soundadd: Revolvers now have a unique dry fire sound. + - soundadd: + Revolvers now make a unique noise when emptying them besides just the + sound of shells falling out. + - soundadd: Spinning a revolver such as the Russian Revolver now makes a sound. + - spellcheck: Syndicate sniper kit now includes a suppressor instead of a "supressor." anconfuzedrock: - - tweak: Nanotrasen has saved materials on emergency oxygen tanks by decreasing - the size of the tanks while increasing the pressure- they still hold the same - amount of oxygen, but it'll be hard to fit more in. + - tweak: + Nanotrasen has saved materials on emergency oxygen tanks by decreasing + the size of the tanks while increasing the pressure- they still hold the same + amount of oxygen, but it'll be hard to fit more in. coiax: - - rscadd: On Boxstation, Cargo can optionally open up their autolathe to the public, - via shutters. Some consoles and machinery has moved to accomplish this feat. - - rscadd: A wizard's scrying orb now grants both xray vision, and the ability to - hear the dead to whoever possesses it. - - balance: However, as soon as the orb is no longer in your possession, these abilities - fade. - - rscadd: Broken lights that are still powered will occasionally spark. - - rscadd: Adds the Spontaneous Brain Trauma to the event pool. Sometimes your brain - just goes a little wrong. - - tweak: Alien infestations are not limited to once per round only, but will never - happen while existing aliens are alive. + - rscadd: + On Boxstation, Cargo can optionally open up their autolathe to the public, + via shutters. Some consoles and machinery has moved to accomplish this feat. + - rscadd: + A wizard's scrying orb now grants both xray vision, and the ability to + hear the dead to whoever possesses it. + - balance: + However, as soon as the orb is no longer in your possession, these abilities + fade. + - rscadd: Broken lights that are still powered will occasionally spark. + - rscadd: + Adds the Spontaneous Brain Trauma to the event pool. Sometimes your brain + just goes a little wrong. + - tweak: + Alien infestations are not limited to once per round only, but will never + happen while existing aliens are alive. tralezab: - - tweak: spellbooks now count towards the survivalist objective if they were not - used. + - tweak: + spellbooks now count towards the survivalist objective if they were not + used. 2018-12-03: 4dplanner: - - rscdel: You can no longer pre-scan in the cloner + - rscdel: You can no longer pre-scan in the cloner Skoglol: - - bugfix: Monkey recyclers now connected to the xenobiology consoles. Upgrading - it now increases yield from monkeys gathered through the camera. - - balance: Adjusted monkey recycler numbers. Down from 4 cubes to 0.8 cubes per - monkey at t4 parts. + - bugfix: + Monkey recyclers now connected to the xenobiology consoles. Upgrading + it now increases yield from monkeys gathered through the camera. + - balance: + Adjusted monkey recycler numbers. Down from 4 cubes to 0.8 cubes per + monkey at t4 parts. 2018-12-04: Denton: - - bugfix: Fixed sparks and igniters not properly igniting plasma. + - bugfix: Fixed sparks and igniters not properly igniting plasma. Steelpoint: - - rscadd: MK II SWAT Suit has been officially added to the game, the base model - the Captains SWAT Suit is based off of. Currently it does not spawn in the game - anywhere and is admin only. + - rscadd: + MK II SWAT Suit has been officially added to the game, the base model + the Captains SWAT Suit is based off of. Currently it does not spawn in the game + anywhere and is admin only. 2018-12-05: Jordie0608: - - admin: 'Ban interface rework. The banning and unbanning panels have received a - new design which is easier to use and allows multiple role bans to be made at - once. prefix: Ban search and unbanning moved to unbanning panel, which is now - a separate panel to the old banning panel.' + - admin: + "Ban interface rework. The banning and unbanning panels have received a + new design which is easier to use and allows multiple role bans to be made at + once. prefix: Ban search and unbanning moved to unbanning panel, which is now + a separate panel to the old banning panel." Tlaltecuhtli: - - balance: dragnet no longer stuns on hit - - balance: dragnet traps are removed 10x faster than previously. + - balance: dragnet no longer stuns on hit + - balance: dragnet traps are removed 10x faster than previously. coiax: - - rscadd: Nuclear operatives have a Christmas tree during the festive season. + - rscadd: Nuclear operatives have a Christmas tree during the festive season. 2018-12-07: Blobby and Crossbowby: - - bugfix: KAs no longer have increased reload time because of crossbows - - bugfix: The aiming beam will no longer spam chat when aimed at a reflector blob + - bugfix: KAs no longer have increased reload time because of crossbows + - bugfix: The aiming beam will no longer spam chat when aimed at a reflector blob Skoglol: - - bugfix: Progress bar should no longer appear below the hud. - - tweak: Bio bags can now hold droppers. - - tweak: Chemistry bags can now hold droppers, syringes and medical sprays. + - bugfix: Progress bar should no longer appear below the hud. + - tweak: Bio bags can now hold droppers. + - tweak: Chemistry bags can now hold droppers, syringes and medical sprays. Steelpoint: - - rscadd: A new advanced first aid kit is now purchasable from any approved medical - vendor. The kit contains an array of advanced healing items for more complex - wounds and injuries. + - rscadd: + A new advanced first aid kit is now purchasable from any approved medical + vendor. The kit contains an array of advanced healing items for more complex + wounds and injuries. coiax: - - rscadd: Adds the Physically Obstructive negative quirk. A person with this quirk - can't swap places with other people when moving, akin to someone always being - in non-help intent. - - rscadd: Cryo tubes will only ever send one message, even if they are auto ejecting. + - rscadd: + Adds the Physically Obstructive negative quirk. A person with this quirk + can't swap places with other people when moving, akin to someone always being + in non-help intent. + - rscadd: Cryo tubes will only ever send one message, even if they are auto ejecting. subject217: - - bugfix: Plasma cutters will no longer accept infinite plasma, and will stop you - when they are full. + - bugfix: + Plasma cutters will no longer accept infinite plasma, and will stop you + when they are full. 2018-12-08: Steelpoint: - - rscadd: The Bartender of NTSS Boxstation was approved to receive a Hoochmaster. + - rscadd: The Bartender of NTSS Boxstation was approved to receive a Hoochmaster. XDTM: - - bugfix: Hypnosis now shows the proper alert instead of Curse of Normality. + - bugfix: Hypnosis now shows the proper alert instead of Curse of Normality. coiax: - - rscadd: During the Christmas season, you can find Santa hats, christmas crackers - and presents in maintenance. + - rscadd: + During the Christmas season, you can find Santa hats, christmas crackers + and presents in maintenance. 2018-12-09: Denton: - - tweak: Metastation's kitchen cold room is now really cold! Make sure to wear warm - clothing. - - tweak: The kitchen clothing vendor now stocks two winter jackets by default. - - tweak: "Goats are now fine with temperatures as low as 180\xB0K. This is so that\ - \ Pete doesn't freeze to death inside the cold room." - - code_imp: Added a kitchen area subtype for cold rooms and adjusted chef CQC to - work inside it (no gameplay changes). + - tweak: + Metastation's kitchen cold room is now really cold! Make sure to wear warm + clothing. + - tweak: The kitchen clothing vendor now stocks two winter jackets by default. + - tweak: + "Goats are now fine with temperatures as low as 180\xB0K. This is so that\ + \ Pete doesn't freeze to death inside the cold room." + - code_imp: + Added a kitchen area subtype for cold rooms and adjusted chef CQC to + work inside it (no gameplay changes). Floyd / Qustinnus: - - rscadd: Bloodbags for ethereal filled with liquid electricity - - bugfix: Ethereals cant clone lightbulbs anymore - - bugfix: Fixes runtime in Ethereal charge handling + - rscadd: Bloodbags for ethereal filled with liquid electricity + - bugfix: Ethereals cant clone lightbulbs anymore + - bugfix: Fixes runtime in Ethereal charge handling HideAndSeekLOGIC: - - rscadd: Added emergency oxygen tanks and extended capacity emergency tanks to - the autolathe and protolathe - - rscadd: Added them to the Industrial Engineering tech node - - tweak: Only Cargo and Engineering can print extended capacities; the rest are - available for everyone. + - rscadd: + Added emergency oxygen tanks and extended capacity emergency tanks to + the autolathe and protolathe + - rscadd: Added them to the Industrial Engineering tech node + - tweak: + Only Cargo and Engineering can print extended capacities; the rest are + available for everyone. JJRcop: - - bugfix: The chronosuit's teleport animation has been fixed, as has the gun. + - bugfix: The chronosuit's teleport animation has been fixed, as has the gun. MMMiracles: - - bugfix: Fixes signalers not working properly on paystands + - bugfix: Fixes signalers not working properly on paystands MetroidLover: - - rscadd: New Abductor uniforms + - rscadd: New Abductor uniforms MrDoomBringer: - - admin: The Centcom Pod Launcher has been reorganized, making it easier to navigate - at the expense of compact-ness. + - admin: + The Centcom Pod Launcher has been reorganized, making it easier to navigate + at the expense of compact-ness. Nich: - - rscadd: Radials now have tooltips on hover + - rscadd: Radials now have tooltips on hover Skoglol: - - tweak: Reorganized the syndicate uplinks. Items are now mostly alphabetical, some - misplaced items moved to more fitting categories. - - tweak: 'Added a new category to the uplink: Grenades and Explosives.' - - bugfix: Xenobio consoles that didn't connect to recycler in the xenobio lab should - now do so. - - bugfix: Fixed gibber exploit. + - tweak: + Reorganized the syndicate uplinks. Items are now mostly alphabetical, some + misplaced items moved to more fitting categories. + - tweak: "Added a new category to the uplink: Grenades and Explosives." + - bugfix: + Xenobio consoles that didn't connect to recycler in the xenobio lab should + now do so. + - bugfix: Fixed gibber exploit. Swindly: - - rscadd: Arm-mounted implants that contain more than one item use a radial menu - instead of a list menu. - - bugfix: Fixed repair droids not damaging mechs when the mech has a short circuit. + - rscadd: + Arm-mounted implants that contain more than one item use a radial menu + instead of a list menu. + - bugfix: Fixed repair droids not damaging mechs when the mech has a short circuit. Time-Green: - - rscadd: Goon genetics! - - rscadd: More mutations! Fire breath for lizards! Radioactive! Telepathy! Glowy! - Strength, though its cosmetic and should be combined with radioactivity instead! - Fiery sweat! - - rscadd: Adds void magnet mutation by @tralezab ! + - rscadd: Goon genetics! + - rscadd: + More mutations! Fire breath for lizards! Radioactive! Telepathy! Glowy! + Strength, though its cosmetic and should be combined with radioactivity instead! + Fiery sweat! + - rscadd: Adds void magnet mutation by @tralezab ! XDTM: - - rscadd: Added the Vegetarian quirk, which costs 0 points and makes you dislike - meat. - - bugfix: Projected forcefields can no longer be stacked onto the same tile. - - rscadd: Added two new surgery procedures, under the Experimental Surgery techweb - node. - - rscadd: Ligament Hook makes it so you can attach limbs manually (like skeletons) - but makes dismemberment more likely as well. - - rscadd: Ligament Reinforcement prevents dismemberment, but makes limbs easier - to disable through damage. - - tweak: Golem limbs can now be disabled, although they are still undismemberable. + - rscadd: + Added the Vegetarian quirk, which costs 0 points and makes you dislike + meat. + - bugfix: Projected forcefields can no longer be stacked onto the same tile. + - rscadd: + Added two new surgery procedures, under the Experimental Surgery techweb + node. + - rscadd: + Ligament Hook makes it so you can attach limbs manually (like skeletons) + but makes dismemberment more likely as well. + - rscadd: + Ligament Reinforcement prevents dismemberment, but makes limbs easier + to disable through damage. + - tweak: Golem limbs can now be disabled, although they are still undismemberable. coiax: - - rscadd: Heirlooms are no longer named "Cherry family bag of dice", but rather - their heirloom status can be determined by the owner on examine. - - rscadd: Any talented Musician can now use any instrument to lift spirits, and - ease burdens. They can now also use the space piano and minimog to grant people - the Good Music buffs, just like a handheld instrument. - - bugfix: Fixes bug where Curse of Madness was not giving proper brain traumas. - - rscadd: Gibs will now rot if not cleaned, and produce small amounts of miasma, - approximately equal to a quarter of a corpse. + - rscadd: + Heirlooms are no longer named "Cherry family bag of dice", but rather + their heirloom status can be determined by the owner on examine. + - rscadd: + Any talented Musician can now use any instrument to lift spirits, and + ease burdens. They can now also use the space piano and minimog to grant people + the Good Music buffs, just like a handheld instrument. + - bugfix: Fixes bug where Curse of Madness was not giving proper brain traumas. + - rscadd: + Gibs will now rot if not cleaned, and produce small amounts of miasma, + approximately equal to a quarter of a corpse. imsxz: - - bugfix: glitter now uses the updated atmos overlays + - bugfix: glitter now uses the updated atmos overlays kevinz000: - - rscadd: Sofas have been added. Make 'em with metal, 1 sheet each. + - rscadd: Sofas have been added. Make 'em with metal, 1 sheet each. monster860: - - bugfix: Teleports now go back to force-moving you instead of Move() + - bugfix: Teleports now go back to force-moving you instead of Move() subject217: - - admin: Admin PMs are now multi-line text prompts, making it easier to write big - admin PMs. + - admin: + Admin PMs are now multi-line text prompts, making it easier to write big + admin PMs. 2018-12-11: Denton: - - bugfix: The MultiZ test map is no longer the default map. + - bugfix: The MultiZ test map is no longer the default map. monster860: - - bugfix: Fixes teleport runes not working, at all. + - bugfix: Fixes teleport runes not working, at all. tralezab: - - rscadd: 'Wizard has a new spell: Soul tap!' - - tweak: lichdom requires a soul now, and it takes your soul. + - rscadd: "Wizard has a new spell: Soul tap!" + - tweak: lichdom requires a soul now, and it takes your soul. 2018-12-12: Anonmare: - - bugfix: Fixes cameras being attacked with multitools when used to mess up their - focus. + - bugfix: + Fixes cameras being attacked with multitools when used to mess up their + focus. Kyep: - - bugfix: Fix an AI-related href exploit. + - bugfix: Fix an AI-related href exploit. Tlaltecuhtli: - - rscadd: advanced surgery tools, they work like ce tools + - rscadd: advanced surgery tools, they work like ce tools coiax: - - rscadd: Abductor scientists, or people who have had training similar to an abductor's - scientist will be able to examine alien glands to determine their scientific - purpose. - - rscadd: Abductor glands now have their appearances randomized. - - rscadd: Admin and event only pair pinpointers! They come in a box of two, and - each pinpointer will always point at its corresponding pair. Aww. + - rscadd: + Abductor scientists, or people who have had training similar to an abductor's + scientist will be able to examine alien glands to determine their scientific + purpose. + - rscadd: Abductor glands now have their appearances randomized. + - rscadd: + Admin and event only pair pinpointers! They come in a box of two, and + each pinpointer will always point at its corresponding pair. Aww. 2018-12-16: Floyd/Qustinnus, paid for by Kryson: - - rscadd: You can now select what your pills will look like when making pills from - the Chem Master + - rscadd: + You can now select what your pills will look like when making pills from + the Chem Master Garen: - - bugfix: Fixes runtime spam in pipe manifolds on nonstation z-levels + - bugfix: Fixes runtime spam in pipe manifolds on nonstation z-levels MMMiracles: - - rscadd: A new(old?) map, Donutstation, is now in rotation. - - balance: You can no longer crash the market with coins. + - rscadd: A new(old?) map, Donutstation, is now in rotation. + - balance: You can no longer crash the market with coins. Mickyan: - - tweak: brave clowns can now manually disable the patented Waddle Dampeners(tm) - built into their shoes by using ctrl-click. + - tweak: + brave clowns can now manually disable the patented Waddle Dampeners(tm) + built into their shoes by using ctrl-click. Nicjh: - - rscadd: Abductor console's select disguise option now uses a radial + - rscadd: Abductor console's select disguise option now uses a radial Skoglol: - - bugfix: Smuggler satchels now properly deletes if it's the last one in the list. - - bugfix: Id-locked chemistry and kitchen closets now checks for access. - - bugfix: Chem dispenser macros now function properly with higher tier manipulator. - - bugfix: 'Metastation: Adds missing access requirement to xenobiology airlock buttons.' + - bugfix: Smuggler satchels now properly deletes if it's the last one in the list. + - bugfix: Id-locked chemistry and kitchen closets now checks for access. + - bugfix: Chem dispenser macros now function properly with higher tier manipulator. + - bugfix: "Metastation: Adds missing access requirement to xenobiology airlock buttons." Time-Green: - - bugfix: fixes monkey and species mutations not working - - bugfix: fixes not getting gibbed + - bugfix: fixes monkey and species mutations not working + - bugfix: fixes not getting gibbed Toolby: - - balance: Power tools now perform construction slower than the toolarm implant - (but still incredibly faster than normal tools) - - balance: This is to promote trusting a player rather than safely printing off - an item via techfab. + - balance: + Power tools now perform construction slower than the toolarm implant + (but still incredibly faster than normal tools) + - balance: + This is to promote trusting a player rather than safely printing off + an item via techfab. Tortellini Tony: - - bugfix: Glitter can be clicked through. + - bugfix: Glitter can be clicked through. YoYoBatty: - - rscadd: Blurry eyes now actually blur instead of an overlay. + - rscadd: Blurry eyes now actually blur instead of an overlay. anconfuzedrock: - - tweak: slapping now doesn't require a specific intent or limb to be targetted. + - tweak: slapping now doesn't require a specific intent or limb to be targetted. coiax: - - rscadd: Robotics can print cybernetic hearts, lungs and livers at their exofabricators - (along with their upgraded versions). - - rscadd: Added upgraded cybernetic heart, just like the regular cybernetic heart, - that doses you with epinephrine when unconscious. But the upgraded version generates - a new dose after five minutes. - - admin: Admins now have logging when people open presents. - - rscadd: Santa can now examine presents to see what's inside. - - rscdel: Santa no longer has a mass summon presents spell, because of his new regenerating - bag! - - rscadd: Santa's bag regenerates presents as long as Santa is holding it. - - balance: You can only find one gift under a christmas tree per round, no matter - how many trees you search. - - balance: Santa's teleport does not announce where he's going. - - bugfix: Fixed Santa not having a full head and beard of white hair. - - bugfix: Fixed Santa not being genetically white-haired. - - bugfix: Fixed Concentrated Barber's Aid not growing extreme amounts of hair. - - rscadd: Bartenders can now rename the generic area "Bar" to the bar name of their - choice with the use of their bar sign. This will rename air alarms, doors and - APCs, so everyone knows what you're calling your bar this shift. (The bar sign - chosen is also now a statistic that's tracked!) - - rscadd: Microwaves have a single wire accessible when open, the activation wire. - When cut, the microwave will no longer function, when pulsed, the microwave - will turn on. - - rscadd: Stabilized dark purple extracts now cook items in your hands, rather than - dropping the cooked item on the floor. - - bugfix: Dead monkeys now produce miasma. - - rscadd: Pubby now has a Christmas tree in the library during the festive season. - - bugfix: Fixes an exploit where you could get admin-only infinite power cells from - the EXPERIMENTOR. - - admin: Added the infinite closet, a closet that replicates the first thing that's - put into it. - - admin: The Admin->Investigate verb will indicate investigate topics that have - had no messages logged this round. The view notes option is always visible. + - rscadd: + Robotics can print cybernetic hearts, lungs and livers at their exofabricators + (along with their upgraded versions). + - rscadd: + Added upgraded cybernetic heart, just like the regular cybernetic heart, + that doses you with epinephrine when unconscious. But the upgraded version generates + a new dose after five minutes. + - admin: Admins now have logging when people open presents. + - rscadd: Santa can now examine presents to see what's inside. + - rscdel: + Santa no longer has a mass summon presents spell, because of his new regenerating + bag! + - rscadd: Santa's bag regenerates presents as long as Santa is holding it. + - balance: + You can only find one gift under a christmas tree per round, no matter + how many trees you search. + - balance: Santa's teleport does not announce where he's going. + - bugfix: Fixed Santa not having a full head and beard of white hair. + - bugfix: Fixed Santa not being genetically white-haired. + - bugfix: Fixed Concentrated Barber's Aid not growing extreme amounts of hair. + - rscadd: + Bartenders can now rename the generic area "Bar" to the bar name of their + choice with the use of their bar sign. This will rename air alarms, doors and + APCs, so everyone knows what you're calling your bar this shift. (The bar sign + chosen is also now a statistic that's tracked!) + - rscadd: + Microwaves have a single wire accessible when open, the activation wire. + When cut, the microwave will no longer function, when pulsed, the microwave + will turn on. + - rscadd: + Stabilized dark purple extracts now cook items in your hands, rather than + dropping the cooked item on the floor. + - bugfix: Dead monkeys now produce miasma. + - rscadd: Pubby now has a Christmas tree in the library during the festive season. + - bugfix: + Fixes an exploit where you could get admin-only infinite power cells from + the EXPERIMENTOR. + - admin: + Added the infinite closet, a closet that replicates the first thing that's + put into it. + - admin: + The Admin->Investigate verb will indicate investigate topics that have + had no messages logged this round. The view notes option is always visible. kriskog: - - bugfix: Goliaths, legions and pAI will no longer block clicks on the entire turf. + - bugfix: Goliaths, legions and pAI will no longer block clicks on the entire turf. 2018-12-18: 4dplanner: - - rscadd: Re-added autoprocessing function on the cloner - - balance: records now have an associated last death time, which must sync with - the mind to clone. This means you need a new record every time someone dies. - - rscadd: diskette records can be partially applied to records in the cloner, for - instance to overwrite a name. - - rscadd: you can still scan living people to obtain their records for disk use, - but these records can't be cloned from. - - bugfix: cloning records are no longer based upon ckey - - tweak: ghosts are no longer required for scanning - - balance: genetics access is required to alter and delete records - - rscadd: do not resuscitate verb added for ghosts (can be toggled on and off) - - bugfix: ghosts can no longer regain their ability to re-enter their bodies through - the DNR verb unless the reason they cannot re-enter was due to use of the verb - in the first place + - rscadd: Re-added autoprocessing function on the cloner + - balance: + records now have an associated last death time, which must sync with + the mind to clone. This means you need a new record every time someone dies. + - rscadd: + diskette records can be partially applied to records in the cloner, for + instance to overwrite a name. + - rscadd: + you can still scan living people to obtain their records for disk use, + but these records can't be cloned from. + - bugfix: cloning records are no longer based upon ckey + - tweak: ghosts are no longer required for scanning + - balance: genetics access is required to alter and delete records + - rscadd: do not resuscitate verb added for ghosts (can be toggled on and off) + - bugfix: + ghosts can no longer regain their ability to re-enter their bodies through + the DNR verb unless the reason they cannot re-enter was due to use of the verb + in the first place Floyd / Qustinnus: - - bugfix: fixes ethereal runtime + - bugfix: fixes ethereal runtime Kierany9: - - code_imp: Several minor updates to Assimilation. - - balance: Hosts no longer lose abilities if they fall below the required hive size. - - balance: Mind Control victims can no longer see nor hear for the duration of the - control. - - tweak: Distortion Field now affects the victim and those surrounding them over - time instead of instantly. - - bugfix: Abilities that inflict stamina damage now affect the head instead of spreading - damage over the entire body. - - tweak: Mind Control now informs you of how long you have control for upon activation. - - tweak: Changed various do_mob for do_after. All hivemind abilities except for - Mass Assimilation should now work in certain situations where they didn't before. - - balance: Abusing the sleep verb while mind controlling is no longer a viable tactic. - - balance: Assimilating/removing people into/from the hive now has screen-wide range, - with time taken to assimilate increasing exponentially with distance. The time - to assimilate from 4 tiles away is approximately the same. Assimilation's cooldown - has also been increased by five seconds to compensate. + - code_imp: Several minor updates to Assimilation. + - balance: Hosts no longer lose abilities if they fall below the required hive size. + - balance: + Mind Control victims can no longer see nor hear for the duration of the + control. + - tweak: + Distortion Field now affects the victim and those surrounding them over + time instead of instantly. + - bugfix: + Abilities that inflict stamina damage now affect the head instead of spreading + damage over the entire body. + - tweak: Mind Control now informs you of how long you have control for upon activation. + - tweak: + Changed various do_mob for do_after. All hivemind abilities except for + Mass Assimilation should now work in certain situations where they didn't before. + - balance: Abusing the sleep verb while mind controlling is no longer a viable tactic. + - balance: + Assimilating/removing people into/from the hive now has screen-wide range, + with time taken to assimilate increasing exponentially with distance. The time + to assimilate from 4 tiles away is approximately the same. Assimilation's cooldown + has also been increased by five seconds to compensate. Mickyan: - - rscadd: Added the Hypersensitive and Light Drinker quirks + - rscadd: Added the Hypersensitive and Light Drinker quirks Powercreep Balance Committee: - - rscdel: Public autolathes have been removed. Please ask (or break into) cargo - if you need something. + - rscdel: + Public autolathes have been removed. Please ask (or break into) cargo + if you need something. XDTM: - - balance: 'Holymelons can now block a limited amount of spells: one spell per 20 - points of potency. They will not consume charges when blocking passive or continuous - magical effects.' - - balance: Anti-magic items no longer work when put inside backpacks. - - bugfix: Gem-encrusted hardsuits no longer block spellcasting. - - balance: DNA-damaging methods (changeling draining, mainly) no longer prevent - alternative revival methods, but can no longer be circumvented by upgrading - DNA scanners. - - balance: Any source of husking now prevents cloning on unupgraded cloning scanners, - instead of only husking caused by changelings. - - balance: Husking now fully prevents revival from several non-cloning methods, - including defibrillation, surgery, and strange reagent. + - balance: + "Holymelons can now block a limited amount of spells: one spell per 20 + points of potency. They will not consume charges when blocking passive or continuous + magical effects." + - balance: Anti-magic items no longer work when put inside backpacks. + - bugfix: Gem-encrusted hardsuits no longer block spellcasting. + - balance: + DNA-damaging methods (changeling draining, mainly) no longer prevent + alternative revival methods, but can no longer be circumvented by upgrading + DNA scanners. + - balance: + Any source of husking now prevents cloning on unupgraded cloning scanners, + instead of only husking caused by changelings. + - balance: + Husking now fully prevents revival from several non-cloning methods, + including defibrillation, surgery, and strange reagent. coiax: - - bugfix: Printed oxygen or plasma tanks at the protolathe are now empty. - - bugfix: Fixes bug where sufferers of monophobia would enter negative stress levels - when around people. + - bugfix: Printed oxygen or plasma tanks at the protolathe are now empty. + - bugfix: + Fixes bug where sufferers of monophobia would enter negative stress levels + when around people. 2018-12-22: 4dplanner: - - bugfix: heat sources with large heating volume will boost temperature properly - - bugfix: deleting a record without access resets the menu, instead of locking the - machine + - bugfix: heat sources with large heating volume will boost temperature properly + - bugfix: + deleting a record without access resets the menu, instead of locking the + machine Denton: - - bugfix: Boxstation disposal pipes no longer empty themselves in the Vacant Commissary. + - bugfix: Boxstation disposal pipes no longer empty themselves in the Vacant Commissary. Garen: - - bugfix: Beepsky, ED-209s, and Honkbots will once again will defend themselves - when attacked. - - bugfix: You need the item you're using on an unbuilt cyborg to actually be a multitool - to modify it once again. + - bugfix: + Beepsky, ED-209s, and Honkbots will once again will defend themselves + when attacked. + - bugfix: + You need the item you're using on an unbuilt cyborg to actually be a multitool + to modify it once again. anconfuzedrock: - - tweak: '"remove embedded object" surgery is now only two steps, instead of four.' + - tweak: '"remove embedded object" surgery is now only two steps, instead of four.' coiax: - - rscadd: The cyborg reset module wire has a star symbol marking, allowing a trained - Roboticist to easily provide resets without altering any other cyborg settings. - - bugfix: Old rotting gibs no longer have the name "rotting old rotting gibs". + - rscadd: + The cyborg reset module wire has a star symbol marking, allowing a trained + Roboticist to easily provide resets without altering any other cyborg settings. + - bugfix: Old rotting gibs no longer have the name "rotting old rotting gibs". monster860: - - rscadd: celebrates the october revolution. - - bugfix: Fixes pumps and valves appearing super broken on maps that make heavy - use of pipe layers. + - rscadd: celebrates the october revolution. + - bugfix: + Fixes pumps and valves appearing super broken on maps that make heavy + use of pipe layers. nicbn: - - bugfix: You can click on things that are under flaps or holo barriers. + - bugfix: You can click on things that are under flaps or holo barriers. 2018-12-24: 4dplanner: - - bugfix: fires will no longer burn quite so hot - - bugfix: the first spark of a hotspot is no longer always the same temperature + - bugfix: fires will no longer burn quite so hot + - bugfix: the first spark of a hotspot is no longer always the same temperature Carbonhell: - - tweak: A nuclear bomb in a rift in spacetime will now count as a syndie major - victory, and spawn a singulo back at the station rift origin turf. + - tweak: + A nuclear bomb in a rift in spacetime will now count as a syndie major + victory, and spawn a singulo back at the station rift origin turf. Dax Dupont: - - bugfix: Borgs no longer turn into nanites by unexpanding. + - bugfix: Borgs no longer turn into nanites by unexpanding. Denton: - - bugfix: The fridge in Pubbystation's public monastery kitchen is no longer locked - by default. - - rscdel: Removed the Gondola round end sound. + - bugfix: + The fridge in Pubbystation's public monastery kitchen is no longer locked + by default. + - rscdel: Removed the Gondola round end sound. Joe Berry: - - rscadd: Reverts back to the bubblegum before [#38306](https://github.com/tgstation/tgstation/pull/38306), - was an unfinished pr and generally this bubblegum has more stuff to work with. - - rscadd: Enrage mode, while in this mode bubblegum is colored a deep red, moves - faster, doesn't retreat, and is immune to projectiles. All while throwing out - ground slam attacks around him that throw people around. - - rscadd: Clones, basically fake bubblegums that do one attack and disappear afterwards. - - rscadd: Ground slam attack, only happens when bubblegum is enraged, throws enemies - around. Beware being thrown into a wall or you might be stunned because this - is how throws work in this game. - - rscadd: Bubblegum can now continue to charge through enemies without stopping. - - rscdel: Bubblegum's anger modifier no longer determines his movement speed, instead - having a constant speed and changing on enragement. - - tweak: Blood spray is now a directional move and can move diagonally towards its - target - - tweak: Bubblegums charge no longer uses throws to calculate being hit. - - balance: Bubblegum now retreats in his standard phase while not using moves, generally - he was hard to get hit by in this phase anyways so this is a much smarter play - on his part. - - balance: Blood spray can now move through walls and goes further, this was pretty - easily cheesed because it couldn't move through walls with just hugging the - edges of walls and just made him too hard to balance. - - balance: Bubblegum now procs melee checks much more often, though he has the same - cooldown for his melee attacks. This means you're much less likely to stand - next to him and not get hit. - - balance: Bubblegum now charges 2 tiles past you, makes it slightly more difficult - to predict where he's going to go and makes it so he can catch up to you easier. - - balance: Bubblegum now moves faster during his charge. - - balance: Bubblegum now only takes 50 damage from explosions, taking many bombs - to kill him instead of just 10. + - rscadd: + Reverts back to the bubblegum before [#38306](https://github.com/tgstation/tgstation/pull/38306), + was an unfinished pr and generally this bubblegum has more stuff to work with. + - rscadd: + Enrage mode, while in this mode bubblegum is colored a deep red, moves + faster, doesn't retreat, and is immune to projectiles. All while throwing out + ground slam attacks around him that throw people around. + - rscadd: Clones, basically fake bubblegums that do one attack and disappear afterwards. + - rscadd: + Ground slam attack, only happens when bubblegum is enraged, throws enemies + around. Beware being thrown into a wall or you might be stunned because this + is how throws work in this game. + - rscadd: Bubblegum can now continue to charge through enemies without stopping. + - rscdel: + Bubblegum's anger modifier no longer determines his movement speed, instead + having a constant speed and changing on enragement. + - tweak: + Blood spray is now a directional move and can move diagonally towards its + target + - tweak: Bubblegums charge no longer uses throws to calculate being hit. + - balance: + Bubblegum now retreats in his standard phase while not using moves, generally + he was hard to get hit by in this phase anyways so this is a much smarter play + on his part. + - balance: + Blood spray can now move through walls and goes further, this was pretty + easily cheesed because it couldn't move through walls with just hugging the + edges of walls and just made him too hard to balance. + - balance: + Bubblegum now procs melee checks much more often, though he has the same + cooldown for his melee attacks. This means you're much less likely to stand + next to him and not get hit. + - balance: + Bubblegum now charges 2 tiles past you, makes it slightly more difficult + to predict where he's going to go and makes it so he can catch up to you easier. + - balance: Bubblegum now moves faster during his charge. + - balance: + Bubblegum now only takes 50 damage from explosions, taking many bombs + to kill him instead of just 10. Jordie0608: - - config: Admin ranks now support punctuation. + - config: Admin ranks now support punctuation. Mickyan: - - tweak: Added a setting to cleanbots for cleaning graffiti + - tweak: Added a setting to cleanbots for cleaning graffiti MrDoomBringer: - - bugfix: Reverse-Supplypods (the admin-launched ones) no longer stay behind after - rising up, and also auto-delete from centcom. + - bugfix: + Reverse-Supplypods (the admin-launched ones) no longer stay behind after + rising up, and also auto-delete from centcom. Skoglol: - - tweak: Satchels (chem bag, bio bag etc) now stack by name in addition to type. - - spellcheck: Fixed Bubblegum plushie attack verb, Ratvar and Bubblegum plushie - capitalization. + - tweak: Satchels (chem bag, bio bag etc) now stack by name in addition to type. + - spellcheck: + Fixed Bubblegum plushie attack verb, Ratvar and Bubblegum plushie + capitalization. SpaceManiac: - - bugfix: Orbit links on deadchat event announcements now actually work. + - bugfix: Orbit links on deadchat event announcements now actually work. coiax: - - refactor: atom/var/container_type has been moved into datum/reagents/var/flags. - There should be no visible changes to effects. - - balance: Choice beacons (such as the one the curator, chaplain and people with - the Musican trait have access to) will no longer have pods that have minor explosive - effects. - - balance: Stalking Phantom brain traumas will no longer stalk or attack people - who are not conscious. - - admin: The use of the Give brain trauma and Cure all traumas options on View Variables - is now logged, and messages admins. - - bugfix: A player who bag of holding bombs now correctly has their ckey entered - in the admin log, and admin messages. - - admin: Admins now have access to a "wand of safety", a supercharged teleportation - wand that moves people to a safe turf, like a swarmer teleport without the cuffing. - - admin: When the nuclear authentication disk remains stationary for too long, the - chances of a Lone Operative increase. Admins are now notified when the chances - go up or down. + - refactor: + atom/var/container_type has been moved into datum/reagents/var/flags. + There should be no visible changes to effects. + - balance: + Choice beacons (such as the one the curator, chaplain and people with + the Musican trait have access to) will no longer have pods that have minor explosive + effects. + - balance: + Stalking Phantom brain traumas will no longer stalk or attack people + who are not conscious. + - admin: + The use of the Give brain trauma and Cure all traumas options on View Variables + is now logged, and messages admins. + - bugfix: + A player who bag of holding bombs now correctly has their ckey entered + in the admin log, and admin messages. + - admin: + Admins now have access to a "wand of safety", a supercharged teleportation + wand that moves people to a safe turf, like a swarmer teleport without the cuffing. + - admin: + When the nuclear authentication disk remains stationary for too long, the + chances of a Lone Operative increase. Admins are now notified when the chances + go up or down. 2018-12-28: Carbonhell: - - config: Added a new config setting to allow for species that aren't roundstart - races anymore to still be used by players with a character set to that species - prior to its removal. + - config: + Added a new config setting to allow for species that aren't roundstart + races anymore to still be used by players with a character set to that species + prior to its removal. Denton: - - tweak: Ghosts now get notified whenever a bomb or C4/X4 get activated. - - bugfix: Strange Reagent now takes ten seconds to revive people and also notifies - ghosts that their body is being revived. - - spellcheck: Improved Strange Reagent's description and added a separate "does - not react" message for when players try to revive hellbound or suicided corpses. + - tweak: Ghosts now get notified whenever a bomb or C4/X4 get activated. + - bugfix: + Strange Reagent now takes ten seconds to revive people and also notifies + ghosts that their body is being revived. + - spellcheck: + Improved Strange Reagent's description and added a separate "does + not react" message for when players try to revive hellbound or suicided corpses. Floyd / Qustinnus, sprites by MrDoomBringer: - - rscadd: Adds a questionable new item for the bartender to start parties with + - rscadd: Adds a questionable new item for the bartender to start parties with Frosty Fridge: - - tweak: Swarmers can no longer unleash Lord Singuloth. + - tweak: Swarmers can no longer unleash Lord Singuloth. Kierany9: - - rscadd: Assimilation now looks and sounds prettier! - - rscadd: Ghosts are now notified when hivemind hosts do something interesting. - - tweak: Minor sprite changes. - - balance: Hive Sight no longer has a cooldown. - - bugfix: Fixed a couple of potential runtimes. - - bugfix: Fixed a recent bug where hivemind hosts kept their powers after losing - antag status. - - bugfix: Added extra sanity checks to assimilate vessel. - - bugfix: Removed the buggy and useless progress bar on Mind Control. - - bugfix: Network Invasion can no longer be cheesed by mind controlling the interrogated - vessel. - - soundadd: Assimilation now has its own greeting sound. - - imageadd: Added vignettes when using Mind Control and Hive Sight. + - rscadd: Assimilation now looks and sounds prettier! + - rscadd: Ghosts are now notified when hivemind hosts do something interesting. + - tweak: Minor sprite changes. + - balance: Hive Sight no longer has a cooldown. + - bugfix: Fixed a couple of potential runtimes. + - bugfix: + Fixed a recent bug where hivemind hosts kept their powers after losing + antag status. + - bugfix: Added extra sanity checks to assimilate vessel. + - bugfix: Removed the buggy and useless progress bar on Mind Control. + - bugfix: + Network Invasion can no longer be cheesed by mind controlling the interrogated + vessel. + - soundadd: Assimilation now has its own greeting sound. + - imageadd: Added vignettes when using Mind Control and Hive Sight. coiax: - - rscdel: Normal shuttles that are not emagged will no longer throw things around. - People will still be knocked down. - - rscadd: Emagged shuttles and poorly designed shuttles will also throw things around - on tables, as well as closets. - - bugfix: Abductors created by abductor mutation toxin will be able to talk to themselves - and to other abductors. - - tweak: Abductor tongues now have distinct "channels". A person with an abductor - tongue will be able to attune another tongue to the same channel as their own. - - tweak: Speaking on the abductor channel will always use your mob's "real name". - - rscadd: Abductor teams can now purchase additional superlingual matricies from - their abductor console. + - rscdel: + Normal shuttles that are not emagged will no longer throw things around. + People will still be knocked down. + - rscadd: + Emagged shuttles and poorly designed shuttles will also throw things around + on tables, as well as closets. + - bugfix: + Abductors created by abductor mutation toxin will be able to talk to themselves + and to other abductors. + - tweak: + Abductor tongues now have distinct "channels". A person with an abductor + tongue will be able to attune another tongue to the same channel as their own. + - tweak: Speaking on the abductor channel will always use your mob's "real name". + - rscadd: + Abductor teams can now purchase additional superlingual matricies from + their abductor console. 2018-12-29: 4dplanner: - - balance: blobs now receive a 50% cost refund on attacks that don't spread - - balance: blobs receive a free chemical re-roll every 4 minutes - - balance: reflector blobs are considerably tougher - - bugfix: attempting to turn a damaged strong blob into a reflector blob now refunds - points - - bugfix: fixed an intregrity + - balance: blobs now receive a 50% cost refund on attacks that don't spread + - balance: blobs receive a free chemical re-roll every 4 minutes + - balance: reflector blobs are considerably tougher + - bugfix: + attempting to turn a damaged strong blob into a reflector blob now refunds + points + - bugfix: fixed an intregrity 2018-12-30: MadmanMartian: - - code_imp: Adds helpers for finding if a user has a martial art type + - code_imp: Adds helpers for finding if a user has a martial art type coiax: - - tweak: The Shuffle Race wizard event no longer changes people's names. - - tweak: When laying the drapes for surgery, only the surgeon will know which proceedure - has been initiated. + - tweak: The Shuffle Race wizard event no longer changes people's names. + - tweak: + When laying the drapes for surgery, only the surgeon will know which proceedure + has been initiated. 2019-01-01: 4dplanner: - - bugfix: squashed plants react on the turf they are squashed + - bugfix: squashed plants react on the turf they are squashed coiax: - - rscdel: Removes bomb notification sound for observers. + - rscdel: Removes bomb notification sound for observers. 2019-01-02: 4dplanner: - - bugfix: separated chemicals now works + - bugfix: separated chemicals now works Denton: - - tweak: Updated Runtimestation to make chemistry and revival testing quicker. + - tweak: Updated Runtimestation to make chemistry and revival testing quicker. FloranOtten: - - imageadd: added broken prototype canister icon + - imageadd: added broken prototype canister icon Floyd / Qustinnus: - - tweak: You now have to be naked to get the nice shower moodlet, if you shower - with clothes you get a bad moodie - - rscadd: Hygiene, you slowly become dirty over time, the more covered in blood - you are the faster you will lose hygiene. When you are too dirty you will have - a stink overlay. (Hygiene doesn't affect mood currently) It also spawns miasma - slowly if you smell like shit. - - rscadd: adds NEET and neat traits. NEET's get 20 bucks social welfare extra and - like being unhygienic, while neat people dislike being unhygienic and like being - hygienic + - tweak: + You now have to be naked to get the nice shower moodlet, if you shower + with clothes you get a bad moodie + - rscadd: + Hygiene, you slowly become dirty over time, the more covered in blood + you are the faster you will lose hygiene. When you are too dirty you will have + a stink overlay. (Hygiene doesn't affect mood currently) It also spawns miasma + slowly if you smell like shit. + - rscadd: + adds NEET and neat traits. NEET's get 20 bucks social welfare extra and + like being unhygienic, while neat people dislike being unhygienic and like being + hygienic Floyd / Qustinnus for code, MrDoomBringer for Sprites: - - rscadd: Durathread jumpsuit, beret, beanie and bandana - - imageadd: new sprites for all durathread objects - - tweak: it now takes 4 strands to make one piece of durathread cloth + - rscadd: Durathread jumpsuit, beret, beanie and bandana + - imageadd: new sprites for all durathread objects + - tweak: it now takes 4 strands to make one piece of durathread cloth Robustin, Subject217: - - balance: The NukeOp Shuttle hull has been dramatically hardened. The walls are - now "R-Walls" with far greater explosion resistance. - - balance: The NukeOp Shuttle guns have been significantly buffed. They now rapidly - fire a new type of penetrator round, at a greater range, and have far greater - explosion resistance. - - balance: The nuclear device on the NukeOp Shuttle is now in an anchored state - by default, the Nuke can only be unanchored by inserting the disk and entering - the proper code. - - balance: Non-Syndicate cyborgs are now unable to access the NukeOp Shuttle Console. - - bugfix: You can now unanchor Nukes even when the floor under them has been destroyed + - balance: + The NukeOp Shuttle hull has been dramatically hardened. The walls are + now "R-Walls" with far greater explosion resistance. + - balance: + The NukeOp Shuttle guns have been significantly buffed. They now rapidly + fire a new type of penetrator round, at a greater range, and have far greater + explosion resistance. + - balance: + The nuclear device on the NukeOp Shuttle is now in an anchored state + by default, the Nuke can only be unanchored by inserting the disk and entering + the proper code. + - balance: Non-Syndicate cyborgs are now unable to access the NukeOp Shuttle Console. + - bugfix: You can now unanchor Nukes even when the floor under them has been destroyed Steelpoint: - - rscadd: The Nanotrasen Corps of Engineers has begun a series of alterations to - NTSS Boxstation, the first stage of changes were aimed at altering the Brig - design, with minor improvements and alterations. + - rscadd: + The Nanotrasen Corps of Engineers has begun a series of alterations to + NTSS Boxstation, the first stage of changes were aimed at altering the Brig + design, with minor improvements and alterations. coiax: - - rscadd: Uplink pens now require two seperate rotations to unlock. This also applies - to failsafe codes. - - bugfix: Heroine bugs no longer make people appear partially bald when wearing - them. - - rscadd: Ghosts can now see where an abductor camera console is looking. - - admin: Admins are only notified about the Lone Operative event weight every five - increments or decrements to the weight. - - tweak: After a Curse of Madness has ravaged the mind of the station, the lingering - magics also affect anyone arriving to the station late. + - rscadd: + Uplink pens now require two seperate rotations to unlock. This also applies + to failsafe codes. + - bugfix: + Heroine bugs no longer make people appear partially bald when wearing + them. + - rscadd: Ghosts can now see where an abductor camera console is looking. + - admin: + Admins are only notified about the Lone Operative event weight every five + increments or decrements to the weight. + - tweak: + After a Curse of Madness has ravaged the mind of the station, the lingering + magics also affect anyone arriving to the station late. 2019-01-04: 0d0be32, PKPenguin321, Armhulen, epochayur: - - refactor: Changeling powers are now action buttons rather than verbs. - - imageadd: Thanks to epochayur for creating and compiling sprites for every single - changeling action button! - - imageadd: Thanks to Armhulen for the changeling button background sprite! + - refactor: Changeling powers are now action buttons rather than verbs. + - imageadd: + Thanks to epochayur for creating and compiling sprites for every single + changeling action button! + - imageadd: Thanks to Armhulen for the changeling button background sprite! 4dplanner: - - bugfix: Some items cover equipment while still letting you see it - - bugfix: in particular, this stops clothes burning off underneath drake armor + - bugfix: Some items cover equipment while still letting you see it + - bugfix: in particular, this stops clothes burning off underneath drake armor Dax Dupont: - - bugfix: Silicons and drones can use vending machines once again, but only if they - are not on station. + - bugfix: + Silicons and drones can use vending machines once again, but only if they + are not on station. Denton: - - bugfix: The rift in reality area and Hilbert's hotel no longer throw "HEY LISTEN!" - AT warnings on server start. + - bugfix: + The rift in reality area and Hilbert's hotel no longer throw "HEY LISTEN!" + AT warnings on server start. SpaceManiac: - - bugfix: Corpses in space no longer add miasma to the gas readout of space. + - bugfix: Corpses in space no longer add miasma to the gas readout of space. asdfsdagasdghbdsagsdffgd: - - rscadd: chance to get either the soulless black and red space suit or the soul - red spacesuit + - rscadd: + chance to get either the soulless black and red space suit or the soul + red spacesuit coiax: - - admin: New 'Podspawn' verb, which functions like 'Spawn', except any atoms movable - spawned will be dropped in via a no-damage, no-explosion Centcom supply pod. - - tweak: All the butcher cleavers that spawn during a blood contract will only last - two minutes, and then vanish. - - tweak: The level of mental trauma that a new clone goes through directly depends - on how much brain damage they have when they leave the cloning pod. An earlier - ejection will result in more trauma, a perfectly upgraded cloner with no brain - damage will still cause no trauma. - - bugfix: Humans with the Void mutation will no longer be able to enter the void - while inside something else (eg. cloning pod, cryotube) willingly or unwillingly. - - bugfix: The Spontaneous Brain Trauma event now has a range of possible severities, - and no longer runtimes. + - admin: + New 'Podspawn' verb, which functions like 'Spawn', except any atoms movable + spawned will be dropped in via a no-damage, no-explosion Centcom supply pod. + - tweak: + All the butcher cleavers that spawn during a blood contract will only last + two minutes, and then vanish. + - tweak: + The level of mental trauma that a new clone goes through directly depends + on how much brain damage they have when they leave the cloning pod. An earlier + ejection will result in more trauma, a perfectly upgraded cloner with no brain + damage will still cause no trauma. + - bugfix: + Humans with the Void mutation will no longer be able to enter the void + while inside something else (eg. cloning pod, cryotube) willingly or unwillingly. + - bugfix: + The Spontaneous Brain Trauma event now has a range of possible severities, + and no longer runtimes. duckay: - - rscadd: Added better names and descriptions for blueshirt - - rscadd: Added Blueshirt helmet and armor to the sectech for $600 each + - rscadd: Added better names and descriptions for blueshirt + - rscadd: Added Blueshirt helmet and armor to the sectech for $600 each hazamaitsuru: - - tweak: Various computers on BoxStation and Lavaland now face more logical directions. - - tweak: BoxStation's gravity generator SMES had its terminal moved out of the wall. + - tweak: Various computers on BoxStation and Lavaland now face more logical directions. + - tweak: BoxStation's gravity generator SMES had its terminal moved out of the wall. nicbn: - - rscadd: Microwave UI uses a radial menu now. You can see the contents by examining. + - rscadd: Microwave UI uses a radial menu now. You can see the contents by examining. subject217: - - rscdel: Smuggler's satchels have been removed from the game. - - rscdel: The Miracle ruin has also been removed from the game, because it was disabled - and it used Smuggler's satchels. + - rscdel: Smuggler's satchels have been removed from the game. + - rscdel: + The Miracle ruin has also been removed from the game, because it was disabled + and it used Smuggler's satchels. 2019-01-06: 4dplanner: - - bugfix: Mixers now work on 0% and 100% settings as pumps - - bugfix: Mixers display rounded percentages, not floored. As such numbers should - always add up to 100% + - bugfix: Mixers now work on 0% and 100% settings as pumps + - bugfix: + Mixers display rounded percentages, not floored. As such numbers should + always add up to 100% Denton: - - tweak: Reduced the volume for some ghost notification sounds. + - tweak: Reduced the volume for some ghost notification sounds. Noch: - - bugfix: the 2 hygiene quirks are now designated as mood_quirks, since they center - around mood + - bugfix: + the 2 hygiene quirks are now designated as mood_quirks, since they center + around mood SpaceManiac: - - rscadd: Entertainment telescreens in the bar indicate when they will show something - interesting. - - tweak: Entertainment telescreens can be viewed from a distance. + - rscadd: + Entertainment telescreens in the bar indicate when they will show something + interesting. + - tweak: Entertainment telescreens can be viewed from a distance. WJohnston: - - rscadd: The Raven Cruiser escape shuttle has been completely redesigned. It now - comes with shields, turrets that shoot nuke ops instead of your dog, and a very - secure cockpit for important personnel. Its price has increased to 30,000, though! + - rscadd: + The Raven Cruiser escape shuttle has been completely redesigned. It now + comes with shields, turrets that shoot nuke ops instead of your dog, and a very + secure cockpit for important personnel. Its price has increased to 30,000, though! coiax: - - code_imp: The Squeak subsystem has been renamed to Minor Mapping. + - code_imp: The Squeak subsystem has been renamed to Minor Mapping. 2019-01-07: 4dplanner: - - bugfix: experimental cloner is compatible with ordinary cloning computer, but - deletes records after cloning. + - bugfix: + experimental cloner is compatible with ordinary cloning computer, but + deletes records after cloning. Basilman: - - spellcheck: corrected Hippocrates bust description + - spellcheck: corrected Hippocrates bust description Cyberboss: - - soundadd: Added a new sound for curse of madness + - soundadd: Added a new sound for curse of madness Denton: - - tweak: Wearing a carp costume or hardsuit with its hood equipped now prevents - users from being attacked by wild space carp. - - tweak: 'Reworked the kinetic speargun: Its projectiles now embed and cause more - damage.' - - rscadd: Added a Syndicate bundle that contains a speargun, a quiver with magspears, - a carp hardsuit as well as other carp accessories. - - tweak: Increased air alarm miasma thresholds to prevent warning spam. - - tweak: Air scrubbers do not filter miasma by default anymore ("Filtering" and - "Refill" modes). - - tweak: The Hyperfractal Gigashuttle's reflectors can no longer be deconstructed - or adjusted. + - tweak: + Wearing a carp costume or hardsuit with its hood equipped now prevents + users from being attacked by wild space carp. + - tweak: + "Reworked the kinetic speargun: Its projectiles now embed and cause more + damage." + - rscadd: + Added a Syndicate bundle that contains a speargun, a quiver with magspears, + a carp hardsuit as well as other carp accessories. + - tweak: Increased air alarm miasma thresholds to prevent warning spam. + - tweak: + Air scrubbers do not filter miasma by default anymore ("Filtering" and + "Refill" modes). + - tweak: + The Hyperfractal Gigashuttle's reflectors can no longer be deconstructed + or adjusted. GranpaWalton: - - rscadd: Xenos now have a liver that processes toxins really well but will reject - a human host when it takes too much damage - - bugfix: Xenos will now process regents because of their new liver, they will still - not take toxin damage, stamina damage, or have liver failure + - rscadd: + Xenos now have a liver that processes toxins really well but will reject + a human host when it takes too much damage + - bugfix: + Xenos will now process regents because of their new liver, they will still + not take toxin damage, stamina damage, or have liver failure Tlaltecuhtli: - - rscadd: alt click to eject beakers from chem masters + chem dispensers + grinders - + chem heaters - - rscadd: hit chem master + chem dispenser + chem heaters with a beaker and if its - loaded with another it swaps em + - rscadd: + alt click to eject beakers from chem masters + chem dispensers + grinders + + chem heaters + - rscadd: + hit chem master + chem dispenser + chem heaters with a beaker and if its + loaded with another it swaps em YoYoBatty: - - rscadd: Added a ghost verb that lets you t-ray view underfloor objects - - admin: Checking plumbing verb checks every atmospheric component instead of just - pipes - - code_imp: Check plumbing verb is less snowflakey + - rscadd: Added a ghost verb that lets you t-ray view underfloor objects + - admin: + Checking plumbing verb checks every atmospheric component instead of just + pipes + - code_imp: Check plumbing verb is less snowflakey coiax: - - bugfix: Monkey cubes now expand in a running shower! - - bugfix: Slimes now die in running showers. - - bugfix: Rolling a 6 with a die of fate now reduces your speed as intended. - - bugfix: Rolling an 8 with a die of fate will cause the explosion to be around - the roller, not the die. - - tweak: Die of fate effects now make loud visible messages so it's obvious what - has happened. - - admin: Dice can now be "totally rigged" with admin edits to unconditionally always - roll a certain value, rather than just some of the time. A new "cursed die of - fate" has been added to demonstrate this effect. - - admin: Added the "stealth" die of fate, both one use and unlimited. You know, - for badminry. - - rscadd: Curse of Madness can now be triggered by a wizard's Summon Events, at - the same chance as Summon Guns or Summon Magic. - - admin: When an admin triggers Curse of Madness manually, they can specify their - own dark truth to horrify the station with. - - rscadd: Smuggler's satchels have been re-added to the game. They no longer keep - their contents and transport it into future rounds, but instead contain some - random contraband when purchased. Observers will be able to see where smuggler's - satchels have been hidden. A handful of satchels will spawn on the station (under - the floor, of course) in random locations each round. - - bugfix: Science areas now have small patches of glowing green goo occasionally, - as intended. - - tweak: Glowing goo now glows a lot more noticeably in the dark, will always contain - either radium or uranium. - - code_imp: Improved the code for ensuring that security members enjoy donuts and - security-themed alcoholic drinks. - - tweak: Metastation Robotics now has a cautery. + - bugfix: Monkey cubes now expand in a running shower! + - bugfix: Slimes now die in running showers. + - bugfix: Rolling a 6 with a die of fate now reduces your speed as intended. + - bugfix: + Rolling an 8 with a die of fate will cause the explosion to be around + the roller, not the die. + - tweak: + Die of fate effects now make loud visible messages so it's obvious what + has happened. + - admin: + Dice can now be "totally rigged" with admin edits to unconditionally always + roll a certain value, rather than just some of the time. A new "cursed die of + fate" has been added to demonstrate this effect. + - admin: + Added the "stealth" die of fate, both one use and unlimited. You know, + for badminry. + - rscadd: + Curse of Madness can now be triggered by a wizard's Summon Events, at + the same chance as Summon Guns or Summon Magic. + - admin: + When an admin triggers Curse of Madness manually, they can specify their + own dark truth to horrify the station with. + - rscadd: + Smuggler's satchels have been re-added to the game. They no longer keep + their contents and transport it into future rounds, but instead contain some + random contraband when purchased. Observers will be able to see where smuggler's + satchels have been hidden. A handful of satchels will spawn on the station (under + the floor, of course) in random locations each round. + - bugfix: + Science areas now have small patches of glowing green goo occasionally, + as intended. + - tweak: + Glowing goo now glows a lot more noticeably in the dark, will always contain + either radium or uranium. + - code_imp: + Improved the code for ensuring that security members enjoy donuts and + security-themed alcoholic drinks. + - tweak: Metastation Robotics now has a cautery. kevinz000: - - rscadd: A new SDQL2 panel has been added to admin tabs, for tracking, VVing, and - halting SDQL2 queries. - - rscadd: SDQL2 documentation is now available in SDQL_2.dm - - rscadd: SDQL2 now has MAP added. MAP will cause the query to execute on whatever - is specified in MAP, whether it's a variable or a procedure call (which will - grab the return results), etc etc. - - rscadd: SDQL2 now has a superuser mode, for uses outside of admin button pressing. - This causes it to operate without admin protection wrapping. - - rscadd: SDQL2 now supports options, including ignoring nulls in select or forcing - it to operate in high priority mode, which lets it use 95% of the tick instead - of obeying the Master Controller's tick limit. USE WITH CAUTION. Also includes - a mode for blocking proccalls - - rscadd: SDQL2 now supports TRUE/FALSE. - - rscadd: To use options, append OPTIONS to the query. Available are "PRIORITY" - = HIGH/NORMAL, "SELECT" = FORCE_NULLS/DISABLE or 0/FALSE, "PROCCALL" = ASYNC/BLOCKING. + - rscadd: + A new SDQL2 panel has been added to admin tabs, for tracking, VVing, and + halting SDQL2 queries. + - rscadd: SDQL2 documentation is now available in SDQL_2.dm + - rscadd: + SDQL2 now has MAP added. MAP will cause the query to execute on whatever + is specified in MAP, whether it's a variable or a procedure call (which will + grab the return results), etc etc. + - rscadd: + SDQL2 now has a superuser mode, for uses outside of admin button pressing. + This causes it to operate without admin protection wrapping. + - rscadd: + SDQL2 now supports options, including ignoring nulls in select or forcing + it to operate in high priority mode, which lets it use 95% of the tick instead + of obeying the Master Controller's tick limit. USE WITH CAUTION. Also includes + a mode for blocking proccalls + - rscadd: SDQL2 now supports TRUE/FALSE. + - rscadd: + To use options, append OPTIONS to the query. Available are "PRIORITY" + = HIGH/NORMAL, "SELECT" = FORCE_NULLS/DISABLE or 0/FALSE, "PROCCALL" = ASYNC/BLOCKING. mrhugo13: - - rscadd: The Syndicate has decided to equip their Syndicate leaders operative (Aswell - as their clown counterparts) with the new Combat Glove Plus! The new Combat - Glove Plus does everything the old boring Combat Gloves does but with the added - extra of learning Krav Maga upon wearing them, any other Syndicate operative - who wants to get in on the action will have to pay 5tc. + - rscadd: + The Syndicate has decided to equip their Syndicate leaders operative (Aswell + as their clown counterparts) with the new Combat Glove Plus! The new Combat + Glove Plus does everything the old boring Combat Gloves does but with the added + extra of learning Krav Maga upon wearing them, any other Syndicate operative + who wants to get in on the action will have to pay 5tc. subject217: - - tweak: Plastitanium walls are no longer evil. - - balance: Plasmamen now run at the same speed as normal humans. + - tweak: Plastitanium walls are no longer evil. + - balance: Plasmamen now run at the same speed as normal humans. tralezab: - - rscadd: Added a new antagonist, the Creep! - - rscadd: Chosen from a random event, the Creep will become obsessed with one person, - feeling amazing around them and terrible when they aren't. They will have objectives - to steal heirlooms, take pictures, hug, and kill coworkers. They also have to - kill the obsession but some objectives can only be completed while the obsession - is alive, requiring you to protect the obsession! + - rscadd: Added a new antagonist, the Creep! + - rscadd: + Chosen from a random event, the Creep will become obsessed with one person, + feeling amazing around them and terrible when they aren't. They will have objectives + to steal heirlooms, take pictures, hug, and kill coworkers. They also have to + kill the obsession but some objectives can only be completed while the obsession + is alive, requiring you to protect the obsession! 2019-01-09: Arachnidnexus/actioninja: - - imageadd: New shoe object sprites + - imageadd: New shoe object sprites Denton: - - bugfix: 'Donutstation: Fixed emergency maintenance access not applying to some - airlocks. Fixed broken access requirements in the outer medical/science maintenance - airlock.' - - tweak: 'Donutstation: The kitchen coldroom is now actually cold. Or a big walk-in - oven, if you mess with the freezer settings.' - - tweak: 'Donutstation: Added more department and escape pod signs.' - - tweak: 'Donutstation: Added a departmental exofab to Atmospherics.' - - bugfix: 'Deltastation: Engineers can now open and close the supermatter engine - radiation shutters.' + - bugfix: + "Donutstation: Fixed emergency maintenance access not applying to some + airlocks. Fixed broken access requirements in the outer medical/science maintenance + airlock." + - tweak: + "Donutstation: The kitchen coldroom is now actually cold. Or a big walk-in + oven, if you mess with the freezer settings." + - tweak: "Donutstation: Added more department and escape pod signs." + - tweak: "Donutstation: Added a departmental exofab to Atmospherics." + - bugfix: + "Deltastation: Engineers can now open and close the supermatter engine + radiation shutters." Frosty Fridge: - - rscadd: Augmented employees are now licensed to perform advanced maintenance on - their own augmented body parts. - - code_imp: Added a flag to Surgery subclasses to allow or disallow self surgery - - code_imp: Made the lying_required var of surgeries apply to all surgery steps, - not just initiation + - rscadd: + Augmented employees are now licensed to perform advanced maintenance on + their own augmented body parts. + - code_imp: Added a flag to Surgery subclasses to allow or disallow self surgery + - code_imp: + Made the lying_required var of surgeries apply to all surgery steps, + not just initiation Ghom: - - code_imp: minor clean up on hydroponics reagent containers. + - code_imp: minor clean up on hydroponics reagent containers. Recurracy: - - tweak: Hypodermic prickles is triggered when someone slips over a plant with the - Slippery Skin trait - - tweak: Liquid contents is triggered when someone slips over a plant with the Slippery - Skin trait + - tweak: + Hypodermic prickles is triggered when someone slips over a plant with the + Slippery Skin trait + - tweak: + Liquid contents is triggered when someone slips over a plant with the Slippery + Skin trait coiax: - - rscadd: Podpeople have the species trait of always being clean, so do not need - to worry about regular showering. Because they're plants. + - rscadd: + Podpeople have the species trait of always being clean, so do not need + to worry about regular showering. Because they're plants. hazamaitsuru: - - tweak: Light fixture power cells can now be removed instead of swapped + - tweak: Light fixture power cells can now be removed instead of swapped 2019-01-11: Denton: - - tweak: Restricted the throw range of magspears to 0 tiles. + - tweak: Restricted the throw range of magspears to 0 tiles. Floyd / Qustinnus: - - soundadd: involuntary screaming for when you get hurt. - - code_imp: reworks emote sound handling to not use fucking s u b t y p i n g + - soundadd: involuntary screaming for when you get hurt. + - code_imp: reworks emote sound handling to not use fucking s u b t y p i n g GranpaWalton: - - bugfix: The cargo techfab has been moved to the cargo office on box station so - miners can access it + - bugfix: + The cargo techfab has been moved to the cargo office on box station so + miners can access it Joe Berry: - - rscadd: Mass fire attack, sends fire out from the ash drake in all directions - - rscadd: Adds an enraged attack for ash drake, heals him as well as making him - glow and go faster, spawning massive amounts of fire in all directions - - rscdel: Removes the old triple swoop with lava pools attack - - tweak: Lava pools can now spawn with the normal fire breath attack sometimes - - tweak: Lava pools now have changed delays for lesser amounts so they don't all - just place around one area - - tweak: 'Increases default swoop delay for #41178' - - balance: Teleporting out of the lava arena now has some actual consequences by - enraging the ash drake - - bugfix: Makes lava arena a bit less laggy by not recalculating range_turfs every - time - - bugfix: 'Fixes #41887 though this will not change the turfs to basalt temporarily - to prevent moving through indestructible walls' - - bugfix: Fire lines would not spawn if their range would place their final turf - location outside of the map - - bugfix: The arena attack will no longer destroy indestructible open turfs + - rscadd: Mass fire attack, sends fire out from the ash drake in all directions + - rscadd: + Adds an enraged attack for ash drake, heals him as well as making him + glow and go faster, spawning massive amounts of fire in all directions + - rscdel: Removes the old triple swoop with lava pools attack + - tweak: Lava pools can now spawn with the normal fire breath attack sometimes + - tweak: + Lava pools now have changed delays for lesser amounts so they don't all + just place around one area + - tweak: "Increases default swoop delay for #41178" + - balance: + Teleporting out of the lava arena now has some actual consequences by + enraging the ash drake + - bugfix: + Makes lava arena a bit less laggy by not recalculating range_turfs every + time + - bugfix: + "Fixes #41887 though this will not change the turfs to basalt temporarily + to prevent moving through indestructible walls" + - bugfix: + Fire lines would not spawn if their range would place their final turf + location outside of the map + - bugfix: The arena attack will no longer destroy indestructible open turfs Kierany9: - - imageadd: Added a new sprite for Telekinetic Field + - imageadd: Added a new sprite for Telekinetic Field MMMiracles: - - tweak: Donutstation's dorm showers has received an upgrade to be more in line - with updated hygiene standards. - - tweak: The experimentor room has been slightly compressed to deal with this upgrade. + - tweak: + Donutstation's dorm showers has received an upgrade to be more in line + with updated hygiene standards. + - tweak: The experimentor room has been slightly compressed to deal with this upgrade. MrDoomBringer: - - bugfix: People in supplypods in closets/mechs/etc will no longer get yeeted into - nullspace + - bugfix: + People in supplypods in closets/mechs/etc will no longer get yeeted into + nullspace WJohnston: - - bugfix: Fixes warning line corners being all wonky when shuttles rotate. + - bugfix: Fixes warning line corners being all wonky when shuttles rotate. coiax: - - rscadd: Wearing a jumpsuit that's been washed in a washing machine will give you - a positive moodlet. - - tweak: Robust Gold cigarettes now taste faintly of expensive metal. - - tweak: Uplift Smooth's menthol effect now actually prevents you from coughing. - Uplift Smooth now taste of "smoke and mint", rather than "mint and a hint of - smoke". - - bugfix: Fixed slaughter demons not getting a speed boost when exiting a pool of - blood. Fixed slaughter demon giblets not being visible. - - tweak: Dead bodies do not slowly have their hygiene decrease, as dead bodies just - smell generally because of the decomposition. - - bugfix: Ghosts and camera mobs no longer feel if the shower is cold or too hot. - - tweak: The creep trauma/antagonist is no longer gained via brain damage. + - rscadd: + Wearing a jumpsuit that's been washed in a washing machine will give you + a positive moodlet. + - tweak: Robust Gold cigarettes now taste faintly of expensive metal. + - tweak: + Uplift Smooth's menthol effect now actually prevents you from coughing. + Uplift Smooth now taste of "smoke and mint", rather than "mint and a hint of + smoke". + - bugfix: + Fixed slaughter demons not getting a speed boost when exiting a pool of + blood. Fixed slaughter demon giblets not being visible. + - tweak: + Dead bodies do not slowly have their hygiene decrease, as dead bodies just + smell generally because of the decomposition. + - bugfix: Ghosts and camera mobs no longer feel if the shower is cold or too hot. + - tweak: The creep trauma/antagonist is no longer gained via brain damage. 2019-01-13: SuicidalPickles: - - bugfix: A few vehicles; secway, scooters/skateboards, and ATVs have been changed - to the new movement delay speed. + - bugfix: + A few vehicles; secway, scooters/skateboards, and ATVs have been changed + to the new movement delay speed. Time-Green: - - bugfix: lizards will no longer always have firebreath + - bugfix: lizards will no longer always have firebreath coiax: - - code_imp: Randomly coloured gloves and randomly coloured glowsticks now have slightly - different typepaths, but otherwise function the same. - - tweak: Bartenders now gain their ability to "booze slide" from their beer googles, - rather than from a granter book in their backpacks. - - rscadd: Players with the Spiritual quirk now spawn with a pack of candles and - a box of matches, for better communion with their chosen power, and get a mood - boost while near a holy person (generally the chaplain). + - code_imp: + Randomly coloured gloves and randomly coloured glowsticks now have slightly + different typepaths, but otherwise function the same. + - tweak: + Bartenders now gain their ability to "booze slide" from their beer googles, + rather than from a granter book in their backpacks. + - rscadd: + Players with the Spiritual quirk now spawn with a pack of candles and + a box of matches, for better communion with their chosen power, and get a mood + boost while near a holy person (generally the chaplain). floyd / qustinnus: - - tweak: Hygiene now lowers slower when you are clean, and dirtiness rates for some - clothing items have been nerfed. - - tweak: some more clothes are okay to shower with now. - - tweak: only 20% as much miasma is produced by low hygiene + - tweak: + Hygiene now lowers slower when you are clean, and dirtiness rates for some + clothing items have been nerfed. + - tweak: some more clothes are okay to shower with now. + - tweak: only 20% as much miasma is produced by low hygiene nicbn: - - bugfix: Vacant comissary disposals in BoxStation are no longer directly linked - to the recycler room outlet. + - bugfix: + Vacant comissary disposals in BoxStation are no longer directly linked + to the recycler room outlet. 2019-01-17: BebeYoshi & Hexmaniacosanna: - - rscadd: A new drink called Blank Paper was added to the bar menu, it was made - by a mime and it represents a new start. + - rscadd: + A new drink called Blank Paper was added to the bar menu, it was made + by a mime and it represents a new start. Dax Dupont: - - bugfix: The supermatter scalpel now isn't infinite usage. - - rscadd: Chaplains can now purify other bibles and turn them to their religion. - There's no place for other people's religion on this station. + - bugfix: The supermatter scalpel now isn't infinite usage. + - rscadd: + Chaplains can now purify other bibles and turn them to their religion. + There's no place for other people's religion on this station. Denton: - - tweak: 'Rearranged Uplink items: Bundles, random item and TC have been moved into - a new category called "Bundles and Telecrystals". Gloves of the North Star and - Box of Throwing Weapons have been moved to Conspicuous and Dangerous Weapons. - Combat Gloves Plus have been moved to Stealthy and Inconspicuous Weapons. Moved - all implants into the Implants category.' - - tweak: Scanner gates can now check for hygiene levels (dirty or clean) and nutrition - levels (starving or obese). - - bugfix: 'Pubbystation: Fixed various minor map bugs (two unconnected Medbay disposals - bins, engineering cameras without EMP protection, unpowered air injector outside - the tcommsat, unconnected AI sat vent).' - - bugfix: The cameras right outside of Donutstation's singularity containment have - been EMP-proofed and will no longer alert silicons 24/7. + - tweak: + 'Rearranged Uplink items: Bundles, random item and TC have been moved into + a new category called "Bundles and Telecrystals". Gloves of the North Star and + Box of Throwing Weapons have been moved to Conspicuous and Dangerous Weapons. + Combat Gloves Plus have been moved to Stealthy and Inconspicuous Weapons. Moved + all implants into the Implants category.' + - tweak: + Scanner gates can now check for hygiene levels (dirty or clean) and nutrition + levels (starving or obese). + - bugfix: + "Pubbystation: Fixed various minor map bugs (two unconnected Medbay disposals + bins, engineering cameras without EMP protection, unpowered air injector outside + the tcommsat, unconnected AI sat vent)." + - bugfix: + The cameras right outside of Donutstation's singularity containment have + been EMP-proofed and will no longer alert silicons 24/7. Floyd / Qustinnus: - - rscadd: Bronze Golem echos his enemies away. - - rscadd: Bone golem has a bone to pick - - rscadd: Cardboard golem storms into the fray - - rscadd: Leather Golem gets a grip - - rscadd: Durathread golem weaves his magic - - tweak: buffs calcium healing for bone creatures a bit - - bugfix: Removes dupe component + - rscadd: Bronze Golem echos his enemies away. + - rscadd: Bone golem has a bone to pick + - rscadd: Cardboard golem storms into the fray + - rscadd: Leather Golem gets a grip + - rscadd: Durathread golem weaves his magic + - tweak: buffs calcium healing for bone creatures a bit + - bugfix: Removes dupe component GranpaWalton: - - balance: CO2 fusion power has been lowered from 3 to 1.25 - - balance: nitryl fusion power has been raised from 15 to 16 - - tweak: department belts can now hold their department holosigns, utility and jani - belts no longer hold every holosign + - balance: CO2 fusion power has been lowered from 3 to 1.25 + - balance: nitryl fusion power has been raised from 15 to 16 + - tweak: + department belts can now hold their department holosigns, utility and jani + belts no longer hold every holosign Menshin: - - tweak: tgui'ed P.A.C.M.A.N generators interface - - bugfix: fixed some bugs related to these generators + - tweak: tgui'ed P.A.C.M.A.N generators interface + - bugfix: fixed some bugs related to these generators Mickyan: - - rscadd: Most objects can now be colored using a spray can - - spellcheck: Added visible message to spraying objects and windows + - rscadd: Most objects can now be colored using a spray can + - spellcheck: Added visible message to spraying objects and windows PKPenguin321: - - spellcheck: Made some grammar better with genetics consoles when they import and - export disks. + - spellcheck: + Made some grammar better with genetics consoles when they import and + export disks. Tortellini Tony: - - rscadd: Cigarettes and lighters can now be extinguished. - - bugfix: E-cigs will continue to display their setting after being emagged. + - rscadd: Cigarettes and lighters can now be extinguished. + - bugfix: E-cigs will continue to display their setting after being emagged. Vile Beggar: - - rscadd: You can now create circuit floor tiles with the autolathe. + - rscadd: You can now create circuit floor tiles with the autolathe. Zxaber: - - bugfix: Malfunctioning AIs can no longer abuse the confirmation popup to create - extra (unstoppable) doomsdays. - - tweak: Fixed vent placement in Delta's Robo - - tweak: Added a second welding helmet in Robo of Meta and the Mech Bay of Delta, - to match the two that Robotics gets on Box, Pubby, and Donut. + - bugfix: + Malfunctioning AIs can no longer abuse the confirmation popup to create + extra (unstoppable) doomsdays. + - tweak: Fixed vent placement in Delta's Robo + - tweak: + Added a second welding helmet in Robo of Meta and the Mech Bay of Delta, + to match the two that Robotics gets on Box, Pubby, and Donut. bandit: - - tweak: Clicking the health doll lets you examine yourself for injuries. + - tweak: Clicking the health doll lets you examine yourself for injuries. bgobandit: - - balance: Resisting out of bucklecuffs takes more/less time depending on the handcuffs - you used, i.e., fake handcuffs will not bucklecuff someone for ages. - - tweak: Some holidays have received new drone hats and station name prefixes. + - balance: + Resisting out of bucklecuffs takes more/less time depending on the handcuffs + you used, i.e., fake handcuffs will not bucklecuff someone for ages. + - tweak: Some holidays have received new drone hats and station name prefixes. carshalash: - - tweak: Reduced booze power of Mead, Red Mead, and Irish Cream. - - tweak: Increased booze power of Grappa. + - tweak: Reduced booze power of Mead, Red Mead, and Irish Cream. + - tweak: Increased booze power of Grappa. coiax: - - bugfix: Anti-drop implants can no longer be used to drop objects that they were - not responsible for sticking to a person's hand. - - bugfix: Backfiring with a Barnyard spellbook will now play a spooky horse sound. - - refactor: Refactors the way that "NODROP" items work to a new system, there should - be no change in functionality. - - bugfix: Applying an item fortification scroll to a non-enchanted item no longer - has a chance of immediately deleting that item. - - tweak: Also, item fortification scrolls have more colourful messages. - - tweak: Contraband pills have been given a unified pill icon as well as new names - and descriptions. An admin spawn only bottle of floorpills has been added. - - bugfix: Smuggler's satchels can now be found with t-ray scanners, as intended. - - balance: Smuggler's satchels now cost 1 TC, down from 2 TC. - - admin: Admins have a button to remove the runed metal and cult dagger from cultists. + - bugfix: + Anti-drop implants can no longer be used to drop objects that they were + not responsible for sticking to a person's hand. + - bugfix: Backfiring with a Barnyard spellbook will now play a spooky horse sound. + - refactor: + Refactors the way that "NODROP" items work to a new system, there should + be no change in functionality. + - bugfix: + Applying an item fortification scroll to a non-enchanted item no longer + has a chance of immediately deleting that item. + - tweak: Also, item fortification scrolls have more colourful messages. + - tweak: + Contraband pills have been given a unified pill icon as well as new names + and descriptions. An admin spawn only bottle of floorpills has been added. + - bugfix: Smuggler's satchels can now be found with t-ray scanners, as intended. + - balance: Smuggler's satchels now cost 1 TC, down from 2 TC. + - admin: Admins have a button to remove the runed metal and cult dagger from cultists. coiax, loser: - - bugfix: Taking mutadone while having the communication disorder brain trauma will - no longer spam your chat with messages. + - bugfix: + Taking mutadone while having the communication disorder brain trauma will + no longer spam your chat with messages. 2019-01-18: 4dplanner: - - bugfix: hierophant gives its medal before exploding - - rscdel: removed the separated chemicals trait + - bugfix: hierophant gives its medal before exploding + - rscdel: removed the separated chemicals trait Denton: - - bugfix: Thrown supermatter tongs now properly show a message. - - tweak: Improved various messages related to supermatter dusting. + - bugfix: Thrown supermatter tongs now properly show a message. + - tweak: Improved various messages related to supermatter dusting. coiax: - - tweak: Observers are able to see family heirloom messages when examining objects. - - bugfix: Objects and items can now be inserted into closets, like before. - - bugfix: Fixes a bug which prevented carbons from throwing items. + - tweak: Observers are able to see family heirloom messages when examining objects. + - bugfix: Objects and items can now be inserted into closets, like before. + - bugfix: Fixes a bug which prevented carbons from throwing items. floyd / qustinnus: - - bugfix: fixes some hygiene runtimes - - tweak: hygiene sprite is a bit more transparent + - bugfix: fixes some hygiene runtimes + - tweak: hygiene sprite is a bit more transparent 2019-01-24: 4dplanner: - - balance: legion cores no longer adminheal - - balance: legion cores now heal 25 brute, 25 burn - - balance: legion cores remove CC like stuns and body temperature changes on application - - balance: legion cores make you immune to damage slowdown for one minute - - balance: implanted legion cores are unaffected. + - balance: legion cores no longer adminheal + - balance: legion cores now heal 25 brute, 25 burn + - balance: legion cores remove CC like stuns and body temperature changes on application + - balance: legion cores make you immune to damage slowdown for one minute + - balance: implanted legion cores are unaffected. Dax Dupont: - - tweak: Vent clog events are more likely to happen. + - tweak: Vent clog events are more likely to happen. Denton: - - bugfix: The Syndicate Bundle uplink item is now purchasable again. + - bugfix: The Syndicate Bundle uplink item is now purchasable again. Gousaid67: - - bugfix: The genetic sequence analyzer now will no longer be able to scan husked - corpses or species with TRAIT_RADIMMUNE, similar to its bigger brother the DNA - scanner. - - tweak: Cloning will no longer apply mutations to species with TRAIT_RADIMMUNE - like golems and plasmamens, positive or negative. + - bugfix: + The genetic sequence analyzer now will no longer be able to scan husked + corpses or species with TRAIT_RADIMMUNE, similar to its bigger brother the DNA + scanner. + - tweak: + Cloning will no longer apply mutations to species with TRAIT_RADIMMUNE + like golems and plasmamens, positive or negative. GranpaWalton: - - bugfix: Oxyloss icon no-longer shows up when someone has the self respiration - symptom - - tweak: The self respiration now makes you not contract diseases through the air - and not breathe in smoke + - bugfix: + Oxyloss icon no-longer shows up when someone has the self respiration + symptom + - tweak: + The self respiration now makes you not contract diseases through the air + and not breathe in smoke Jujumatic, port by Denton: - - rscadd: Ported wheelchairs from Hippiestation. They're craftable with 4 sheets - of metal and 6 rods. The less arms you have, the slower you move! + - rscadd: + Ported wheelchairs from Hippiestation. They're craftable with 4 sheets + of metal and 6 rods. The less arms you have, the slower you move! Kierany9: - - rscadd: Assimilation has received an update! - - rscdel: Mindshield Implants and other hivemind host identifying methods no longer - reveal their name. - - rscadd: Now, both parties will be able to sense the other's location for a short - period of time, similar to a pinpointer. - - balance: In the case of Network Invasion, the probing host still only gets information - on the vessel they just lost and not the opposing host. - - balance: As a hivemind host becomes stronger and starts going on the offensive, - they become easier to sense, and their own sensing ability is diminished. - - balance: In addition, using Mind Control renders you unable to sense others at - all. + - rscadd: Assimilation has received an update! + - rscdel: + Mindshield Implants and other hivemind host identifying methods no longer + reveal their name. + - rscadd: + Now, both parties will be able to sense the other's location for a short + period of time, similar to a pinpointer. + - balance: + In the case of Network Invasion, the probing host still only gets information + on the vessel they just lost and not the opposing host. + - balance: + As a hivemind host becomes stronger and starts going on the offensive, + they become easier to sense, and their own sensing ability is diminished. + - balance: + In addition, using Mind Control renders you unable to sense others at + all. Menshin: - - rscadd: Xeno queens now transfer overlays on size change (meaning it will now - display on fire, etc) - - bugfix: restored a missing Xeno queen icon + - rscadd: + Xeno queens now transfer overlays on size change (meaning it will now + display on fire, etc) + - bugfix: restored a missing Xeno queen icon Nervere: - - rscadd: Added the scrungulartiy brain damage line. + - rscadd: Added the scrungulartiy brain damage line. PKPenguin321: - - rscadd: 'New genetics power: Insulated - You become shock immune, basically having - innate insulated gloves.' - - rscadd: 'New genetics power: Shock Touch - Electric punch! You get a wizard-like - touch spell that does burn damage, confuses, disarms, and jitters. Has a 10 - second cooldown and can only be created by combining Insulated with Radioactive.' - - bugfix: Lings should be able to see some of their victim's last words when they - absorb them. - - rscadd: 'Hunt down your enemies by scent with a new power that has been added - to genetics: Transcendent Olfaction.' - - bugfix: Lings will copy the notes of people they absorb (including PDA codes, - antag objectives, and objective conspirators) properly. + - rscadd: + "New genetics power: Insulated - You become shock immune, basically having + innate insulated gloves." + - rscadd: + "New genetics power: Shock Touch - Electric punch! You get a wizard-like + touch spell that does burn damage, confuses, disarms, and jitters. Has a 10 + second cooldown and can only be created by combining Insulated with Radioactive." + - bugfix: + Lings should be able to see some of their victim's last words when they + absorb them. + - rscadd: + "Hunt down your enemies by scent with a new power that has been added + to genetics: Transcendent Olfaction." + - bugfix: + Lings will copy the notes of people they absorb (including PDA codes, + antag objectives, and objective conspirators) properly. SpaceManiac: - - bugfix: Mousetrap boxes now have their illustration again. - - bugfix: It is no longer possible for folding paper into an airplane to appear - to duplicate it. + - bugfix: Mousetrap boxes now have their illustration again. + - bugfix: + It is no longer possible for folding paper into an airplane to appear + to duplicate it. Time-Green: - - rscadd: Adds glorious soviet Russia golem - - rscadd: Adds the cryokinesis and geladikinesis mutations - - bugfix: Snow walls no longer runtime everything - - rscadd: Nanotrassen has removed the reagent filter from gibbers due to budget - cuts. Make sure you are serving healthy human flesh + - rscadd: Adds glorious soviet Russia golem + - rscadd: Adds the cryokinesis and geladikinesis mutations + - bugfix: Snow walls no longer runtime everything + - rscadd: + Nanotrassen has removed the reagent filter from gibbers due to budget + cuts. Make sure you are serving healthy human flesh Tlaltecuhtli: - - rscadd: rcd disk that gives rcd computer frame and machine frame designs + - rscadd: rcd disk that gives rcd computer frame and machine frame designs Trilbyspaceclone: - - bugfix: Fixed power tool drill fitting in boots and wallets + - bugfix: Fixed power tool drill fitting in boots and wallets Vile Beggar: - - tweak: Plasmamen have no need for regular showering anymore. + - tweak: Plasmamen have no need for regular showering anymore. anconfuzedrock: - - tweak: compressed matter cartridges are now tiny. - - tweak: Aurora Caelus is 4x rarer + - tweak: compressed matter cartridges are now tiny. + - tweak: Aurora Caelus is 4x rarer mrhugo13: - - bugfix: Skeleton golems now rattles and speaks in the same way that normal skeletons - do. - - rscadd: Adds a new bounty that has to do with trash. - 'no': - - bugfix: Chilling Sepia extracts cannot be used infinitely and will be consumed - upon use. + - bugfix: + Skeleton golems now rattles and speaks in the same way that normal skeletons + do. + - rscadd: Adds a new bounty that has to do with trash. + "no": + - bugfix: + Chilling Sepia extracts cannot be used infinitely and will be consumed + upon use. 2019-01-26: 4dplanner: - - balance: Megafauna cannot teleport - - balance: perfluorodecalin no longer mutes - - balance: it also heals brute and burn 3x faster (a new rate of 0.25 of each a - second) - - balance: it also causes toxin buildup over time + - balance: Megafauna cannot teleport + - balance: perfluorodecalin no longer mutes + - balance: + it also heals brute and burn 3x faster (a new rate of 0.25 of each a + second) + - balance: it also causes toxin buildup over time Razharas: - - rscadd: Animation to cryo and sleepers opening/closing - - tweak: Changed a bit of internal handling of visuals of cryo, no more updating - icon each time anything is clicked in the ui - - imageadd: Sprite for the cryo and sleeper animations + - rscadd: Animation to cryo and sleepers opening/closing + - tweak: + Changed a bit of internal handling of visuals of cryo, no more updating + icon each time anything is clicked in the ui + - imageadd: Sprite for the cryo and sleeper animations YoYoBatty: - - tweak: Body part damage is now run through armor check in certain situations. + - tweak: Body part damage is now run through armor check in certain situations. as334: - - rscadd: Tritium now needs to be an environment with a sizable thermal mass for - full efficiency combustion. - - rscadd: Advanced Gas reactions now produce research points. - - rscadd: A gas canister with Pluoxium, Noblium, Stimulum, Miasma or BZ inside now - produces points when sold via cargo. + - rscadd: + Tritium now needs to be an environment with a sizable thermal mass for + full efficiency combustion. + - rscadd: Advanced Gas reactions now produce research points. + - rscadd: + A gas canister with Pluoxium, Noblium, Stimulum, Miasma or BZ inside now + produces points when sold via cargo. 2019-01-28: Gousaid67: - - bugfix: Spraycans are now able to spray walls again! + - bugfix: Spraycans are now able to spray walls again! 2019-01-30: 4dplanner: - - bugfix: adamantine armour no longer screws up clothing protection + - bugfix: adamantine armour no longer screws up clothing protection Kierany9: - - bugfix: The Psychic Link pinpointer now works. Oops! + - bugfix: The Psychic Link pinpointer now works. Oops! ShizCalev: - - tweak: Cleanbots now clean up spilled table-salt and plant smudges. + - tweak: Cleanbots now clean up spilled table-salt and plant smudges. Time-Green: - - bugfix: geladkinesis snow tiles no longer freeze the station + - bugfix: geladkinesis snow tiles no longer freeze the station Zxaber: - - rscadd: Mechas now ignore strafe mode and turn if the user is holding Alt. + - rscadd: Mechas now ignore strafe mode and turn if the user is holding Alt. actioninja: - - rscadd: Added Smoker and Junkie quirks. + - rscadd: Added Smoker and Junkie quirks. 2019-01-31: 4dplanner: - - bugfix: antimagic works again - - bugfix: fixes cloning + - bugfix: antimagic works again + - bugfix: fixes cloning BuffEngineering: - - imageadd: Pneumatic cannons will now have a tank visible all of the time + - imageadd: Pneumatic cannons will now have a tank visible all of the time BuffEngineering/MrDoomBringer: - - rscadd: Engineers may now weld with engineering pride using the new welding hardhats! + - rscadd: Engineers may now weld with engineering pride using the new welding hardhats! Gousaid67: - - bugfix: Alt-Clicking open the Escape Pods safes will no longer ignore the alert - level. + - bugfix: + Alt-Clicking open the Escape Pods safes will no longer ignore the alert + level. Hathkar: - - balance: Nicotine gives a small bonus to stun resistance instead of being equal - to adrenals or ephedrine. + - balance: + Nicotine gives a small bonus to stun resistance instead of being equal + to adrenals or ephedrine. Nervere & kevinz000: - - rscadd: You can now hold hands with another player by targeting their left or - right arm and pulling them. + - rscadd: + You can now hold hands with another player by targeting their left or + right arm and pulling them. Nichlas0010: - - bugfix: the Middle Mouse Button aimbot exploit should no longer be usable + - bugfix: the Middle Mouse Button aimbot exploit should no longer be usable Pubby: - - tweak: Drop "universal" from suppressors name + - tweak: Drop "universal" from suppressors name ShizCalev: - - bugfix: Fixed suit storage units not correctly clearing out the radiation of built-in - hardsuit helmets and jetpacks. + - bugfix: + Fixed suit storage units not correctly clearing out the radiation of built-in + hardsuit helmets and jetpacks. coiax: - - rscadd: When a person is cloned, any mental traumas are cloned as well. - - rscadd: Adds the Paraplegic quirk for -3 points. You start with unhealable leg - paralysis (persists through cloning), and have a wheelchair to move around the - station. + - rscadd: When a person is cloned, any mental traumas are cloned as well. + - rscadd: + Adds the Paraplegic quirk for -3 points. You start with unhealable leg + paralysis (persists through cloning), and have a wheelchair to move around the + station. py01: - - bugfix: Twisted Construction no longer damages the caster if canceled or failed - to cast - - bugfix: Twisted Construction's tool-tip now correctly specifies the amount of - metal needed for a construct shell - - refactor: Blood rite and Twisted Construction code now uses defines instead of - magic numbers + - bugfix: + Twisted Construction no longer damages the caster if canceled or failed + to cast + - bugfix: + Twisted Construction's tool-tip now correctly specifies the amount of + metal needed for a construct shell + - refactor: + Blood rite and Twisted Construction code now uses defines instead of + magic numbers 2019-02-04: 4dplanner: - - balance: perfluorodecalin's side effects have been significantly reduced to 0.3 - toxloss per tick - - balance: perfluorodecalin no longer heals brute/burn damage - - bugfix: the pirate shuttle APC cannot be remotely controlled + - balance: + perfluorodecalin's side effects have been significantly reduced to 0.3 + toxloss per tick + - balance: perfluorodecalin no longer heals brute/burn damage + - bugfix: the pirate shuttle APC cannot be remotely controlled 81Denton: - - tweak: Added a bigger selection of sounds to the H.O.N.K. mech's "Sounds of HONK" - panel. + - tweak: + Added a bigger selection of sounds to the H.O.N.K. mech's "Sounds of HONK" + panel. Anonmare: - - bugfix: Updates the malf fire alarm hack to be more up to date + - bugfix: Updates the malf fire alarm hack to be more up to date As334 and Unit2E: - - tweak: Miasma and BZ no longer affect the energy level of the BZ generation reaction. - - balance: Tweaked how BZ generation's research points work to reward higher efficiency - setups. + - tweak: Miasma and BZ no longer affect the energy level of the BZ generation reaction. + - balance: + Tweaked how BZ generation's research points work to reward higher efficiency + setups. Basilman: - - refactor: refactored how sounds are stored and played - - rscadd: Added sound rings and supporting text + - refactor: refactored how sounds are stored and played + - rscadd: Added sound rings and supporting text BuffEngineering: - - bugfix: Addicts can now feel like they're getting their fix or kicking it + - bugfix: Addicts can now feel like they're getting their fix or kicking it Floyd / Qustinnus: - - tweak: Bonechill now actually chills you - - tweak: Bonechill lasts 2 seconds longer - - tweak: RESIST_COLD is checked before bonechill is applied - - bugfix: Changes makeshift vests' name to durathread vest - - bugfix: Cardboard golem can now reproduce himself. - - bugfix: The durathread golem now needs cloth instead of strands + - tweak: Bonechill now actually chills you + - tweak: Bonechill lasts 2 seconds longer + - tweak: RESIST_COLD is checked before bonechill is applied + - bugfix: Changes makeshift vests' name to durathread vest + - bugfix: Cardboard golem can now reproduce himself. + - bugfix: The durathread golem now needs cloth instead of strands Hathkar: - - balance: Red slime speed potions applied to vehicles will now make the vehicle - as fast as a normal running person. + - balance: + Red slime speed potions applied to vehicles will now make the vehicle + as fast as a normal running person. Menshin: - - bugfix: syringes launched from the mecha syringe gun will now properly transfer - reagents - - bugfix: Plastic flaps won't become invisible on unscrew anymore + - bugfix: + syringes launched from the mecha syringe gun will now properly transfer + reagents + - bugfix: Plastic flaps won't become invisible on unscrew anymore Michael-Ashfield: - - tweak: Beekeepers can finally store their flyswatters in their suit storage + - tweak: Beekeepers can finally store their flyswatters in their suit storage ShizCalev: - - bugfix: Fixed turrets targeting pAI devices. - - bugfix: Fixed fire alarms not updating icons properly after being emagged and - hacked by Malf AI's. - - bugfix: Fixed an exploit which allowed you to stack petting related mood buffs. - - bugfix: Fixed petting moodlets showing an animal's pronouns as simply "it", instead - of their actual pronoun. + - bugfix: Fixed turrets targeting pAI devices. + - bugfix: + Fixed fire alarms not updating icons properly after being emagged and + hacked by Malf AI's. + - bugfix: Fixed an exploit which allowed you to stack petting related mood buffs. + - bugfix: + Fixed petting moodlets showing an animal's pronouns as simply "it", instead + of their actual pronoun. SuicidalPickles: - - balance: Flagellant Robes have had their speed reduced from -1 to -0.6, in return - for tuning the extra received damage down by 5. + - balance: + Flagellant Robes have had their speed reduced from -1 to -0.6, in return + for tuning the extra received damage down by 5. TheMythicGhost: - - rscadd: Adds an in-hand sprite for package wrapped parcels. + - rscadd: Adds an in-hand sprite for package wrapped parcels. Tlaltecuhtli: - - balance: Ripley, Firefighter, Odysseus and H.O.N.K. mechs now also use scanning - modules and capacitors on construction. This means that they also gain reduced - power consumption and EMP protection from higher-tier stock parts. - - balance: neurotoxin doesnt insta stun but gives you limb paralysis overtime and - heart attacks if it stays in for too long and it is also alcholic + - balance: + Ripley, Firefighter, Odysseus and H.O.N.K. mechs now also use scanning + modules and capacitors on construction. This means that they also gain reduced + power consumption and EMP protection from higher-tier stock parts. + - balance: + neurotoxin doesnt insta stun but gives you limb paralysis overtime and + heart attacks if it stays in for too long and it is also alcholic actioninja: - - balance: Bone Hurting Juice now metabolizes at a standard rate for toxins. + - balance: Bone Hurting Juice now metabolizes at a standard rate for toxins. actioninja\memager: - - refactor: Ballistic guns have been almost entirely reworked from a backend side. - This primarily focused on moving as much as possible into the base ballistic - gun and turning as many other guns into essentially varedits as possible. - - rscadd: Guns can now be racked. This is the default action unless the magazine - is empty. - - rscadd: Guns now can have the magazine removed by clicking on them with an open - hand while they are in hand. - - tweak: Suppressors are now removed by alt clicking instead of clicking with an - open hand - - rscadd: Guns now have various bolt types that all function a bit differently. - Open bolts cannot have a bullet chambered with no mag, locking bolts lock back - after running out of ammo, etc. - - rscadd: All ballistic gun sounds are controlled by variables instead of hardcoded - usages. - - tweak: The l6 LMG has a reworked control scheme. alt + click to open and close - the cover, open hand to remove mag, place mag in by slapping them together, - default action is rack. - - tweak: Functionality that used to be snowflake code such as tactical reloads has - been moved to the base gun, and can be toggled by variables. - - refactor: All shotguns are now properly subpaths of the shotgun type. They still - work the same. - - imagedel: Gun sprites have been almost entirely overhauled to use overlays instead - of states. This collapsed the L6 sprite from 20 sprites to 9 sprites to give - an example. - - soundadd: Remixed versions of the shotgun and base gun firesound - - soundadd: New rifle firesound for l6 and moist nugget, new SMG fire sound, new - sniper fire sound. - - soundadd: Lots of new weapon operation sounds such as racking and bolts and the - like. - - imageadd: New sprites for the Riot Shotgun, Combat Shotgun, c20r, Deagle, m90, - double barrel shotgun and 1911 by Memager. - - imageadd: All gun sprites that were pointing to the left have been flipped to - point to the right. - - balance: Shotguns now can be pumped faster. - - balance: Bulldog can now be tac reloaded - - balance: Sawn off shotguns now have an accuracy penalty and recoil + - refactor: + Ballistic guns have been almost entirely reworked from a backend side. + This primarily focused on moving as much as possible into the base ballistic + gun and turning as many other guns into essentially varedits as possible. + - rscadd: + Guns can now be racked. This is the default action unless the magazine + is empty. + - rscadd: + Guns now can have the magazine removed by clicking on them with an open + hand while they are in hand. + - tweak: + Suppressors are now removed by alt clicking instead of clicking with an + open hand + - rscadd: + Guns now have various bolt types that all function a bit differently. + Open bolts cannot have a bullet chambered with no mag, locking bolts lock back + after running out of ammo, etc. + - rscadd: + All ballistic gun sounds are controlled by variables instead of hardcoded + usages. + - tweak: + The l6 LMG has a reworked control scheme. alt + click to open and close + the cover, open hand to remove mag, place mag in by slapping them together, + default action is rack. + - tweak: + Functionality that used to be snowflake code such as tactical reloads has + been moved to the base gun, and can be toggled by variables. + - refactor: + All shotguns are now properly subpaths of the shotgun type. They still + work the same. + - imagedel: + Gun sprites have been almost entirely overhauled to use overlays instead + of states. This collapsed the L6 sprite from 20 sprites to 9 sprites to give + an example. + - soundadd: Remixed versions of the shotgun and base gun firesound + - soundadd: + New rifle firesound for l6 and moist nugget, new SMG fire sound, new + sniper fire sound. + - soundadd: + Lots of new weapon operation sounds such as racking and bolts and the + like. + - imageadd: + New sprites for the Riot Shotgun, Combat Shotgun, c20r, Deagle, m90, + double barrel shotgun and 1911 by Memager. + - imageadd: + All gun sprites that were pointing to the left have been flipped to + point to the right. + - balance: Shotguns now can be pumped faster. + - balance: Bulldog can now be tac reloaded + - balance: Sawn off shotguns now have an accuracy penalty and recoil coiax: - - code_imp: Job code has been moved into separate files. There should be no change - in behavior. + - code_imp: + Job code has been moved into separate files. There should be no change + in behavior. fizzle7: - - bugfix: Tourettes bug fix. You can now swear and get stunned yet again. + - bugfix: Tourettes bug fix. You can now swear and get stunned yet again. loserXD: - - bugfix: fixes typo in DNA defines + - bugfix: fixes typo in DNA defines oranges: - - balance: soviet and capitalistic golems no longer available from pride mirror - - refactor: changed how species manage their source behaviours + - balance: soviet and capitalistic golems no longer available from pride mirror + - refactor: changed how species manage their source behaviours the epic purple skeleton in the sky: - - balance: Plasmamen now take 1.5x brute damage. + - balance: Plasmamen now take 1.5x brute damage. 2019-02-06: 4dplanner: - - bugfix: fireproofing works properly + - bugfix: fireproofing works properly Floyd / Qustinnus: - - bugfix: you can no longer spam bone rattling + - bugfix: you can no longer spam bone rattling Joe Berry: - - bugfix: Fixes various mobs death sounds and messages not functioning - - bugfix: Fixes hierophants death animation not working properly + - bugfix: Fixes various mobs death sounds and messages not functioning + - bugfix: Fixes hierophants death animation not working properly Kierany9: - - tweak: Fixed some bad math in the chance to get a brain trauma, traumas should - now be a little less common. + - tweak: + Fixed some bad math in the chance to get a brain trauma, traumas should + now be a little less common. MMMiracles: - - tweak: Several small tweaks have been done on Donutstation based on feedback. + - tweak: Several small tweaks have been done on Donutstation based on feedback. ShizCalev: - - bugfix: PDA messages through the messaging server monitor will now correctly log - the sender. + - bugfix: + PDA messages through the messaging server monitor will now correctly log + the sender. Tlaltecuhtli: - - bugfix: some syndicate operatives simple mobs no longer have an invisible shield + - bugfix: some syndicate operatives simple mobs no longer have an invisible shield granpawalton: - - bugfix: Screwing a disk compartmentalizer no longer makes it look like a smartfridge + - bugfix: Screwing a disk compartmentalizer no longer makes it look like a smartfridge oranges: - - balance: Mecha capacitor stock part now only does half as much damage resist for - emps + - balance: + Mecha capacitor stock part now only does half as much damage resist for + emps 2019-02-07: AndrewMontague, FlattestGuitar, nichlas0010, TheMythicGhost: - - tweak: Changes vending machine selections to now display their contents icon instead - of just their name and a random color. + - tweak: + Changes vending machine selections to now display their contents icon instead + of just their name and a random color. Vile Beggar: - - rscadd: Central Command now has access to a janitorial ERT. Be wary of the heavy-duty - ones! + - rscadd: + Central Command now has access to a janitorial ERT. Be wary of the heavy-duty + ones! 2019-02-10: Ghommie: - - code_imp: Fixes ISINRANGE_EX using the wrong relational operator. + - code_imp: Fixes ISINRANGE_EX using the wrong relational operator. Nero1024: - - bugfix: lying or otherwise incapacitated mobs shouldn't play footstep sounds anymore - while moving or being moved - - soundadd: instead they'll play a crawling/dragging sound + - bugfix: + lying or otherwise incapacitated mobs shouldn't play footstep sounds anymore + while moving or being moved + - soundadd: instead they'll play a crawling/dragging sound PKPenguin321: - - rscadd: 'New system in genetics: Conflicting mutations. Some mutations will not - allow others to activate. Example - If you have mutation A, and it conflicts - with B, then B will never activate until you get rid of mutation A (and visa - versa). The only mutations to currently use this are Dwarfism and Gigantism. - Speaking of which...' - - rscadd: 'New minor negative mutation: Gigantism. Opposite of dwarfism, makes you - larger.' - - rscadd: 'New disability: Spastic. You will randomly take a step in a random direction, - will randomly change intent, and will randomly try to click on somebody near - you (which can hug them, punch them, use whatever is in your hand on them, etc).' - - rscadd: 'New disability: Acid flesh. Pockets of acid bubble beneath your skin. - They will occasionally pop, coating you with acid. This will melt clothes and - deal damage to you.' - - rscadd: 'New disability: Spatial Instability. You will randomly teleport, similar - to a wizard''s blink teleport. This is a very nauseating process, and will inevitably - make you very sick if you don''t rid yourself of it.' - - rscadd: 'New disability: Two Left Feet. Your right foot becomes a second left - foot. You take longer to get up from stuns.' + - rscadd: + "New system in genetics: Conflicting mutations. Some mutations will not + allow others to activate. Example - If you have mutation A, and it conflicts + with B, then B will never activate until you get rid of mutation A (and visa + versa). The only mutations to currently use this are Dwarfism and Gigantism. + Speaking of which..." + - rscadd: + "New minor negative mutation: Gigantism. Opposite of dwarfism, makes you + larger." + - rscadd: + "New disability: Spastic. You will randomly take a step in a random direction, + will randomly change intent, and will randomly try to click on somebody near + you (which can hug them, punch them, use whatever is in your hand on them, etc)." + - rscadd: + "New disability: Acid flesh. Pockets of acid bubble beneath your skin. + They will occasionally pop, coating you with acid. This will melt clothes and + deal damage to you." + - rscadd: + "New disability: Spatial Instability. You will randomly teleport, similar + to a wizard's blink teleport. This is a very nauseating process, and will inevitably + make you very sick if you don't rid yourself of it." + - rscadd: + "New disability: Two Left Feet. Your right foot becomes a second left + foot. You take longer to get up from stuns." ShizCalev: - - bugfix: Fixed a bug that allowed you to teleport an ID in your possession to a - PDA anywhere ingame. - - bugfix: Fixed an exploit allowing you to steal ID's/pens from PDA's not in your - possession. - - bugfix: Fixed an exploit allowing you unlimited control of a PDA's interface even - if it wasn't near you/in your possession. - - bugfix: Honk Blaster 5000 will no longer knock you down in space if you aren't - adjacent to it. - - bugfix: Fixed a runtime which caused microwaves/showers/ect to not play sounds. - - bugfix: Internal beakers for medbots now work. + - bugfix: + Fixed a bug that allowed you to teleport an ID in your possession to a + PDA anywhere ingame. + - bugfix: + Fixed an exploit allowing you to steal ID's/pens from PDA's not in your + possession. + - bugfix: + Fixed an exploit allowing you unlimited control of a PDA's interface even + if it wasn't near you/in your possession. + - bugfix: + Honk Blaster 5000 will no longer knock you down in space if you aren't + adjacent to it. + - bugfix: Fixed a runtime which caused microwaves/showers/ect to not play sounds. + - bugfix: Internal beakers for medbots now work. TerraGS: - - rscadd: Adds toggleable light and blinking charge indicator to kinetic crusher + - rscadd: Adds toggleable light and blinking charge indicator to kinetic crusher Vile Beggar: - - tweak: The drill hat is less annoying now. You can change the loudness setting - of it by using a screwdriver on it. Use wirecutters on it for a surprise. - - tweak: Lights now spark less. + - tweak: + The drill hat is less annoying now. You can change the loudness setting + of it by using a screwdriver on it. Use wirecutters on it for a surprise. + - tweak: Lights now spark less. YoYoBatty: - - code_imp: Fixed an undeleted sql query. + - code_imp: Fixed an undeleted sql query. actioninja: - - bugfix: fixed a bunch of missing sprites for various guns including the RPG, grenade - launcher, and toy weapons - - bugfix: fixed sprite issues with no mag spawn weapons such as the 1911. - - bugfix: fixed ammo counts on weapons such as the double barrel shotgun being incorrect - - bugfix: fixed issue with double barrel and revolver "tac loading" that prevented - them from firing until it was properly reloaded - - bugfix: more gun fixes + - bugfix: + fixed a bunch of missing sprites for various guns including the RPG, grenade + launcher, and toy weapons + - bugfix: fixed sprite issues with no mag spawn weapons such as the 1911. + - bugfix: fixed ammo counts on weapons such as the double barrel shotgun being incorrect + - bugfix: + fixed issue with double barrel and revolver "tac loading" that prevented + them from firing until it was properly reloaded + - bugfix: more gun fixes gy1ta23: - - tweak: updates clothesmate line + - tweak: updates clothesmate line the big gay: - - rscdel: The old stamina damage dealing .45 ammo has been removed. This only affects - the 1911 handgun. + - rscdel: + The old stamina damage dealing .45 ammo has been removed. This only affects + the 1911 handgun. tralezab: - - tweak: sleeping carp now deflects projectiles + - tweak: sleeping carp now deflects projectiles 2019-02-13: Caiggas: - - rscadd: Wooden pews may be constructed from 3 wood for all your religious needs! + - rscadd: Wooden pews may be constructed from 3 wood for all your religious needs! GranpaWalton: - - tweak: The tissue hydration water absorption bonus now applies at the correct - threshold - - tweak: The interaction between tissue hydration and holy water has been added - to its description - - tweak: A lavaland syndicate base portable scrubber was replaced with a portable - pump - - bugfix: layer 3 injectors now properly initialize on layer 3 instead of 2 + - tweak: + The tissue hydration water absorption bonus now applies at the correct + threshold + - tweak: + The interaction between tissue hydration and holy water has been added + to its description + - tweak: + A lavaland syndicate base portable scrubber was replaced with a portable + pump + - bugfix: layer 3 injectors now properly initialize on layer 3 instead of 2 IndieanaJones: - - rscadd: Space Dragon Mob - - rscadd: Space Dragon Antagonist Event + - rscadd: Space Dragon Mob + - rscadd: Space Dragon Antagonist Event Joe Berry: - - rscadd: VR Megafauna Arena Map, train against respawning megafauna without the - fear of permanent death, comes randomly chosen in a selection of other vr maps - in the normal vr sleeper - - rscadd: Permanent portals, indestructible portals that are paired up and linked - forever - - rscadd: One way portals, portals that don't have a portal that leads back (mapping - tool) - - rscadd: Recall portals, one way portals with a twist, you can use a spell given - to you to go back to the old portal at any time - - rscadd: Megafauna arena portals, permanent portals that megafauna cannot travel - through - - rscadd: Virtual Megafauna Spawners, spawn holographic megafauna on their person - infinitely - - rscadd: Virtual versions of the megafauna, don't drop loot and are linked to their - spawner - - rscadd: Infinite miner item chests, delete items on them when closed and respawn - the same initial items when opened, used for vr mining equipment restocking - - rscadd: Boss rush mode for virtual megafauna arena, fight your way through all - the megafauna one at a time - - tweak: Makes it easier for new bubblegum types to be created - - bugfix: Ash Drake Corpses no longer have an internal gps signal - - imageadd: Added icons for the megafauna spawners - - code_imp: Removes worthless and copy pasted code from the colossus file, like - having a dead icon state of the ash drake and butcher results - - refactor: Makes it easier for new bubblegum types to be created without having - to edit the initialization each time - - config: Adds VR Megafauna Arena Map to the away missions + - rscadd: + VR Megafauna Arena Map, train against respawning megafauna without the + fear of permanent death, comes randomly chosen in a selection of other vr maps + in the normal vr sleeper + - rscadd: + Permanent portals, indestructible portals that are paired up and linked + forever + - rscadd: + One way portals, portals that don't have a portal that leads back (mapping + tool) + - rscadd: + Recall portals, one way portals with a twist, you can use a spell given + to you to go back to the old portal at any time + - rscadd: + Megafauna arena portals, permanent portals that megafauna cannot travel + through + - rscadd: + Virtual Megafauna Spawners, spawn holographic megafauna on their person + infinitely + - rscadd: + Virtual versions of the megafauna, don't drop loot and are linked to their + spawner + - rscadd: + Infinite miner item chests, delete items on them when closed and respawn + the same initial items when opened, used for vr mining equipment restocking + - rscadd: + Boss rush mode for virtual megafauna arena, fight your way through all + the megafauna one at a time + - tweak: Makes it easier for new bubblegum types to be created + - bugfix: Ash Drake Corpses no longer have an internal gps signal + - imageadd: Added icons for the megafauna spawners + - code_imp: + Removes worthless and copy pasted code from the colossus file, like + having a dead icon state of the ash drake and butcher results + - refactor: + Makes it easier for new bubblegum types to be created without having + to edit the initialization each time + - config: Adds VR Megafauna Arena Map to the away missions Kierany9: - - rscadd: 'Assmilation has received a major update! remove: Kill, Maroon and Protect - objectives have been removed from the mode.' - - tweak: Powers have been reorganized and are now unlocked in batches every five - vessels. This gives hosts more power from the get-go and gives them distinct - phases due to each batch affecting a specific area of the host's ability. - - tweak: The psychic link pinpointer now starts off with very little time for hosts - and must be strengthened by using Network Invasion. Each time a host is detected - via NI, they can be tracked for an extra 30 seconds, and every successful use - of NI increases the duration of all tracking by 10 seconds. A successful use - of a new power, Reclaim, also increases the duration of all tracking by 30 seconds. - - tweak: This means that without generous use of Network Invasion and Reclaim, hivemind - hosts will lose their radar before Security does. - - rscadd: Four new powers have been added! - - rscadd: Reclaim is an early-game ability that instantly kills critically injured - hosts that are adjacent, and reduces all power requirements by five vessels - for each host reclaimed, instantly unlocking your next set of powers. - - rscadd: Psychoreception is an early-game ability that gives you the approximate - distance of anybody currently tracking you and any hosts you've previously detected - via Network Invasion. - - rscadd: Chaos Induction is a mid-game power with a single use that turns four - random vessels into antagonists with a single, customizable objective. - - rscadd: 'Circadian Shift is a late-game power that sends everybody in sight to - sleep for up to almost a minute. The more people affected, the less time it - lasts, the minimum being eight seconds. remove: Mass Assimilation has been removed - as Reclaim now fills its role.' - - tweak: Assimilate Vessel and Release Vessel's cooldown have been reduced to 5 - seconds to reduce waiting time between assimilation attempts. - - tweak: Bruteforce is no longer temporary, but immobilizes the user for five seconds - after assimilation. - - tweak: Hive Sight also lets you hear what the vessel does. - - tweak: The antag limit has been upped from 6 to 9 - - code_imp: A lot of internal changes to how Assimilation works. In summary, Assimilation - now affects the mind instead of the mob, meaning that players will stay assimilated - in a few more scenarios, most notably after death. - - balance: Induce Panic and Distortion Field have been buffed to be more reliable, - especially at lower hive sizes. - - balance: 'Induce Panic and Circadian Shift can affect silicons but no longer affect - hivemind hosts. experimental: A new endgame has been added. The One Mind that - survives this ordeal will show the world the true terror of the word Hivemind.' + - rscadd: + "Assmilation has received a major update! remove: Kill, Maroon and Protect + objectives have been removed from the mode." + - tweak: + Powers have been reorganized and are now unlocked in batches every five + vessels. This gives hosts more power from the get-go and gives them distinct + phases due to each batch affecting a specific area of the host's ability. + - tweak: + The psychic link pinpointer now starts off with very little time for hosts + and must be strengthened by using Network Invasion. Each time a host is detected + via NI, they can be tracked for an extra 30 seconds, and every successful use + of NI increases the duration of all tracking by 10 seconds. A successful use + of a new power, Reclaim, also increases the duration of all tracking by 30 seconds. + - tweak: + This means that without generous use of Network Invasion and Reclaim, hivemind + hosts will lose their radar before Security does. + - rscadd: Four new powers have been added! + - rscadd: + Reclaim is an early-game ability that instantly kills critically injured + hosts that are adjacent, and reduces all power requirements by five vessels + for each host reclaimed, instantly unlocking your next set of powers. + - rscadd: + Psychoreception is an early-game ability that gives you the approximate + distance of anybody currently tracking you and any hosts you've previously detected + via Network Invasion. + - rscadd: + Chaos Induction is a mid-game power with a single use that turns four + random vessels into antagonists with a single, customizable objective. + - rscadd: + "Circadian Shift is a late-game power that sends everybody in sight to + sleep for up to almost a minute. The more people affected, the less time it + lasts, the minimum being eight seconds. remove: Mass Assimilation has been removed + as Reclaim now fills its role." + - tweak: + Assimilate Vessel and Release Vessel's cooldown have been reduced to 5 + seconds to reduce waiting time between assimilation attempts. + - tweak: + Bruteforce is no longer temporary, but immobilizes the user for five seconds + after assimilation. + - tweak: Hive Sight also lets you hear what the vessel does. + - tweak: The antag limit has been upped from 6 to 9 + - code_imp: + A lot of internal changes to how Assimilation works. In summary, Assimilation + now affects the mind instead of the mob, meaning that players will stay assimilated + in a few more scenarios, most notably after death. + - balance: + Induce Panic and Distortion Field have been buffed to be more reliable, + especially at lower hive sizes. + - balance: + "Induce Panic and Circadian Shift can affect silicons but no longer affect + hivemind hosts. experimental: A new endgame has been added. The One Mind that + survives this ordeal will show the world the true terror of the word Hivemind." PKPenguin321: - - rscadd: Added the Antenna power to genetics. It gives you a built-in radio. - - rscadd: Added the Mind Reader power to genetics. You can read the minds of people - on your screen. This will reveal semi-random bit of their past conversations, - their intent, and their true name. You also get the antenna sprite. Can only - be unlocked by combining Paranoia and Antenna. - - rscadd: Added the Paranoia disability to genetics. You scream randomly, and have - a small chance to suffer from hallucinations now and then. + - rscadd: Added the Antenna power to genetics. It gives you a built-in radio. + - rscadd: + Added the Mind Reader power to genetics. You can read the minds of people + on your screen. This will reveal semi-random bit of their past conversations, + their intent, and their true name. You also get the antenna sprite. Can only + be unlocked by combining Paranoia and Antenna. + - rscadd: + Added the Paranoia disability to genetics. You scream randomly, and have + a small chance to suffer from hallucinations now and then. ShizCalev: - - bugfix: The Random Human-level Intelligence event will no longer create sentient - animal holograms that disappear when they leave the holodeck. - - bugfix: The syndicate cyborg L6 LMG now has a sprite again. + - bugfix: + The Random Human-level Intelligence event will no longer create sentient + animal holograms that disappear when they leave the holodeck. + - bugfix: The syndicate cyborg L6 LMG now has a sprite again. Time-Green: - - rscadd: Adds chromosomes to mutations. You can now alter your mutations in unexpected - ways + - rscadd: + Adds chromosomes to mutations. You can now alter your mutations in unexpected + ways Tlaltecuhtli: - - tweak: light replacer is now WEIGHT_CLASS_SMALL, can be fit in a toolbelt and - printed from engilathe + - tweak: + light replacer is now WEIGHT_CLASS_SMALL, can be fit in a toolbelt and + printed from engilathe Zxaber: - - tweak: There is now a max character config option for AI Freeform, Core Freeform, - and Asimov upload boards. + - tweak: + There is now a max character config option for AI Freeform, Core Freeform, + and Asimov upload boards. imsxz: - - tweak: antags with the pacifist trait no longer lose pacifism. + - tweak: antags with the pacifist trait no longer lose pacifism. subject217: - - rscdel: Headslugs have been removed from the gold extract spawn pool. + - rscdel: Headslugs have been removed from the gold extract spawn pool. 2019-02-14: Lett1: - - code_imp: spawn_and_random_walk not returns a list of objects created + - code_imp: spawn_and_random_walk not returns a list of objects created MrDoomBringer: - - admin: Added a Drop Pod bay conveniently close to the CentCom ferry, useful for - ERTs or Deathsquads who want to arrive in style! - - admin: The CentCom-Supplypod-Launcher now has an option to clear a bay of any - mobs and objects. + - admin: + Added a Drop Pod bay conveniently close to the CentCom ferry, useful for + ERTs or Deathsquads who want to arrive in style! + - admin: + The CentCom-Supplypod-Launcher now has an option to clear a bay of any + mobs and objects. Nervere: - - bugfix: Fixed only mimes being able to scream. Now everyone can express their - existential dread... except for mimes. + - bugfix: + Fixed only mimes being able to scream. Now everyone can express their + existential dread... except for mimes. ShizCalev: - - bugfix: Fixed incorrect default ethereal color causing a runtime when opening - player preferences. + - bugfix: + Fixed incorrect default ethereal color causing a runtime when opening + player preferences. Vile Beggar, Hulkamania: - - soundadd: Adds the scrungulartiy as a roundend sound effect. + - soundadd: Adds the scrungulartiy as a roundend sound effect. 2019-02-17: 4dplanner: - - bugfix: removed some nanite exploits - - bugfix: Blood-drunk eye is now less likely to cripple its user + - bugfix: removed some nanite exploits + - bugfix: Blood-drunk eye is now less likely to cripple its user BuffEngineering: - - bugfix: Vapes now come out of the mouth + - bugfix: Vapes now come out of the mouth Denton: - - balance: Bluespace beakers now only fit in large grenade casings. Large casings - have to be researched first and can be printed at the Security and Medical protolathes - or techfabs. - - balance: Increased the glass (5000), diamond (1000) and bluespace (1000) resource - cost for bluespace beakers. - - bugfix: Fixed bluespace beakers only containing glass in their materials list. + - balance: + Bluespace beakers now only fit in large grenade casings. Large casings + have to be researched first and can be printed at the Security and Medical protolathes + or techfabs. + - balance: + Increased the glass (5000), diamond (1000) and bluespace (1000) resource + cost for bluespace beakers. + - bugfix: Fixed bluespace beakers only containing glass in their materials list. Kierany9: - - bugfix: Fixed several bugs involving hivemind tracking, team assignation and de-assimilation - not working. - - tweak: Assimilated vessels lose their vessel status when cloned once again. - - tweak: Made several hivemind abilities less janky. - - imageadd: The sprite for members of the One Mind has been updated to be much more - noticeable. + - bugfix: + Fixed several bugs involving hivemind tracking, team assignation and de-assimilation + not working. + - tweak: Assimilated vessels lose their vessel status when cloned once again. + - tweak: Made several hivemind abilities less janky. + - imageadd: + The sprite for members of the One Mind has been updated to be much more + noticeable. ShizCalev: - - bugfix: The deafness symptom will now correctly make a player permanently deaf - with the appropriate resistance value. - - bugfix: Fixed some DNA console issues causing mutations breaking injector and - disk printing. - - bugfix: Corrected a bad sanity check when removing hivemembers in the assimilation - gamemode. + - bugfix: + The deafness symptom will now correctly make a player permanently deaf + with the appropriate resistance value. + - bugfix: + Fixed some DNA console issues causing mutations breaking injector and + disk printing. + - bugfix: + Corrected a bad sanity check when removing hivemembers in the assimilation + gamemode. SouDescolado: - - bugfix: Restricted VR uplinks from buying syndicate cash briefcases. + - bugfix: Restricted VR uplinks from buying syndicate cash briefcases. Time-Green: - - bugfix: You can now print mutators and stuff again from storage if the occupant - doesnt have it + - bugfix: + You can now print mutators and stuff again from storage if the occupant + doesnt have it 2019-02-20: Denton: - - admin: Added a cancel button to ahelp and asay popups. + - admin: Added a cancel button to ahelp and asay popups. LaKiller8: - - bugfix: Goonchat options should now save properly. + - bugfix: Goonchat options should now save properly. ShizCalev: - - tweak: The emergency internals crate now contains breath masks instead of gas - masks. - - imageadd: Added sprites for emitters so they stop facing weird directions when - their maintenance panel is opened. - - bugfix: Corrected a rogue linebreak in atmos canister warning/logging messages. - - bugfix: Fixed runtime related to the neet quirk when spawning in as a special - role without a bank account. - - bugfix: Corrected a bad area tile in chapel maintenance on box. - - bugfix: Junkies will now spawn with their pills correctly filled with their appropriate - drug. + - tweak: + The emergency internals crate now contains breath masks instead of gas + masks. + - imageadd: + Added sprites for emitters so they stop facing weird directions when + their maintenance panel is opened. + - bugfix: Corrected a rogue linebreak in atmos canister warning/logging messages. + - bugfix: + Fixed runtime related to the neet quirk when spawning in as a special + role without a bank account. + - bugfix: Corrected a bad area tile in chapel maintenance on box. + - bugfix: + Junkies will now spawn with their pills correctly filled with their appropriate + drug. Tlaltecuhtli: - - bugfix: tesla coil zapping no longer blows up everything and itself + - bugfix: tesla coil zapping no longer blows up everything and itself Vile Beggar: - - soundadd: Soviet Golems now play the USSR anthem instead of the Russian Federation - one. + - soundadd: + Soviet Golems now play the USSR anthem instead of the Russian Federation + one. daklaj: - - balance: beam projectiles now pass through riot shields - - balance: shields will break after absorbing too much damage + - balance: beam projectiles now pass through riot shields + - balance: shields will break after absorbing too much damage nemvar: - - balance: Love and pacification potions no longer work on megafauna. + - balance: Love and pacification potions no longer work on megafauna. wesoda25: - - balance: disembowelment no longer works on mobs that aren't dead or in critical - condition + - balance: + disembowelment no longer works on mobs that aren't dead or in critical + condition 2019-02-24: Denton: - - tweak: Ghosts/observers can now look at photos from far away. + - tweak: Ghosts/observers can now look at photos from far away. Poojawa: - - bugfix: fixed a bug where husks kept their hair if husked by fire damage or Ling - succ + - bugfix: + fixed a bug where husks kept their hair if husked by fire damage or Ling + succ SouDescolado: - - refactor: Slot Machines can now accept holocredits (Switch mode back and forth - with a multitool. Default is Holocredit.) + - refactor: + Slot Machines can now accept holocredits (Switch mode back and forth + with a multitool. Default is Holocredit.) Time-Green: - - code_imp: Removes duplicant paraplegic quirk in the code + - code_imp: Removes duplicant paraplegic quirk in the code Tlaltecuhtli: - - tweak: crafting a pneumatic cannon no longer takes an eternity - - bugfix: Other people's clothes burning no longer spam you + - tweak: crafting a pneumatic cannon no longer takes an eternity + - bugfix: Other people's clothes burning no longer spam you Yenwodyah: - - bugfix: Destroying an empty head no longer destroys the organs you pulled out - of it. + - bugfix: + Destroying an empty head no longer destroys the organs you pulled out + of it. actioninja: - - bugfix: The anti-combat mechanism in the Russian Revolver has been revised to - prevent usage while dual wielding. + - bugfix: + The anti-combat mechanism in the Russian Revolver has been revised to + prevent usage while dual wielding. subject217: - - tweak: Soviet and Capitalist golems no longer appear in opportunities where a - random golem species was selected, primarily golem mutation toxin. + - tweak: + Soviet and Capitalist golems no longer appear in opportunities where a + random golem species was selected, primarily golem mutation toxin. tralezab: - - bugfix: Valentines no longer hold up mulligan! + - bugfix: Valentines no longer hold up mulligan! 2019-02-25: 4dplanner: - - bugfix: the center blast of the hierophant club cross attack no longer deals reduced - damage + - bugfix: + the center blast of the hierophant club cross attack no longer deals reduced + damage MacHac: - - bugfix: Portable atmospherics machinery now releases its air when it explodes. - - bugfix: Bank cards can now talk again. - - rscadd: There's now a client preference to ignore them. + - bugfix: Portable atmospherics machinery now releases its air when it explodes. + - bugfix: Bank cards can now talk again. + - rscadd: There's now a client preference to ignore them. Mickyan: - - tweak: Clowns now get a mood boost from wearing clown shoes, but no longer feel - sad when they are not. - - bugfix: Wearing shoes means on your FEET! - - bugfix: Drunkenness will now correctly reach zero over time - - bugfix: Drunk moodlet now clears properly + - tweak: + Clowns now get a mood boost from wearing clown shoes, but no longer feel + sad when they are not. + - bugfix: Wearing shoes means on your FEET! + - bugfix: Drunkenness will now correctly reach zero over time + - bugfix: Drunk moodlet now clears properly MrDoomBringer: - - admin: Admins can now use the Centcom Podlauncher to launch things without the - things looking like they're being sent inside a pod. + - admin: + Admins can now use the Centcom Podlauncher to launch things without the + things looking like they're being sent inside a pod. MrStonedOne: - - admin: 'Some tweaks to the ban interface:' - - rscadd: Bans apply to computer_ids by default - - rscadd: Bans only apply to IPs by default if its a permaban. - - admin: 'Note: The behavior of the "Use IP and CID from last connection of key" - box has been changed. It now only fills in checked values, where as before it - would error if CID or IP was check.' + - admin: "Some tweaks to the ban interface:" + - rscadd: Bans apply to computer_ids by default + - rscadd: Bans only apply to IPs by default if its a permaban. + - admin: + 'Note: The behavior of the "Use IP and CID from last connection of key" + box has been changed. It now only fills in checked values, where as before it + would error if CID or IP was check.' Nero1024: - - bugfix: crawling sounds will no longer be played from moving buckled mobs + - bugfix: crawling sounds will no longer be played from moving buckled mobs ShizCalev: - - bugfix: Corrected slime mutation not correctly replacing the word douchebag. - - bugfix: Fixed Elvis speech mutation inserting the word "getting" when saying "muh - valids" + - bugfix: Corrected slime mutation not correctly replacing the word douchebag. + - bugfix: + Fixed Elvis speech mutation inserting the word "getting" when saying "muh + valids" Tlaltecuhtli: - - rscadd: pumps, volume pumps, filters and mixers can be turned on and off by ctrlclick - - rscadd: pumps, volume pumps, filters and mixers can be set to max transfer by - altclick + - rscadd: pumps, volume pumps, filters and mixers can be turned on and off by ctrlclick + - rscadd: + pumps, volume pumps, filters and mixers can be set to max transfer by + altclick actioninja: - - bugfix: The RPG can be loaded properly after firing - - spellcheck: The RPG has been renamed to the PML-9 + - bugfix: The RPG can be loaded properly after firing + - spellcheck: The RPG has been renamed to the PML-9 nemvar: - - bugfix: You can now properly remove welding goggles. + - bugfix: You can now properly remove welding goggles. 2019-02-26: BuffEngineering: - - bugfix: Mass driver time is now in sync with normal time + - bugfix: Mass driver time is now in sync with normal time Lett1: - - rscadd: 'Added a new type of bot: the firebot.' - - rscadd: Firebots can be constructed out of extinguisher + borg arm > red fire - helmet > prox sensor + - rscadd: "Added a new type of bot: the firebot." + - rscadd: + Firebots can be constructed out of extinguisher + borg arm > red fire + helmet > prox sensor MacHac: - - rscadd: Nanotrasen's Blood Sports division has cracked down on cheating in the - CTF arena. + - rscadd: + Nanotrasen's Blood Sports division has cracked down on cheating in the + CTF arena. ShizCalev: - - bugfix: Jaunting mobs will no longer cause mice/ducks/ect to squeek when moving - over them. + - bugfix: + Jaunting mobs will no longer cause mice/ducks/ect to squeek when moving + over them. Time-Green: - - rscadd: Adds more effects to genetic meltdown + - rscadd: Adds more effects to genetic meltdown YPOQ: - - bugfix: Defective clones will no longer be permanently mute + - bugfix: Defective clones will no longer be permanently mute anconfuzedrock: - - imageadd: Old shoe object sprites + - imageadd: Old shoe object sprites gy1ta23: - - spellcheck: fixes cheap lighter description + - spellcheck: fixes cheap lighter description 2019-02-27: WJohn: - - tweak: Very minor tweaks to lavaland syndie base to fix a dark spot left by the - removal of the circuit lab and to dissuade players blowing themselves up with - explosive testing in the test chamber. + - tweak: + Very minor tweaks to lavaland syndie base to fix a dark spot left by the + removal of the circuit lab and to dissuade players blowing themselves up with + explosive testing in the test chamber. YPOQ: - - bugfix: Shield-less syndicate mobs no longer block projectiles + - bugfix: Shield-less syndicate mobs no longer block projectiles 2019-03-02: Basilman: - - bugfix: Fixes Arnold Pizza having a slight flavor of pineapple - - spellcheck: corrected CQC help instructions + - bugfix: Fixes Arnold Pizza having a slight flavor of pineapple + - spellcheck: corrected CQC help instructions Kamparauta: - - tweak: Nanotrasen has released a software update for pAI's that allows them to - synthesize various musical instruments. + - tweak: + Nanotrasen has released a software update for pAI's that allows them to + synthesize various musical instruments. Kierany9: - - bugfix: The hivemind radar works again. + - bugfix: The hivemind radar works again. MASMC: - - bugfix: Cult shields now don't shatter on anything but brute and burn damage. + - bugfix: Cult shields now don't shatter on anything but brute and burn damage. SIX10: - - tweak: swapped nutrition values for sandwich and grilled cheese + - tweak: swapped nutrition values for sandwich and grilled cheese ShizCalev: - - bugfix: Fixed beartraps cuffing a flying/floating mob when crossing over it. - - bugfix: Fixed beartraps cuffing and harming a mob who passes over them while inside/on - a vehicle. - - bugfix: Beartraps will now only cuff/harm you while in a vehicle if your legs - are exposed/the primary propulsion method (ie scooters/skateboards.) - - bugfix: Pineapple haters/lovers will get/no longer get pineapple pizzas respectively - from infinite pizza boxes. - - bugfix: Fixed janitors spawning with partially broken jani-holobarrier projectors. - - bugfix: Fixed janitcarts being unable to move through wet floor signs - - bugfix: Fixed 10mm rifle mags and sniper mags not reporting ammo/updating material - values. + - bugfix: Fixed beartraps cuffing a flying/floating mob when crossing over it. + - bugfix: + Fixed beartraps cuffing and harming a mob who passes over them while inside/on + a vehicle. + - bugfix: + Beartraps will now only cuff/harm you while in a vehicle if your legs + are exposed/the primary propulsion method (ie scooters/skateboards.) + - bugfix: + Pineapple haters/lovers will get/no longer get pineapple pizzas respectively + from infinite pizza boxes. + - bugfix: Fixed janitors spawning with partially broken jani-holobarrier projectors. + - bugfix: Fixed janitcarts being unable to move through wet floor signs + - bugfix: + Fixed 10mm rifle mags and sniper mags not reporting ammo/updating material + values. TerraGS: - - rscadd: Floorbots can now be crafted with other kinds of toolboxes - - bugfix: Tablecrafting floorbots now requires the intended amount of floor tiles - - bugfix: Fixed a firebot related runtime + - rscadd: Floorbots can now be crafted with other kinds of toolboxes + - bugfix: Tablecrafting floorbots now requires the intended amount of floor tiles + - bugfix: Fixed a firebot related runtime Time-Green: - - rscadd: 'Adds snailpeople as a rare genetics accident. sprite: Snailshell sprites - by nickvr628' - - tweak: loot crates can't explode after unlocking anymore + - rscadd: + "Adds snailpeople as a rare genetics accident. sprite: Snailshell sprites + by nickvr628" + - tweak: loot crates can't explode after unlocking anymore Tlaltecuhtli: - - balance: rebalanced the price of some almost never used traitor items - - balance: the power sink costs 10 tc - - rscadd: the robotics assembly crate now actually has parts for 2 of each friendly - bots + - balance: rebalanced the price of some almost never used traitor items + - balance: the power sink costs 10 tc + - rscadd: + the robotics assembly crate now actually has parts for 2 of each friendly + bots WJohnston: - - bugfix: Hats that partially cover up your hair should no longer leave baldness - lines, most notably seen with the HoP's cap, and should transition more smoothly - in some cases. + - bugfix: + Hats that partially cover up your hair should no longer leave baldness + lines, most notably seen with the HoP's cap, and should transition more smoothly + in some cases. tralezab: - - rscadd: 'New negative trait: Unstable!' + - rscadd: "New negative trait: Unstable!" 2019-03-05: IndieanaJones: - - bugfix: Fixed space dragon being able to swoop and subsequently becoming invisible + - bugfix: Fixed space dragon being able to swoop and subsequently becoming invisible MrDoomBringer: - - bugfix: The centcom podlauncher UI no longer looks like shit - - bugfix: Tooltips will no longer stay around if you hover over them (which would - lead to them blocking shit underneath) + - bugfix: The centcom podlauncher UI no longer looks like shit + - bugfix: + Tooltips will no longer stay around if you hover over them (which would + lead to them blocking shit underneath) TerraGS: - - code_imp: Cleans up bot construction code + - code_imp: Cleans up bot construction code Zxaber: - - tweak: The Mecha Hydraulic Clamp can now open firelocks and unpowered airlocks + - tweak: The Mecha Hydraulic Clamp can now open firelocks and unpowered airlocks actioninja: - - tweak: PubbyStation has been refitted from a Tesla and Singulo based engine to - a Supermatter based engine. + - tweak: + PubbyStation has been refitted from a Tesla and Singulo based engine to + a Supermatter based engine. 2019-03-07: Bawhoppen: - - rscadd: Disablers now have a new sprite and now can attach flashlights. + - rscadd: Disablers now have a new sprite and now can attach flashlights. Denton: - - balance: Explosive lances no longer explode when thrown (but still do with melee - attacks). + - balance: + Explosive lances no longer explode when thrown (but still do with melee + attacks). IndieanaJones: - - bugfix: Fixed the Space Dragon announcement - - admin: Manually-spawned space dragon events can now have their announcement cancelled + - bugfix: Fixed the Space Dragon announcement + - admin: Manually-spawned space dragon events can now have their announcement cancelled Mickyan: - - rscadd: You can now use a razor on help intent to change your fellow crewmembers' - hair/facial hair styles - - rscadd: Using a wig in your hand lets you change it to a new style/color - - rscadd: 'Natural Wigs are now available in the Clothesmate: made of 100% natural - chromatic nanofibers, these wigs automatically match the color of your natural - hair' + - rscadd: + You can now use a razor on help intent to change your fellow crewmembers' + hair/facial hair styles + - rscadd: Using a wig in your hand lets you change it to a new style/color + - rscadd: + "Natural Wigs are now available in the Clothesmate: made of 100% natural + chromatic nanofibers, these wigs automatically match the color of your natural + hair" MrDoomBringer: - - tweak: You no longer have to hold you ID in your active hand to pull out dosh - - tweak: Cards now tell you more about your account when withdrawing cash + - tweak: You no longer have to hold you ID in your active hand to pull out dosh + - tweak: Cards now tell you more about your account when withdrawing cash ShizCalev: - - bugfix: Fixed candles not being extinguished by fire extinguishers, water containers, - ect. - - bugfix: Fixed candles not stopping processing when put out. - - bugfix: Adminhealing someone in crit will now properly clear the heartbeat sound. - - bugfix: Cybernetic organs work again, sorry! + - bugfix: + Fixed candles not being extinguished by fire extinguishers, water containers, + ect. + - bugfix: Fixed candles not stopping processing when put out. + - bugfix: Adminhealing someone in crit will now properly clear the heartbeat sound. + - bugfix: Cybernetic organs work again, sorry! TerraGS: - - bugfix: Blood cult halo now goes away when deconverted + - bugfix: Blood cult halo now goes away when deconverted Tlaltecuhtli: - - bugfix: rcd works when you hit catwalks/lattice - - bugfix: rcd works when you hit foamed floor + - bugfix: rcd works when you hit catwalks/lattice + - bugfix: rcd works when you hit foamed floor Unit2E: - - tweak: powersinks now become dense when anchored, like a machine. + - tweak: powersinks now become dense when anchored, like a machine. Zxaber: - - tweak: Ripley now has an open cabin. This means it cannot protect against atmospheric - dangers, and it does not provide the user cover from ranged attacks, but moves - quicker and is slightly cheaper to manufacture. - - rscadd: A conversion kit is available in the exosuit fabricator that gives the - Ripley a pressurized cabin as before, but the added weight will slow it down - again. + - tweak: + Ripley now has an open cabin. This means it cannot protect against atmospheric + dangers, and it does not provide the user cover from ranged attacks, but moves + quicker and is slightly cheaper to manufacture. + - rscadd: + A conversion kit is available in the exosuit fabricator that gives the + Ripley a pressurized cabin as before, but the added weight will slow it down + again. actioninja: - - balance: New NT regulations have replaced the standard issue hybrid taser with - a pure disabler. - - balance: Also fuck the stun mode on the advanced energy gun who thought that was - a good idea. - - balance: The hos's laser can only fire three taser shots instead of five. - - balance: Energy crossbows have been reworked. They no longer paralyze, but instead - heavily blur vision, apply a huge burst of stamina damage, and knock you on - your ass for one second. Two shots is enough to down someone from stamina crit - on both the mini and large versions. The blur lasts for 10 seconds. - - balance: The price of the mini ebow has been reduced to 10TC to compensate for - this weaker effect. - - tweak: The ED-209 is now built with a DRAGnet and fires netshot instead of taser - bolts. - - balance: Stunshells can no longer be produced in any lathe. - - balance: The "pacifier" mech taser can no longer be built. + - balance: + New NT regulations have replaced the standard issue hybrid taser with + a pure disabler. + - balance: + Also fuck the stun mode on the advanced energy gun who thought that was + a good idea. + - balance: The hos's laser can only fire three taser shots instead of five. + - balance: + Energy crossbows have been reworked. They no longer paralyze, but instead + heavily blur vision, apply a huge burst of stamina damage, and knock you on + your ass for one second. Two shots is enough to down someone from stamina crit + on both the mini and large versions. The blur lasts for 10 seconds. + - balance: + The price of the mini ebow has been reduced to 10TC to compensate for + this weaker effect. + - tweak: + The ED-209 is now built with a DRAGnet and fires netshot instead of taser + bolts. + - balance: Stunshells can no longer be produced in any lathe. + - balance: The "pacifier" mech taser can no longer be built. as334: - - rscadd: Fusion got reworked again. Start it using 250+ moles of plasma and carbon - dioxide, with tritium, all at 10000 degrees. - - rscadd: Fusion undergoes a chaotic reaction, and will release energy(or absorb - it with high instabilities), as well as releasing waste gases. - - rscadd: To accommodate fusion, filters have been changed to move gas in the same - way as volume pumps. - - rscadd: As well, hitting a volume pump with a multitool will overclock it, allowing - it to move gases to higher than normal pressures at the cost of leaking some - of the contents. + - rscadd: + Fusion got reworked again. Start it using 250+ moles of plasma and carbon + dioxide, with tritium, all at 10000 degrees. + - rscadd: + Fusion undergoes a chaotic reaction, and will release energy(or absorb + it with high instabilities), as well as releasing waste gases. + - rscadd: + To accommodate fusion, filters have been changed to move gas in the same + way as volume pumps. + - rscadd: + As well, hitting a volume pump with a multitool will overclock it, allowing + it to move gases to higher than normal pressures at the cost of leaking some + of the contents. kriskog: - - bugfix: Non-kitchen fridges and meat lockers have had their access requirements - removed. + - bugfix: + Non-kitchen fridges and meat lockers have had their access requirements + removed. pubby: - - bugfix: Cough, beard, and undead virus now work properly + - bugfix: Cough, beard, and undead virus now work properly py01: - - tweak: Removed stamina damage from Mech Scattershot, added a little more brute. + - tweak: Removed stamina damage from Mech Scattershot, added a little more brute. tralezab: - - rscadd: 'New event: Fugitives!' - - rscadd: Fugitives will land on the station, and have to prepare for the hunters - looking for them! + - rscadd: "New event: Fugitives!" + - rscadd: + Fugitives will land on the station, and have to prepare for the hunters + looking for them! 2019-03-14: 4dplanner: - - rscadd: sepia slime extract has a delay before activating - - balance: the user of a sepia slime extract is no longer immune to the time field - - balance: chilling sepia is now the support extract - it always freezes the user, - but not other marked people - - balance: give one to your golem! - - rscadd: burning sepia spawns the rewind camera. Take a selfie with someone and - give it to them to make sure they remember the moment forever! - - balance: you don't actually need to give them the photo, they'll remember anyway. - Keep it as a reminder. - - rscadd: 'rewinding resets your location to the turf you were on after 10 seconds, - and heals simple animals and objects. remove: timefreeze camera is admin spawn - only.' - - rscadd: recurring sepia recalls to the hand of the last person to touch it after - activating. Reusable timestop grenades! - - tweak: some special cameras don't prompt for customisation - - bugfix: timefreeze camera actually makes a photo - - bugfix: timestop stops pathing - - bugfix: timestop stops mechs - - bugfix: adds a check to make sure simple_animals don't get their AI toggled while - sentient - - bugfix: Adds the timestop overlay to frozen projectiles - - bugfix: Timestopped things have INFINITY move_resist as opposed to being anchored - - bugfix: Timestop will now unfreeze things that somehow leave it - - bugfix: mobs in the middle of a walk_to will have their walk stopped by timestop - - bugfix: mobs that are stunned will be stopped mid walk as well - - bugfix: Slimes respect mobility_flags & MOBILITY_MOVE - - bugfix: Slimes no longer automatically regain MOBILITY_MOVE whenever not cold - - bugfix: pulling respects changes in move_force - - bugfix: swapping places respects move_force if the participant is not willing + - rscadd: sepia slime extract has a delay before activating + - balance: the user of a sepia slime extract is no longer immune to the time field + - balance: + chilling sepia is now the support extract - it always freezes the user, + but not other marked people + - balance: give one to your golem! + - rscadd: + burning sepia spawns the rewind camera. Take a selfie with someone and + give it to them to make sure they remember the moment forever! + - balance: + you don't actually need to give them the photo, they'll remember anyway. + Keep it as a reminder. + - rscadd: + "rewinding resets your location to the turf you were on after 10 seconds, + and heals simple animals and objects. remove: timefreeze camera is admin spawn + only." + - rscadd: + recurring sepia recalls to the hand of the last person to touch it after + activating. Reusable timestop grenades! + - tweak: some special cameras don't prompt for customisation + - bugfix: timefreeze camera actually makes a photo + - bugfix: timestop stops pathing + - bugfix: timestop stops mechs + - bugfix: + adds a check to make sure simple_animals don't get their AI toggled while + sentient + - bugfix: Adds the timestop overlay to frozen projectiles + - bugfix: Timestopped things have INFINITY move_resist as opposed to being anchored + - bugfix: Timestop will now unfreeze things that somehow leave it + - bugfix: mobs in the middle of a walk_to will have their walk stopped by timestop + - bugfix: mobs that are stunned will be stopped mid walk as well + - bugfix: Slimes respect mobility_flags & MOBILITY_MOVE + - bugfix: Slimes no longer automatically regain MOBILITY_MOVE whenever not cold + - bugfix: pulling respects changes in move_force + - bugfix: swapping places respects move_force if the participant is not willing BuffEngineering: - - bugfix: You may no longer summon plasteel from the door dimension. - - tweak: High security airlocks are now 33% more materially efficient! - - bugfix: Boomers may now sip in peace knowing their cloning based longevity is - not at risk. + - bugfix: You may no longer summon plasteel from the door dimension. + - tweak: High security airlocks are now 33% more materially efficient! + - bugfix: + Boomers may now sip in peace knowing their cloning based longevity is + not at risk. Caiggas: - - bugfix: Fixed jump-boots breaking after colliding with things at close range. + - bugfix: Fixed jump-boots breaking after colliding with things at close range. Carbonhell: - - server: youtube-dl works again for linux based servers + - server: youtube-dl works again for linux based servers Ghommie: - - rscadd: Adds two cartons of space milks to the skellies pirate cutter's fridge. + - rscadd: Adds two cartons of space milks to the skellies pirate cutter's fridge. JJRcop: - - admin: Play Internet Sound now respects start (like &t=xxx or &start=xxx) and - end times (like &end=xxx). This allows admins to choose a snippet of media to - play, like for example pick a song out of an hour long album compilation. + - admin: + Play Internet Sound now respects start (like &t=xxx or &start=xxx) and + end times (like &end=xxx). This allows admins to choose a snippet of media to + play, like for example pick a song out of an hour long album compilation. Kierany9: - - bugfix: Fixed Hivemind Hosts retaining powers on death and while dead + - bugfix: Fixed Hivemind Hosts retaining powers on death and while dead Menshin: - - bugfix: engineering APCs shouldn't be reset on Grid Check event anymore. + - bugfix: engineering APCs shouldn't be reset on Grid Check event anymore. ShizCalev: - - bugfix: Corrected a minor issue where the regenerative core would trigger at -1 - HP instead of at 0HP. - - bugfix: Sentient firebots can now use their fire extinguishers. - - bugfix: Fixed hacked firebots not resetting after being reset.... - - bugfix: Revolvers will no longer immediately click when trying to suicide while - on an empty chamber. - - bugfix: Cult magic inhands now work again... for real this time. + - bugfix: + Corrected a minor issue where the regenerative core would trigger at -1 + HP instead of at 0HP. + - bugfix: Sentient firebots can now use their fire extinguishers. + - bugfix: Fixed hacked firebots not resetting after being reset.... + - bugfix: + Revolvers will no longer immediately click when trying to suicide while + on an empty chamber. + - bugfix: Cult magic inhands now work again... for real this time. SpaceManiac: - - bugfix: The wizard hardsuit now correctly grants magic resistance. - - bugfix: Cow tipping now properly stuns the cow. - - bugfix: Suiciding with the infernal contract now properly causes the victim to - yell out. - - bugfix: Accessing the notes panel within the first few seconds of connecting no - longer risks broken styling. + - bugfix: The wizard hardsuit now correctly grants magic resistance. + - bugfix: Cow tipping now properly stuns the cow. + - bugfix: + Suiciding with the infernal contract now properly causes the victim to + yell out. + - bugfix: + Accessing the notes panel within the first few seconds of connecting no + longer risks broken styling. TerraGS: - - bugfix: Curing advanced voice change virus symptoms no longer leaves you unable - to speak + - bugfix: + Curing advanced voice change virus symptoms no longer leaves you unable + to speak Unit2E: - - bugfix: people in fire resistant now get properly hot in fires they shouldn't - resist (temps of 35000K and over) + - bugfix: + people in fire resistant now get properly hot in fires they shouldn't + resist (temps of 35000K and over) actioninja: - - bugfix: Fixed a few mapping issues with the Supermatter on Pubbystation - - bugfix: The ID console in the HoP's office on Meta has been rotated to face toward - the HoP when they're at their desk + - bugfix: Fixed a few mapping issues with the Supermatter on Pubbystation + - bugfix: + The ID console in the HoP's office on Meta has been rotated to face toward + the HoP when they're at their desk dvanbale: - - bugfix: Removes dizziness when adminhealing + - bugfix: Removes dizziness when adminhealing imsxz: - - balance: epinephrine no longer hard caps oxygen damage at ~30 - - balance: epinephrine now gives the no crit damage trait, which makes creatures - not take passive oxygen(or brute if you cant breathe) damage while in critical - - tweak: epinephrine now heals minor oxygen damage at the same health threshold - that it currently heals other damage types at. - - bugfix: atropine and epinephrine now check if your health is under your mobs crit - threshold instead of using the number 0 before healing + - balance: epinephrine no longer hard caps oxygen damage at ~30 + - balance: + epinephrine now gives the no crit damage trait, which makes creatures + not take passive oxygen(or brute if you cant breathe) damage while in critical + - tweak: + epinephrine now heals minor oxygen damage at the same health threshold + that it currently heals other damage types at. + - bugfix: + atropine and epinephrine now check if your health is under your mobs crit + threshold instead of using the number 0 before healing monster860: - - bugfix: fixes advanced proccall + - bugfix: fixes advanced proccall spookydonut: - - rscadd: Adds the ability to give shuttles a cooldown timer + - rscadd: Adds the ability to give shuttles a cooldown timer tralezab: - - rscadd: The wizard has many more staves to play with! - - rscadd: Along with the new effects, the chaos bolt has a couple more bolts not - available my normal means + - rscadd: The wizard has many more staves to play with! + - rscadd: + Along with the new effects, the chaos bolt has a couple more bolts not + available my normal means 2019-03-15: 4dplanner: - - bugfix: liver purging is more consistent - - bugfix: chemical recipes are more consistent - - tweak: chemical scans only show to 2 d.p + - bugfix: liver purging is more consistent + - bugfix: chemical recipes are more consistent + - tweak: chemical scans only show to 2 d.p Dennok: - - bugfix: Turbines work again. + - bugfix: Turbines work again. Denton: - - tweak: Clarified Syndicate ghost role flavor text to mention that agents are not - supposed to abandon their bases. - - balance: Rolling a 1 with the d20 of fate prevents you from being revived by any - means. + - tweak: + Clarified Syndicate ghost role flavor text to mention that agents are not + supposed to abandon their bases. + - balance: + Rolling a 1 with the d20 of fate prevents you from being revived by any + means. Lett1: - - bugfix: firebots now shop up on robotics pda's + - bugfix: firebots now shop up on robotics pda's ShizCalev: - - bugfix: Pacifists can now use wormhole projectors. + - bugfix: Pacifists can now use wormhole projectors. SpaceManiac: - - bugfix: pAIs are no longer immune to stamina damage. - - bugfix: Fixed a runtime when an AI core witnesses someone exit a cardboard box. - - bugfix: Fixed a runtime when attempting to blind a True Devil with a flashlight. - - bugfix: The implant chair no longer runtimes when implanting non-implant organs. + - bugfix: pAIs are no longer immune to stamina damage. + - bugfix: Fixed a runtime when an AI core witnesses someone exit a cardboard box. + - bugfix: Fixed a runtime when attempting to blind a True Devil with a flashlight. + - bugfix: The implant chair no longer runtimes when implanting non-implant organs. cacogen: - - spellcheck: Makes stun baton two words + - spellcheck: Makes stun baton two words plapatin: - - tweak: Added a big heap of fancy new clown names! Be slightly less generic! + - tweak: Added a big heap of fancy new clown names! Be slightly less generic! 2019-03-17: 4dplanner: - - bugfix: Buckle objects can now properly specify lying angle - - bugfix: Wheelchairs and other such vehicles let you use UIs even if your legs - don't work - - bugfix: You can now pull objects while in a wheelchair even if your legs don't - work - - bugfix: You no longer have a chance of sleeping upside down in a bed - - tweak: No longer randomises lying direction a second time on fall + - bugfix: Buckle objects can now properly specify lying angle + - bugfix: + Wheelchairs and other such vehicles let you use UIs even if your legs + don't work + - bugfix: + You can now pull objects while in a wheelchair even if your legs don't + work + - bugfix: You no longer have a chance of sleeping upside down in a bed + - tweak: No longer randomises lying direction a second time on fall Nervere: - - bugfix: Fixed stunbatons being invisible. + - bugfix: Fixed stunbatons being invisible. ShizCalev: - - bugfix: Blind people will no longer be able to see pills being slipped into their - drinks........... - - bugfix: Fixed an issue causing slippery oil to be noninteractive. - - bugfix: Motor oil can now catch on fire. Better do your job, janitor! - - bugfix: Cleaned up some crayon and spraycan code for futureproofing. + - bugfix: + Blind people will no longer be able to see pills being slipped into their + drinks........... + - bugfix: Fixed an issue causing slippery oil to be noninteractive. + - bugfix: Motor oil can now catch on fire. Better do your job, janitor! + - bugfix: Cleaned up some crayon and spraycan code for futureproofing. WJohnston, Antur, and Arcane: - - rscadd: THE GOOSE IS LOOSE + - rscadd: THE GOOSE IS LOOSE 2019-03-18: 4dplanner: - - tweak: chemical scans actually display to 3 dp, sorry + - tweak: chemical scans actually display to 3 dp, sorry 2019-03-19: 81Denton: - - bugfix: Curators no longer lose access to the aux base and mining station EVA - during skeleton shifts. + - bugfix: + Curators no longer lose access to the aux base and mining station EVA + during skeleton shifts. Farquaar: - - rscadd: Added several new religions to the Nanotrasen-approved faith list, including - Judaism, Rastafarianism, and Honkism + - rscadd: + Added several new religions to the Nanotrasen-approved faith list, including + Judaism, Rastafarianism, and Honkism MrDoomBringer: - - bugfix: Gondolapods work again - - bugfix: the see-through pod effect for centcom podlaunchers works again - - bugfix: the Stealth effect for centcom podlaunchers works again - - admin: sparks will not generate if the quietLanding effect is on, for the centcom - podlauncher - - admin: makes input text clearer for the centcom podlauncher + - bugfix: Gondolapods work again + - bugfix: the see-through pod effect for centcom podlaunchers works again + - bugfix: the Stealth effect for centcom podlaunchers works again + - admin: + sparks will not generate if the quietLanding effect is on, for the centcom + podlauncher + - admin: makes input text clearer for the centcom podlauncher ShizCalev: - - tweak: Added DRAGnet's to the armory on Delta & Pubby. - - bugfix: Added logging to cloning machinery. - - bugfix: Fixed a runtime with wabbajack / bolt of change causing the person that - was hit to go invisible and be unable to do anything. - - bugfix: Fixed carbons with no eyes having a flash overlay applied when they're - flashed. - - bugfix: Fixed species with no eyes getting flashed. + - tweak: Added DRAGnet's to the armory on Delta & Pubby. + - bugfix: Added logging to cloning machinery. + - bugfix: + Fixed a runtime with wabbajack / bolt of change causing the person that + was hit to go invisible and be unable to do anything. + - bugfix: + Fixed carbons with no eyes having a flash overlay applied when they're + flashed. + - bugfix: Fixed species with no eyes getting flashed. Time-Green: - - code_imp: Adds tools to make mutations transfer through cloning + - code_imp: Adds tools to make mutations transfer through cloning Vile Beggar: - - rscadd: Mechs can now be equipped with disablers. + - rscadd: Mechs can now be equipped with disablers. 2019-03-20: Basilman: - - rscadd: Chaplain's holy whip now deals more damage to vampires. - - bugfix: Fixed adminheal not curing various status effects - - bugfix: Fixed certain alien organs (eyes, tongue, liver) not registering for organ - bounty. + - rscadd: Chaplain's holy whip now deals more damage to vampires. + - bugfix: Fixed adminheal not curing various status effects + - bugfix: + Fixed certain alien organs (eyes, tongue, liver) not registering for organ + bounty. Kmc2000: - - rscadd: Added darkmode! You can opt-in to this by clicking the settings icon on - goonchat, and looking for the toggle darkmode button. + - rscadd: + Added darkmode! You can opt-in to this by clicking the settings icon on + goonchat, and looking for the toggle darkmode button. Militaires: - - bugfix: Fixed cursed hearts maintaining red filter even when removed + - bugfix: Fixed cursed hearts maintaining red filter even when removed MrStonedOne: - - rscdel: afk kicker no longer exempts ghosts - - rscadd: afk kicker now exempts people in the lobby join queue - - rscadd: afk kicker now exempts admins - - tweak: afk kicker now includes a link you can use rejoin quickly. - - tweak: '(Note: these all apply to the default disabled idle time kicker, not the - end of round lobby kicker)' + - rscdel: afk kicker no longer exempts ghosts + - rscadd: afk kicker now exempts people in the lobby join queue + - rscadd: afk kicker now exempts admins + - tweak: afk kicker now includes a link you can use rejoin quickly. + - tweak: + "(Note: these all apply to the default disabled idle time kicker, not the + end of round lobby kicker)" PKPenguin321: - - bugfix: Spasms should no longer cause you to step out of closed chambers, like - cryo or DNA scanners. + - bugfix: + Spasms should no longer cause you to step out of closed chambers, like + cryo or DNA scanners. Pandolphina: - - bugfix: Miniature energy guns can fit in the holster + - bugfix: Miniature energy guns can fit in the holster ShizCalev: - - tweak: Added DRAGnet crates to cargonia. - - bugfix: Fixed runtime when shooting podpeople with a alpha somatoray - - bugfix: Floorbots can now be constructed with normal toolboxes. + - tweak: Added DRAGnet crates to cargonia. + - bugfix: Fixed runtime when shooting podpeople with a alpha somatoray + - bugfix: Floorbots can now be constructed with normal toolboxes. SpaceManiac: - - code_imp: Random docking ports (escape pod Lavaland destinations) print a more - informative warning and delete themselves if Lavaland does not exist. + - code_imp: + Random docking ports (escape pod Lavaland destinations) print a more + informative warning and delete themselves if Lavaland does not exist. Time-Green: - - bugfix: Snails can't wear glasses - - bugfix: Snails don't lube the floor when buckled anymore + - bugfix: Snails can't wear glasses + - bugfix: Snails don't lube the floor when buckled anymore Tlaltecuhtli: - - tweak: the eva suit crate now will have 1 space suit and 1 jetpack - - tweak: 'the miner starter kit will be the same as the ones miners can buy grammar: - changed the description of the medical refill crate to represent whats inside' + - tweak: the eva suit crate now will have 1 space suit and 1 jetpack + - tweak: + "the miner starter kit will be the same as the ones miners can buy grammar: + changed the description of the medical refill crate to represent whats inside" YPOQ: - - bugfix: Fixed a bug that caused limbs to take incorrect damage amounts when damage - exceeded the limb's damage cap + - bugfix: + Fixed a bug that caused limbs to take incorrect damage amounts when damage + exceeded the limb's damage cap kevinz000: - - admin: Panic bunker block message is now a config. + - admin: Panic bunker block message is now a config. nichlas0010: - - balance: The malf AI's APC-hacking is now no longer audible to people outside - of the AI's location. + - balance: + The malf AI's APC-hacking is now no longer audible to people outside + of the AI's location. 2019-03-21: Militaires: - - tweak: Snails now utilize glasses offset system + - tweak: Snails now utilize glasses offset system ShizCalev: - - spellcheck: Repairing robotic limbs attached to yourself will no longer refer - to you in the third person. - - bugfix: You'll no longer hit an air alarm with your ID when unlocking it. - - bugfix: Admin modify bodyparts panel will now only show parts that are valid for - modification. + - spellcheck: + Repairing robotic limbs attached to yourself will no longer refer + to you in the third person. + - bugfix: You'll no longer hit an air alarm with your ID when unlocking it. + - bugfix: + Admin modify bodyparts panel will now only show parts that are valid for + modification. SpironoZeppeli: - - balance: Ethereals no longer die to their own charge levels + - balance: Ethereals no longer die to their own charge levels Tlaltecuhtli: - - bugfix: the medkits in the beach dome, city of clog and russian shuttle are no - longer empty + - bugfix: + the medkits in the beach dome, city of clog and russian shuttle are no + longer empty actioninja: - - bugfix: admin pms display in the proper colors - - bugfix: some uis are no longer unreadable. - - tweak: Updated the colors of the dark mode ui. - - tweak: darkmode is no longer the default + - bugfix: admin pms display in the proper colors + - bugfix: some uis are no longer unreadable. + - tweak: Updated the colors of the dark mode ui. + - tweak: darkmode is no longer the default 2019-03-22: Atlanta Ned: - - rscadd: If you've got Head of Staff access, you can now message Central Command. - Central Command is not responsible for any executions sustained as a result - of mutinous behavior. + - rscadd: + If you've got Head of Staff access, you can now message Central Command. + Central Command is not responsible for any executions sustained as a result + of mutinous behavior. Fikou: - - rscadd: added an ezmk pulse rifle to the seraph mech - - rscdel: removed the buckshot gun from the seraph mech + - rscadd: added an ezmk pulse rifle to the seraph mech + - rscdel: removed the buckshot gun from the seraph mech MMMiracles: - - tweak: The engine on Donutstation has been changed to the Supermatter. + - tweak: The engine on Donutstation has been changed to the Supermatter. MrStonedOne: - - tweak: Exempted byond accounts already in the round from the connected players - cap, allowing them to reconnect even if the server is full. This exemption applies - even if you are dead or are a ghost, but does not apply if you hit "observe" - from the lobby. + - tweak: + Exempted byond accounts already in the round from the connected players + cap, allowing them to reconnect even if the server is full. This exemption applies + even if you are dead or are a ghost, but does not apply if you hit "observe" + from the lobby. ShizCalev: - - bugfix: ED-209 tablecrafting recipe has been corrected to use a DRAGNet - - bugfix: Fixed an exploit allowing you to grab people from anywhere with a clowncar. - - bugfix: Simple mobs can now only damage clown cars from the inside if they're - able to smash through walls. - - imageadd: Mech disablers are no longer invisible. - - admin: Improved some cloning logging. - - bugfix: Emagging a cloning pod will now leave fingerprints. - - bugfix: Ejecting someone while they're being cloned will now leave fingerprints. + - bugfix: ED-209 tablecrafting recipe has been corrected to use a DRAGNet + - bugfix: Fixed an exploit allowing you to grab people from anywhere with a clowncar. + - bugfix: + Simple mobs can now only damage clown cars from the inside if they're + able to smash through walls. + - imageadd: Mech disablers are no longer invisible. + - admin: Improved some cloning logging. + - bugfix: Emagging a cloning pod will now leave fingerprints. + - bugfix: Ejecting someone while they're being cloned will now leave fingerprints. SpaceManiac: - - code_imp: Logs for certain kinds of errors will now include better debugging information. - - spellcheck: Renamed the "any color" paint bucket to "adaptive paint". + - code_imp: Logs for certain kinds of errors will now include better debugging information. + - spellcheck: Renamed the "any color" paint bucket to "adaptive paint". Tlaltecuhtli: - - balance: ai/borg uploads now have a gps signal when built which will be active - until its monitor gets decostructed - - balance: ai/borg uploads take slighty longer to deconstruct + - balance: + ai/borg uploads now have a gps signal when built which will be active + until its monitor gets decostructed + - balance: ai/borg uploads take slighty longer to deconstruct anconfuzedrock: - - rscadd: New negative quirk - back pain causes very bad mood from wearing uneven - storage items on your back, but other back items like air tanks and shotguns - are okay. + - rscadd: + New negative quirk - back pain causes very bad mood from wearing uneven + storage items on your back, but other back items like air tanks and shotguns + are okay. plapatin: - - rscadd: Watch the Tip of the Round messages, there's a few extra ones out there - now, along with outdated ones being revised! + - rscadd: + Watch the Tip of the Round messages, there's a few extra ones out there + now, along with outdated ones being revised! 2019-03-23: Borisvanmemes: - - bugfix: ED 209s now drop DRAGNets and not tasers + - bugfix: ED 209s now drop DRAGNets and not tasers MrStonedOne: - - bugfix: Fixed the connection cap being silly about what connections it counted - towards the limit. + - bugfix: + Fixed the connection cap being silly about what connections it counted + towards the limit. SpaceManiac: - - bugfix: Heirloom bodybags no longer lose their heirloom status when deployed. + - bugfix: Heirloom bodybags no longer lose their heirloom status when deployed. actioninja: - - bugfix: Goonchat properly loads the white theme by default. - - bugfix: The input bar no longer has weirdness with color when swapping themes. + - bugfix: Goonchat properly loads the white theme by default. + - bugfix: The input bar no longer has weirdness with color when swapping themes. 2019-03-24: Mickyan: - - balance: Strong alcoholic beverages in excessive quantity are now far more dangerous. - Drink responsibly. + - balance: + Strong alcoholic beverages in excessive quantity are now far more dangerous. + Drink responsibly. 2019-03-25: ShizCalev: - - tweak: Added a chair to pubby's cloning room. - - bugfix: Fixed a minor runtime caused by admins clicking a follow link while in - the lobby. + - tweak: Added a chair to pubby's cloning room. + - bugfix: + Fixed a minor runtime caused by admins clicking a follow link while in + the lobby. actioninja: - - bugfix: Lot of small darkmode fixes + - bugfix: Lot of small darkmode fixes 2019-03-27: 4dplanner: - - bugfix: Humans can no longer use UIs while incapacitated - - bugfix: stabilised sepia slime randomly changes your speed as intended + - bugfix: Humans can no longer use UIs while incapacitated + - bugfix: stabilised sepia slime randomly changes your speed as intended 81Denton: - - bugfix: Rolling a 17 on the d20 of fate no longer gives you an empty box. + - bugfix: Rolling a 17 on the d20 of fate no longer gives you an empty box. Basilman: - - bugfix: fixed runtime from selectin missing bodypart due to ran_zone - - code_imp: changed how ran_zone selects a zone from a switch to pickweight + - bugfix: fixed runtime from selectin missing bodypart due to ran_zone + - code_imp: changed how ran_zone selects a zone from a switch to pickweight Kierany9: - - bugfix: Added a 15 second grace period after death to prevent people from avoiding - a hivemind host's Reclaim by succumbing. + - bugfix: + Added a 15 second grace period after death to prevent people from avoiding + a hivemind host's Reclaim by succumbing. Lett1: - - rscadd: 'Added a new holodeck program: Photobooth' - - rscadd: Comes with three cameras and black and white floors, a dresser and a mirror. + - rscadd: "Added a new holodeck program: Photobooth" + - rscadd: Comes with three cameras and black and white floors, a dresser and a mirror. Menshin: - - bugfix: Janitor ERT leader now spawns properly equipped + - bugfix: Janitor ERT leader now spawns properly equipped ShizCalev: - - bugfix: Fixed a runtime that resulted in the character preview messing up if you - were set to a non-human species while having a command level position set to - high when enforce human authority is enabled. - - tweak: Examining a recharger will now tell you the amount of charge the inserted - device has. - - bugfix: Pulling someone while they're buckled to a chair will no longer offset - them and make them face you. - - bugfix: Buckling someone in while they're being pulled will now properly reset - their offsets. - - bugfix: Pulling offsets will now update properly while dragging someone who's - laying down. + - bugfix: + Fixed a runtime that resulted in the character preview messing up if you + were set to a non-human species while having a command level position set to + high when enforce human authority is enabled. + - tweak: + Examining a recharger will now tell you the amount of charge the inserted + device has. + - bugfix: + Pulling someone while they're buckled to a chair will no longer offset + them and make them face you. + - bugfix: + Buckling someone in while they're being pulled will now properly reset + their offsets. + - bugfix: + Pulling offsets will now update properly while dragging someone who's + laying down. Tlaltecuhtli: - - balance: beepsky smash now summons imaginary beepskys that deal stamina damage - instead of outright stunning + - balance: + beepsky smash now summons imaginary beepskys that deal stamina damage + instead of outright stunning py01: - - balance: -Mechs no longer explode on death -Mechs and syndicate combat mechs sleep - the pilot for 2s when destroyed, other combat mechs for 4s. -Mechs now have - exit times. 1s for basic ripley, 2s for other mechs, 4s for all combat mechs. - You cannot punch or use equipment when exiting, and moving cancels. + - balance: + -Mechs no longer explode on death -Mechs and syndicate combat mechs sleep + the pilot for 2s when destroyed, other combat mechs for 4s. -Mechs now have + exit times. 1s for basic ripley, 2s for other mechs, 4s for all combat mechs. + You cannot punch or use equipment when exiting, and moving cancels. 2019-03-28: AnturK: - - bugfix: Spraypainting blast doors no longer makes them see-through. - - balance: Paint remover now works on blast doors and the like. + - bugfix: Spraypainting blast doors no longer makes them see-through. + - balance: Paint remover now works on blast doors and the like. Fox McCloud: - - bugfix: Fixes a very longstanding LINDA bug where turfs adjacent to a hotspot - would be less prone to igniting + - bugfix: + Fixes a very longstanding LINDA bug where turfs adjacent to a hotspot + would be less prone to igniting PKPenguin321: - - rscadd: Keep your eye out for a rare new arcade game! - - balance: X-Ray vision can no longer be obtained via a random gene sequence at - roundstart. - - balance: X-Ray now has 35 instability, up from 25. - - rscadd: A new gene, thermal vision, has been added to genetics. - - rscadd: You can create X-Ray vision by mixing Thermal Vision and Radioactive together. + - rscadd: Keep your eye out for a rare new arcade game! + - balance: + X-Ray vision can no longer be obtained via a random gene sequence at + roundstart. + - balance: X-Ray now has 35 instability, up from 25. + - rscadd: A new gene, thermal vision, has been added to genetics. + - rscadd: You can create X-Ray vision by mixing Thermal Vision and Radioactive together. ShizCalev: - - bugfix: Corrected cloning logs not showing the clone's key if they ghosted during - processing. + - bugfix: + Corrected cloning logs not showing the clone's key if they ghosted during + processing. SpaceManiac: - - bugfix: The death icon for the "banned" AI core choice will now show properly. + - bugfix: The death icon for the "banned" AI core choice will now show properly. SuicidalPickles: - - tweak: Medical Winter Coats can now equip Handheld Crew Monitors in their suit - storage slot. + - tweak: + Medical Winter Coats can now equip Handheld Crew Monitors in their suit + storage slot. Vile Beggar: - - bugfix: Wearing the CE jumpsuit along with the advanced hardsuit will now fully - protect you from radiation, as intended. + - bugfix: + Wearing the CE jumpsuit along with the advanced hardsuit will now fully + protect you from radiation, as intended. zeroisthebiggay: - - rscadd: Gave the Service Cyborg a Synthesizer! Try not to destroy the Human populace's - weak organic eardrums with it. - - rscdel: Service Cyborgs have lost their Violin to compensate for this. Your bashing - in of heads with the Guitar will remain unimpeded however. + - rscadd: + Gave the Service Cyborg a Synthesizer! Try not to destroy the Human populace's + weak organic eardrums with it. + - rscdel: + Service Cyborgs have lost their Violin to compensate for this. Your bashing + in of heads with the Guitar will remain unimpeded however. 2019-03-29: 81Denton: - - bugfix: Fixed a bug that prevented strange reagent from reacting with hydroponics - trays. Use with care! + - bugfix: + Fixed a bug that prevented strange reagent from reacting with hydroponics + trays. Use with care! SpaceManiac: - - bugfix: If an admin sends a ghost back to the lobby, they can now choose a different - set of quirks. - - code_imp: The code to handle buckling latejoin players to chairs has been made - more flexible. + - bugfix: + If an admin sends a ghost back to the lobby, they can now choose a different + set of quirks. + - code_imp: + The code to handle buckling latejoin players to chairs has been made + more flexible. Spyro Zeppeli: - - balance: Changes ethereal low charge damage from brute to toxin + - balance: Changes ethereal low charge damage from brute to toxin Tlaltecuhtli: - - bugfix: fixes exploit with holopets + - bugfix: fixes exploit with holopets Zxaber: - - rscadd: AIs can now use CTRL and a number key (1 - 9) to assign a location to - the number key, and then press the key later to jump their camera to that location. - The numpad keys will work as aliases for their respective numbers. - - rscadd: The Tilde key, or zero (or numpad zero), will return you to the last point - you jumped from. + - rscadd: + AIs can now use CTRL and a number key (1 - 9) to assign a location to + the number key, and then press the key later to jump their camera to that location. + The numpad keys will work as aliases for their respective numbers. + - rscadd: + The Tilde key, or zero (or numpad zero), will return you to the last point + you jumped from. 2019-03-30: FloranOtten: - - rscadd: Added the Pod Shuttle + - rscadd: Added the Pod Shuttle ShizCalev: - - tweak: Moved mapping related errors to their own log file. + - tweak: Moved mapping related errors to their own log file. Vile Beggar: - - bugfix: You no longer have to take off your clown/mime mask to shower properly. + - bugfix: You no longer have to take off your clown/mime mask to shower properly. 2019-04-01: AutomaticFrenzy: - - bugfix: soap now displays the correct message when examined + - bugfix: soap now displays the correct message when examined ShizCalev: - - bugfix: Revamped Donutstation's engineering and supermatter rooms to fix a number - of issues that prevented proper functionality, and resolved numerous aesthetic - complaints. - - bugfix: Fixed Jones actions on a couple away mission fridges. - - bugfix: Mass drivers will no longer launch ghosts & camera mobs (AI cameras, xenobio - cameras, ect) + - bugfix: + Revamped Donutstation's engineering and supermatter rooms to fix a number + of issues that prevented proper functionality, and resolved numerous aesthetic + complaints. + - bugfix: Fixed Jones actions on a couple away mission fridges. + - bugfix: + Mass drivers will no longer launch ghosts & camera mobs (AI cameras, xenobio + cameras, ect) SpaceManiac: - - bugfix: Blood brothers succeeding at some objective no longer bolds the entire - rest of the round-end report. + - bugfix: + Blood brothers succeeding at some objective no longer bolds the entire + rest of the round-end report. Tlaltecuhtli: - - spellcheck: fixes spelling error in void magent - - tweak: cryo cell starts with auto eject true + - spellcheck: fixes spelling error in void magent + - tweak: cryo cell starts with auto eject true Vile Beggar: - - bugfix: Toxins launch site telescreens now work properly again. - - bugfix: Polymorphed drones no longer have normal drone flavortext. + - bugfix: Toxins launch site telescreens now work properly again. + - bugfix: Polymorphed drones no longer have normal drone flavortext. Zxaber: - - bugfix: Firefighter construction text is no longer off by a step. + - bugfix: Firefighter construction text is no longer off by a step. 2019-04-02: Barhandar: - - rscadd: Plasteel golems have been buffed and will now stay on the ground instead - of floating without gravity (like magboots). They're also cannot be swapped - positions with even on help intent. + - rscadd: + Plasteel golems have been buffed and will now stay on the ground instead + of floating without gravity (like magboots). They're also cannot be swapped + positions with even on help intent. SpaceManiac: - - bugfix: Fixed the latest set of roundstart active turfs. + - bugfix: Fixed the latest set of roundstart active turfs. WJohnston: - - imageadd: New .357 revolver sprites. + - imageadd: New .357 revolver sprites. bobbahbrown: - - bugfix: Return of the photocopied ass - - bugfix: Photocopiers now properly have a delay before photocopying an ass. - - bugfix: Corrected an error that stopped photos of crew members being printed at - the security records consoles. + - bugfix: Return of the photocopied ass + - bugfix: Photocopiers now properly have a delay before photocopying an ass. + - bugfix: + Corrected an error that stopped photos of crew members being printed at + the security records consoles. pireamaineach: - - bugfix: Makes the .45 magazine actually update per round rather than just showing - full or empty. + - bugfix: + Makes the .45 magazine actually update per round rather than just showing + full or empty. 2019-04-03: Basilman: - - bugfix: Added a cooldown for datum outputs + - bugfix: Added a cooldown for datum outputs Kierany9: - - bugfix: Fixed the assimilation radar bug for real this time. - - bugfix: Possibly fixed mindshield implants sometimes not working against vessels. + - bugfix: Fixed the assimilation radar bug for real this time. + - bugfix: Possibly fixed mindshield implants sometimes not working against vessels. MrDoomBringer: - - tweak: Supplypod Beacons from the Express Supply Console now cost 500 credits, - down from 5000. + - tweak: + Supplypod Beacons from the Express Supply Console now cost 500 credits, + down from 5000. Nervere: - - bugfix: Default color for when custom asay colors is not enabled is now orange, - not red. - - bugfix: Asay is now properly bolded in lightmode. - - bugfix: Asay is now properly bolded in darkmode. - - tweak: Default color for when custom asay colors is enabled is now orange, not - black. - - admin: removed a duplicate/broken secrets panel button - - admin: you can now click the text that says "Antagonist" on an antagonist's entry - in the global player panel to check all antags, as intended + - bugfix: + Default color for when custom asay colors is not enabled is now orange, + not red. + - bugfix: Asay is now properly bolded in lightmode. + - bugfix: Asay is now properly bolded in darkmode. + - tweak: + Default color for when custom asay colors is enabled is now orange, not + black. + - admin: removed a duplicate/broken secrets panel button + - admin: + you can now click the text that says "Antagonist" on an antagonist's entry + in the global player panel to check all antags, as intended ShizCalev: - - bugfix: Paraplegics can now climb into mechs. - - bugfix: Locker bolts will no longer move mobs that aren't valid for lockering. - - bugfix: Paraplegics/mobs missing legs can no longer operate vehicles which require - legs to operate (ie bicycles, skateboards, ATVs, ect) if they lost the limbs - while still buckled in. - - tweak: Mobs with no arms will now fall off bikes & scooters when trying to move. - - tweak: Badmins can now edit limb requirements of vehicles. + - bugfix: Paraplegics can now climb into mechs. + - bugfix: Locker bolts will no longer move mobs that aren't valid for lockering. + - bugfix: + Paraplegics/mobs missing legs can no longer operate vehicles which require + legs to operate (ie bicycles, skateboards, ATVs, ect) if they lost the limbs + while still buckled in. + - tweak: Mobs with no arms will now fall off bikes & scooters when trying to move. + - tweak: Badmins can now edit limb requirements of vehicles. Tlaltecuhtli: - - balance: large ebows do 20 damage instead of 40 - - rscadd: russian surplus crate, sec ammo crate, meat/veggie/fruit crate, rped crate, bomb - suit crate, bio suit crate, parrot crate, chem crate - - tweak: lowered price of some crates which are overpriced for no reason aka the - ipod crate and the mech circuits crate, track implant crate has also track .38 - ammo - - bugfix: sectech vendor has the refill pack + - balance: large ebows do 20 damage instead of 40 + - rscadd: + russian surplus crate, sec ammo crate, meat/veggie/fruit crate, rped crate, bomb + suit crate, bio suit crate, parrot crate, chem crate + - tweak: + lowered price of some crates which are overpriced for no reason aka the + ipod crate and the mech circuits crate, track implant crate has also track .38 + ammo + - bugfix: sectech vendor has the refill pack Zxaber: - - balance: Deflecting shots while inside a MK-I Ripley (or inside anything else, - for that matter) will cause the shots to deflect back into the container. - - balance: Firing at a MK-I Ripley while aiming for the head or chest will still - hit the pilot, but aiming for the arms or legs will now intentionally hit the - mech. - - tweak: Being incapacitated in an open-canopy mech will now lead to you falling - out. + - balance: + Deflecting shots while inside a MK-I Ripley (or inside anything else, + for that matter) will cause the shots to deflect back into the container. + - balance: + Firing at a MK-I Ripley while aiming for the head or chest will still + hit the pilot, but aiming for the arms or legs will now intentionally hit the + mech. + - tweak: + Being incapacitated in an open-canopy mech will now lead to you falling + out. actioninja: - - balance: EZ-CLEAN grenades now deal 1.5x the damage. - - soundadd: Replaced Title2.ogg with a much higher quality version. + - balance: EZ-CLEAN grenades now deal 1.5x the damage. + - soundadd: Replaced Title2.ogg with a much higher quality version. bobbahbrown: - - bugfix: Wands, staves, and other magic guns no longer allow bypassing den and - anti-magic checks when being fired offhand. - - spellcheck: Removed unlawful reference to Disney's Star Wars franchise in map - logging. + - bugfix: + Wands, staves, and other magic guns no longer allow bypassing den and + anti-magic checks when being fired offhand. + - spellcheck: + Removed unlawful reference to Disney's Star Wars franchise in map + logging. 2019-04-04: actioninja: - - rscadd: Disarm has been reworked, instead of an rng based system instead it pushes - people away from you. If their movement is blocked it knocks them over. Shoving - someone twice quickly will knock ranged weapons out of their hands. - - rscdel: Moving into humans while in a hostile intent no longer pushes them. - - tweak: Passive grabs need to be resisted out of while on the ground, and can't - be directly crawled out of + - rscadd: + Disarm has been reworked, instead of an rng based system instead it pushes + people away from you. If their movement is blocked it knocks them over. Shoving + someone twice quickly will knock ranged weapons out of their hands. + - rscdel: Moving into humans while in a hostile intent no longer pushes them. + - tweak: + Passive grabs need to be resisted out of while on the ground, and can't + be directly crawled out of 2019-04-06: FloranOtten: - - tweak: Changes the wooden doors on the Meta Maint Bar with wooden airlocks. Sounds - are the same. + - tweak: + Changes the wooden doors on the Meta Maint Bar with wooden airlocks. Sounds + are the same. RaveRadbury: - - tweak: Bike horns and baguettes can now be equipped to belt and back slots! + - tweak: Bike horns and baguettes can now be equipped to belt and back slots! ShizCalev: - - tweak: Enabled tactical reloads for most ballistic weapons. + - tweak: Enabled tactical reloads for most ballistic weapons. bobbahbrown: - - rscadd: Monkeys now apply knockdown when tackling instead of stunning, and can - stun you by tackling you whilst you are knocked down. + - rscadd: + Monkeys now apply knockdown when tackling instead of stunning, and can + stun you by tackling you whilst you are knocked down. 2019-04-24: Kierany9: - - balance: The hivemind radar's no longer has a minimum range, but has an increased - ping time. - - balance: How power use affects the hivemind radar has been tweaked as to ensure - that going loud early is punished more. + - balance: + The hivemind radar's no longer has a minimum range, but has an increased + ping time. + - balance: + How power use affects the hivemind radar has been tweaked as to ensure + that going loud early is punished more. Mickyan: - - rscadd: 'New quirk: Empath. Gain a better insight on the state of people around - you by examining them.' - - rscadd: 'New quirk: Friendly. Your hugs are just the best. Keep yourself in a - good mood to give the bestest hugs!' + - rscadd: + "New quirk: Empath. Gain a better insight on the state of people around + you by examining them." + - rscadd: + "New quirk: Friendly. Your hugs are just the best. Keep yourself in a + good mood to give the bestest hugs!" MrDroppodBringer and Time-Green: - - rscadd: Adds the lipid extractor to the service protolathe arsenal + - rscadd: Adds the lipid extractor to the service protolathe arsenal TetraK1: - - bugfix: AI integrity restorer no longer drops a free AI core on deconstruction/destruction. + - bugfix: AI integrity restorer no longer drops a free AI core on deconstruction/destruction. Tlaltecuhtli: - - balance: rubbershot does 66 stamina + 18 damage instead of 150 stamina + 18 damage - - balance: beanbang does 55 stamina + 5 damge instead of 80 + 5 damage + - balance: rubbershot does 66 stamina + 18 damage instead of 150 stamina + 18 damage + - balance: beanbang does 55 stamina + 5 damge instead of 80 + 5 damage Wilchenx: - - rscadd: The modular pc vendor - - rscdel: minor entities on meta/pubby/box/delta to make room for said vendor + - rscadd: The modular pc vendor + - rscdel: minor entities on meta/pubby/box/delta to make room for said vendor actioninja: - - bugfix: Fixed an exploit where incompatible magazine could be tactical reloaded - into guns, and then still fire. + - bugfix: + Fixed an exploit where incompatible magazine could be tactical reloaded + into guns, and then still fire. bgobandit: - - tweak: Examining intercoms/radios shows the frequency they're set to, if you're - in range. + - tweak: + Examining intercoms/radios shows the frequency they're set to, if you're + in range. 2019-04-25: RaveRadbury: - - rscadd: pAI's now have the same headset tech as AI. Add and remove keys just like - you would with headsets. - - tweak: Service Halls now allow all Service dept. jobs. + - rscadd: + pAI's now have the same headset tech as AI. Add and remove keys just like + you would with headsets. + - tweak: Service Halls now allow all Service dept. jobs. 2019-04-27: 81Denton: - - bugfix: 'Pubbystation: Fixed the incinerator''s waste to space injector starting - powered off.' - - bugfix: 'Metastation: You can now pass parts of the AI sat transit tube again.' + - bugfix: + "Pubbystation: Fixed the incinerator's waste to space injector starting + powered off." + - bugfix: "Metastation: You can now pass parts of the AI sat transit tube again." DaxDupont: - - bugfix: Clowns now spawn with the proper health + - bugfix: Clowns now spawn with the proper health Mideanon: - - bugfix: Adminordrazine now gives blood back + - bugfix: Adminordrazine now gives blood back MrFluffster: - - tweak: tweaked the pubby incinerator + - tweak: tweaked the pubby incinerator RaveRadbury: - - bugfix: The radio configuration menu for masters of pAI will now toggle properly. - - bugfix: pAI HUD appears as it should. + - bugfix: The radio configuration menu for masters of pAI will now toggle properly. + - bugfix: pAI HUD appears as it should. RaveRadbury, Art by Navi.OS: - - rscadd: pAI Newscaster - - rscadd: pAI Camera - - rscadd: New pAI HUD - - imageadd: unique pAI HUD theme + - rscadd: pAI Newscaster + - rscadd: pAI Camera + - rscadd: New pAI HUD + - imageadd: unique pAI HUD theme TheDreamweaver: - - bugfix: Hilbert's Hotel can no longer be brought inside of itself. + - bugfix: Hilbert's Hotel can no longer be brought inside of itself. Zxaber: - - tweak: Certain small items purchased through cargo now get grouped into a single - box. - - rscadd: Added single-order options for several existing products in the Cargo - Catalog. - - rscadd: Added ALPU MK-I Ripley kit to the cargo catalog, under Engineering. - - balance: 'Cargo Ripley bounty now requires a MK-II. remove: Removed the Ripley - and Odysseus listings in the cargo catalog that were only the control boards - and nothing more.' - - tweak: Ammo and Medkit listings are now single-pack items, and considered small - items that get grouped into single boxes. Price per unit for ammo is unchanged, - and for medkits is as close to unchanged as is reasonable. + - tweak: + Certain small items purchased through cargo now get grouped into a single + box. + - rscadd: + Added single-order options for several existing products in the Cargo + Catalog. + - rscadd: Added ALPU MK-I Ripley kit to the cargo catalog, under Engineering. + - balance: + "Cargo Ripley bounty now requires a MK-II. remove: Removed the Ripley + and Odysseus listings in the cargo catalog that were only the control boards + and nothing more." + - tweak: + Ammo and Medkit listings are now single-pack items, and considered small + items that get grouped into single boxes. Price per unit for ammo is unchanged, + and for medkits is as close to unchanged as is reasonable. actioninja: - - spellcheck: Changed the description on ling augmented eyes to be more accurate - to their actual functionality + - spellcheck: + Changed the description on ling augmented eyes to be more accurate + to their actual functionality nemvar: - - balance: Heavily nerfs russian surplus gear. + - balance: Heavily nerfs russian surplus gear. tralezab: - - rscadd: zombies can eat brains now + - rscadd: zombies can eat brains now 2019-04-30: 81Denton: - - bugfix: Dead AIs no longer get stuck in place and become movable again. + - bugfix: Dead AIs no longer get stuck in place and become movable again. Carshalash: - - rscadd: Replaces Pressurized Slime to spray lube instead of water + - rscadd: Replaces Pressurized Slime to spray lube instead of water PKPenguin321: - - balance: Humans now have a punch damage range of 1-10, up from 0-9 - - balance: The chance to miss a punch now increases the more stamina and brute damage - you have - - balance: The stun duration for a critical punch now scales with how much stamina/brute - damage the victim has - - balance: Punches now deal full stamina damage + half damage in brute (effectively - 1.5x damage on all punches, not accounting for stamina regeneration) - - balance: Kicking (punching a prone person) does full brute damage, never misses, - and does 1.5x damage - - balance: Grabs are now harder to break out of the more stamina/brute damage you - have - - balance: Failing to resist out of a grab will deal a bit of stamina damage to - you - - balance: In all instances above where both stamina and brute damage are considered, - brute is weighed 1/2 as heavily as stamina (meaning stamina has more of an effect - than brute when it comes to punch-stun duration, miss chance, etc) + - balance: Humans now have a punch damage range of 1-10, up from 0-9 + - balance: + The chance to miss a punch now increases the more stamina and brute damage + you have + - balance: + The stun duration for a critical punch now scales with how much stamina/brute + damage the victim has + - balance: + Punches now deal full stamina damage + half damage in brute (effectively + 1.5x damage on all punches, not accounting for stamina regeneration) + - balance: + Kicking (punching a prone person) does full brute damage, never misses, + and does 1.5x damage + - balance: + Grabs are now harder to break out of the more stamina/brute damage you + have + - balance: + Failing to resist out of a grab will deal a bit of stamina damage to + you + - balance: + In all instances above where both stamina and brute damage are considered, + brute is weighed 1/2 as heavily as stamina (meaning stamina has more of an effect + than brute when it comes to punch-stun duration, miss chance, etc) Skoglol: - - bugfix: Offstation AI can no longer interact with other z-levels. Again. - - balance: Robotics control console can now only blow/lockdown borgs and drones - on current z-level. - - bugfix: Falsewalls now properly hide pipes and wires. - - bugfix: Ninja dash now works in dark areas if you can see in the dark. - - bugfix: Blob factories can no longer create more than one blobbernaut at a time. + - bugfix: Offstation AI can no longer interact with other z-levels. Again. + - balance: + Robotics control console can now only blow/lockdown borgs and drones + on current z-level. + - bugfix: Falsewalls now properly hide pipes and wires. + - bugfix: Ninja dash now works in dark areas if you can see in the dark. + - bugfix: Blob factories can no longer create more than one blobbernaut at a time. SpaceManiac: - - code_imp: Removed a workaround for a compiler bug that has since been fixed. - - tweak: The "draggable" cursor is now shown when folding a closed bodybag. - - tweak: Failing to fold a bodybag because it is open or full now tells you why. + - code_imp: Removed a workaround for a compiler bug that has since been fixed. + - tweak: The "draggable" cursor is now shown when folding a closed bodybag. + - tweak: Failing to fold a bodybag because it is open or full now tells you why. nemvar: - - bugfix: Fixes bathsalts and beepsky smash transfering their respective brain traumas - after cloning. + - bugfix: + Fixes bathsalts and beepsky smash transfering their respective brain traumas + after cloning. 2019-05-04: 81Denton: - - bugfix: 'Donutstation: The Atmospherics incinerator airlocks now cycle properly.' - - admin: Admins who want to cancel round end delay now have to confirm a popup first. + - bugfix: "Donutstation: The Atmospherics incinerator airlocks now cycle properly." + - admin: Admins who want to cancel round end delay now have to confirm a popup first. Coconutwarrior97: - - rscdel: Removed grandpa from the first name list. + - rscdel: Removed grandpa from the first name list. Lett1: - - rscadd: 'New trauma: Expressive Aphasia only. Restricts your speech to the 1000 - most common english words.' + - rscadd: + "New trauma: Expressive Aphasia only. Restricts your speech to the 1000 + most common english words." MMMiracles: - - tweak: Various minor tweaks to Donutstation. + - tweak: Various minor tweaks to Donutstation. Skoglol: - - bugfix: Credits can now only be withdrawn in integer amounts. - - bugfix: Mining bags will no longer drop ore into backpack. - - bugfix: Mining bags in backpack no longer interferes with other mining bags. - - bugfix: .357 casings now always drops on floor when speedloaded. - - bugfix: Fixes some storage size circumventions. + - bugfix: Credits can now only be withdrawn in integer amounts. + - bugfix: Mining bags will no longer drop ore into backpack. + - bugfix: Mining bags in backpack no longer interferes with other mining bags. + - bugfix: .357 casings now always drops on floor when speedloaded. + - bugfix: Fixes some storage size circumventions. Tlaltecuhtli: - - rscadd: ghetto grinder made out of wood and plasteel + - rscadd: ghetto grinder made out of wood and plasteel Wilchenx: - - bugfix: Deluxe Silicate Selections vendor now has circuitboards - - bugfix: fixes a typo - - tweak: Added pAI cards to the vendor + - bugfix: Deluxe Silicate Selections vendor now has circuitboards + - bugfix: fixes a typo + - tweak: Added pAI cards to the vendor YPOQ: - - bugfix: Borgs in wheelchairs can no longer go super fast + - bugfix: Borgs in wheelchairs can no longer go super fast Zxaber: - - tweak: Failing the "which clothes are shower-safe" guessing minigame no longer - punishes with a mood debuff (though you still won't get clean until you get - it right). + - tweak: + Failing the "which clothes are shower-safe" guessing minigame no longer + punishes with a mood debuff (though you still won't get clean until you get + it right). as334: - - rscadd: New Gas Reaction, Stimulum Energy Balls. Combine 100 degree Pluoxium, - Stimulum and small amounts of Plasma and Nitryl to shoot off a deadly radioactive - energy ball. - - rscadd: The reaction will consume the plasma, pluoxium and stimulum and release - small amounts of heat. The presence of water vapor will change the direction - in which it shoots. See if you can figure out how to aim it. - - tweak: Nitryl now forms at 22,000 degrees, a significantly lower temperature. - - rscdel: Removed some old left-behind fusion test canisters. + - rscadd: + New Gas Reaction, Stimulum Energy Balls. Combine 100 degree Pluoxium, + Stimulum and small amounts of Plasma and Nitryl to shoot off a deadly radioactive + energy ball. + - rscadd: + The reaction will consume the plasma, pluoxium and stimulum and release + small amounts of heat. The presence of water vapor will change the direction + in which it shoots. See if you can figure out how to aim it. + - tweak: Nitryl now forms at 22,000 degrees, a significantly lower temperature. + - rscdel: Removed some old left-behind fusion test canisters. nemvar: - - bugfix: A missing liver will now hurt you again. + - bugfix: A missing liver will now hurt you again. zeroisthebiggay: - - rscadd: Gives Janiborgs the long lost bucket for their mop. - - rscadd: Gives Janiborgs a paint remover. - - rscadd: Gives Janiborgs a flyswatter to destroy angry bees and moths with. + - rscadd: Gives Janiborgs the long lost bucket for their mop. + - rscadd: Gives Janiborgs a paint remover. + - rscadd: Gives Janiborgs a flyswatter to destroy angry bees and moths with. 2019-05-06: Fikou: - - rscadd: Diagnostic HUD eyes, now printable at your local Medical Lathe/Exosuit - Fabricator! + - rscadd: + Diagnostic HUD eyes, now printable at your local Medical Lathe/Exosuit + Fabricator! PKPenguin321: - - bugfix: Mindswapping with a stand instead mindswaps you with that stand's owner, - giving you ownership of their stand. + - bugfix: + Mindswapping with a stand instead mindswaps you with that stand's owner, + giving you ownership of their stand. Zxaber: - - bugfix: Cargo manifests no longer list the purchaser as "/datum/bank_account" - under certain circumstances + - bugfix: + Cargo manifests no longer list the purchaser as "/datum/bank_account" + under certain circumstances 2019-05-07: 4dplanner: - - bugfix: summon item cannot mark station loving items + - bugfix: summon item cannot mark station loving items Floyd / Qustinnus, Sprites by MrDoomBringer: - - rscadd: 'New traitor item: The suspicious phone. This device lets you launch a - device that drains the funds of all crewmembers to your bank account, the only - way for them to stop this is by rushing to the conventionaly launched spacecoin - market where the crew can sell their Spacecoin.' + - rscadd: + "New traitor item: The suspicious phone. This device lets you launch a + device that drains the funds of all crewmembers to your bank account, the only + way for them to stop this is by rushing to the conventionaly launched spacecoin + market where the crew can sell their Spacecoin." JoeyJo0: - - rscadd: Radsuit lockers in atmos - - tweak: Pipe dispensers are now moved to maintenance locations + - rscadd: Radsuit lockers in atmos + - tweak: Pipe dispensers are now moved to maintenance locations Naksu: - - bugfix: Transferring quirks now properly removes the roundstart trait from the - person losing the quirk. - - bugfix: Roundstart traits no longer block the removal of other sources of that - trait - - code_imp: Trait accessors are now defines rather than functions + - bugfix: + Transferring quirks now properly removes the roundstart trait from the + person losing the quirk. + - bugfix: + Roundstart traits no longer block the removal of other sources of that + trait + - code_imp: Trait accessors are now defines rather than functions RaveRadbury: - - bugfix: pAI mouse hotkeys are restored - - rscdel: Removed hull integrity system from economy.dm Should reduce periodic lag. + - bugfix: pAI mouse hotkeys are restored + - rscdel: Removed hull integrity system from economy.dm Should reduce periodic lag. Skoglol: - - rscadd: Shocks now propagate to people you are pulling or pulled by. - - code_imp: Grounded nerves now uses the shock immune trait. + - rscadd: Shocks now propagate to people you are pulling or pulled by. + - code_imp: Grounded nerves now uses the shock immune trait. YPOQ: - - bugfix: Fixed sand, glass, and bronze golems being unaffected by projectiles they - should have been affected by. + - bugfix: + Fixed sand, glass, and bronze golems being unaffected by projectiles they + should have been affected by. blessedmulligan: - - rscadd: Garlic! Heals chefs and makes everyone else stinky. Keeps vampires away. - - rscadd: Garlic Bread. Made with a bread slice, butter, and garlic. - - tweak: Khinkalis now require garlic to make, and are slightly more filling. + - rscadd: Garlic! Heals chefs and makes everyone else stinky. Keeps vampires away. + - rscadd: Garlic Bread. Made with a bread slice, butter, and garlic. + - tweak: Khinkalis now require garlic to make, and are slightly more filling. pigeonsk: - - tweak: Air contents inside a tank react additionally once instead of thrice when - exploding + - tweak: + Air contents inside a tank react additionally once instead of thrice when + exploding zxaber: - - rscadd: A couple of dead bodies are now in the morgue. The souls are long gone, - so no one will care if you "borrowed" a part or two. + - rscadd: + A couple of dead bodies are now in the morgue. The souls are long gone, + so no one will care if you "borrowed" a part or two. 2019-05-08: 4dplanner: - - bugfix: transform spell transfers damage correctly instead of healing most of - the time - - bugfix: 0% simplemob health maps to 0 carbon health, 100% simplemob to 100% carbon - - bugfix: transforming to a form with brute resistance no longer heals you - - bugfix: transforming back to a species with brute resistance no longer heals you + - bugfix: + transform spell transfers damage correctly instead of healing most of + the time + - bugfix: 0% simplemob health maps to 0 carbon health, 100% simplemob to 100% carbon + - bugfix: transforming to a form with brute resistance no longer heals you + - bugfix: transforming back to a species with brute resistance no longer heals you JJRcop and Kmc2000 (sprites): - - rscadd: Replaced Sleepers with Lifeform Stasis Units. These place patients in - stasis, a new status effect that halts biological functions indefinitely. It - also prevents corpse decay. + - rscadd: + Replaced Sleepers with Lifeform Stasis Units. These place patients in + stasis, a new status effect that halts biological functions indefinitely. It + also prevents corpse decay. RaveRadbury: - - tweak: all medbay jobs have access to viro during skeleton shifts - - tweak: chemist, doctor, and virologist share increased mutual access - - bugfix: The Tenets of Servicia are properly available through "servicianism" and - "partying" religions + - tweak: all medbay jobs have access to viro during skeleton shifts + - tweak: chemist, doctor, and virologist share increased mutual access + - bugfix: + The Tenets of Servicia are properly available through "servicianism" and + "partying" religions ShizCalev: - - bugfix: switching to the SS13 camera network will no longer send you to the VR - area. + - bugfix: + switching to the SS13 camera network will no longer send you to the VR + area. 2019-05-09: 4dplanner: - - bugfix: Blood drunk eye gives damage slowdown immunity rather than vulnerability. + - bugfix: Blood drunk eye gives damage slowdown immunity rather than vulnerability. Skoglol: - - bugfix: Secondary shocks should no longer some times ignore insulated gloves. + - bugfix: Secondary shocks should no longer some times ignore insulated gloves. nemvar: - - tweak: Activating a grenade no longer puts you in throwmode. - - tweak: You always throw active grenades now. + - tweak: Activating a grenade no longer puts you in throwmode. + - tweak: You always throw active grenades now. zeroisthebiggay: - - tweak: Lets nukeops buy chest rigs. + - tweak: Lets nukeops buy chest rigs. 2019-05-10: JoeyJo0: - - rscadd: N2O Decomposition reaction - - tweak: N2O is no longer the perfect "safety gas". N2O Decomposes starting from - 1400K, feeding more oxygen into the engine. + - rscadd: N2O Decomposition reaction + - tweak: + N2O is no longer the perfect "safety gas". N2O Decomposes starting from + 1400K, feeding more oxygen into the engine. Mickyan: - - tweak: the contents on the smartfridge icon now change depending on how many items - it contains - - bugfix: opening the maintenance panel of smartfridges now correctly updates the - icon + - tweak: + the contents on the smartfridge icon now change depending on how many items + it contains + - bugfix: + opening the maintenance panel of smartfridges now correctly updates the + icon Naksu: - - bugfix: fixed a mutation runtime - - bugfix: Abductors can use their own console again. + - bugfix: fixed a mutation runtime + - bugfix: Abductors can use their own console again. Okand37: - - rscadd: Nanotrasen Shipyards have released a set of Kilo-pattern shuttles including - a new Kilo Emergency Shuttle, purchasable for 5000 credits! - - rscadd: Syndicate Skunkworks have ushered in a new model of the infiltrator-pattern - shuttle designed for operative insertion and extraction. Rumours report the - new shuttle to be an up-armoured version of the original design that Nanotrasen - Intelligence workers have taken to calling the "tortoise." - - admin: New shuttles are accessible from the shuttle loader! + - rscadd: + Nanotrasen Shipyards have released a set of Kilo-pattern shuttles including + a new Kilo Emergency Shuttle, purchasable for 5000 credits! + - rscadd: + Syndicate Skunkworks have ushered in a new model of the infiltrator-pattern + shuttle designed for operative insertion and extraction. Rumours report the + new shuttle to be an up-armoured version of the original design that Nanotrasen + Intelligence workers have taken to calling the "tortoise." + - admin: New shuttles are accessible from the shuttle loader! YoYoBatty: - - bugfix: Fixed hostile mob's not properly breaking directional windows and doors. + - bugfix: Fixed hostile mob's not properly breaking directional windows and doors. nemvar: - - tweak: Only the first generation of spiders can change directives for their offsprings. - - admin: Spider directives are now logged. + - tweak: Only the first generation of spiders can change directives for their offsprings. + - admin: Spider directives are now logged. py01: - - bugfix: 'CQC and Sleeping Carp are properly logged. Change: CQC can passively - grab targets when not on grab intent. Passive grabs do not count towards combos - for CQC or Sleeping carp.' + - bugfix: + "CQC and Sleeping Carp are properly logged. Change: CQC can passively + grab targets when not on grab intent. Passive grabs do not count towards combos + for CQC or Sleeping carp." 2019-05-11: Farquaar: - - rscadd: Added a number of Nanotrasen-approved religious clothing items to the - chaplain vendor, autodrobe and clothesmate. - - imageadd: sprites and icons for several new clothing items, including some in-hand - sprites. + - rscadd: + Added a number of Nanotrasen-approved religious clothing items to the + chaplain vendor, autodrobe and clothesmate. + - imageadd: + sprites and icons for several new clothing items, including some in-hand + sprites. Garen7: - - bugfix: You can only cook donk pockets once now + - bugfix: You can only cook donk pockets once now JStheguy: - - tweak: Humans have more natural-looking skin coloration. + - tweak: Humans have more natural-looking skin coloration. RaveRadbury: - - bugfix: Chem has viro access during skeleton shifts - - bugfix: Doctor, Chemist and Viro lost mutual expanded access. + - bugfix: Chem has viro access during skeleton shifts + - bugfix: Doctor, Chemist and Viro lost mutual expanded access. YoYoBatty: - - rscadd: Tachyon-doppler arrays now have explosion logging. + - rscadd: Tachyon-doppler arrays now have explosion logging. actioninja: - - tweak: Goofbegone was applied to roundstart messages to reduce spam a little. + - tweak: Goofbegone was applied to roundstart messages to reduce spam a little. 2019-05-12: 4dplanner: - - bugfix: spiritual moodlet description has a newline + - bugfix: spiritual moodlet description has a newline Kierany9: - - balance: Medullary Failure now has a maximum range + - balance: Medullary Failure now has a maximum range Naksu: - - tweak: LateInitialize no longer waits for sleepers, moved some book/bookcase initialization - sql over there. + - tweak: + LateInitialize no longer waits for sleepers, moved some book/bookcase initialization + sql over there. RaveRadbury: - - tweak: Follower hoodies are in the crafting menu! + - tweak: Follower hoodies are in the crafting menu! Tetr4: - - tweak: Remote signallers now use input boxes instead of inc/dec buttons. - - bugfix: Remote signaller freq range no longer clamps to the wrong range. + - tweak: Remote signallers now use input boxes instead of inc/dec buttons. + - bugfix: Remote signaller freq range no longer clamps to the wrong range. Tlaltecuhtli: - - rscadd: hitting a bottle or a soda can with a bullet will make them break + - rscadd: hitting a bottle or a soda can with a bullet will make them break actioninja: - - soundadd: PDA beep, grenade arm, and flesh impact sounds have been fixed - - soundadd: When you get a quick rundown, your ears bleed less. + - soundadd: PDA beep, grenade arm, and flesh impact sounds have been fixed + - soundadd: When you get a quick rundown, your ears bleed less. 2019-05-13: Farquaar: - - bugfix: Caught the wizard who was turning the rastacap shipments invisible. + - bugfix: Caught the wizard who was turning the rastacap shipments invisible. Lett1: - - rscadd: Adds a new mutation to the orange + - rscadd: Adds a new mutation to the orange Mickyan: - - code_imp: Mood quirks are now only processed by the quirk holders - - bugfix: Disk toasters no longer turn invisible after inserting a disk + - code_imp: Mood quirks are now only processed by the quirk holders + - bugfix: Disk toasters no longer turn invisible after inserting a disk Naksu: - - rscdel: Removed VR - - refactor: Refactored blob code - - tweak: vending machines now use spritesheets + - rscdel: Removed VR + - refactor: Refactored blob code + - tweak: vending machines now use spritesheets Skoglol: - - bugfix: Borgs using the wrong tools during a repeatable surgery step will no longer - have to restart surgery. - - bugfix: Starting and stopping the closing step during repeatable surgery will - no longer advance you to the closing step. + - bugfix: + Borgs using the wrong tools during a repeatable surgery step will no longer + have to restart surgery. + - bugfix: + Starting and stopping the closing step during repeatable surgery will + no longer advance you to the closing step. Ty-the-Smonk: - - bugfix: You can now interact with self sustaining crossbreeds + - bugfix: You can now interact with self sustaining crossbreeds 2019-05-14: Flatgub: - - rscadd: Added RCL wiring menu - - bugfix: RCL change cable colour button now applies changes immediately + - rscadd: Added RCL wiring menu + - bugfix: RCL change cable colour button now applies changes immediately Krysonism: - - rscadd: 8 new alcoholic drinks. - - rscadd: 2 new nonalcoholic drinks. - - rscadd: Packs of a novel artificial sweetener have been added to the kitchen vendor. - - rscadd: Bottles of trappist beer are now available at a premium price in the booze-o-mat. - - rscadd: Juicing parsnips now yields parsnip juice. add; Maintenance peaches. - - rscdel: Removed champagne from the booze dispenser. - - balance: Now everyone has to pay 200 credits if they want champagne from the booze-o-mat. - - bugfix: Grape soda now cools you down like other sodas. - - imageadd: Added new drink, bottle, vomit and peach can sprites. + - rscadd: 8 new alcoholic drinks. + - rscadd: 2 new nonalcoholic drinks. + - rscadd: Packs of a novel artificial sweetener have been added to the kitchen vendor. + - rscadd: Bottles of trappist beer are now available at a premium price in the booze-o-mat. + - rscadd: Juicing parsnips now yields parsnip juice. add; Maintenance peaches. + - rscdel: Removed champagne from the booze dispenser. + - balance: Now everyone has to pay 200 credits if they want champagne from the booze-o-mat. + - bugfix: Grape soda now cools you down like other sodas. + - imageadd: Added new drink, bottle, vomit and peach can sprites. MrFluffster: - - rscadd: An extra tile to the Box chapel's width - - rscdel: One barely noticeable tile of width from escape(one escape brig chair - dead [*] ) + - rscadd: An extra tile to the Box chapel's width + - rscdel: + One barely noticeable tile of width from escape(one escape brig chair + dead [*] ) RaveRadbury: - - refactor: mood_event timeouts are now in MINUTES and SECONDS + - refactor: mood_event timeouts are now in MINUTES and SECONDS Skoglol: - - bugfix: You no longer get shocked by shock touching someone you are pulling. + - bugfix: You no longer get shocked by shock touching someone you are pulling. WJohnston: - - rscadd: New boxstation mining shuttle! It paves the way for little pod-like shuttles - needing to return home where they can charge, though this needs to be expanded - to other shuttles as well. + - rscadd: + New boxstation mining shuttle! It paves the way for little pod-like shuttles + needing to return home where they can charge, though this needs to be expanded + to other shuttles as well. anconfuzedrock: - - rscadd: Cargo can now order a ridiculously large canister containing only saline - to give medbay a more than plentiful supply of the stuff. + - rscadd: + Cargo can now order a ridiculously large canister containing only saline + to give medbay a more than plentiful supply of the stuff. 2019-05-17: 4dplanner: - - bugfix: health hud will no longer show full health at 0 hp - - bugfix: glass golems properly redirect projectiles - - bugfix: glass golem reflected projectiles can damage the original firer + - bugfix: health hud will no longer show full health at 0 hp + - bugfix: glass golems properly redirect projectiles + - bugfix: glass golem reflected projectiles can damage the original firer ExcessiveUseOfCobblestone: - - balance: borgs can now unbuckle people from stasis beds + - balance: borgs can now unbuckle people from stasis beds Garen7: - - bugfix: fixes lings being able to infinitely use their strained muscles + - bugfix: fixes lings being able to infinitely use their strained muscles Naksu: - - balance: The crabphone will no longer deafen everyone who didn't have the foreknowledge - that it was coming. - - balance: The crabphone has 80% less HP, as befits something that costs 7 TC and - is not two bubblegums stacked on top of eachother. - - balance: Nuclear operative TC now comes pre-distributed, the telecrystal assignment - stations have been removed. - - bugfix: mindshield nanites no longer give mindshields to revheads and one mind - awoken hiveminds. - - bugfix: Fixed several issues with venus human traps and their vines going through - walls - - code_imp: Made atmos update_visuals() proc a bit faster + - balance: + The crabphone will no longer deafen everyone who didn't have the foreknowledge + that it was coming. + - balance: + The crabphone has 80% less HP, as befits something that costs 7 TC and + is not two bubblegums stacked on top of eachother. + - balance: + Nuclear operative TC now comes pre-distributed, the telecrystal assignment + stations have been removed. + - bugfix: + mindshield nanites no longer give mindshields to revheads and one mind + awoken hiveminds. + - bugfix: + Fixed several issues with venus human traps and their vines going through + walls + - code_imp: Made atmos update_visuals() proc a bit faster jegub: - - bugfix: Lets the grass grow under your feet. + - bugfix: Lets the grass grow under your feet. nemvar: - - bugfix: Explosive holoparasite bombs now explode if you bump into them, instead - of the other way around. + - bugfix: + Explosive holoparasite bombs now explode if you bump into them, instead + of the other way around. pireamaineach: - - rscadd: Added a 3rd atmos tech locker and rad locker to the incinerators on Meta - and Box, and an atmos tech locker to the incinerator on Pubby since it already - had a rad-suit. - - rscdel: Reverts https://github.com/tgstation/tgstation/pull/43557 - - tweak: Makes the doors to the incinerator on meta require atmos access. - - bugfix: Axes some hairstyles that didn't make the final cut but never got fully - removed, removes an unused sprite. - - bugfix: Also fixes the cornrows because they were bRoek + - rscadd: + Added a 3rd atmos tech locker and rad locker to the incinerators on Meta + and Box, and an atmos tech locker to the incinerator on Pubby since it already + had a rad-suit. + - rscdel: Reverts https://github.com/tgstation/tgstation/pull/43557 + - tweak: Makes the doors to the incinerator on meta require atmos access. + - bugfix: + Axes some hairstyles that didn't make the final cut but never got fully + removed, removes an unused sprite. + - bugfix: Also fixes the cornrows because they were bRoek zeroisthebiggay: - - tweak: Gives Sentient Diseases a medical hud to observe their victims further - with. + - tweak: + Gives Sentient Diseases a medical hud to observe their victims further + with. 2019-05-19: CrazyClown12: - - tweak: The chloral hydrate inside of the sleepy pen is no longer slower acting - than chloral hydrate made in chemistry. - - tweak: The chloral hydrate inside of cookies synthesised by emagged borgs is no - longer slower acting than chloral hydrate made in chemistry. - - rscdel: Delayed chloral hydrate + - tweak: + The chloral hydrate inside of the sleepy pen is no longer slower acting + than chloral hydrate made in chemistry. + - tweak: + The chloral hydrate inside of cookies synthesised by emagged borgs is no + longer slower acting than chloral hydrate made in chemistry. + - rscdel: Delayed chloral hydrate Erwgd: - - rscadd: Swapped out an epinephrine bottle for potassium iodide in NanoMed Plus - vending machines. + - rscadd: + Swapped out an epinephrine bottle for potassium iodide in NanoMed Plus + vending machines. Naksu: - - bugfix: Items using atom colors for coloring now show up properly colored in vending - machines, rather than snow-white + - bugfix: + Items using atom colors for coloring now show up properly colored in vending + machines, rather than snow-white Partheo: - - imageadd: Scrubbers have updated design and animation + - imageadd: Scrubbers have updated design and animation Rave Radbury, Art by Navi.OS: - - rscadd: pAI's have a bunch of HUD stuff now - - rscadd: pAI's now have an AI style PDA - - rscadd: pAI cameras can now download a zoom feature! Bigger and smaller pictures! - - tweak: Split the pAI medhud module into seperate medhud and health analyzer modules - - tweak: Journalism modules now have RAM costs - - balance: RAM prices have changed on a number of modules - - imageadd: added more pAI HUD icons + - rscadd: pAI's have a bunch of HUD stuff now + - rscadd: pAI's now have an AI style PDA + - rscadd: pAI cameras can now download a zoom feature! Bigger and smaller pictures! + - tweak: Split the pAI medhud module into seperate medhud and health analyzer modules + - tweak: Journalism modules now have RAM costs + - balance: RAM prices have changed on a number of modules + - imageadd: added more pAI HUD icons Zxaber: - - balance: AI power backup is now separate from the health, and is tied to their - core. Carding an AI on battery backup will leave the core at partial charge. - AIs no longer slowly lose integrity while on backups (but will instantly die - as before once the backup runs out). As such, whacking an AI with a wrench will - no longer magically lower their backup battery capacity. - - balance: AIs on backup battery can now unbolt at the cost of a quarter of their - battery's max charge. This cannot be done while at under 25% power. + - balance: + AI power backup is now separate from the health, and is tied to their + core. Carding an AI on battery backup will leave the core at partial charge. + AIs no longer slowly lose integrity while on backups (but will instantly die + as before once the backup runs out). As such, whacking an AI with a wrench will + no longer magically lower their backup battery capacity. + - balance: + AIs on backup battery can now unbolt at the cost of a quarter of their + battery's max charge. This cannot be done while at under 25% power. imsxz: - - balance: cakehat has been nerfed - - tweak: cakehat sounds cooler + - balance: cakehat has been nerfed + - tweak: cakehat sounds cooler 2019-05-22: Incoming5643: - - rscadd: After a very long period of being broken, the training bomb in security - finally works properly again. - - tweak: Syndicate bomb cores have become a little more robust in their operation. - Defused but still cored bombs are no longer inert and can be set again. Would - be heroes are advised to cut out and dispose of bomb cores, and dismantle unneeded - bomb shells to be absolutely sure. + - rscadd: + After a very long period of being broken, the training bomb in security + finally works properly again. + - tweak: + Syndicate bomb cores have become a little more robust in their operation. + Defused but still cored bombs are no longer inert and can be set again. Would + be heroes are advised to cut out and dispose of bomb cores, and dismantle unneeded + bomb shells to be absolutely sure. MrFluffster: - - rscadd: CLOTH foodtype + - rscadd: CLOTH foodtype Naksu: - - rscadd: Added a new blob strain that grows inside the station and eats garbage - - code_imp: Several fixes for stuff harddeling - - bugfix: Cryotubes no longer display a double of a person that was once in but - teleported out by having ingested bluespace or other such nonsense - - code_imp: pda.detonatable and uplink component checks removed in favor of a signal - in detomatix cart handling - - balance: nukeop uplinks now have 5 unlimited discounts and 10 limited discounts - shared between the team, rather than 3 individual discounts like traitor uplinks - - bugfix: corpses no longer feel, light-headed or otherwise - - code_imp: removed /datum/mutation/human/proc/on_move in favor of having the chameleon - mutation register for a signal + - rscadd: Added a new blob strain that grows inside the station and eats garbage + - code_imp: Several fixes for stuff harddeling + - bugfix: + Cryotubes no longer display a double of a person that was once in but + teleported out by having ingested bluespace or other such nonsense + - code_imp: + pda.detonatable and uplink component checks removed in favor of a signal + in detomatix cart handling + - balance: + nukeop uplinks now have 5 unlimited discounts and 10 limited discounts + shared between the team, rather than 3 individual discounts like traitor uplinks + - bugfix: corpses no longer feel, light-headed or otherwise + - code_imp: + removed /datum/mutation/human/proc/on_move in favor of having the chameleon + mutation register for a signal RaveRadbury: - - tweak: '"Religiously Comforted" from Spiritual Quirk occurs on examine and lasts - for 5 minutes' + - tweak: + '"Religiously Comforted" from Spiritual Quirk occurs on examine and lasts + for 5 minutes' kriskog: - - bugfix: Added a bunch of previously missing adjacency checks to ui window actions - and alt clicks. + - bugfix: + Added a bunch of previously missing adjacency checks to ui window actions + and alt clicks. loserXD: - - tweak: Hangar Bay Shutters need only general CentCom access to open now + - tweak: Hangar Bay Shutters need only general CentCom access to open now nemvar: - - bugfix: Podcloning now lets you keep your quirks. + - bugfix: Podcloning now lets you keep your quirks. vuonojenmustaturska: - - rscdel: Removed the ability of fat people to vore monkeys, and the ability of - aliens to vore humans. - - code_imp: Removed stubbed out would-be functionality related to stomach contents - - rscadd: Nuclear Operative reinforcements now get uplinks with 0 TC and a real - name. + - rscdel: + Removed the ability of fat people to vore monkeys, and the ability of + aliens to vore humans. + - code_imp: Removed stubbed out would-be functionality related to stomach contents + - rscadd: + Nuclear Operative reinforcements now get uplinks with 0 TC and a real + name. 2019-05-23: 4dplanner: - - bugfix: between the sheets heals carbons - - tweak: colossus chest is intangible to colossus bolts + - bugfix: between the sheets heals carbons + - tweak: colossus chest is intangible to colossus bolts Naksu: - - code_imp: removed some unnecessary wrappers in Life() code. - - code_imp: get_area() is now a define rather than a proc. + - code_imp: removed some unnecessary wrappers in Life() code. + - code_imp: get_area() is now a define rather than a proc. TheSilverNuke: - - rscadd: edaggers have a special suicide! + - rscadd: edaggers have a special suicide! nemvar: - - bugfix: You can now reuse chemical grenade casings if they fail to react. + - bugfix: You can now reuse chemical grenade casings if they fail to react. ninjanomnom: - - rscadd: Some rpg affixes now have special effects + - rscadd: Some rpg affixes now have special effects weeweesoda: - - balance: The CRAB protocol traitor item now has a maximum stock of 1 each round + - balance: The CRAB protocol traitor item now has a maximum stock of 1 each round 2019-05-27: 4dplanner: - - rscadd: The deja vu effect (previously only used by rewind camera) now resets - all your limbs and damage to the point it was added after 10 seconds (as well - as the original position reset) - - rscadd: The deja vu effect cannot resurrect the dead, but will heal their corpse - - rscadd: New limbs fall off, old ones re-attach - - rscadd: Regenerative sepia cores add a deja vu effect before healing instead of - a timestop - - rscadd: The rewind camera rewinds 2 times to distinguish it from the regenerative - core - - bugfix: colossus and drake can no longer attack from the afterlife - - bugfix: timestop is properly defeated by antimagic. - - bugfix: timestop only checks antimagic once + - rscadd: + The deja vu effect (previously only used by rewind camera) now resets + all your limbs and damage to the point it was added after 10 seconds (as well + as the original position reset) + - rscadd: The deja vu effect cannot resurrect the dead, but will heal their corpse + - rscadd: New limbs fall off, old ones re-attach + - rscadd: + Regenerative sepia cores add a deja vu effect before healing instead of + a timestop + - rscadd: + The rewind camera rewinds 2 times to distinguish it from the regenerative + core + - bugfix: colossus and drake can no longer attack from the afterlife + - bugfix: timestop is properly defeated by antimagic. + - bugfix: timestop only checks antimagic once Akrilla: - - rscadd: Traitors now recognize codewords automatically in spoken conversation. - Phrases in blue, responses in red. - - tweak: Changed traitor greet text slightly. + - rscadd: + Traitors now recognize codewords automatically in spoken conversation. + Phrases in blue, responses in red. + - tweak: Changed traitor greet text slightly. ExcessiveUseOfVending: - - tweak: Wardrobe Vendors will now accept clothing types they sell. Now you can - clean up after getting that cool alternate uniform! - - code_imp: 'see PR #43964 on how to easily setup a vending machine to accept items!' + - tweak: + Wardrobe Vendors will now accept clothing types they sell. Now you can + clean up after getting that cool alternate uniform! + - code_imp: "see PR #43964 on how to easily setup a vending machine to accept items!" Farquaar: - - bugfix: The monk's frock has been sanctified and will no longer reveal your naked - body when the hood is pulled up. + - bugfix: + The monk's frock has been sanctified and will no longer reveal your naked + body when the hood is pulled up. Fire Chance: - - bugfix: Fixed the drink sprites overlapping when you are mixing beer with other - drinks. + - bugfix: + Fixed the drink sprites overlapping when you are mixing beer with other + drinks. Garen7: - - tweak: Lesser form lings can now toggle augmented vision - - bugfix: You can no longer turn back into human form as a lesser form ling while - ventcrawling - - bugfix: Stuns and Reagents are now passed when transforming into a monkey or human + - tweak: Lesser form lings can now toggle augmented vision + - bugfix: + You can no longer turn back into human form as a lesser form ling while + ventcrawling + - bugfix: Stuns and Reagents are now passed when transforming into a monkey or human Irafas: - - bugfix: Connected the incinerator/janitor's/botany backroom/service rooms to the - scrubber network + - bugfix: + Connected the incinerator/janitor's/botany backroom/service rooms to the + scrubber network JJRcop: - - rscadd: You can now build a new PDA messaging server if you lose it. - - tweak: Requests console messages no longer work if the messaging server is offline. - Emergency alerts will still function in that case as long as the rest of telecomms - is online. + - rscadd: You can now build a new PDA messaging server if you lose it. + - tweak: + Requests console messages no longer work if the messaging server is offline. + Emergency alerts will still function in that case as long as the rest of telecomms + is online. Naksu: - - code_imp: pipeline gas reconciliation is now faster + - code_imp: pipeline gas reconciliation is now faster OnlineGirlfriend: - - rscadd: Lemonade - - tweak: Arnold Palmer recipe - - imageadd: lemonade sprite + - rscadd: Lemonade + - tweak: Arnold Palmer recipe + - imageadd: lemonade sprite Putnam3145: - - tweak: All departments can now print basic power cells from their respective techfab. + - tweak: All departments can now print basic power cells from their respective techfab. RaveRadbury: - - rscadd: Quirks have flavor text in medical records - - rscadd: All quirks have medical record entries - - spellcheck: All quirk medical records refer to "Patient", removing a few instances - of "Subject" + - rscadd: Quirks have flavor text in medical records + - rscadd: All quirks have medical record entries + - spellcheck: + All quirk medical records refer to "Patient", removing a few instances + of "Subject" Tlaltecuhtli: - - bugfix: fixes message spam from riding a vehicle without enough legs/arms + - bugfix: fixes message spam from riding a vehicle without enough legs/arms XDTM: - - rscadd: Added a new device, the nanite communication remote, which can be used - to send custom messages to message-based nanite programs. - - rscadd: 'Comm remotes use separate Comm Codes: for a message to be received, the - signal''s comm code must be the same as the program''s.' + - rscadd: + Added a new device, the nanite communication remote, which can be used + to send custom messages to message-based nanite programs. + - rscadd: + "Comm remotes use separate Comm Codes: for a message to be received, the + signal's comm code must be the same as the program's." actioninja: - - bugfix: Shuttle sounds should no longer ass blast your ears as they no longer - play PER DOOR and instead from the nearest engine, or door if none are available. - - soundadd: Distant shuttle sounds. + - bugfix: + Shuttle sounds should no longer ass blast your ears as they no longer + play PER DOOR and instead from the nearest engine, or door if none are available. + - soundadd: Distant shuttle sounds. bgobandit: - - admin: TP now shows the names of blood brothers' brothers. + - admin: TP now shows the names of blood brothers' brothers. hey there uwu: - - bugfix: You can no longer choose the zombie race from the magic mirror, as intended. + - bugfix: You can no longer choose the zombie race from the magic mirror, as intended. nemvar: - - rscadd: Colored lights now shine in different colours. - - rscadd: Mops can now be printed at the autolathe and protolathe. + - rscadd: Colored lights now shine in different colours. + - rscadd: Mops can now be printed at the autolathe and protolathe. tralezab: - - rscadd: Gravitokinetic stands are now available! + - rscadd: Gravitokinetic stands are now available! 2019-05-30: Akrilla: - - tweak: Fedoras/taqiyahs fit pocket sized items. Fedoras can also store the tommy - gun and katana. + - tweak: + Fedoras/taqiyahs fit pocket sized items. Fedoras can also store the tommy + gun and katana. Barhandar: - - bugfix: Box's solar panels are no longer missing catwalks from the middle of arrays. - - rscadd: Box's engineering and laundromat now have showers. + - bugfix: Box's solar panels are no longer missing catwalks from the middle of arrays. + - rscadd: Box's engineering and laundromat now have showers. Naksu: - - code_imp: /client/mousemove has been removed. - - balance: the aiming beam of a beam rifle is only shown with the mouse button held - down + - code_imp: /client/mousemove has been removed. + - balance: + the aiming beam of a beam rifle is only shown with the mouse button held + down Rockdtben: - - bugfix: Med Record, Sec Record, and Detective Scanner printed papers use paper_words - icon state - - rscadd: Forensic Scanner documents are numbered now. - - tweak: Forensic Scanner document titles modified + - bugfix: + Med Record, Sec Record, and Detective Scanner printed papers use paper_words + icon state + - rscadd: Forensic Scanner documents are numbered now. + - tweak: Forensic Scanner document titles modified Ty-the-Smonk: - - rscadd: Descriptions for every crossbreed's effect (minus recurring because its - self explanatory). - - bugfix: Changes a single comment in _corecross to reflect how many extracts are - needed to crossbreed. + - rscadd: + Descriptions for every crossbreed's effect (minus recurring because its + self explanatory). + - bugfix: + Changes a single comment in _corecross to reflect how many extracts are + needed to crossbreed. Yenwodyah: - - tweak: Non-antags can now forge all agent IDs if they find them before they've - been forged. + - tweak: + Non-antags can now forge all agent IDs if they find them before they've + been forged. bgobandit: - - tweak: Nanotrasen has cracked the code of the Syndicate storage implant. Removing - the implant will also drop any items contained within, doing minor damage to - the person implanted. - - bugfix: Cards Against Spess works again. Find decks at your local library. + - tweak: + Nanotrasen has cracked the code of the Syndicate storage implant. Removing + the implant will also drop any items contained within, doing minor damage to + the person implanted. + - bugfix: Cards Against Spess works again. Find decks at your local library. nemvar: - - balance: Pneumatic cannons are now bulky. + - balance: Pneumatic cannons are now bulky. py01: - - balance: Medulary Failure takes 3 seconds to cast now. - - tweak: Some hivemind abilities have new icons. + - balance: Medulary Failure takes 3 seconds to cast now. + - tweak: Some hivemind abilities have new icons. 2019-05-31: Ghommie: - - code_imp: Merged tinfoil hat kind of protection into the anti_magic component. - - rscadd: Tinfoil hats can also be warped up from excessive dampening of mindray/though - control/psicotronic anomalies, or by simply being microwaved in an oven, and - become useless. - - rscadd: Immortality Talisman and Paranormal Hardsuit helmets now come with tinfoil - protection too (minus the paranoia and limited charges). - - balance: Rebalanced many hivemind effects to be dampened/delayed by tinfoil shielding. - Bruteforced Assimilate Vessel, One mind and Awake Vessel abilities will consume - more tinfoil charges compared to others. - - balance: Genetics/Slime/Alien Telepathy and Slime Link are now stopped by tinfoil - protection. + - code_imp: Merged tinfoil hat kind of protection into the anti_magic component. + - rscadd: + Tinfoil hats can also be warped up from excessive dampening of mindray/though + control/psicotronic anomalies, or by simply being microwaved in an oven, and + become useless. + - rscadd: + Immortality Talisman and Paranormal Hardsuit helmets now come with tinfoil + protection too (minus the paranoia and limited charges). + - balance: + Rebalanced many hivemind effects to be dampened/delayed by tinfoil shielding. + Bruteforced Assimilate Vessel, One mind and Awake Vessel abilities will consume + more tinfoil charges compared to others. + - balance: + Genetics/Slime/Alien Telepathy and Slime Link are now stopped by tinfoil + protection. Sirich96: - - rscadd: Added new Teleporter Station sprites + - rscadd: Added new Teleporter Station sprites Skoglol: - - tweak: Ghost darkness now starts at night vision level by default. - - tweak: Ghost hud on by default. + - tweak: Ghost darkness now starts at night vision level by default. + - tweak: Ghost hud on by default. Time-Green: - - tweak: The genetic sequencer has been reworked. Use it in-hand to view the sequence + - tweak: The genetic sequencer has been reworked. Use it in-hand to view the sequence Tlaltecuhtli: - - bugfix: cargo ripley can be actually constructed with what you get from the crate - - bugfix: adds the right crate type to monkey cube and hydroponics refill crates - - tweak: readds the bulk wt550 ammo crate - - tweak: conveyor belt crate has 15 instead of 6 belts - - tweak: adds a laser pointer to the bureaucracy crate - - tweak: changes med supply crate to have rng medical things - - bugfix: fixes a missing vendor board option + - bugfix: cargo ripley can be actually constructed with what you get from the crate + - bugfix: adds the right crate type to monkey cube and hydroponics refill crates + - tweak: readds the bulk wt550 ammo crate + - tweak: conveyor belt crate has 15 instead of 6 belts + - tweak: adds a laser pointer to the bureaucracy crate + - tweak: changes med supply crate to have rng medical things + - bugfix: fixes a missing vendor board option nemvar: - - balance: Charged oil explosions now look less stupid and are slightly weaker. - - balance: Reworked burning oil. It no longer destroys nearby turfs but still damages - mobs. + - balance: Charged oil explosions now look less stupid and are slightly weaker. + - balance: + Reworked burning oil. It no longer destroys nearby turfs but still damages + mobs. wesoda123555: - - rscdel: physically obstructive quirk + - rscdel: physically obstructive quirk 2019-06-01: AffectedArc07: - - tweak: The taskbar icon for the game is now the TG logo + - tweak: The taskbar icon for the game is now the TG logo Akrilla: - - bugfix: Fixes the examine text on jackboots/winter boots to properly show what - items can be stored inside. - - bugfix: Can now, as originally intended, store a Luchador mask inside the champion - belt. - - refactor: Work on storage code. + - bugfix: + Fixes the examine text on jackboots/winter boots to properly show what + items can be stored inside. + - bugfix: + Can now, as originally intended, store a Luchador mask inside the champion + belt. + - refactor: Work on storage code. Ghommie: - - bugfix: Fixes splashed cooking oil bypassing any sort of mob impermeability. Also - cut off message/sound spam from being repeatedly splashed within a minimal delay. - - balance: Upped the cooking oil damage cap from 35 to 38 to account the mild bio - protection of the average crewmember's attire. Also made hot deep fryer swirlies - account the user's head covering gear's impermeability. - - refactor: Standarized monkeys/humans get_permeability_coefficient(). + - bugfix: + Fixes splashed cooking oil bypassing any sort of mob impermeability. Also + cut off message/sound spam from being repeatedly splashed within a minimal delay. + - balance: + Upped the cooking oil damage cap from 35 to 38 to account the mild bio + protection of the average crewmember's attire. Also made hot deep fryer swirlies + account the user's head covering gear's impermeability. + - refactor: Standarized monkeys/humans get_permeability_coefficient(). Naksu: - - code_imp: reagent IDs have been removed in favor using reagent typepaths where - applicable - - bugfix: mechas, borg hyposprays etc no longer display internal reagent ids to - the player + - code_imp: + reagent IDs have been removed in favor using reagent typepaths where + applicable + - bugfix: + mechas, borg hyposprays etc no longer display internal reagent ids to + the player Rockdtben: - - rscadd: Security can now print out Missing Persons Posters + - rscadd: Security can now print out Missing Persons Posters Skoglol: - - tweak: Moved machine and computer frames below objects, parts are now always on - top. - - tweak: Moved structures (chairs, closets, windows, cult altars etc etc) below - objects. - - tweak: Moves mineral doors to airlock layers + - tweak: + Moved machine and computer frames below objects, parts are now always on + top. + - tweak: + Moved structures (chairs, closets, windows, cult altars etc etc) below + objects. + - tweak: Moves mineral doors to airlock layers weeeeesoda: - - rscadd: You can now purify soulstones! This can be done by any crew member using - a bible on one. - - rscadd: Purified constructs can be created by using a purifed soulstone on a construct - shell. Amongst their normal abilities, purified constructs can dispel cult runes - by clicking on them. - - rscdel: Ability to place chaplains soulstone or mining soulstones in construct - shells - - imageadd: angelplasm, angelic sprites, purifed sprites + - rscadd: + You can now purify soulstones! This can be done by any crew member using + a bible on one. + - rscadd: + Purified constructs can be created by using a purifed soulstone on a construct + shell. Amongst their normal abilities, purified constructs can dispel cult runes + by clicking on them. + - rscdel: + Ability to place chaplains soulstone or mining soulstones in construct + shells + - imageadd: angelplasm, angelic sprites, purifed sprites zxaber: - - tweak: Linen bins can now be (un)achored with a wrench, or disassembled with a - screwdriver (when empty). - - rscadd: You can now make linen bins using two rods. + - tweak: + Linen bins can now be (un)achored with a wrench, or disassembled with a + screwdriver (when empty). + - rscadd: You can now make linen bins using two rods. 2019-06-04: 4dplanner: - - rscadd: stamina damage now pauses natural stamina regen for 10 seconds - - rscadd: stamina regenerates fully when it can. - - balance: disabler damage reduced - - tweak: stamina damage no longer stacks with normal damage for the purposes of - damage slowdown and crit - - balance: many sources of stamina damage have been adjusted, check PR for details - - bugfix: thrown objects (but not mobs) no longer hit the thrower - - bugfix: mirror shield rebound no longer depends on the original thrower's momentum + - rscadd: stamina damage now pauses natural stamina regen for 10 seconds + - rscadd: stamina regenerates fully when it can. + - balance: disabler damage reduced + - tweak: + stamina damage no longer stacks with normal damage for the purposes of + damage slowdown and crit + - balance: many sources of stamina damage have been adjusted, check PR for details + - bugfix: thrown objects (but not mobs) no longer hit the thrower + - bugfix: mirror shield rebound no longer depends on the original thrower's momentum AffectedArc07 and Shazbot: - - imageadd: Added 9 new sock styles + - imageadd: Added 9 new sock styles Dennok: - - rscadd: Added teleport station calibration animation. + - rscadd: Added teleport station calibration animation. MMMiracles: - - bugfix: Air alarm for Donut's telecomms server is the proper type + - bugfix: Air alarm for Donut's telecomms server is the proper type Naksu: - - admin: '"Spawn reagent container" verb has been added to the Debug tab. It can - be used to spawn reagent containers and grenades with fully customized contents.' + - admin: + '"Spawn reagent container" verb has been added to the Debug tab. It can + be used to spawn reagent containers and grenades with fully customized contents.' Rockdtben: - - rscadd: WJohnston - Created a minimalist font. - - rscadd: Security can put custom headings on wanter/missing posters. + - rscadd: WJohnston - Created a minimalist font. + - rscadd: Security can put custom headings on wanter/missing posters. SuicidalPickles: - - tweak: Rolls of gauze now works on corpses. + - tweak: Rolls of gauze now works on corpses. Whoneedspacee: - - rscadd: 'New RPGLoot modifiers: Vampirism which heals you when you attack, Pyromantic - which sets things you hit on fire. Shrapnel which causes projectiles fired from - a gun to fire projectiles in a radius when they hit something. Finally, Summoning - which summons mobs that sometimes aid you in combat.' + - rscadd: + "New RPGLoot modifiers: Vampirism which heals you when you attack, Pyromantic + which sets things you hit on fire. Shrapnel which causes projectiles fired from + a gun to fire projectiles in a radius when they hit something. Finally, Summoning + which summons mobs that sometimes aid you in combat." actioninja: - - rscadd: Added support for a widescreen toggle, actual widescreen will require - a config change. - - tweak: Auto-fit view is now the default. This will only apply to new players. + - rscadd: + Added support for a widescreen toggle, actual widescreen will require + a config change. + - tweak: Auto-fit view is now the default. This will only apply to new players. kriskog: - - bugfix: windoors can now be closed manually after bumping open without having - them close again. + - bugfix: + windoors can now be closed manually after bumping open without having + them close again. nemvar: - - balance: The timer of all grenades can now be adjusted with a screwdriver. Possible - values are instant, 3 seconds and 5 seconds. - - rscadd: You can now adjust the timer of grenades with a multitool. You can put - it anywhere between 3 and 5 seconds. Instant detonations are also possible. - - tweak: Advanced release grenades now open a window if you want to change the amount - of units released. - - tweak: The default timer on smoke grenades is now 3 seconds. + - balance: + The timer of all grenades can now be adjusted with a screwdriver. Possible + values are instant, 3 seconds and 5 seconds. + - rscadd: + You can now adjust the timer of grenades with a multitool. You can put + it anywhere between 3 and 5 seconds. Instant detonations are also possible. + - tweak: + Advanced release grenades now open a window if you want to change the amount + of units released. + - tweak: The default timer on smoke grenades is now 3 seconds. 2019-06-05: 4dplanner: - - bugfix: lightning holoparasite will no longer zap across the entire zlevel after - death + - bugfix: + lightning holoparasite will no longer zap across the entire zlevel after + death BeloneX: - - balance: 'Changed bone bracers armour stats from: `melee= 15, bullet= 35, laser= - 35, energy= 20, bomb= 35, bio= 35, rad= 35, fire= 0, acid= 0)` to: `melee = - 15, bullet = 25, laser= 15, energy= 15, bomb= 20, bio= 10, rad= 0, fire= 0, - acid = 0`' + - balance: + "Changed bone bracers armour stats from: `melee= 15, bullet= 35, laser= + 35, energy= 20, bomb= 35, bio= 35, rad= 35, fire= 0, acid= 0)` to: `melee = + 15, bullet = 25, laser= 15, energy= 15, bomb= 20, bio= 10, rad= 0, fire= 0, + acid = 0`" Garen: - - bugfix: You can no longer do custom emotes with fists of the north star. + - bugfix: You can no longer do custom emotes with fists of the north star. Naksu: - - bugfix: Odysseus chem synthesizing now works again + - bugfix: Odysseus chem synthesizing now works again Razharas: - - tweak: Menucrafting is internally a component now - - bugfix: Fixed menucrafting opening new window when finishing construction + - tweak: Menucrafting is internally a component now + - bugfix: Fixed menucrafting opening new window when finishing construction Skoglol: - - bugfix: Airlock cycling no long breaks if something is in the way. As a bonus, - you can now door crush people. + - bugfix: + Airlock cycling no long breaks if something is in the way. As a bonus, + you can now door crush people. TheChosenEvilOne: - - rscadd: Added map voting in vote verb - - config: map config can define which maps are votable - - config: renamed ALLOW_MAP_VOTE to PREFERENCE_MAP_VOTING + - rscadd: Added map voting in vote verb + - config: map config can define which maps are votable + - config: renamed ALLOW_MAP_VOTE to PREFERENCE_MAP_VOTING WJohn: - - imagedel: Fixed stray white pixel on durathread helmet. - - bugfix: Raven emergency shuttle's turrets no longer shoot at ian. + - imagedel: Fixed stray white pixel on durathread helmet. + - bugfix: Raven emergency shuttle's turrets no longer shoot at ian. blargety & WJohnston: - - imageadd: Caution sign resprited - - rscadd: You can now wear the caution sign on your armor slot + - imageadd: Caution sign resprited + - rscadd: You can now wear the caution sign on your armor slot nemvar: - - tweak: Slimes now lose interal reagents over time. - - bugfix: Above ground smugglers satchels no longer leave a phantom object behind - on t-ray scanners + - tweak: Slimes now lose interal reagents over time. + - bugfix: + Above ground smugglers satchels no longer leave a phantom object behind + on t-ray scanners ninjanomnom: - - bugfix: Tactical should no longer leave the disguise on you in some cases + - bugfix: Tactical should no longer leave the disguise on you in some cases spessbro: - - rscadd: Added new chaplain book option - - rscadd: Added hypertool null rod option - - imageadd: added Insuls book to storage.dmi - - imageadd: added hypertool icon to device.dmi + - rscadd: Added new chaplain book option + - rscadd: Added hypertool null rod option + - imageadd: added Insuls book to storage.dmi + - imageadd: added hypertool icon to device.dmi zxaber: - - tweak: Most headgear now fit on borgs. + - tweak: Most headgear now fit on borgs. 2019-06-07: Floyd / Qustinnus: - - balance: Crab-17 machine has higher health and higher drain rate now. + - balance: Crab-17 machine has higher health and higher drain rate now. Granpawalton: - - rscadd: Added a new plant called the corpse flower that produces miasma while - it is harvestable - - tweak: Harebells no longer mutate from starthistle - - balance: miasma's science and cargo point values have been reduced by 75% + - rscadd: + Added a new plant called the corpse flower that produces miasma while + it is harvestable + - tweak: Harebells no longer mutate from starthistle + - balance: miasma's science and cargo point values have been reduced by 75% Naksu: - - code_imp: Cleaned up saycode + - code_imp: Cleaned up saycode PHDby: - - rscadd: Reconstruction is now available roundstart (nerfed) - - tweak: You can upgrade both the Burn/Brute trees via techwebs - - rscadd: Advancing far enough into the tree enables Mixed reconstruction surgery, - which heals less of each but is considerably faster. Get alien tech for the - best of the best! + - rscadd: Reconstruction is now available roundstart (nerfed) + - tweak: You can upgrade both the Burn/Brute trees via techwebs + - rscadd: + Advancing far enough into the tree enables Mixed reconstruction surgery, + which heals less of each but is considerably faster. Get alien tech for the + best of the best! Rowell: - - rscadd: Added thigh-high and knee-high bee socks. + - rscadd: Added thigh-high and knee-high bee socks. Tlaltecuhtli: - - rscadd: bamboo which can be used to build punji sticks/ blowguns available as - a sugarcane mutation or in exotic seed crate (instead of banana seeds) - - bugfix: sugar cane is available at the mega seed vendor + - rscadd: + bamboo which can be used to build punji sticks/ blowguns available as + a sugarcane mutation or in exotic seed crate (instead of banana seeds) + - bugfix: sugar cane is available at the mega seed vendor YPOQ: - - bugfix: Fixed changeling's strained muscles not doing stamina + - bugfix: Fixed changeling's strained muscles not doing stamina actioninja: - - tweak: Clown shoes now make you waddle by default. - - rscdel: Removed the antimatter engine + - tweak: Clown shoes now make you waddle by default. + - rscdel: Removed the antimatter engine bandit: - - tweak: Surgical incisions cause actual bleeding now. Clamping bleeders and/or - cauterizing the incision stops that bleeding. + - tweak: + Surgical incisions cause actual bleeding now. Clamping bleeders and/or + cauterizing the incision stops that bleeding. cO2by: - - rscdel: Salbu has been replaced in all roundstart items with the PERFect chem - - rscadd: Salbu is now a T3 sleeper upgrade - - balance: Perf now converts O2 deprivation to lesser amounts of Toxin more evenly - than before - - rscadd: Perf effects scale based on O2 deprivation and how long perf is in your - system - - balance: Perf now has a 35u OD which ignores O2dep adjustment (You will take scaled - toxin damage regardless of healed oxygen damage) + - rscdel: Salbu has been replaced in all roundstart items with the PERFect chem + - rscadd: Salbu is now a T3 sleeper upgrade + - balance: + Perf now converts O2 deprivation to lesser amounts of Toxin more evenly + than before + - rscadd: + Perf effects scale based on O2 deprivation and how long perf is in your + system + - balance: + Perf now has a 35u OD which ignores O2dep adjustment (You will take scaled + toxin damage regardless of healed oxygen damage) nemvar: - - rscadd: Added gutlunch babies. - - bugfix: Gutlunches now actually reproduce. - - bugfix: Charcoal now purges other chemicals again. It will no longer purge itself. - - rscadd: Botanists can now get beeplushies as an heirloom. + - rscadd: Added gutlunch babies. + - bugfix: Gutlunches now actually reproduce. + - bugfix: Charcoal now purges other chemicals again. It will no longer purge itself. + - rscadd: Botanists can now get beeplushies as an heirloom. plapatin: - - rscdel: deletes null crates + - rscdel: deletes null crates 2019-06-08: Skoglol: - - rscadd: Rolling blood brother now has a sound alert and bigger text. + - rscadd: Rolling blood brother now has a sound alert and bigger text. TheChosenEvilOne: - - bugfix: Fixed multiple map voting issues when DEFAULT_NO_VOTE is not enabled + - bugfix: Fixed multiple map voting issues when DEFAULT_NO_VOTE is not enabled Tlaltecuhtli: - - bugfix: syringes with the o2 medicine work + - bugfix: syringes with the o2 medicine work YPOQ: - - bugfix: Cult constructs can invoke runes again + - bugfix: Cult constructs can invoke runes again nemvar: - - bugfix: Gutlunches will no longer be too shy to feast near other mobs. This results - in them being more much inclined to eat. + - bugfix: + Gutlunches will no longer be too shy to feast near other mobs. This results + in them being more much inclined to eat. py01: - - balance: Radio jammers fully halt outgoing communications now. + - balance: Radio jammers fully halt outgoing communications now. 2019-06-09: Onule: - - imageadd: New stasis bed sprites! + - imageadd: New stasis bed sprites! bandit: - - rscadd: Art now affects mood depending on its quality. + - rscadd: Art now affects mood depending on its quality. nemvar: - - rscadd: You can now craft a firebrand with two pieces of wood. + - rscadd: You can now craft a firebrand with two pieces of wood. 2019-06-10: 81Denton: - - rscdel: Nurse spiders no longer spawn from gold slime core and life chemical reactions. + - rscdel: Nurse spiders no longer spawn from gold slime core and life chemical reactions. AnturK: - - rscadd: You can now view special server rules for your current character with - "Show Policy" verb in OOC tab - - rscadd: Hourglasses now available in library game vending machine. + - rscadd: + You can now view special server rules for your current character with + "Show Policy" verb in OOC tab + - rscadd: Hourglasses now available in library game vending machine. Arkatos: - - tweak: Examine tooltips now work on items put into storage, such as backpacks + - tweak: Examine tooltips now work on items put into storage, such as backpacks Couls: - - rscadd: suit sensors are now randomized when caught in an EMP + - rscadd: suit sensors are now randomized when caught in an EMP Joe Berry: - - rscadd: Player controlled megafauna support. Now if you control any megafauna, - or the space dragon, you have action buttons to choose the different moves you - can use. - - refactor: Fixed up megafauna code. + - rscadd: + Player controlled megafauna support. Now if you control any megafauna, + or the space dragon, you have action buttons to choose the different moves you + can use. + - refactor: Fixed up megafauna code. Naksu: - - code_imp: hearing code should now be more better + - code_imp: hearing code should now be more better Skoglol: - - bugfix: Chem dispenser buttons are now sorted alphabetically again. + - bugfix: Chem dispenser buttons are now sorted alphabetically again. SuicidalPickles: - - tweak: EMP flashlights have had their cost changed to 4 telecrystals. + - tweak: EMP flashlights have had their cost changed to 4 telecrystals. actioninja: - - rscadd: fireman carrying. Aggressive grab then click drag onto yourself. - - tweak: pulling prone mobs slows you down. - - tweak: carrying another human slows you down. - - tweak: pacifists can aggressive grab. + - rscadd: fireman carrying. Aggressive grab then click drag onto yourself. + - tweak: pulling prone mobs slows you down. + - tweak: carrying another human slows you down. + - tweak: pacifists can aggressive grab. kittymaster0: - - tweak: Cleaned up Syndiebase after TC station removal. + - tweak: Cleaned up Syndiebase after TC station removal. nemvar: - - tweak: Shovels can now be stored in explorers webbing. - - balance: The sonic jackhammer can no longer be stored in the explorers webbing. - - rscadd: Dehydrated carp suicide. - - rscadd: Ethereals now have a stomach that stores their charge. - - bugfix: Ethereals are no longer immune to disgust. - - balance: Liquid electricity is now better at restoring charge to ethereals. - - rscadd: You can now craft bolas and spears with sinew restraints. - - tweak: Replaced the water tank in the ashlizard base with a puddle. - - rscadd: Nicotine now kills pest and add toxicity when added to a plant tray. + - tweak: Shovels can now be stored in explorers webbing. + - balance: The sonic jackhammer can no longer be stored in the explorers webbing. + - rscadd: Dehydrated carp suicide. + - rscadd: Ethereals now have a stomach that stores their charge. + - bugfix: Ethereals are no longer immune to disgust. + - balance: Liquid electricity is now better at restoring charge to ethereals. + - rscadd: You can now craft bolas and spears with sinew restraints. + - tweak: Replaced the water tank in the ashlizard base with a puddle. + - rscadd: Nicotine now kills pest and add toxicity when added to a plant tray. 2019-06-12: 4dplanner: - - balance: HoS gun has ion mode to replace taser mode, which fires weak ion bolts - (ion bolts with 0 heavy and light range) - - tweak: HoS gun now cycles disabler -> laser -> ion - - bugfix: spiral_range properly includes turf contents if dist = 0 - - bugfix: weak ion bolts are no longer stronger than strong ion bolts + - balance: + HoS gun has ion mode to replace taser mode, which fires weak ion bolts + (ion bolts with 0 heavy and light range) + - tweak: HoS gun now cycles disabler -> laser -> ion + - bugfix: spiral_range properly includes turf contents if dist = 0 + - bugfix: weak ion bolts are no longer stronger than strong ion bolts Mickyan: - - balance: Most high paying jobs have had their paychecks reduced - - balance: The payout bonus from the NEET quirk has been reduced - - code_imp: The maximum amount of departmental cash intake now has a hard cap - - code_imp: Economy subsistem vars are more sensibly named + - balance: Most high paying jobs have had their paychecks reduced + - balance: The payout bonus from the NEET quirk has been reduced + - code_imp: The maximum amount of departmental cash intake now has a hard cap + - code_imp: Economy subsistem vars are more sensibly named Naksu: - - code_imp: small cleanup to id and bounty console html generation + - code_imp: small cleanup to id and bounty console html generation Skoglol: - - tweak: Advanced surgical tools can now be found in the tool section with their - basic counterparts. - - tweak: Special .38 ammo now can be found in the ammo section with the other ammo - types. - - tweak: Create object admin tool enter key behaviour changed. + - tweak: + Advanced surgical tools can now be found in the tool section with their + basic counterparts. + - tweak: + Special .38 ammo now can be found in the ammo section with the other ammo + types. + - tweak: Create object admin tool enter key behaviour changed. Tlaltecuhtli: - - refactor: 'how to make a custom primed grenade now: apply wire, apply beakers, - interact with the wire by multitool or hitting the grenade with an assembly, - attach assembly to wire.\n if its an proxy sensor when you prime it it ll activate - the activation mode of the sensor with whatever time it was set in the prox - sensor ( you can screwdrive to speed set it to 5 or 3 s)\n if its a timer it - ll change the det_time to whatever the timer had( you can screwdrive to speed - set it to 5 or 3 s)\n' - - bugfix: phazon construction message is fixed - - bugfix: attaching something to a mech wont auto select it + - refactor: + 'how to make a custom primed grenade now: apply wire, apply beakers, + interact with the wire by multitool or hitting the grenade with an assembly, + attach assembly to wire.\n if its an proxy sensor when you prime it it ll activate + the activation mode of the sensor with whatever time it was set in the prox + sensor ( you can screwdrive to speed set it to 5 or 3 s)\n if its a timer it + ll change the det_time to whatever the timer had( you can screwdrive to speed + set it to 5 or 3 s)\n' + - bugfix: phazon construction message is fixed + - bugfix: attaching something to a mech wont auto select it WJohnston: - - rscdel: The Daniel shuttle can no longer be purchased and is now admin only. + - rscdel: The Daniel shuttle can no longer be purchased and is now admin only. nemvar: - - bugfix: Phobias will no longer make you scared of yourself. - - rscadd: You can now make caramel by heating sugar. Be careful not to overcook - it. - - rscadd: Adjusted the candied apple recipe + - bugfix: Phobias will no longer make you scared of yourself. + - rscadd: + You can now make caramel by heating sugar. Be careful not to overcook + it. + - rscadd: Adjusted the candied apple recipe spessbro: - - bugfix: fixed the hypertool and insuls book + - bugfix: fixed the hypertool and insuls book 2019-06-13: Tlaltecuhtli: - - tweak: surgical drapes and syringes can be printed by medlathe + - tweak: surgical drapes and syringes can be printed by medlathe 2019-06-14: Citinited: - - bugfix: Fixes an exploit allowing you to move enabled emitters + - bugfix: Fixes an exploit allowing you to move enabled emitters Naksu: - - rscdel: Free nanomeds have been removed from mining capsules + - rscdel: Free nanomeds have been removed from mining capsules WJohnston: - - bugfix: Having very high sanity no longer takes away your action speed bonus. - - bugfix: Sanity no longer constantly dips beyond its maximum/minimum, which caused - issues. + - bugfix: Having very high sanity no longer takes away your action speed bonus. + - bugfix: + Sanity no longer constantly dips beyond its maximum/minimum, which caused + issues. XDTM: - - bugfix: Decreased the cost of the advanced surgery node to 1500 from 2500, as - was intended when adding the Improved Wound Mending node. - - bugfix: Interrupting a surgery step or finishing a repeatable surgery step no - longer uses the tool on the target, attacking or forcefeeding them. + - bugfix: + Decreased the cost of the advanced surgery node to 1500 from 2500, as + was intended when adding the Improved Wound Mending node. + - bugfix: + Interrupting a surgery step or finishing a repeatable surgery step no + longer uses the tool on the target, attacking or forcefeeding them. actioninja: - - tweak: Being fat is no longer lessened by flying + - tweak: Being fat is no longer lessened by flying fludd12: - - bugfix: A bunch of minor issues with xenobiology are no more! + - bugfix: A bunch of minor issues with xenobiology are no more! nemvar: - - rscadd: 'A new objective type: "Protect Object". Please use it at leasure for - badminnery.' - - rscadd: Ashlizards are now more savage and like stuff like sacrificing and head - spikes. - - bugfix: The "toggle open" verb from closets works now. + - rscadd: + 'A new objective type: "Protect Object". Please use it at leasure for + badminnery.' + - rscadd: + Ashlizards are now more savage and like stuff like sacrificing and head + spikes. + - bugfix: The "toggle open" verb from closets works now. 2019-06-15: Shaps/Ryll: - - tweak: NT has updated its personnel policies and allowed for employees to register - as gender neutral, with standard support for they/them pronouns. + - tweak: + NT has updated its personnel policies and allowed for employees to register + as gender neutral, with standard support for they/them pronouns. 2019-06-16: AffectedArc07: - - tweak: The jobs menu has been given a new coat of paint. Yay. + - tweak: The jobs menu has been given a new coat of paint. Yay. Arkatos: - - tweak: Jump to Node ability now shows a location of each Blob node + - tweak: Jump to Node ability now shows a location of each Blob node JJRcop: - - tweak: Airlocks open when items hit them - - rscdel: Removed the piping overlay from the Lifeform Stasis Unit + - tweak: Airlocks open when items hit them + - rscdel: Removed the piping overlay from the Lifeform Stasis Unit Naksu: - - rscdel: /datum/reagent/vanilla ice cream has been replaced with regular vanilla - ice cream in the borgs' treat fabricator - - bugfix: Spamming the "create virus culture bottle" button in the pandemic no longer - sometimes results in multiple bottles being created. + - rscdel: + /datum/reagent/vanilla ice cream has been replaced with regular vanilla + ice cream in the borgs' treat fabricator + - bugfix: + Spamming the "create virus culture bottle" button in the pandemic no longer + sometimes results in multiple bottles being created. XDTM: - - bugfix: Breaking limbs with damage now properly makes you drop the item you're - holding with it. + - bugfix: + Breaking limbs with damage now properly makes you drop the item you're + holding with it. europaisch: - - tweak: updated the miasma canister sprites + - tweak: updated the miasma canister sprites wesoda gamer the twenty fifth: - - tweak: changed text on gender options to make them grammatically correct and visually - pleasing + - tweak: + changed text on gender options to make them grammatically correct and visually + pleasing 2019-06-18: 4dplanner: - - balance: max stamina damage to the chest is now 120. - - bugfix: stamcrit and stuns now stack properly (stamcrit cleanse no longer cleanses - other stuns) - - bugfix: stam paralysis now ends instantly on healing stamina damage to below 100 - - bugfix: stamina damage will no longer spam exhaustion messages if you are stunimmune - - tweak: stamcrit will still respect stun immunity, but not stun reduction (as it - has no well-defined duration). + - balance: max stamina damage to the chest is now 120. + - bugfix: + stamcrit and stuns now stack properly (stamcrit cleanse no longer cleanses + other stuns) + - bugfix: stam paralysis now ends instantly on healing stamina damage to below 100 + - bugfix: stamina damage will no longer spam exhaustion messages if you are stunimmune + - tweak: + stamcrit will still respect stun immunity, but not stun reduction (as it + has no well-defined duration). AarontheIdiot: - - tweak: Changed the Syndibase walls to look more evil. + - tweak: Changed the Syndibase walls to look more evil. Akrilla: - - rscadd: Syndicate Contracts. Use the new contract uplink to select a contract, - and bring the assigned target dead or alive to the designated drop off. Call - for the extraction pod and send them off for your TC payment, with much higher - rewards for keeping them alive. A high risk, high reward choice for a traitor - who wants a real challenge. - - rscadd: New 20 TC contract kit - supplies you with your contractor loadout and - uplink. - - rscadd: Targets successfully extracted will be held for ransom by the Syndicate - after their use to them is fulfilled. Central command covers the cost, but they'll - be taking a cut out of station funds to offset their loss... + - rscadd: + Syndicate Contracts. Use the new contract uplink to select a contract, + and bring the assigned target dead or alive to the designated drop off. Call + for the extraction pod and send them off for your TC payment, with much higher + rewards for keeping them alive. A high risk, high reward choice for a traitor + who wants a real challenge. + - rscadd: + New 20 TC contract kit - supplies you with your contractor loadout and + uplink. + - rscadd: + Targets successfully extracted will be held for ransom by the Syndicate + after their use to them is fulfilled. Central command covers the cost, but they'll + be taking a cut out of station funds to offset their loss... AnturK: - - rscadd: Recipe for fabled secret sauce can now be found in the deepest reaches - of space. + - rscadd: + Recipe for fabled secret sauce can now be found in the deepest reaches + of space. Naksu: - - rscdel: 'Removed mining points. Miners now earn cold hard cash in return for their - efforts. Their regular paycheck has been reduced to compensate for this extra - income. change: ORM laser upgrades now increase the yield rather than the amount - of mining points.' - - rscadd: Golems' mining IDs are now linked to the Liberator's account. - - tweak: Half of the gulag points earned go to the prisoner as cash and the other - half is put into the security budget, unless the prisoner's real ID is not in - the gulag reclamation console in which case the full sum is awarded to the prisoner. - - code_imp: Server maintenance subsystem now clears a handful of lists containing - players of nulls periodically - - bugfix: Electromagnetic web blob strain now has its in-game descriptions back. - - rscdel: Removed individual buttons text in crayon/spraycan UI, speeding it up. - - bugfix: Text mode buffer is actually visible in the UI. - - tweak: Last letter of a text mode buffer no longer rotates out to be replaced - with "a", allowing the text mode to be used for individual symbols. + - rscdel: + "Removed mining points. Miners now earn cold hard cash in return for their + efforts. Their regular paycheck has been reduced to compensate for this extra + income. change: ORM laser upgrades now increase the yield rather than the amount + of mining points." + - rscadd: Golems' mining IDs are now linked to the Liberator's account. + - tweak: + Half of the gulag points earned go to the prisoner as cash and the other + half is put into the security budget, unless the prisoner's real ID is not in + the gulag reclamation console in which case the full sum is awarded to the prisoner. + - code_imp: + Server maintenance subsystem now clears a handful of lists containing + players of nulls periodically + - bugfix: Electromagnetic web blob strain now has its in-game descriptions back. + - rscdel: Removed individual buttons text in crayon/spraycan UI, speeding it up. + - bugfix: Text mode buffer is actually visible in the UI. + - tweak: + Last letter of a text mode buffer no longer rotates out to be replaced + with "a", allowing the text mode to be used for individual symbols. Onule: - - imageadd: Corpse flowers have been given proper sprites + - imageadd: Corpse flowers have been given proper sprites Rowell: - - rscdel: Removed black stockings + - rscdel: Removed black stockings XDTM: - - rscadd: Cloners now have the option to "Empty Clone" a record, creating a mindless - replica of that person. - - rscadd: To aid the above function, cloners can now do Body-Only scans, which can - be used to create empty clones but not real clones, but bypass the sentience - restrictions on scans. They can also be deleted without requiring access. - - rscadd: Surgery steps are now shown in detail only to the surgeon and anyone standing - adjacent to them; the patient and people watching from further away get a more - vague/ambiguous description. - - bugfix: Reagents now stop their passive effects (for example, stun immunity) if - the liver stops working while they're active. - - bugfix: Beepskys spawned from Beepsky Smash can no longer be heard by bystanders. - - bugfix: The beepsky smash trauma can no longer be gained as a special trauma. + - rscadd: + Cloners now have the option to "Empty Clone" a record, creating a mindless + replica of that person. + - rscadd: + To aid the above function, cloners can now do Body-Only scans, which can + be used to create empty clones but not real clones, but bypass the sentience + restrictions on scans. They can also be deleted without requiring access. + - rscadd: + Surgery steps are now shown in detail only to the surgeon and anyone standing + adjacent to them; the patient and people watching from further away get a more + vague/ambiguous description. + - bugfix: + Reagents now stop their passive effects (for example, stun immunity) if + the liver stops working while they're active. + - bugfix: Beepskys spawned from Beepsky Smash can no longer be heard by bystanders. + - bugfix: The beepsky smash trauma can no longer be gained as a special trauma. nemvar: - - rscadd: Added wooden farming implements to the ashwalker base. - - rscadd: Makes rakes and wooden buckets craftable. - - code_imp: Turns art into a component. - - bugfix: The mop can now be printed at the autolathe. - - imageadd: The smallstache beard now looks slightly less silly. + - rscadd: Added wooden farming implements to the ashwalker base. + - rscadd: Makes rakes and wooden buckets craftable. + - code_imp: Turns art into a component. + - bugfix: The mop can now be printed at the autolathe. + - imageadd: The smallstache beard now looks slightly less silly. py01: - - balance: Various hivemind abilities have been changed. + - balance: Various hivemind abilities have been changed. wesoda25: - - imageadd: New Hygiene Sprite + - imageadd: New Hygiene Sprite zxaber: - - balance: Utility mechs no longer automatically get beacons. - - balance: Tracking beacons no longer delete themselves when EMPing a mech, and - instead have a ten-second cooldown in-between EMPs. They also now do heavy EMP - damage rather than light. - - balance: Mechs that take EMP damage lose the use of their weapons and equipment - temporarily. Movement and abilities are not effected. - - balance: Mechs taking EMP damage no longer roll for a random malfunction. + - balance: Utility mechs no longer automatically get beacons. + - balance: + Tracking beacons no longer delete themselves when EMPing a mech, and + instead have a ten-second cooldown in-between EMPs. They also now do heavy EMP + damage rather than light. + - balance: + Mechs that take EMP damage lose the use of their weapons and equipment + temporarily. Movement and abilities are not effected. + - balance: Mechs taking EMP damage no longer roll for a random malfunction. 2019-06-19: ATHATH: - - balance: Doubled the damage of the bullets fired by the Finger Guns spell (from - the Guide to Advanced Mimery Vol 2 book) and the Reticence's unique carbine. + - balance: + Doubled the damage of the bullets fired by the Finger Guns spell (from + the Guide to Advanced Mimery Vol 2 book) and the Reticence's unique carbine. FrankFo: - - bugfix: If your name is a valid url, it won't be linkified in deadchat anymore. + - bugfix: If your name is a valid url, it won't be linkified in deadchat anymore. Hulkamania: - - admin: IC button changed to clarify that the issue should be dealt with IC, not - display rule 10. + - admin: + IC button changed to clarify that the issue should be dealt with IC, not + display rule 10. Naksu: - - code_imp: 'Resolved some #define overlap' + - code_imp: "Resolved some #define overlap" Tlaltecuhtli: - - bugfix: mortar grinds food + - bugfix: mortar grinds food XDTM: - - rscadd: 'Added a new advanced surgery, Muscled Veins: it makes the patient able - to survive without a heart.' - - rscadd: Using the wrong surgery tool during surgery no longer attacks the patient, - if on help or disarm intent. - - bugfix: Fixed teleportation deleting mob spawners like golem shells and ashwalker - eggs. + - rscadd: + "Added a new advanced surgery, Muscled Veins: it makes the patient able + to survive without a heart." + - rscadd: + Using the wrong surgery tool during surgery no longer attacks the patient, + if on help or disarm intent. + - bugfix: + Fixed teleportation deleting mob spawners like golem shells and ashwalker + eggs. YPOQ: - - bugfix: Fixed obsessed random event ignoring preferences - - bugfix: Fixed snails retaining their lube crawling after changing to a different - species - - bugfix: Fixed silicon items (e.g. cyborg modules) being destroyed by explosion - epicenters - - bugfix: Revenants will no longer be hit by projectiles while hidden - - bugfix: Fixed livers not being damaged by toxins + - bugfix: Fixed obsessed random event ignoring preferences + - bugfix: + Fixed snails retaining their lube crawling after changing to a different + species + - bugfix: + Fixed silicon items (e.g. cyborg modules) being destroyed by explosion + epicenters + - bugfix: Revenants will no longer be hit by projectiles while hidden + - bugfix: Fixed livers not being damaged by toxins Zxaber: - - bugfix: Fixed all mechs being fire/lava proof. + - bugfix: Fixed all mechs being fire/lava proof. actioninja: - - bugfix: borgs can properly carry incapacitated individuals + - bugfix: borgs can properly carry incapacitated individuals granpawalton: - - tweak: miasma now only spawns below 315 kpa - - bugfix: miasma now spawns at room temperature instead of 0 kelvin + - tweak: miasma now only spawns below 315 kpa + - bugfix: miasma now spawns at room temperature instead of 0 kelvin nemvar: - - rscadd: Lavaland plants now have the fireproof gene. - - tweak: Napalm now always burns weeds, even if the plant is fireproof. - - bugfix: Lavaland plants now get their reagents from their genes. - - tweak: The lavaland clown ruin has some new pranks ready. - - tweak: Some changes to the lavaland hermits base and their starting equipment. - - bugfix: The 3d orange now gives you the proper seeds. + - rscadd: Lavaland plants now have the fireproof gene. + - tweak: Napalm now always burns weeds, even if the plant is fireproof. + - bugfix: Lavaland plants now get their reagents from their genes. + - tweak: The lavaland clown ruin has some new pranks ready. + - tweak: Some changes to the lavaland hermits base and their starting equipment. + - bugfix: The 3d orange now gives you the proper seeds. wesoda25: - - rscadd: Updates recon, stealth, hacker, bond, sabotage, mad scientist, bee, and - mr freeze bundles with several new items (most already in code) to make them - less trash. - - rscadd: Bee Sword (literally just a yellow, weaker esword variant, needed it for - another piece of code) - - rscadd: A weaker variant of the decloner gun. + - rscadd: + Updates recon, stealth, hacker, bond, sabotage, mad scientist, bee, and + mr freeze bundles with several new items (most already in code) to make them + less trash. + - rscadd: + Bee Sword (literally just a yellow, weaker esword variant, needed it for + another piece of code) + - rscadd: A weaker variant of the decloner gun. 2019-06-21: Arkatos: - - rscadd: Added SlimeHUD, which means slimes will have their own custom health display - indicator and red corner injury overlay + - rscadd: + Added SlimeHUD, which means slimes will have their own custom health display + indicator and red corner injury overlay Naksu: - - refactor: Refactored examine-code + - refactor: Refactored examine-code Tlaltecuhtli: - - rscadd: the bee syndicate kit now contains a rapier + - rscadd: the bee syndicate kit now contains a rapier XDTM: - - rscadd: Hypnosis and mind control now have alerts on the right side of the screen - when active. - - rscadd: Hovering over the hypnosis alert will display the hypno-phrase. - - rscadd: Clicking the mind control alert will display the order again. - - bugfix: Fixed not being able to uninstall Voice Sensor nanite programs from the - cloud console. + - rscadd: + Hypnosis and mind control now have alerts on the right side of the screen + when active. + - rscadd: Hovering over the hypnosis alert will display the hypno-phrase. + - rscadd: Clicking the mind control alert will display the order again. + - bugfix: + Fixed not being able to uninstall Voice Sensor nanite programs from the + cloud console. ike709: - - rscadd: IC chat can now be filtered via config to prevent things like netspeak - or anything else against the rules. + - rscadd: + IC chat can now be filtered via config to prevent things like netspeak + or anything else against the rules. ninjanomnom: - - bugfix: Shuttles that go to a custom dock are no longer forever trapped by their - hubris + - bugfix: + Shuttles that go to a custom dock are no longer forever trapped by their + hubris 2019-06-22: 4dplanner: - - bugfix: stamina damage instantly updates health - - bugfix: high amounts of other damage types in a limb will no longer make you stamina - damage resistant in that limb - - balance: stamina damage to limbs increased - - bugfix: legion core damage slowdown is temporary, like all things + - bugfix: stamina damage instantly updates health + - bugfix: + high amounts of other damage types in a limb will no longer make you stamina + damage resistant in that limb + - balance: stamina damage to limbs increased + - bugfix: legion core damage slowdown is temporary, like all things Akrilla: - - rscadd: Adds a third random item, as well as a small guide on using the contract - kit. Also added new possible items that can appear. - - rscadd: Contractors now receive a small portion of the ransom into their equipped - ID. - - tweak: Supplied space suit in the contract kit is now an improved variant on the - normal Syndicate version. - - balance: TC payouts adjusted to be a bit more fair to the contractor. Total payout - can never be below a certain threshold. - - bugfix: Broken dropoff locations work again, and general bugfixes. + - rscadd: + Adds a third random item, as well as a small guide on using the contract + kit. Also added new possible items that can appear. + - rscadd: + Contractors now receive a small portion of the ransom into their equipped + ID. + - tweak: + Supplied space suit in the contract kit is now an improved variant on the + normal Syndicate version. + - balance: + TC payouts adjusted to be a bit more fair to the contractor. Total payout + can never be below a certain threshold. + - bugfix: Broken dropoff locations work again, and general bugfixes. Dennok: - - bugfix: Cable layer work again. + - bugfix: Cable layer work again. Floyd / Qustinnus: - - rscadd: 'New scientist traitor item: Australian Slime Mutator / Spider Injector, - use it on a gold slime extract to create 3 neutral broodmother spiders, make - them sentient and start your own hive.' + - rscadd: + "New scientist traitor item: Australian Slime Mutator / Spider Injector, + use it on a gold slime extract to create 3 neutral broodmother spiders, make + them sentient and start your own hive." Naksu: - - bugfix: Fixed some examine messages I broke earlier. - - tweak: Slightly refactored blob examine code, debris devourer blobstrain now shows - the acquired damage reduction for observers, the blob, and medhud owners. + - bugfix: Fixed some examine messages I broke earlier. + - tweak: + Slightly refactored blob examine code, debris devourer blobstrain now shows + the acquired damage reduction for observers, the blob, and medhud owners. Skoglol: - - bugfix: Fixed a slime runtime. + - bugfix: Fixed a slime runtime. Tetr4: - - bugfix: Suicides are permanent for the nth time + - bugfix: Suicides are permanent for the nth time Tlaltecuhtli: - - bugfix: refill for autodrobe and BODA work - - bugfix: fixes russian helmets not holding both a vodka and a glass - - bugfix: alt clicking the emitter now rotates it instead of only flipping + - bugfix: refill for autodrobe and BODA work + - bugfix: fixes russian helmets not holding both a vodka and a glass + - bugfix: alt clicking the emitter now rotates it instead of only flipping WJohnston: - - tweak: Build Your Own Shuttle kit has been made smaller, comes with construction - materials, and is pressurized. - - balance: Lowered value from -7500 to -2500. It still doesn't come with a brig - or console, so you cannot greentext antags or launch early. + - tweak: + Build Your Own Shuttle kit has been made smaller, comes with construction + materials, and is pressurized. + - balance: + Lowered value from -7500 to -2500. It still doesn't come with a brig + or console, so you cannot greentext antags or launch early. XDTM: - - rscadd: Launchpads now gain 15 range instead of 1 when upgraded, up to a maximum - of 60. - - rscadd: Launchpads now have a targeting reticle which is visible on Diagnostic - HUD. It also indicates if the launchpad is currently sending or receiving. - - tweak: Launchpad Consoles now use TGUI and are far more responsive. They can also - set their coordinate offsets manually instead of only using arrows. + - rscadd: + Launchpads now gain 15 range instead of 1 when upgraded, up to a maximum + of 60. + - rscadd: + Launchpads now have a targeting reticle which is visible on Diagnostic + HUD. It also indicates if the launchpad is currently sending or receiving. + - tweak: + Launchpad Consoles now use TGUI and are far more responsive. They can also + set their coordinate offsets manually instead of only using arrows. actioninja and wjohn: - - rscadd: Cables have been completely reworked. Simple per tile connection logic, - automatically connects to things above it. Think minecraft redstone. - - rscadd: 'Old cables have been kept as pipe cleaner. They are non-functional in - terms of power, but otherwise have the same connection logic. Also can go on - top of tiles. remove: mech cable layer has been removed because it was terrible - shitcode nobody used' - - tweak: (sort of balance) cable stack sized has been reduced to 15. + - rscadd: + Cables have been completely reworked. Simple per tile connection logic, + automatically connects to things above it. Think minecraft redstone. + - rscadd: + "Old cables have been kept as pipe cleaner. They are non-functional in + terms of power, but otherwise have the same connection logic. Also can go on + top of tiles. remove: mech cable layer has been removed because it was terrible + shitcode nobody used" + - tweak: (sort of balance) cable stack sized has been reduced to 15. nemvar: - - balance: The staff of the honkmother now slips people. Honk. - - bugfix: The CNS rebooter now purges stuns after 4 seconds of not being stunned, - instead of doing nothing. - - bugfix: Cult teleport rune will no longer teleport ghosts or camera mobs. - - tweak: Nar'Sie now EMPs mechs, instead of turning the pilot into a harvester. + - balance: The staff of the honkmother now slips people. Honk. + - bugfix: + The CNS rebooter now purges stuns after 4 seconds of not being stunned, + instead of doing nothing. + - bugfix: Cult teleport rune will no longer teleport ghosts or camera mobs. + - tweak: Nar'Sie now EMPs mechs, instead of turning the pilot into a harvester. nicbn: - - bugfix: Icons will no longer extend past cryo. - - imagedel: Xenos and monkeys no longer have snowflake icons for cryo. + - bugfix: Icons will no longer extend past cryo. + - imagedel: Xenos and monkeys no longer have snowflake icons for cryo. optimum wesoda: - - imageadd: Sprites for Meat and Chaos Donuts + - imageadd: Sprites for Meat and Chaos Donuts 2019-06-23: bgobandit: - - rscadd: After receiving many complaints about mimes who never pantomime, Nanotrasen - has liquidated its mime personnel and hired new mimes who know more routines. - - rscadd: 'The mime gets the choice of two new spells: Invisible Chair and Invisible - Box. They work much like the Invisible Wall spell does and disappear after a - short span of time. The invisible chair can be buckled to like usual chairs; - the box works like a standard inventory box item.' - - tweak: Mime spells are now granted via a spellbook that starts out in the mime's - inventory. Mimes can choose one of these three. + - rscadd: + After receiving many complaints about mimes who never pantomime, Nanotrasen + has liquidated its mime personnel and hired new mimes who know more routines. + - rscadd: + "The mime gets the choice of two new spells: Invisible Chair and Invisible + Box. They work much like the Invisible Wall spell does and disappear after a + short span of time. The invisible chair can be buckled to like usual chairs; + the box works like a standard inventory box item." + - tweak: + Mime spells are now granted via a spellbook that starts out in the mime's + inventory. Mimes can choose one of these three. 2019-06-25: Arkatos: - - rscadd: Action buttons can now be dragged onto each other to swap places + - rscadd: Action buttons can now be dragged onto each other to swap places Arkatos1: - - imageadd: Normal carps now spawn with a random color! There might even be some - really rare color variant.. try asking Cayenne about it. + - imageadd: + Normal carps now spawn with a random color! There might even be some + really rare color variant.. try asking Cayenne about it. Fikou: - - rscadd: 'NEWS REPORT: The latest alien technology allows them to abduct cows instantly, - this is a great tragedy for all farm owners, better watch the garden!' - - bugfix: Centcom's Death Commando got a paycheck and jumpsuits of quality more - similar to the rest of Centcom's staf- KS13 DOESN'T EXIST, THERE IS NO SUCH - THING AS A DEATH COMMANDO + - rscadd: + "NEWS REPORT: The latest alien technology allows them to abduct cows instantly, + this is a great tragedy for all farm owners, better watch the garden!" + - bugfix: + Centcom's Death Commando got a paycheck and jumpsuits of quality more + similar to the rest of Centcom's staf- KS13 DOESN'T EXIST, THERE IS NO SUCH + THING AS A DEATH COMMANDO Floyd / Qustinnus: - - balance: the bag of holding now requires a higher level of research to be unlocked - as well as janitor tech (trashbags of holding) - - balance: the bluespace bodybag is now unlocked with mini BS research + - balance: + the bag of holding now requires a higher level of research to be unlocked + as well as janitor tech (trashbags of holding) + - balance: the bluespace bodybag is now unlocked with mini BS research Jerry Derpington, baldest of the balds: - - rscdel: Nanotrasen has lost communication to two away mission sites that contained - a beach for Nanotrasen employees. - - rscadd: Nanotrasen has been able to locate a new away mission site that ALSO has - a beach. Nanotrasen employees will be able to enjoy the beach after all! + - rscdel: + Nanotrasen has lost communication to two away mission sites that contained + a beach for Nanotrasen employees. + - rscadd: + Nanotrasen has been able to locate a new away mission site that ALSO has + a beach. Nanotrasen employees will be able to enjoy the beach after all! Jgta4444: - - bugfix: Dna scanner now correctly calculate its precision coefficient + - bugfix: Dna scanner now correctly calculate its precision coefficient Skoglol: - - bugfix: Slimes should now feed properly again. + - bugfix: Slimes should now feed properly again. TetraK1: - - bugfix: Suiciding with an anomaly core kills you properly - - rscadd: Service borgs get pipe cleaners for wire art - - rscadd: you can altclick to pull up pipe cleaners - - bugfix: Fixed cutting and joining pipe cleaners on floor tiles + - bugfix: Suiciding with an anomaly core kills you properly + - rscadd: Service borgs get pipe cleaners for wire art + - rscadd: you can altclick to pull up pipe cleaners + - bugfix: Fixed cutting and joining pipe cleaners on floor tiles Trilbyspaceclone and nemvar: - - rscadd: You can now craft more fancy boxes with cardboard. + - rscadd: You can now craft more fancy boxes with cardboard. XDTM: - - bugfix: Antimagic items now also properly work when held in hand, instead of only - when equipped. - - bugfix: Fixed abductor scientists not being able to perform advanced surgery. - - tweak: Quantum teleportation now makes pretty rainbow sparks instead of the normal - ones. - - bugfix: Non-bluespace teleportation (spells etc.) no longer makes sparks. + - bugfix: + Antimagic items now also properly work when held in hand, instead of only + when equipped. + - bugfix: Fixed abductor scientists not being able to perform advanced surgery. + - tweak: + Quantum teleportation now makes pretty rainbow sparks instead of the normal + ones. + - bugfix: Non-bluespace teleportation (spells etc.) no longer makes sparks. imsxz: - - balance: diseases from miasma now become stronger the more miasma there is in - the air + - balance: + diseases from miasma now become stronger the more miasma there is in + the air nemvar: - - rscdel: Removed all sleepers from escape shuttles and replaced them with stasis - units. Some shuttles have gotten surgery and new medical vendors added. + - rscdel: + Removed all sleepers from escape shuttles and replaced them with stasis + units. Some shuttles have gotten surgery and new medical vendors added. spookydonut: - - admin: Removes shuttle manipulator. + - admin: Removes shuttle manipulator. 2019-06-26: 123chess456: - - rscadd: Non-binary changelings will now have the honorific "Mx." instead of "Mr.", - reflecting the Syndicate's growing acceptance of non-binary operatives. + - rscadd: + Non-binary changelings will now have the honorific "Mx." instead of "Mr.", + reflecting the Syndicate's growing acceptance of non-binary operatives. FlufflyCthulu: - - bugfix: Fixes an issue with clown hulk simple mobs + - bugfix: Fixes an issue with clown hulk simple mobs Naksu: - - rscadd: Mining base now has a common area accessible via a new shuttle on the - medium-highpop maps, and a security office connecting the gulag and the mining - base. Gulag also has functional atmos. + - rscadd: + Mining base now has a common area accessible via a new shuttle on the + medium-highpop maps, and a security office connecting the gulag and the mining + base. Gulag also has functional atmos. jcll: - - bugfix: added geo-bypass + - bugfix: added geo-bypass kriskog: - - bugfix: Space heaters no longer steal focus upon screwdrivering. + - bugfix: Space heaters no longer steal focus upon screwdrivering. nemvar: - - bugfix: The enchanted bolt action rifle - - imageadd: Blood barrage has a new projectile icon. - - code_imp: Fixed an arcane barrage runtime - - rscadd: The bee sabre now has it's own suicide and no longer uses the one of the - captains rapier. - - bugfix: The bee sabre uses the correct articles and actually has icons now. + - bugfix: The enchanted bolt action rifle + - imageadd: Blood barrage has a new projectile icon. + - code_imp: Fixed an arcane barrage runtime + - rscadd: + The bee sabre now has it's own suicide and no longer uses the one of the + captains rapier. + - bugfix: The bee sabre uses the correct articles and actually has icons now. 2019-06-27: Naksu: - - bugfix: Fixed a couple of map issues in DeltaStation + - bugfix: Fixed a couple of map issues in DeltaStation actioninja: - - bugfix: removed mech rcl from the research node so it stops spamming a warning - in log - - bugfix: cables now disconnect machines when cut - - bugfix: terminal linking/not linking behavior with smeses has been improved - - bugfix: couple of small mapping fixes - - tweak: changed cable coils back to 30 - - tweak: changed the box smes room a little to prevent stacking terminals - - tweak: removed the rpcl from engineering on every map because it's not used for - wiring anymore + - bugfix: + removed mech rcl from the research node so it stops spamming a warning + in log + - bugfix: cables now disconnect machines when cut + - bugfix: terminal linking/not linking behavior with smeses has been improved + - bugfix: couple of small mapping fixes + - tweak: changed cable coils back to 30 + - tweak: changed the box smes room a little to prevent stacking terminals + - tweak: + removed the rpcl from engineering on every map because it's not used for + wiring anymore 2019-06-29: 81Denton: - - bugfix: Incomplete and non-teleport reactive armors can no longer be used to complete - the traitor objective. + - bugfix: + Incomplete and non-teleport reactive armors can no longer be used to complete + the traitor objective. AffectedArc07: - - rscadd: You can now link your ingame account to your discord account - - rscadd: You can now set notify status ingame, and be notified on discord when - a round restarts - - admin: There is now an admin panel to lookup IDs to ckeys, and vice versa + - rscadd: You can now link your ingame account to your discord account + - rscadd: + You can now set notify status ingame, and be notified on discord when + a round restarts + - admin: There is now an admin panel to lookup IDs to ckeys, and vice versa Akrilla: - - bugfix: Fix bad icon state for bounty console printouts - - rscadd: Contract kit's specialist space suit now has its custom sprite. - - rscadd: Assigning to tablet now plays greeting soundclip. + - bugfix: Fix bad icon state for bounty console printouts + - rscadd: Contract kit's specialist space suit now has its custom sprite. + - rscadd: Assigning to tablet now plays greeting soundclip. AnturK: - - tweak: Quirks no longer apply to off-station roundstart antagonists. + - tweak: Quirks no longer apply to off-station roundstart antagonists. CobbyzzzZzzz: - - balance: Stasis are now the second best option for surgery probability (surgical - tables are still number 1) + - balance: + Stasis are now the second best option for surgery probability (surgical + tables are still number 1) JJRcop: - - bugfix: Stasis lets reagents know processing was stopped, fixing some issues. - - tweak: Amanitin's damage only triggers when it is completely removed from your - system, not when processing stops. + - bugfix: Stasis lets reagents know processing was stopped, fixing some issues. + - tweak: + Amanitin's damage only triggers when it is completely removed from your + system, not when processing stops. JJRcop and Bobbahbrown: - - tweak: When attempting to say a blocked word in character you will be notified - which ones were blocked. + - tweak: + When attempting to say a blocked word in character you will be notified + which ones were blocked. Krysonism: - - tweak: player added items now appear above the standard selection in vending machines. + - tweak: player added items now appear above the standard selection in vending machines. MCterra10: - - bugfix: database requests for admins no longer fail on MySQL version > 8.0.2 + - bugfix: database requests for admins no longer fail on MySQL version > 8.0.2 Mickyan: - - rscadd: DIY Dish Drive Kit now available at your local bardrobe. Start saving - those tips! - - tweak: The Dish Drive no longer sends reusable items into the disposal bin + - rscadd: + DIY Dish Drive Kit now available at your local bardrobe. Start saving + those tips! + - tweak: The Dish Drive no longer sends reusable items into the disposal bin Shaps/Ryll: - - tweak: Mosin Nagants are now bulky, but can be sawed off to fit in a bag + - tweak: Mosin Nagants are now bulky, but can be sawed off to fit in a bag ShizCalev: - - bugfix: Setting a defibrillator unit on fire will now make it's paddles appear - on fire too when pulled out! - - bugfix: Setting defibrillator paddles on fire will now cause the flames to run - along it's cables and set the main unit on fire as well. + - bugfix: + Setting a defibrillator unit on fire will now make it's paddles appear + on fire too when pulled out! + - bugfix: + Setting defibrillator paddles on fire will now cause the flames to run + along it's cables and set the main unit on fire as well. Skoglol: - - rscadd: Heaters/freezers now support ctrl clicking to turn on and alt clicking - to min/max target temperature. - - rscadd: Heaters/freezers now shows target temperature and part status on examine. + - rscadd: + Heaters/freezers now support ctrl clicking to turn on and alt clicking + to min/max target temperature. + - rscadd: Heaters/freezers now shows target temperature and part status on examine. Tetr4: - - bugfix: Turning a tile with gas effects into space now gets rid of the effects. + - bugfix: Turning a tile with gas effects into space now gets rid of the effects. Tlaltecuhtli: - - code_imp: Health sensor no longer displays a giant window with 1 button on it, - instead can change states with alt click and use in hand. - - bugfix: the TB antidotes injectors now actually cure TB and have some omnizine - so you dont die from perfluoride - - tweak: stacks no longer give you a pop up window when you alt click on one on - the floor + - code_imp: + Health sensor no longer displays a giant window with 1 button on it, + instead can change states with alt click and use in hand. + - bugfix: + the TB antidotes injectors now actually cure TB and have some omnizine + so you dont die from perfluoride + - tweak: + stacks no longer give you a pop up window when you alt click on one on + the floor Twaticus: - - rscadd: added department skirts - - bugfix: fixed secskirt dixel + - rscadd: added department skirts + - bugfix: fixed secskirt dixel XDTM: - - rscadd: Added a new abductor gland that randomizes blood type into a random reagent - periodically. - - rscadd: Added a new abductor gland that links to other people, and swaps their - position with the owner. Mind control on this gland will affect the linked person. - - rscadd: Added a new abductor gland that grants all access to the owner. - - bugfix: Abductor scientists can now properly see the true name of glands when - examining them. - - rscadd: Mind control on mindshock glands now "broadcasts" the mind control, affecting - bystanders but not the abductee. - - tweak: Species gland now has 7 mind control uses, instead of 5 (duration is still - 30 seconds). - - bugfix: Viral healing symptoms that are tied to reagents now also require a functioning - liver to work. - - tweak: Holy water, Pyrosium, Cryostilane, Napalm and Phlogiston no longer need - a liver to have their effects. + - rscadd: + Added a new abductor gland that randomizes blood type into a random reagent + periodically. + - rscadd: + Added a new abductor gland that links to other people, and swaps their + position with the owner. Mind control on this gland will affect the linked person. + - rscadd: Added a new abductor gland that grants all access to the owner. + - bugfix: + Abductor scientists can now properly see the true name of glands when + examining them. + - rscadd: + Mind control on mindshock glands now "broadcasts" the mind control, affecting + bystanders but not the abductee. + - tweak: + Species gland now has 7 mind control uses, instead of 5 (duration is still + 30 seconds). + - bugfix: + Viral healing symptoms that are tied to reagents now also require a functioning + liver to work. + - tweak: + Holy water, Pyrosium, Cryostilane, Napalm and Phlogiston no longer need + a liver to have their effects. YPOQ: - - bugfix: Monkeys can wear collars again + - bugfix: Monkeys can wear collars again bobbahbrown: - - tweak: Deaths are now logged to the game log. + - tweak: Deaths are now logged to the game log. kittymaster0: - - rscadd: gives scientists a chance to spawn with an awesome tie + - rscadd: gives scientists a chance to spawn with an awesome tie nemvar: - - code_imp: Replaced most instances where cables referenced their maximum size with - a define - - bugfix: Turned off energy weapons can no longer cut down trees, destroy wooden - walls, harvest lavaland plants and make planks. - - refactor: get_eye_protection and get_ear_protection now looks less ugly. + - code_imp: + Replaced most instances where cables referenced their maximum size with + a define + - bugfix: + Turned off energy weapons can no longer cut down trees, destroy wooden + walls, harvest lavaland plants and make planks. + - refactor: get_eye_protection and get_ear_protection now looks less ugly. ninjanomnom: - - rscadd: Lavaland atmos is no longer a preset gas mixture and varies per round - - tweak: Bonfire minimum oxygen content has been reduced + - rscadd: Lavaland atmos is no longer a preset gas mixture and varies per round + - tweak: Bonfire minimum oxygen content has been reduced partykp: - - tweak: replaced the lower disposal bin in chemistry with a glass table and put - half of the top table contents on it (metastation). + - tweak: + replaced the lower disposal bin in chemistry with a glass table and put + half of the top table contents on it (metastation). plapatin, sprites by cogwerks and edited by mrdoombringer: - - rscadd: vomi/tg/oose + - rscadd: vomi/tg/oose zxaber: - - balance: Mecha ballistics weapons now require ammo created from an Exosuit Fabricator - or the Security Protolathe, though they will start with a full magazine and - in most cases enough for one full reload. Reloading these weapons no longer - chunks your power cell. Clown (and mime) mecha equipment have not changed. - - balance: The SRM-8 Missile Launcher has been replaced with the BRM-6 Breaching - Missile Launcher in techwebs (Nukie Mauler remains equipped with the SRM-8). - - balance: Both Missile Launchers and the Clusterbang Launcher do not have an ammo - cache, and cannot be reloaded by the pilot. Once the initial loaded ammo has - been spent, you can use the appropriate ammo box to load the weapon directly. - - rscadd: Utility mechs that have a clamp equipped can load ammo from their own - cargo hold into other mechs. - - rscadd: Nuke Ops can purchase spare ammo duffel bags for their mecha weapons, - should they run low. + - balance: + Mecha ballistics weapons now require ammo created from an Exosuit Fabricator + or the Security Protolathe, though they will start with a full magazine and + in most cases enough for one full reload. Reloading these weapons no longer + chunks your power cell. Clown (and mime) mecha equipment have not changed. + - balance: + The SRM-8 Missile Launcher has been replaced with the BRM-6 Breaching + Missile Launcher in techwebs (Nukie Mauler remains equipped with the SRM-8). + - balance: + Both Missile Launchers and the Clusterbang Launcher do not have an ammo + cache, and cannot be reloaded by the pilot. Once the initial loaded ammo has + been spent, you can use the appropriate ammo box to load the weapon directly. + - rscadd: + Utility mechs that have a clamp equipped can load ammo from their own + cargo hold into other mechs. + - rscadd: + Nuke Ops can purchase spare ammo duffel bags for their mecha weapons, + should they run low. 2019-06-30: Yakumo Chen: - - balance: Nar'Sie plushes have been purged of their heretical stuffing and can't - be used to invoke runes any more. + - balance: + Nar'Sie plushes have been purged of their heretical stuffing and can't + be used to invoke runes any more. 2019-07-03: AcapitalA: - - balance: Night Vision Goggles and certain Thermal Optics are **slightly** more - sensitive to bright lights. + - balance: + Night Vision Goggles and certain Thermal Optics are **slightly** more + sensitive to bright lights. CPTANT: - - balance: Added OD to styptic and sulfur sulfadiazine, consuming too much will - give you slight toxin damage on top of slight brute/burn damage. - - balance: oxandrolone and salicyclic acid have the threshold for their superior - healing capacity lowered. + - balance: + Added OD to styptic and sulfur sulfadiazine, consuming too much will + give you slight toxin damage on top of slight brute/burn damage. + - balance: + oxandrolone and salicyclic acid have the threshold for their superior + healing capacity lowered. Denton: - - tweak: 'Delta: Atmospheric technicians are now able to lock/unlock the SM engine''s - rad collectors with their IDs.' - - bugfix: 'Donut: Added a missing SciDrobe vending machine to the RnD "Excess Storage" - area.' - - bugfix: 'Meta: Fixed the AIsat being connected to the station''s power grid by - round start. Fixed Medbay intercoms with faulty presets. Removed a duplicate - windoor in the cargo bay that kept MULEbots from leaving their area.' - - bugfix: 'Mining station: Fixed unconnected air supply pipes.' - - bugfix: Replaced the CentCom admin storage vault door with bomb-proof shutters - (require CentCom Captain level access to open). Removed broken intercoms from - the wizard shuttle and replaced them with two headsets. - - bugfix: Deleted random duplicate and broken atmos piping in most maps. - - bugfix: 'Donutstation: The AI chamber SMES is now correctly connected to the AI - APC.' - - tweak: 'CentCom: Made the ERT pod doors and vault shutters bomb proof. Replaced - loose CentCom ID cards with a box of IDs.' + - tweak: + "Delta: Atmospheric technicians are now able to lock/unlock the SM engine's + rad collectors with their IDs." + - bugfix: + 'Donut: Added a missing SciDrobe vending machine to the RnD "Excess Storage" + area.' + - bugfix: + "Meta: Fixed the AIsat being connected to the station's power grid by + round start. Fixed Medbay intercoms with faulty presets. Removed a duplicate + windoor in the cargo bay that kept MULEbots from leaving their area." + - bugfix: "Mining station: Fixed unconnected air supply pipes." + - bugfix: + Replaced the CentCom admin storage vault door with bomb-proof shutters + (require CentCom Captain level access to open). Removed broken intercoms from + the wizard shuttle and replaced them with two headsets. + - bugfix: Deleted random duplicate and broken atmos piping in most maps. + - bugfix: + "Donutstation: The AI chamber SMES is now correctly connected to the AI + APC." + - tweak: + "CentCom: Made the ERT pod doors and vault shutters bomb proof. Replaced + loose CentCom ID cards with a box of IDs." Dorsidwarf: - - rscadd: Nanotrasen washing machines can now extract the raw power of the cosmos - from bluespace crystals. + - rscadd: + Nanotrasen washing machines can now extract the raw power of the cosmos + from bluespace crystals. MadoFrog: - - rscadd: Red, white, and blue mech pilot jumpsuits now available in the Mech Pilot's - Suits Crate, under Costumes & Toys. + - rscadd: + Red, white, and blue mech pilot jumpsuits now available in the Mech Pilot's + Suits Crate, under Costumes & Toys. Skoglol: - - balance: Added lots of new virus cures, made cure difficulty scale more consistently. - Cures are now picked from a list of possible cures per resistance level, multiple - diseases at the same level no longer always share a cure. Looking at you table - salt. + - balance: + Added lots of new virus cures, made cure difficulty scale more consistently. + Cures are now picked from a list of possible cures per resistance level, multiple + diseases at the same level no longer always share a cure. Looking at you table + salt. SpacePrius: - - rscadd: Added empty boxes. - - bugfix: Fixed bug where hivemind vessel awakening would not be logged. - - bugfix: Fixed bug where awoken hivemind vessel objectives would not be logged. - - tweak: slightly modified the deadchat text for awakening. + - rscadd: Added empty boxes. + - bugfix: Fixed bug where hivemind vessel awakening would not be logged. + - bugfix: Fixed bug where awoken hivemind vessel objectives would not be logged. + - tweak: slightly modified the deadchat text for awakening. Tlaltecuhtli: - - tweak: limbs are now small + - tweak: limbs are now small XDTM: - - rscadd: Engineering closets now start with a construction bag, which can hold - machine components, circuits, electronics, and cable coils. + - rscadd: + Engineering closets now start with a construction bag, which can hold + machine components, circuits, electronics, and cable coils. actioninja: - - bugfix: cables are no longer lag generators when being cut + - bugfix: cables are no longer lag generators when being cut bandit: - - rscadd: Nanotrasen's clowns have begun to preserve their images by stamping eggs - with their NT-issued clown stamps. This is fine and normal. + - rscadd: + Nanotrasen's clowns have begun to preserve their images by stamping eggs + with their NT-issued clown stamps. This is fine and normal. kingofkosmos: - - bugfix: the russian revolver's chamber can be spun again + - bugfix: the russian revolver's chamber can be spun again nemvar: - - rscadd: You can now craft white jumpskirts with cloth. + - rscadd: You can now craft white jumpskirts with cloth. nervere: - - admin: There is now a CTF button in the check antags panel. - - admin: There is now a Reboot World button in the check antags panel. + - admin: There is now a CTF button in the check antags panel. + - admin: There is now a Reboot World button in the check antags panel. zxaber: - - tweak: Dead AI players will now get a notification if they are being restored - while outside their body. + - tweak: + Dead AI players will now get a notification if they are being restored + while outside their body. 2019-07-05: Akrilla: - - rscadd: Contract kit comes with a contractor baton - a unique, lightly electrified - weapon to help complete your contracts. - - tweak: Finalized payment system for contracts; much more balanced for contractors. - No more extremely low paying contract sets. - - tweak: Generated contracts will all have unique targets, no more duplicates. - - tweak: Extraction droppod explosion has been removed, it'll only damage the tile - it lands on. - - bugfix: Extraction pods get sent to the jail immediately again. - - refactor: Refactored classic_baton code. + - rscadd: + Contract kit comes with a contractor baton - a unique, lightly electrified + weapon to help complete your contracts. + - tweak: + Finalized payment system for contracts; much more balanced for contractors. + No more extremely low paying contract sets. + - tweak: Generated contracts will all have unique targets, no more duplicates. + - tweak: + Extraction droppod explosion has been removed, it'll only damage the tile + it lands on. + - bugfix: Extraction pods get sent to the jail immediately again. + - refactor: Refactored classic_baton code. ArcaneMusic: - - tweak: NT staff have added new laser focusing rings onto all BSA equipment, so - now it looks more like a massive deadly laser, and fires more accurately. + - tweak: + NT staff have added new laser focusing rings onto all BSA equipment, so + now it looks more like a massive deadly laser, and fires more accurately. Atlanta Ned: - - rscadd: Security can now issue citations! Spot someone committing a minor crime? - Fine them for it! - - rscadd: Got a citation? You can view and pay it at any security warrant consoles, - located near the brig, your local law office, or the courtroom! + - rscadd: + Security can now issue citations! Spot someone committing a minor crime? + Fine them for it! + - rscadd: + Got a citation? You can view and pay it at any security warrant consoles, + located near the brig, your local law office, or the courtroom! Fikou: - - balance: Reports say the cult of Nar'Sie has gotten stronger, and can now convert - the captain when he doesn't have his mindshield. To prepare against this, the - CentCom religious division has trained their special holy people against conversions + - balance: + Reports say the cult of Nar'Sie has gotten stronger, and can now convert + the captain when he doesn't have his mindshield. To prepare against this, the + CentCom religious division has trained their special holy people against conversions Floyd / Qustinnus: - - tweak: The Nanotrasen Physological department has realized that working at a metal - deathbox is more stressful than it currently is. Mood has been slightly rebalanced + - tweak: + The Nanotrasen Physological department has realized that working at a metal + deathbox is more stressful than it currently is. Mood has been slightly rebalanced Garen: - - bugfix: Fixes being able to pull from belt/backpack when you are stunned or cuffed. + - bugfix: Fixes being able to pull from belt/backpack when you are stunned or cuffed. Krysonism: - - rscadd: Trophazole - a new hearty brute medicine. - - rscadd: Rhigoxane -- a new chilly burn medicine. - - rscadd: Thializid - a new high-stakes tox medicine. - - rscdel: The 3 basic trek chems are now unmixable. - - rscadd: IV medicine bags and blood packs are available in the medlathe. - - rscadd: suspicious spray bottles have been added to the chemdrobe contraband compartment. - - rscadd: The medical lathe can now print spray bottles. - - rscdel: Removed the charcoal syringes from the medkits. - - balance: There is now slightly less charcoal available roundstart. - - imageadd: Added new spray bottle & iv bag sprites. - - code_imp: trans_to can now react the reagents if you want. + - rscadd: Trophazole - a new hearty brute medicine. + - rscadd: Rhigoxane -- a new chilly burn medicine. + - rscadd: Thializid - a new high-stakes tox medicine. + - rscdel: The 3 basic trek chems are now unmixable. + - rscadd: IV medicine bags and blood packs are available in the medlathe. + - rscadd: suspicious spray bottles have been added to the chemdrobe contraband compartment. + - rscadd: The medical lathe can now print spray bottles. + - rscdel: Removed the charcoal syringes from the medkits. + - balance: There is now slightly less charcoal available roundstart. + - imageadd: Added new spray bottle & iv bag sprites. + - code_imp: trans_to can now react the reagents if you want. Lett1: - - rscadd: Added a new contraband about free syndicate keys + - rscadd: Added a new contraband about free syndicate keys Mickyan: - - imageadd: Coming into contact with -HONK- may have additional effects, do not - be alarmed - - tweak: For safety reasons, the administration of -HONK- may only be performed - by trained professionals - - bugfix: Self-application of -HONK- is now forbidden + - imageadd: + Coming into contact with -HONK- may have additional effects, do not + be alarmed + - tweak: + For safety reasons, the administration of -HONK- may only be performed + by trained professionals + - bugfix: Self-application of -HONK- is now forbidden RandolfTheMeh: - - code_imp: Universal Organ Damage variables and procs + - code_imp: Universal Organ Damage variables and procs Time-Green: - - bugfix: Clones no longer have their genetic sequence quantum garble fucked together + - bugfix: Clones no longer have their genetic sequence quantum garble fucked together WJohnston: - - rscadd: Redesigned boxstation's SMES room. It is now part of engineering power - storage like it once was instead of being strangely separated from the station. + - rscadd: + Redesigned boxstation's SMES room. It is now part of engineering power + storage like it once was instead of being strangely separated from the station. XDTM: - - rscadd: Abductors can now buy a special chem dispenser for 2 points. The machine - is delivered as a beacon which can be used when standing on any free tile to - spawn it. + - rscadd: + Abductors can now buy a special chem dispenser for 2 points. The machine + is delivered as a beacon which can be used when standing on any free tile to + spawn it. actioninja: - - bugfix: The sabre sheath properly plays sounds again after who knows how long - - bugfix: smeses no longer link to themselves non-visibly - - soundadd: Add match strike sound. - - bugfix: Fixed a disconnected APC on the meta map satellite. - - rscadd: Added a scrubber to the meta engineering lobby. - - bugfix: cables now actually function again (I'm so sorry) + - bugfix: The sabre sheath properly plays sounds again after who knows how long + - bugfix: smeses no longer link to themselves non-visibly + - soundadd: Add match strike sound. + - bugfix: Fixed a disconnected APC on the meta map satellite. + - rscadd: Added a scrubber to the meta engineering lobby. + - bugfix: cables now actually function again (I'm so sorry) bandit: - - bugfix: Nanotrasen chefs and botanists have finally learned to stop composting - or grinding bowls and the like along with the food they come with. - - bugfix: After years of arduous training, Nanotrasen crew can now tell whether - an animal is dead by examining it. + - bugfix: + Nanotrasen chefs and botanists have finally learned to stop composting + or grinding bowls and the like along with the food they come with. + - bugfix: + After years of arduous training, Nanotrasen crew can now tell whether + an animal is dead by examining it. blargety, Onule: - - rscadd: Added departmental sprites for circuit boards commonly used within a department. - For example, a SMES will have a orange base. - - imageadd: Adds 8 new icons for circuit boards, based on department colors. - - refactor: Reorganizes computer_circuits.dm and machine_circuitboard.dm based on - an alphabetical order divided by department. + - rscadd: + Added departmental sprites for circuit boards commonly used within a department. + For example, a SMES will have a orange base. + - imageadd: Adds 8 new icons for circuit boards, based on department colors. + - refactor: + Reorganizes computer_circuits.dm and machine_circuitboard.dm based on + an alphabetical order divided by department. granpawalton: - - rscadd: Breakfast foods such as eggs, donuts, coffee and so on now give a long - but weak positive moodie when eaten within 15 minutes of the start of a shift + - rscadd: + Breakfast foods such as eggs, donuts, coffee and so on now give a long + but weak positive moodie when eaten within 15 minutes of the start of a shift nemvar: - - bugfix: Mobs with negative armor no longer get damage decreased by armor penetration. - - tweak: Various cosmetic and gameplay related changes to hivebots. Player controlled - hivebots can change their look by changing their intent to harm. - - bugfix: Humans now always use the correct value for limb armor. - - bugfix: Negative armor on objects now increases damage taken. - - rscadd: All chainsaws, including the null rod variants, can now be used to saw - off guns. - - code_imp: Refactored the visibility of reagents for mobs. - - bugfix: The air injector of the delta station incinerator now works. - - bugfix: Antimagic now gets used up properly + - bugfix: Mobs with negative armor no longer get damage decreased by armor penetration. + - tweak: + Various cosmetic and gameplay related changes to hivebots. Player controlled + hivebots can change their look by changing their intent to harm. + - bugfix: Humans now always use the correct value for limb armor. + - bugfix: Negative armor on objects now increases damage taken. + - rscadd: + All chainsaws, including the null rod variants, can now be used to saw + off guns. + - code_imp: Refactored the visibility of reagents for mobs. + - bugfix: The air injector of the delta station incinerator now works. + - bugfix: Antimagic now gets used up properly ninjanomnom: - - bugfix: Reproductive crossbreed extracts can be fed from the bio bag again + - bugfix: Reproductive crossbreed extracts can be fed from the bio bag again pireamaineach: - - rscadd: Added mime envirosuits, nothing special here. - - rscadd: Added clown envirosuits, which release space lube when they extinguish - the clown. - - rscdel: Removes code that theoretically limits plasmamen from being clowns and - mimes, but actually doesn't. - - tweak: I guess the roles now spawning with these suits is kind of notable. - - tweak: Reverts unlisted changes to the grey detective suit from https://github.com/tgstation/tgstation/pull/44776. + - rscadd: Added mime envirosuits, nothing special here. + - rscadd: + Added clown envirosuits, which release space lube when they extinguish + the clown. + - rscdel: + Removes code that theoretically limits plasmamen from being clowns and + mimes, but actually doesn't. + - tweak: I guess the roles now spawning with these suits is kind of notable. + - tweak: Reverts unlisted changes to the grey detective suit from https://github.com/tgstation/tgstation/pull/44776. wesoda25: - - bugfix: You can no longer infinitely purify a soulstone. - - bugfix: Cultists can't use purified soulstones anymore. + - bugfix: You can no longer infinitely purify a soulstone. + - bugfix: Cultists can't use purified soulstones anymore. zxaber: - - rscadd: The R&D Server Controller console now lists the entire research history, - including names of people who researched each item and locations it was done - from. - - rscadd: The R&D Server Controller console can now be used to disable the servers - if someone makes the RD upset. - - bugfix: Fixed the R&D servers working without power. - - imageadd: R&D server sprites are now slightly animated, and new sprites have been - added for when the server is disabled or off. + - rscadd: + The R&D Server Controller console now lists the entire research history, + including names of people who researched each item and locations it was done + from. + - rscadd: + The R&D Server Controller console can now be used to disable the servers + if someone makes the RD upset. + - bugfix: Fixed the R&D servers working without power. + - imageadd: + R&D server sprites are now slightly animated, and new sprites have been + added for when the server is disabled or off. 2019-07-08: DesurtFawks: - - bugfix: Cloning (Computer Board) now print correctly + - bugfix: Cloning (Computer Board) now print correctly Fikou: - - rscadd: a new line in the you are a zombie message has been added + - rscadd: a new line in the you are a zombie message has been added Krysonism: - - rscadd: Cowboy boots have been added to the Clothesmate. - - rscadd: Lizard skin boots with decent export values have been added to the crafting - menu. - - rscadd: Snakes, headslugs and alien larvae can now hide in cowboy boots. + - rscadd: Cowboy boots have been added to the Clothesmate. + - rscadd: + Lizard skin boots with decent export values have been added to the crafting + menu. + - rscadd: Snakes, headslugs and alien larvae can now hide in cowboy boots. RandolfTheMeh: - - rscadd: Nanotrasen now allows its employees to show up to work in skirts. + - rscadd: Nanotrasen now allows its employees to show up to work in skirts. WJohn: - - balance: BYOS cost increased from -2500$ to +2500$, and made a bit larger. + - balance: BYOS cost increased from -2500$ to +2500$, and made a bit larger. XDTM: - - rscadd: Added the Quantum Spin Inverter device to the science protolathe under - the Miniaturized Bluespace node. - - rscadd: The Quantum Spin Inverter can form a link with another QSI; when linked, - it can be used inhand to swap location with the linked device after 2.5 seconds. - Swapping will teleport the device's holder and/or container as well if it isn't - anchored. - - bugfix: Quantum Swappers now actually work. + - rscadd: + Added the Quantum Spin Inverter device to the science protolathe under + the Miniaturized Bluespace node. + - rscadd: + The Quantum Spin Inverter can form a link with another QSI; when linked, + it can be used inhand to swap location with the linked device after 2.5 seconds. + Swapping will teleport the device's holder and/or container as well if it isn't + anchored. + - bugfix: Quantum Swappers now actually work. bandit: - - rscadd: Nanotrasen is celebrating Bastille Day by teaching its chefs a centuries-old - recipe for French onion soup. Don't forget the cheese! + - rscadd: + Nanotrasen is celebrating Bastille Day by teaching its chefs a centuries-old + recipe for French onion soup. Don't forget the cheese! nemvar: - - imageadd: Animated speech bubbles. - - rscadd: Seashells have been added to the game. + - imageadd: Animated speech bubbles. + - rscadd: Seashells have been added to the game. 2019-07-09: Akrilla: - - tweak: Batons now play a hit animation on stun. - - tweak: Agent card sets its account ID automatically on first time use + - tweak: Batons now play a hit animation on stun. + - tweak: Agent card sets its account ID automatically on first time use Cobby x Medbay: - - balance: (Experimental) Dissection is now roundstart. - - balance: (Experimental) Dissection is now tiered and give higher point outputs - than their predecessors. - - rscadd: All living mobs with corpses can be dissected. - - code_imp: Attention, all ss13 gamers! I need YOUR help adding mobs to the pool - so they don't get the lame 60% of normal human pricing! You can dissect DRAGONS - FOR CRY IT OUT LOUD! - - balance: You are NOT punished for doing the lower tier surgeries then unlocking - higher ones! - - rscadd: Borgs can perform dissection but they are not 100% successful. - - tweak: Shifts balance of dissection surgery towards spammability vs. rng mechanic. - - balance: All point rewards are severely nerfed to promote doing this multiple - times (since it's now available from the getgo). - - tweak: If you fail the dissection step, you get a pity reward (1% credits) and - can repeat the step until you successfully dissect the being. - - tweak: Lowered probabilty of success on default tools, increased probability for - researched tools. - - tweak: removed 2nd incision step, added clamp step post dissection (repeatability - purposes). + - balance: (Experimental) Dissection is now roundstart. + - balance: + (Experimental) Dissection is now tiered and give higher point outputs + than their predecessors. + - rscadd: All living mobs with corpses can be dissected. + - code_imp: + Attention, all ss13 gamers! I need YOUR help adding mobs to the pool + so they don't get the lame 60% of normal human pricing! You can dissect DRAGONS + FOR CRY IT OUT LOUD! + - balance: + You are NOT punished for doing the lower tier surgeries then unlocking + higher ones! + - rscadd: Borgs can perform dissection but they are not 100% successful. + - tweak: Shifts balance of dissection surgery towards spammability vs. rng mechanic. + - balance: + All point rewards are severely nerfed to promote doing this multiple + times (since it's now available from the getgo). + - tweak: + If you fail the dissection step, you get a pity reward (1% credits) and + can repeat the step until you successfully dissect the being. + - tweak: + Lowered probabilty of success on default tools, increased probability for + researched tools. + - tweak: + removed 2nd incision step, added clamp step post dissection (repeatability + purposes). Dennok: - - rscadd: Added a drydock to runtimestation. + - rscadd: Added a drydock to runtimestation. Garen: - - rscdel: Removes Hygiene - - rscdel: Removes NEET and neat quirks - - rscdel: Removes the ability for scangates to scan for hygiene - - tweak: Garlic no longer makes you stink - - tweak: Replaced the penalty on transcendent olfaction with the inability to use - it when in any amount of miasma. - - imagedel: Removed Stink Clouds + - rscdel: Removes Hygiene + - rscdel: Removes NEET and neat quirks + - rscdel: Removes the ability for scangates to scan for hygiene + - tweak: Garlic no longer makes you stink + - tweak: + Replaced the penalty on transcendent olfaction with the inability to use + it when in any amount of miasma. + - imagedel: Removed Stink Clouds Krysonism: - - rscadd: Moodlets have been added to krokodil, fentanyl, morphine, crank, meth - and bathsalts. + - rscadd: + Moodlets have been added to krokodil, fentanyl, morphine, crank, meth + and bathsalts. SpacePrius: - - tweak: Added photocopier to HoP office in Metastation, BoxStation, PubbyStation, - and DonutStation + - tweak: + Added photocopier to HoP office in Metastation, BoxStation, PubbyStation, + and DonutStation Time-Green: - - rscadd: 'Adds plumbing pipes and some hidden plumbing related machines. They''re - not available in-game yet. sprites: Geyser and geyser pump sprites created by - Mey-Ha-Zah!' + - rscadd: + "Adds plumbing pipes and some hidden plumbing related machines. They're + not available in-game yet. sprites: Geyser and geyser pump sprites created by + Mey-Ha-Zah!" XDTM: - - rscadd: Bodies can now be manually cremated by setting them on fire while their - limbs are fully damaged. - - rscadd: Cremation causes limbs to gradually burn off into ash; once none are left, - the body is destroyed. - - tweak: Fire damage is now evenly distributed instead of applied to a random limb - every tick. + - rscadd: + Bodies can now be manually cremated by setting them on fire while their + limbs are fully damaged. + - rscadd: + Cremation causes limbs to gradually burn off into ash; once none are left, + the body is destroyed. + - tweak: + Fire damage is now evenly distributed instead of applied to a random limb + every tick. YPOQ: - - bugfix: Fixed simple animal zombies not looking like zombies + - bugfix: Fixed simple animal zombies not looking like zombies cacogen: - - rscadd: JaniDrobes now have equipment for two janitors. - - balance: Cleanbots clean slightly faster. They also treat dead rats they kill - like trash now. + - rscadd: JaniDrobes now have equipment for two janitors. + - balance: + Cleanbots clean slightly faster. They also treat dead rats they kill + like trash now. nemvar: - - balance: Legions have been buffed. Their skulls will now swarm you much more efficiently - - rscadd: You now get the cakehat by cooking a whole birthday cake. - - rscdel: The cakehat has been removed from all maps. - - tweak: Birthday cake recipe no longer requires a cakehat. It now needs a candle, - sugar and caramel. - - rscadd: Metastation bar now has a new plant. Her name is Potty. - - bugfix: Trash from food now gets generated at the location of the food item, instead - of in the hands of the eater. - - bugfix: Area moodlets now work. - - tweak: The drawings from taggers (quirk) now give good moodlets on examine. + - balance: Legions have been buffed. Their skulls will now swarm you much more efficiently + - rscadd: You now get the cakehat by cooking a whole birthday cake. + - rscdel: The cakehat has been removed from all maps. + - tweak: + Birthday cake recipe no longer requires a cakehat. It now needs a candle, + sugar and caramel. + - rscadd: Metastation bar now has a new plant. Her name is Potty. + - bugfix: + Trash from food now gets generated at the location of the food item, instead + of in the hands of the eater. + - bugfix: Area moodlets now work. + - tweak: The drawings from taggers (quirk) now give good moodlets on examine. 2019-07-10: Fikou: - - rscadd: Birdboat and Mulebots now have a high priority of appearing in random - sentience event + - rscadd: + Birdboat and Mulebots now have a high priority of appearing in random + sentience event Onule & Nemvar: - - imageadd: New Revenant icons + - imageadd: New Revenant icons Skoglol: - - tweak: Black and blue crayons effects on mobs are now a bit less intense. + - tweak: Black and blue crayons effects on mobs are now a bit less intense. nemvar: - - bugfix: Thermite now gets deleted properly after burning up. - - tweak: Gives the teleporters circuit boards the science icon. + - bugfix: Thermite now gets deleted properly after burning up. + - tweak: Gives the teleporters circuit boards the science icon. tralezab: - - balance: the spraycan no longer stuns. + - balance: the spraycan no longer stuns. 2019-07-12: Akrilla: - - tweak: PDAs in backpacks etc accept ID cards. + - tweak: PDAs in backpacks etc accept ID cards. DeeDubya: - - tweak: Decreased the cost of the BYOS from 5000 to 2500, and removed the time - limit for purchasing. + - tweak: + Decreased the cost of the BYOS from 5000 to 2500, and removed the time + limit for purchasing. Mickyan: - - rscadd: Added the Pushover and Frail negative quirks + - rscadd: Added the Pushover and Frail negative quirks Naksu: - - bugfix: 'fixed experimental dissection techweb node ci: travis will now fail tests - on branches with invalid nodes' + - bugfix: + "fixed experimental dissection techweb node ci: travis will now fail tests + on branches with invalid nodes" O2by: - - balance: Lexorin now requires Salbutamol instead of Oxygen (FIX YOUR MACROS) + - balance: Lexorin now requires Salbutamol instead of Oxygen (FIX YOUR MACROS) Qustinnus / Floyd: - - tweak: Studies show that starvation does not affect mental health as much as we - thought. + - tweak: + Studies show that starvation does not affect mental health as much as we + thought. Skoglol: - - bugfix: Disease cures should now stay the same for all infected mobs. - - rscdel: Removed Bubblegums ability to summon slaughterlings. - - tweak: Mining conscription kits now cost 1500, but has a PKA and a survival knife. - Cargo cost reduced to 2000. - - tweak: Added public mining vendor to lavaland base. - - bugfix: Inorganic Biology and Necrotic Metabolism virus symptoms now take effect - immediately, allowing for direct infection of the relevant species. - - rscadd: Kinetic crusher can now be one-hand carried. You'll still need two hand - to use it. + - bugfix: Disease cures should now stay the same for all infected mobs. + - rscdel: Removed Bubblegums ability to summon slaughterlings. + - tweak: + Mining conscription kits now cost 1500, but has a PKA and a survival knife. + Cargo cost reduced to 2000. + - tweak: Added public mining vendor to lavaland base. + - bugfix: + Inorganic Biology and Necrotic Metabolism virus symptoms now take effect + immediately, allowing for direct infection of the relevant species. + - rscadd: + Kinetic crusher can now be one-hand carried. You'll still need two hand + to use it. StonebayKyle: - - rscadd: Added science goggles to virology lab. + - rscadd: Added science goggles to virology lab. TheChosenEvilOne: - - bugfix: Swappers can no longer be sent on the cargo shuttle. + - bugfix: Swappers can no longer be sent on the cargo shuttle. XDTM: - - rscadd: Abductor healing glands, instead of healing a flat amount of each damage, - now actively (and gruesomely) replace damaged organs and bodyparts. It will - also reject robotic implants, organs and limbs. - - bugfix: Fixed a bug where nearsightedness and blindness from eye damage would - persist after losing the eyes. + - rscadd: + Abductor healing glands, instead of healing a flat amount of each damage, + now actively (and gruesomely) replace damaged organs and bodyparts. It will + also reject robotic implants, organs and limbs. + - bugfix: + Fixed a bug where nearsightedness and blindness from eye damage would + persist after losing the eyes. YakumoChen: - - balance: Back slot jetpacks are less fast, but still faster than inbuilt/improvised - ones. + - balance: + Back slot jetpacks are less fast, but still faster than inbuilt/improvised + ones. actioninja: - - bugfix: fixed an issue where bolas could get teleported back to someone if their - remove timer finished after someone else had already removed it + - bugfix: + fixed an issue where bolas could get teleported back to someone if their + remove timer finished after someone else had already removed it nemvar: - - rscadd: A new ruin has been added to lavaland. Go explore! - - rscdel: The animal hospital on lavaland collapsed into a lavastream in an unfortunate - accident. NT promised to send aid to the many goliath babies that can't get - proper medical care now. - - imageadd: Some drinks have new icons or slightly altered icons. In particular - Wizz Fizz, Bug Spray, Jack Rose, Champagne and Applejack. - - imageadd: Added short intro animations for the cyborg module HUD icons. - - tweak: Slightly changed how explosive holoparasite bombs work. Actual gameplay - impact should be minimal. - - balance: The distance requirement for finding bombs on examine has been removed. + - rscadd: A new ruin has been added to lavaland. Go explore! + - rscdel: + The animal hospital on lavaland collapsed into a lavastream in an unfortunate + accident. NT promised to send aid to the many goliath babies that can't get + proper medical care now. + - imageadd: + Some drinks have new icons or slightly altered icons. In particular + Wizz Fizz, Bug Spray, Jack Rose, Champagne and Applejack. + - imageadd: Added short intro animations for the cyborg module HUD icons. + - tweak: + Slightly changed how explosive holoparasite bombs work. Actual gameplay + impact should be minimal. + - balance: The distance requirement for finding bombs on examine has been removed. peoplearestrange: - - tweak: PKM examine tells you to use a crowbar for modules + - tweak: PKM examine tells you to use a crowbar for modules pireamaineach: - - balance: Nuclear particles irradiate more, but no longer deal toxin damage directly, - and roll for rad protection. - - balance: X-ray beams now roll for rad-armour, meaning they penetrate laser armour - but are completely negated by rad-suits. + - balance: + Nuclear particles irradiate more, but no longer deal toxin damage directly, + and roll for rad protection. + - balance: + X-ray beams now roll for rad-armour, meaning they penetrate laser armour + but are completely negated by rad-suits. willox: - - bugfix: Borgs can use non-surgical tools on people who are in surgery while using - help-intent + - bugfix: + Borgs can use non-surgical tools on people who are in surgery while using + help-intent 2019-07-13: DaxDupont: - - bugfix: You can no longer turn the burial garb into nudity with pixel text. + - bugfix: You can no longer turn the burial garb into nudity with pixel text. Dennok: - - bugfix: some runtimes - - bugfix: Debug surgery disk work again. - - bugfix: shuttle_manipulator now can load shuttles + - bugfix: some runtimes + - bugfix: Debug surgery disk work again. + - bugfix: shuttle_manipulator now can load shuttles Fikou: - - tweak: Department budgets now are in their respective heads' lockers instead of - their backpacks. + - tweak: + Department budgets now are in their respective heads' lockers instead of + their backpacks. Garen7: - - bugfix: Mindshield implants are properly used up when injecting a headrev/hivemind - with one. + - bugfix: + Mindshield implants are properly used up when injecting a headrev/hivemind + with one. YPOQ: - - bugfix: Fixed gravitokinetic guardian's gravity effect remaining forever if the - guardian dies. + - bugfix: + Fixed gravitokinetic guardian's gravity effect remaining forever if the + guardian dies. cacogen: - - rscadd: Adds stat tracking for the creation/destruction of trash and cleanable - decals (e.g. blood) + - rscadd: + Adds stat tracking for the creation/destruction of trash and cleanable + decals (e.g. blood) nemvar: - - code_imp: Slight changes the self-repair borg module. It no longer references - the borg that owns it. + - code_imp: + Slight changes the self-repair borg module. It no longer references + the borg that owns it. 2019-07-14: Alek2ander: - - tweak: Agent IDs and chameleon PDAs now automatically update their labels and - icons when transforming. - - tweak: Selecting a chameleon outfit will set equipped agent IDs and chameleon - PDAs to display the appropriate job. + - tweak: + Agent IDs and chameleon PDAs now automatically update their labels and + icons when transforming. + - tweak: + Selecting a chameleon outfit will set equipped agent IDs and chameleon + PDAs to display the appropriate job. Alek2ander and Triiodine: - - imageadd: Nanotrasen released brand-new adaptive ID cards with colorful displays. - Now you can see a crew member's assignment without the need to examine any small - print. - - imageadd: The Syndicate immediately responded by printing their notorious cryptographic - sequencer in a new form-factor. - - imageadd: Wallet ID windows are now twice as big to show the new ID cards in all - their glory. + - imageadd: + Nanotrasen released brand-new adaptive ID cards with colorful displays. + Now you can see a crew member's assignment without the need to examine any small + print. + - imageadd: + The Syndicate immediately responded by printing their notorious cryptographic + sequencer in a new form-factor. + - imageadd: + Wallet ID windows are now twice as big to show the new ID cards in all + their glory. Arkatos: - - bugfix: Left active chainsaw inhand now has proper sprites - - bugfix: Hacking APC alert status now uses new APC icon instead of the old one. + - bugfix: Left active chainsaw inhand now has proper sprites + - bugfix: Hacking APC alert status now uses new APC icon instead of the old one. Hulkamania: - - rscadd: Added Transport Zeta, and abductor themed shuttle, to the shuttle list - for 12k credits! + - rscadd: + Added Transport Zeta, and abductor themed shuttle, to the shuttle list + for 12k credits! Kmc2000: - - rscadd: Gave the HOP a special ticket machine to manage their line better. + - rscadd: Gave the HOP a special ticket machine to manage their line better. Skoglol: - - bugfix: Potted plants now hurt again after throwing. + - bugfix: Potted plants now hurt again after throwing. Tlaltecuhtli: - - tweak: networked fibers color is now dark grey - - bugfix: bz cans cost 8.000 + - tweak: networked fibers color is now dark grey + - bugfix: bz cans cost 8.000 XDTM: - - rscadd: Androids, skeletons and zombies no longer metabolize reagents. As such - they no longer benefit from healing reagents, nor are affected by poisons and - toxins. - - rscadd: These species are now also immune to any other form of toxin damage. - - tweak: Milk now also heals burn damage for skeletons. + - rscadd: + Androids, skeletons and zombies no longer metabolize reagents. As such + they no longer benefit from healing reagents, nor are affected by poisons and + toxins. + - rscadd: These species are now also immune to any other form of toxin damage. + - tweak: Milk now also heals burn damage for skeletons. bobbahbrown: - - bugfix: The free market has returned its graces to mutated seeds, and you can - now safely scan seeds for export without losing their sell value! + - bugfix: + The free market has returned its graces to mutated seeds, and you can + now safely scan seeds for export without losing their sell value! cacogen: - - rscadd: Luxury shuttle now tells you if you don't have arms to drag money into - the ticket collector, which will hopefully teach players who don't know to do - this - - rscadd: Luxury shuttle can now access accounts on dragged ID cards - - tweak: Change doesn't disappear if the payee isn't human or doesn't have a bank - account - - tweak: Change is now placed in the payee's hand, and is otherwise placed on the - ground with the payee dragging it if their hands are full or they don't have - any - - tweak: Luxury shuttle now tells you privately how much more money you need, for - less spam. It will still loudly welcome you aboard in front of your co-workers. + - rscadd: + Luxury shuttle now tells you if you don't have arms to drag money into + the ticket collector, which will hopefully teach players who don't know to do + this + - rscadd: Luxury shuttle can now access accounts on dragged ID cards + - tweak: + Change doesn't disappear if the payee isn't human or doesn't have a bank + account + - tweak: + Change is now placed in the payee's hand, and is otherwise placed on the + ground with the payee dragging it if their hands are full or they don't have + any + - tweak: + Luxury shuttle now tells you privately how much more money you need, for + less spam. It will still loudly welcome you aboard in front of your co-workers. nemvar: - - imagedel: Some unused/duplicate changeling icons. - - code_imp: Improved the take_damage proc for objs. - - rscdel: Removed the VTEC borg module. + - imagedel: Some unused/duplicate changeling icons. + - code_imp: Improved the take_damage proc for objs. + - rscdel: Removed the VTEC borg module. 2019-07-16: Akrilla: - - rscadd: Contractor Hub. A unique store for contractors to buy items with Contractor - Rep, with two Rep being given when completing a contract. - - rscadd: Contractor pinpointer, available through the Hub. A very inaccurate pinpointer - that ignores suit sensors. - - rscadd: Call reinforcements, available through the Hub. Limited to a one-time - buy for a contractor, you can purchase an agent to be sent down to help in your - mission. Role is polled to ghosts. - - rscadd: Blackout, available through the Hub. Disable station power for a small - duration - an expensive, but powerful option of getting into secure areas. - - rscadd: Fulton extraction, available through the Hub. Purchase a fulton extraction - kit to help move your targets across the station for those difficult dropoffs. - - tweak: Assigning yourself to another tablet will give you another contract set. - - code_imp: Important to live items for species. + - rscadd: + Contractor Hub. A unique store for contractors to buy items with Contractor + Rep, with two Rep being given when completing a contract. + - rscadd: + Contractor pinpointer, available through the Hub. A very inaccurate pinpointer + that ignores suit sensors. + - rscadd: + Call reinforcements, available through the Hub. Limited to a one-time + buy for a contractor, you can purchase an agent to be sent down to help in your + mission. Role is polled to ghosts. + - rscadd: + Blackout, available through the Hub. Disable station power for a small + duration - an expensive, but powerful option of getting into secure areas. + - rscadd: + Fulton extraction, available through the Hub. Purchase a fulton extraction + kit to help move your targets across the station for those difficult dropoffs. + - tweak: Assigning yourself to another tablet will give you another contract set. + - code_imp: Important to live items for species. Alek2ander: - - rscadd: You can now tell which ID a wallet has displayed. - - tweak: Alt-click a wallet to remove the displayed ID. If there is none or it's - inside a container - it just shows the inventory as usual. + - rscadd: You can now tell which ID a wallet has displayed. + - tweak: + Alt-click a wallet to remove the displayed ID. If there is none or it's + inside a container - it just shows the inventory as usual. Dennok: - - bugfix: baseturf helper properly replaces baseturf + - bugfix: baseturf helper properly replaces baseturf Gamer025: - - bugfix: Changed the cargo shuttle warning to mention cyborgs / AI as non transportable - beings. + - bugfix: + Changed the cargo shuttle warning to mention cyborgs / AI as non transportable + beings. MMMiracles: - - tweak: You can now use the exile implant with the gateway to complete assassination/mutiny - objectives. + - tweak: + You can now use the exile implant with the gateway to complete assassination/mutiny + objectives. Mickyan: - - rscadd: Objects dropped and thrown will have a slight random pixel offset + - rscadd: Objects dropped and thrown will have a slight random pixel offset MrFluffster: - - rscadd: Furniture and mining items in public mining lobby - - rscdel: The unnecessary amount of space in mining security - - tweak: Tweaked the shape of the base slightly + - rscadd: Furniture and mining items in public mining lobby + - rscdel: The unnecessary amount of space in mining security + - tweak: Tweaked the shape of the base slightly Skoglol: - - bugfix: Sentient diseases can no longer pick two cures that react and disappear - when eaten. - - balance: Sentient disease cures are now consistently harder, will only pick cures - from tier 6 and up. + - bugfix: + Sentient diseases can no longer pick two cures that react and disappear + when eaten. + - balance: + Sentient disease cures are now consistently harder, will only pick cures + from tier 6 and up. SpacePrius: - - tweak: Lollipops can now be succed by putting them in a mask slot. + - tweak: Lollipops can now be succed by putting them in a mask slot. bobbahbrown: - - bugfix: Researched surgeries can now be performed, and are no longer broken! Get - out there and get some epic gamer surgery wins! - - tweak: Tweaked names of reconstruction surgeries to better describe them. + - bugfix: + Researched surgeries can now be performed, and are no longer broken! Get + out there and get some epic gamer surgery wins! + - tweak: Tweaked names of reconstruction surgeries to better describe them. nemvar: - - rscadd: Added a new loot item to the lavaland clown ruin. - - rscdel: Removed the slime core from said ruin. + - rscadd: Added a new loot item to the lavaland clown ruin. + - rscdel: Removed the slime core from said ruin. redmoogle: - - tweak: made the bar slightly bigger on Metastation - - tweak: made the art storage slightly smaller on Metastation - - rscadd: added plants and preparation space in the Metastation bar + - tweak: made the bar slightly bigger on Metastation + - tweak: made the art storage slightly smaller on Metastation + - rscadd: added plants and preparation space in the Metastation bar 2019-07-17: Dennok: - - rscadd: Bluespace Navigation Gigabeacon - - rscadd: Navigation computer now use trait blacklist to filter out z levels to - where it can't place custom dock. - - bugfix: Now unpowered ore redemption machine can be attacked. + - rscadd: Bluespace Navigation Gigabeacon + - rscadd: + Navigation computer now use trait blacklist to filter out z levels to + where it can't place custom dock. + - bugfix: Now unpowered ore redemption machine can be attacked. Fikou: - - bugfix: clowns cannot cure their clumsyness with mutadone anymore - - bugfix: fixes mutadone proofness not working - - balance: mutadone no longer cures "weird" mutations such as those you get from - the wizard + - bugfix: clowns cannot cure their clumsyness with mutadone anymore + - bugfix: fixes mutadone proofness not working + - balance: + mutadone no longer cures "weird" mutations such as those you get from + the wizard Gamer025: - - spellcheck: Changed the description of single playing cards to be uppercase and - more descriptive + - spellcheck: + Changed the description of single playing cards to be uppercase and + more descriptive Skoglol: - - balance: Medipens and legion cores can now be used in hand. This applies them - to yourself, just like clicking your sprite. + - balance: + Medipens and legion cores can now be used in hand. This applies them + to yourself, just like clicking your sprite. actioninja: - - bugfix: fixed some bad areas on donut resulting in solar maint being unlit + - bugfix: fixed some bad areas on donut resulting in solar maint being unlit nemvar: - - bugfix: The nullrod sabers now have sprites again. + - bugfix: The nullrod sabers now have sprites again. 2019-07-20: Dennok: - - bugfix: air issues on changing turfs + - bugfix: air issues on changing turfs Detective-Google: - - bugfix: Someone down at CentCom called our darts 'cryostatis' darts, now we don't - know what that is, but now the proper 'cryostasis' darts are available. + - bugfix: + Someone down at CentCom called our darts 'cryostatis' darts, now we don't + know what that is, but now the proper 'cryostasis' darts are available. ExcessiveUseOfCobblestone: - - bugfix: Removed the 2 Eternal Youth Symptoms in Sentient Disease - - balance: Added a new EY symptom that has middle-ground pricing of the 2 old ones. + - bugfix: Removed the 2 Eternal Youth Symptoms in Sentient Disease + - balance: Added a new EY symptom that has middle-ground pricing of the 2 old ones. Fikou: - - rscadd: You can now get an advanced camera console from the security lathe after - illegal technology has been obtained. + - rscadd: + You can now get an advanced camera console from the security lathe after + illegal technology has been obtained. Kierany9: - - rscadd: You can now bash awoken vessels over the head to deconvert them, just - like revolutionaries + - rscadd: + You can now bash awoken vessels over the head to deconvert them, just + like revolutionaries Krysonism: - - rscadd: NT has made breakthroughs in ice cream science, ice creams can now be - flavoured with any reagent! - - tweak: The ice cream vat now accepts beakers. + - rscadd: + NT has made breakthroughs in ice cream science, ice creams can now be + flavoured with any reagent! + - tweak: The ice cream vat now accepts beakers. MMMiracles: - - rscadd: Donutstation now has its own white shuttle with proper dock. - - rscdel: Donutstation's maintenance bar is under renovation. - - tweak: Due to above renovations, the goose is temporarily loose. - - tweak: Donutstation now has significantly less annoying maintenance grilles + - rscadd: Donutstation now has its own white shuttle with proper dock. + - rscdel: Donutstation's maintenance bar is under renovation. + - tweak: Due to above renovations, the goose is temporarily loose. + - tweak: Donutstation now has significantly less annoying maintenance grilles MadoFrog: - - bugfix: custom titles now display correctly - - code_imp: the directories for custom songs and titles have been added to .gitignore + - bugfix: custom titles now display correctly + - code_imp: the directories for custom songs and titles have been added to .gitignore Naloacisamazing: - - rscadd: Added a co2 area to allow fusion to be done. - - rscadd: few freezers and pipes to help + - rscadd: Added a co2 area to allow fusion to be done. + - rscadd: few freezers and pipes to help ShizCalev: - - bugfix: Toy swords and esword hallucinations are no longer invisible. + - bugfix: Toy swords and esword hallucinations are no longer invisible. SpacePrius: - - bugfix: Fixes the Lollipop processing bug. - - tweak: Tweaked times on Lollipops to actually work as intended. + - bugfix: Fixes the Lollipop processing bug. + - tweak: Tweaked times on Lollipops to actually work as intended. Twaticus: - - rscadd: The long lost rainbow jumpskirt has been found - - rscadd: Rumor has it that even the syndicate have started producing skirts for - their operatives - - tweak: Department skirt necklines are more in-line with their jumpsuit counterparts, - sprites are no longer offset, added detail + - rscadd: The long lost rainbow jumpskirt has been found + - rscadd: + Rumor has it that even the syndicate have started producing skirts for + their operatives + - tweak: + Department skirt necklines are more in-line with their jumpsuit counterparts, + sprites are no longer offset, added detail XDTM: - - rscadd: 'Added two new traumas in the trauma pool: Mind Echo (mild) and Existential - Crisis (special).' + - rscadd: + "Added two new traumas in the trauma pool: Mind Echo (mild) and Existential + Crisis (special)." actioninja: - - bugfix: fixed some issues with shield wall generators + - bugfix: fixed some issues with shield wall generators loserXD: - - bugfix: You no longer see "Mind Control suddenly wakes up, as though he was under - foreign control!" when a hivemind host mind controls someone + - bugfix: + You no longer see "Mind Control suddenly wakes up, as though he was under + foreign control!" when a hivemind host mind controls someone nemvar: - - bugfix: Staff of change xenos no longer delay the end of wizard rounds. + - bugfix: Staff of change xenos no longer delay the end of wizard rounds. wesoda25: - - balance: Beekit now has a lesser chance of spawning and has one less grenade - - balance: beesword now does 2 less damage, has worse armor penetration, and injects - toxin as opposed to histamine - - bugfix: Shades captured with a purified soulstone now appear as purified shades - instead of cult shades + - balance: Beekit now has a lesser chance of spawning and has one less grenade + - balance: + beesword now does 2 less damage, has worse armor penetration, and injects + toxin as opposed to histamine + - bugfix: + Shades captured with a purified soulstone now appear as purified shades + instead of cult shades 2019-07-21: Chen Yakumo: - - balance: The stealth implant box is now flimsier than it was before. - - bugfix: You can no longer zoom around in a box by hugging walls. + - balance: The stealth implant box is now flimsier than it was before. + - bugfix: You can no longer zoom around in a box by hugging walls. Dennok: - - bugfix: lava rivers no more burn out to basalt. - - code_imp: Now rivers generator can place a baseturf. + - bugfix: lava rivers no more burn out to basalt. + - code_imp: Now rivers generator can place a baseturf. nemvar: - - bugfix: Virology on Boxstation has lost its science defying lightbulb. This is - a sad day for virologists as a whole. - - bugfix: The mood face now has the correct icon at roundstart. + - bugfix: + Virology on Boxstation has lost its science defying lightbulb. This is + a sad day for virologists as a whole. + - bugfix: The mood face now has the correct icon at roundstart. 2019-07-23: Akrilla: - - rscadd: Blood brothers have a HUD to see each other. They get little hearts, it's - cute. - - code_imp: Antag team HUD support. - - tweak: Security can access gulag equipment reclaim - - rscadd: Contractor buys show on roundend + - rscadd: + Blood brothers have a HUD to see each other. They get little hearts, it's + cute. + - code_imp: Antag team HUD support. + - tweak: Security can access gulag equipment reclaim + - rscadd: Contractor buys show on roundend Arkatos: - - bugfix: Anti-magic items, such as nullrods, will now correctly protect their users - from magic when they are worn in the suit storage slot. - - bugfix: Fixed an issue with a Lizardwine drink crafting, where a final product - would contain unwated 100u of Ethanol. - - bugfix: Lavaland Syndicate ghost roles are now properly assigned gender after - 2 years of uncertainty. - - bugfix: Fixed an empty reference about light eater armblade disintegration after - Heart of Darkness removal. - - bugfix: Fixed a rogue pixel on the tail club sprite. + - bugfix: + Anti-magic items, such as nullrods, will now correctly protect their users + from magic when they are worn in the suit storage slot. + - bugfix: + Fixed an issue with a Lizardwine drink crafting, where a final product + would contain unwated 100u of Ethanol. + - bugfix: + Lavaland Syndicate ghost roles are now properly assigned gender after + 2 years of uncertainty. + - bugfix: + Fixed an empty reference about light eater armblade disintegration after + Heart of Darkness removal. + - bugfix: Fixed a rogue pixel on the tail club sprite. JJRcop: - - rscadd: New Organic Slurry created by dipping a dead mouse in welding fuel. It - induces vomiting. + - rscadd: + New Organic Slurry created by dipping a dead mouse in welding fuel. It + induces vomiting. MadoFrog: - - rscadd: the head of personnel award for outstanding achievement in the field of - excellence + - rscadd: + the head of personnel award for outstanding achievement in the field of + excellence MrFluffster: - - spellcheck: No more two prepositions when dumping storage + - spellcheck: No more two prepositions when dumping storage Qustinnus: - - bugfix: Fixes sanity going up to 125 when mood is neutral - - bugfix: To save costs, Nanotrasen has removed the emergency battery ejection systems - in modular computers. We realized saving the batteries isn't really important. + - bugfix: Fixes sanity going up to 125 when mood is neutral + - bugfix: + To save costs, Nanotrasen has removed the emergency battery ejection systems + in modular computers. We realized saving the batteries isn't really important. ShizCalev: - - bugfix: Suit storage units can no longer have their maintenance panel opened while - running a decontamination sequence, causing the machine to enter a broken state. + - bugfix: + Suit storage units can no longer have their maintenance panel opened while + running a decontamination sequence, causing the machine to enter a broken state. Skoglol: - - bugfix: Viruses will now properly set inorganic and undead biotypes all the time. - - rscdel: Removed the overthrow gamemode. + - bugfix: Viruses will now properly set inorganic and undead biotypes all the time. + - rscdel: Removed the overthrow gamemode. Swagile: - - tweak: Cargo key in mining conscript kit is now a mining key. + - tweak: Cargo key in mining conscript kit is now a mining key. TheChosenEvilOne: - - bugfix: Fixed PDA messaging on box and donut. + - bugfix: Fixed PDA messaging on box and donut. Time-Green: - - rscadd: 'The station comes one step closer to plumbing with the introduction of - the chemical synthesizer. sprite: sprites for the synthesizer, input and output - commissioned by @Meyhazah' + - rscadd: + "The station comes one step closer to plumbing with the introduction of + the chemical synthesizer. sprite: sprites for the synthesizer, input and output + commissioned by @Meyhazah" bandit: - - rscdel: Cosmetic mutations have been observed in vitiligo-related viral strains. + - rscdel: Cosmetic mutations have been observed in vitiligo-related viral strains. bigfatbananacyclops: - - rscadd: Adds 4 new pill types, 4 new pill bottle types, a rhigoxane spray type, - three medipen types & four syringe types - - tweak: Changed burn, brute, oxy & toxin kit contents, + - rscadd: + Adds 4 new pill types, 4 new pill bottle types, a rhigoxane spray type, + three medipen types & four syringe types + - tweak: Changed burn, brute, oxy & toxin kit contents, nemvar: - - rscadd: You can now unfasten the loom. - - code_imp: Various changes to the loom and its products. - - bugfix: You can no longer get more cloth from the loom than you should be able - to. - - bugfix: Devils dying due to liver failure has been fixed. - - tweak: Dwarfs are now more robust. - - imageadd: The detective baton sprites no longer clips through your hands/body - when on your belt slot. - - bugfix: Fixed various inconsistencies and other oddness on Pubbystation. - - bugfix: Liquid dark matter no longer pulls ghosts. - - bugfix: Hyposprays can be refilled once more. - - bugfix: Aheals now remove addictions and restore your mood to default. - - bugfix: Swarmers can no longer attempt to deconstruct open turfs, like space or - chasms. - - bugfix: Ethereals now deal burn damage in fistfights, instead of receiving it. - - bugfix: The bloodchiller and the ling tentacle no longer get stuck in your belt - slot. - - imageadd: Slightly tweaked the directional sprites of the bloodchiller. - - tweak: Only humans get shock damage increased by teslium. - - bugfix: Ethereals get charge from shocks once again! - - bugfix: Ethereals now get their shock damage reduced properly! - - bugfix: Nanites now get removed by shocks properly! - - code_imp: Code for electrocute act has been cleaned up. - - tweak: Plastic golems no longer look like titanium golems, they are now slightly - transparent. + - rscadd: You can now unfasten the loom. + - code_imp: Various changes to the loom and its products. + - bugfix: + You can no longer get more cloth from the loom than you should be able + to. + - bugfix: Devils dying due to liver failure has been fixed. + - tweak: Dwarfs are now more robust. + - imageadd: + The detective baton sprites no longer clips through your hands/body + when on your belt slot. + - bugfix: Fixed various inconsistencies and other oddness on Pubbystation. + - bugfix: Liquid dark matter no longer pulls ghosts. + - bugfix: Hyposprays can be refilled once more. + - bugfix: Aheals now remove addictions and restore your mood to default. + - bugfix: + Swarmers can no longer attempt to deconstruct open turfs, like space or + chasms. + - bugfix: Ethereals now deal burn damage in fistfights, instead of receiving it. + - bugfix: + The bloodchiller and the ling tentacle no longer get stuck in your belt + slot. + - imageadd: Slightly tweaked the directional sprites of the bloodchiller. + - tweak: Only humans get shock damage increased by teslium. + - bugfix: Ethereals get charge from shocks once again! + - bugfix: Ethereals now get their shock damage reduced properly! + - bugfix: Nanites now get removed by shocks properly! + - code_imp: Code for electrocute act has been cleaned up. + - tweak: + Plastic golems no longer look like titanium golems, they are now slightly + transparent. nicbn: - - imageadd: New sink sprites. + - imageadd: New sink sprites. traelezab with Dunham and Fikou for sprites, thanks fellas: - - rscadd: There is a new fugitive hunter, the bounty hunters! They're barely better - than space pirates! - - rscadd: The russian shuttle has undergone some changes, namely the removal of - the ripley, and the addition of space suits. - - rscdel: The cultists have lost their god, RIP yalp elor. - - tweak: Other various improvements like different huds for the hunters and fugitives, - a less threatening announcement message, and more. + - rscadd: + There is a new fugitive hunter, the bounty hunters! They're barely better + than space pirates! + - rscadd: + The russian shuttle has undergone some changes, namely the removal of + the ripley, and the addition of space suits. + - rscdel: The cultists have lost their god, RIP yalp elor. + - tweak: + Other various improvements like different huds for the hunters and fugitives, + a less threatening announcement message, and more. wesoda25: - - bugfix: Artificers can now only heal constructs that are the same type as them! - This means holy artificers can no longer heal cult/wizard constructs, and vice - versa. - - tweak: Constructs can now damage constructs. Be careful not to friendly fire! + - bugfix: + Artificers can now only heal constructs that are the same type as them! + This means holy artificers can no longer heal cult/wizard constructs, and vice + versa. + - tweak: Constructs can now damage constructs. Be careful not to friendly fire! 2019-07-24: Arkatos: - - bugfix: You can no longer use twisted construction cult spell while already channeling - it on another object. - - bugfix: Twisted construction cult spell now properly deletes empty AI cyborg shell - when it is transformed into construct shell. - - bugfix: Objects that are destroyed while being transformed by twisted construction - cult spell will no longer progress the spell further and waste a spell charge. - - bugfix: Refunding Bottle of Tickles back into the spellbook will now correctly - increase buy limit of the Bottle of Tickles instead of increasing Bottle of - Blood buy limit. - - bugfix: Bottle of Blood now correctly refunds 2 spell points instead of 1. - - bugfix: Apprentice contract now correctly refunds 2 spell points instead of 1. + - bugfix: + You can no longer use twisted construction cult spell while already channeling + it on another object. + - bugfix: + Twisted construction cult spell now properly deletes empty AI cyborg shell + when it is transformed into construct shell. + - bugfix: + Objects that are destroyed while being transformed by twisted construction + cult spell will no longer progress the spell further and waste a spell charge. + - bugfix: + Refunding Bottle of Tickles back into the spellbook will now correctly + increase buy limit of the Bottle of Tickles instead of increasing Bottle of + Blood buy limit. + - bugfix: Bottle of Blood now correctly refunds 2 spell points instead of 1. + - bugfix: Apprentice contract now correctly refunds 2 spell points instead of 1. Floyd / Qustinnus, Arathian: - - rscadd: The robotocist now has robe to show his love for toasters + - rscadd: The robotocist now has robe to show his love for toasters Floyd, 4Dplanner, Willox, ninjanomnom, mrdoombringer: - - rscadd: You can now make toolboxes out of almost any solid material in an autolathe + - rscadd: You can now make toolboxes out of almost any solid material in an autolathe Hits: - - rscdel: Removes trekchems entirely, save omnizine. That comes in a later PR. - - bugfix: Medibots will now more accurately assess burn damage when using custom - chems in beakers. - - tweak: A special medibot and regen jelly recipie use omnizine instead of tricord. - - rscadd: 3 new catagory 2 chems, injectables. Sanguiose, Frogenite, and Ferveatium. - - tweak: Sleepers, Medibots, and Mediborgs now come equipped with the new injectables. + - rscdel: Removes trekchems entirely, save omnizine. That comes in a later PR. + - bugfix: + Medibots will now more accurately assess burn damage when using custom + chems in beakers. + - tweak: A special medibot and regen jelly recipie use omnizine instead of tricord. + - rscadd: 3 new catagory 2 chems, injectables. Sanguiose, Frogenite, and Ferveatium. + - tweak: Sleepers, Medibots, and Mediborgs now come equipped with the new injectables. actioninja: - - bugfix: Cable nodes now visually update after grilles are built and destroyed - - imageadd: smart cables icon tweaks - - bugfix: Singularities now properly pull in cables - - bugfix: Cables repropagate correctly after cuts + - bugfix: Cable nodes now visually update after grilles are built and destroyed + - imageadd: smart cables icon tweaks + - bugfix: Singularities now properly pull in cables + - bugfix: Cables repropagate correctly after cuts nemvar: - - code_imp: Changed how sillycones get their cells and radios. - - bugfix: A freshly spawned in prebuilt robot suit now has the correct icon. - - balance: Syndicake buff + - code_imp: Changed how sillycones get their cells and radios. + - bugfix: A freshly spawned in prebuilt robot suit now has the correct icon. + - balance: Syndicake buff 2019-07-25: 81Denton: - - tweak: Replaced the snow in away mission's gas miners with gas turfs. + - tweak: Replaced the snow in away mission's gas miners with gas turfs. Arkatos: - - rscadd: Blackout, Machine Overload, Machine Override and Reactivate Camera Network - abilities now dynamically show their remaining uses on the mouse hover over - their respective action buttons. - - bugfix: Arcane barrage-like spells no longer have a trigger guard restrictions. - Beware cultist ashwalkers chasing you with a blood bolt barrage! + - rscadd: + Blackout, Machine Overload, Machine Override and Reactivate Camera Network + abilities now dynamically show their remaining uses on the mouse hover over + their respective action buttons. + - bugfix: + Arcane barrage-like spells no longer have a trigger guard restrictions. + Beware cultist ashwalkers chasing you with a blood bolt barrage! Floyd: - - rscadd: New screaming sound for males + - rscadd: New screaming sound for males Floyd / Qustinnus: - - tweak: Crab 17 now goes away after a while, but is more fortified. + - tweak: Crab 17 now goes away after a while, but is more fortified. RandolfTheMeh: - - bugfix: Ticket Machine tickets now properly burn to ash - - bugfix: PDA-painter now doesn't work while broken + - bugfix: Ticket Machine tickets now properly burn to ash + - bugfix: PDA-painter now doesn't work while broken SpacePrius: - - tweak: Bartender now has Theatre access + - tweak: Bartender now has Theatre access Twaticus: - - imageadd: inhand department banner sprites - - bugfix: banners use the correct inhand sprites + - imageadd: inhand department banner sprites + - bugfix: banners use the correct inhand sprites carlarctg: - - rscdel: Removed duplicate science airlock from RCD. + - rscdel: Removed duplicate science airlock from RCD. floyd: - - bugfix: Tendrils properly drop loot when hit by extreme explosions. + - bugfix: Tendrils properly drop loot when hit by extreme explosions. nemvar: - - bugfix: You can no longer activate the stealth implant while inside of other objects. - - balance: Leaving the stealth box always alerts nearby players. + - bugfix: You can no longer activate the stealth implant while inside of other objects. + - balance: Leaving the stealth box always alerts nearby players. nicbn: - - tweak: BoH bombing changed again. Now it's more violent. + - tweak: BoH bombing changed again. Now it's more violent. 2019-07-27: AarontheIdiot: - - rscdel: Plasma enviro helmets no longer have flash and welding protection. + - rscdel: Plasma enviro helmets no longer have flash and welding protection. Arkatos: - - imageadd: Added unique action button icons for Charge, Thrown Lightning, Spell - Cards, Spacetime Distortion and Teleport spells. - - bugfix: Minor icon fixes to a few Wizard spells, centering them in the middle - and removing rogue pixels. - - bugfix: Lightning Bolt spell now properly loads its icon upon spell accquire. + - imageadd: + Added unique action button icons for Charge, Thrown Lightning, Spell + Cards, Spacetime Distortion and Teleport spells. + - bugfix: + Minor icon fixes to a few Wizard spells, centering them in the middle + and removing rogue pixels. + - bugfix: Lightning Bolt spell now properly loads its icon upon spell accquire. Cephur sprites, Tralezab code: - - rscadd: Added a new hat to the costume vendor + - rscadd: Added a new hat to the costume vendor Dennok: - - rscadd: Tabbles and racks can be disassembled only on non help. - - rscadd: Simple circuits RCD upgrade. - - bugfix: Mob no more falling in zero gravity - - bugfix: Now you can exit from mecha drifting in zero gravity. + - rscadd: Tabbles and racks can be disassembled only on non help. + - rscadd: Simple circuits RCD upgrade. + - bugfix: Mob no more falling in zero gravity + - bugfix: Now you can exit from mecha drifting in zero gravity. Fikou: - - rscadd: saboteur b*rgs get zipties + - rscadd: saboteur b*rgs get zipties MMMiracles: - - rscadd: Aiming at the head while throwing hats will cause them to land on people's - heads. - - rscadd: If a hat is already on someone's head and it makes sense, the thrown hat - will knock it off to replace it. - - rscadd: You can also throw hats onto borgs. + - rscadd: + Aiming at the head while throwing hats will cause them to land on people's + heads. + - rscadd: + If a hat is already on someone's head and it makes sense, the thrown hat + will knock it off to replace it. + - rscadd: You can also throw hats onto borgs. Returning Moonman: - - balance: The recipie for aesthetic basalt tiles now relies upon sand (any type, - beach sand or basalt) and costs 2 sand for 1 tile. - - bugfix: You can no longer procure more sand from digging fake lavaland basalt - tiles than you put in. + - balance: + The recipie for aesthetic basalt tiles now relies upon sand (any type, + beach sand or basalt) and costs 2 sand for 1 tile. + - bugfix: + You can no longer procure more sand from digging fake lavaland basalt + tiles than you put in. Skoglol: - - rscdel: Removed Assimilation/Hivemind gamemode. + - rscdel: Removed Assimilation/Hivemind gamemode. SpacePrius: - - bugfix: The ticket counter button on DeltaStation is now on the right side of - the wall. - - bugfix: Engineering console now draws power from the SMES grid on metastation. + - bugfix: + The ticket counter button on DeltaStation is now on the right side of + the wall. + - bugfix: Engineering console now draws power from the SMES grid on metastation. SuicidalPickles: - - tweak: Changed the revolutionary deconversion message to purple font, to keep - it from blending with attack logs. + - tweak: + Changed the revolutionary deconversion message to purple font, to keep + it from blending with attack logs. TheChosenEvilOne: - - bugfix: Fixed hardsuit helmets not protecting against space. + - bugfix: Fixed hardsuit helmets not protecting against space. Time-Green: - - rscadd: 'Added chemical acclimators to the plumbing arsenal. Not available without - admin interference yet. sprite: Spritework commissioned by @Mey-Ha-Zah' + - rscadd: + "Added chemical acclimators to the plumbing arsenal. Not available without + admin interference yet. sprite: Spritework commissioned by @Mey-Ha-Zah" Tlaltecuhtli: - - rscadd: you can press the conveyor switch in hand to link any not deployed belts - to it + - rscadd: + you can press the conveyor switch in hand to link any not deployed belts + to it XDTM: - - bugfix: Fixed a bug where Aggressive Replication and Mitosis wouldn't actually - generate more nanites. + - bugfix: + Fixed a bug where Aggressive Replication and Mitosis wouldn't actually + generate more nanites. Zxaber: - - balance: Re-worked the Durand's defense ability into a directional shield that - blocks all attacks except explosive and EMP-based. Does not inhibit movement - or weapon use, but has a very high power cost. + - balance: + Re-worked the Durand's defense ability into a directional shield that + blocks all attacks except explosive and EMP-based. Does not inhibit movement + or weapon use, but has a very high power cost. actioninja: - - bugfix: I'm gonna make an announcement, tralezab is a bitch ass motherfucker, - he pissed on my fucking ignore. He said his fake names were "this big" and I - was like that's disgusting, so I'm making a callout post on my twitter.com, - tralezab you have a small fake name, it's the size of this null check, except - way smaller (ignore is functional again) + - bugfix: + I'm gonna make an announcement, tralezab is a bitch ass motherfucker, + he pissed on my fucking ignore. He said his fake names were "this big" and I + was like that's disgusting, so I'm making a callout post on my twitter.com, + tralezab you have a small fake name, it's the size of this null check, except + way smaller (ignore is functional again) imsxz: - - balance: autolathe no longer prints .357 speedloaders, but instead prints individual - .357 bullets. + - balance: + autolathe no longer prints .357 speedloaders, but instead prints individual + .357 bullets. nemvar: - - rscadd: The legion megafauna has been reworked. The fight should now be both slightly - harder and faster. - - code_imp: Added signals for all basic tool acts. - - balance: Sanity is no longer uncapped. It's now capped at 150, whatever that means. - - bugfix: Fixes some issues with electric shocks. - - refactor: Butchering component refactored - - balance: Edaggers are now sharp if they get turned on. - - tweak: Smoke grenades are now double dank. - - imageadd: Inhands for smokebombs. + - rscadd: + The legion megafauna has been reworked. The fight should now be both slightly + harder and faster. + - code_imp: Added signals for all basic tool acts. + - balance: Sanity is no longer uncapped. It's now capped at 150, whatever that means. + - bugfix: Fixes some issues with electric shocks. + - refactor: Butchering component refactored + - balance: Edaggers are now sharp if they get turned on. + - tweak: Smoke grenades are now double dank. + - imageadd: Inhands for smokebombs. soapstain22: - - tweak: makes the Mohawk, reverse Mohawk, commando, and hitop look like their real - world counterparts - - bugfix: fixed bald hair not reaching around the back, making it look like sideburns + - tweak: + makes the Mohawk, reverse Mohawk, commando, and hitop look like their real + world counterparts + - bugfix: fixed bald hair not reaching around the back, making it look like sideburns tralezab: - - rscadd: Ian's birthday is now a holiday! Make sure to visit the head of personnel - to wish his dog a happy birthday! + - rscadd: + Ian's birthday is now a holiday! Make sure to visit the head of personnel + to wish his dog a happy birthday! zeroisthebiggay: - - tweak: Nanotrasen is finally giving Box Station some love in the form of some - minor tweaks to hopefully make a few aspects of the station more convenient - after comparing it to some of the other models. - - rscadd: (BOX) Gave the Cargo Lobby, Vacant Commissary, and Cloning Lab a slight - makeover to make them slightly nicer. - - tweak: (BOX) Moved and added some fire lockers, moved some other things around - a tad, put some disposal bins in the central ring, and finally anchored that - ONE oxygen locker in the AI sat. You know the one I am talking about. - - tweak: (BOX) A couple of other unnoteworthy quality of life changes. - - rscdel: (BOX) A singular metal chair in front of Cargo. + - tweak: + Nanotrasen is finally giving Box Station some love in the form of some + minor tweaks to hopefully make a few aspects of the station more convenient + after comparing it to some of the other models. + - rscadd: + (BOX) Gave the Cargo Lobby, Vacant Commissary, and Cloning Lab a slight + makeover to make them slightly nicer. + - tweak: + (BOX) Moved and added some fire lockers, moved some other things around + a tad, put some disposal bins in the central ring, and finally anchored that + ONE oxygen locker in the AI sat. You know the one I am talking about. + - tweak: (BOX) A couple of other unnoteworthy quality of life changes. + - rscdel: (BOX) A singular metal chair in front of Cargo. 2019-07-28: AarontheIdiot: - - rscadd: Welding goggles can be made at Autolathes now. + - rscadd: Welding goggles can be made at Autolathes now. Dennok: - - rscadd: connect_to_shuttle add shuttle id to connected machine id. + - rscadd: connect_to_shuttle add shuttle id to connected machine id. Garen: - - tweak: Cult robe hoods can be toggled like the winter coat hoods - - bugfix: Fixes long hair going through hoods + - tweak: Cult robe hoods can be toggled like the winter coat hoods + - bugfix: Fixes long hair going through hoods Naloac: - - rscadd: Two buttons to control the vents on the syndicate lava land base. - - rscadd: It seems the syndicate has finally figured out how fusion works, now if - only they could fix the gas miners + - rscadd: Two buttons to control the vents on the syndicate lava land base. + - rscadd: + It seems the syndicate has finally figured out how fusion works, now if + only they could fix the gas miners Tlaltecuhtli: - - balance: fireball starts at 8 tile range, increases 2 for every level + - balance: fireball starts at 8 tile range, increases 2 for every level Trilbyspaceclone: - - rscadd: new thematic name to clowns, joy for all! - - spellcheck: Clearly im a good cat for correcting this missing name from Clown - Homeworlds! + - rscadd: new thematic name to clowns, joy for all! + - spellcheck: + Clearly im a good cat for correcting this missing name from Clown + Homeworlds! loserXD: - - rscadd: AutoDrobes now have a premium psychedelic jumpsuit + - rscadd: AutoDrobes now have a premium psychedelic jumpsuit nemvar: - - code_imp: Switched some ethereal unique species hooks with signals. + - code_imp: Switched some ethereal unique species hooks with signals. 2019-07-29: Dennok: - - rscadd: Spending of tank don't change distribute_pressure. + - rscadd: Spending of tank don't change distribute_pressure. Garen: - - bugfix: Fixes infinite loop when you catch a cult bola; you can no longer block - them by trying to catch them + - bugfix: + Fixes infinite loop when you catch a cult bola; you can no longer block + them by trying to catch them MrStonedOne: - - bugfix: Fixed exploit allowing somebody to crash the server + - bugfix: Fixed exploit allowing somebody to crash the server RandolfTheMeh: - - rscadd: Organ Smartfridges! Store your organs safely. Upgrading the matter bin - will give it the ability to heal organs held within- though this does not repair - organs that are currently failing, however. - - rscadd: Lobectomy! Not lobotomy, but cuts out a damaged lung lobe to make its - performance passable. Restores a lung to working order if it was too damaged - to work before, but can only be done once. The lobectomy step has a 95% chance - of success, so use some form of sterilizer to ensure you don't accidentally - get blood inside your patient's lungs! - - rscadd: Coronary Bypass! Restores a heart to working order if it was too damaged - to work before, but can only be done once. Both incising the heart and grafting - the bypass have a 90% chance to succeed, and failing them will cause heart damage - and massive amounts of bleeding- so be sure to work with ideal conditions, proper - tools, and sterilizer! - - rscadd: Organs now decay when not in a living host - - rscadd: Severe heart damage increases breathing rate, and causes a heart attack - on failure - - rscadd: Severe lung damage increases breathing rate, and causes suffocation on - failure - - rscadd: Stomach damage will likely cause the owner to vomit depending on how injured - the stomach is, and how much they've eaten - - tweak: Brain damage effects now works similarly to the rest of the organ damage - - tweak: Appendicitis will do appendix damage when in stages 3 and 4, which can - cause it to burst if left untreated - - tweak: Organs heal faster the healthier the host is - - balance: Defib timer has been extended to 15 minutes + - rscadd: + Organ Smartfridges! Store your organs safely. Upgrading the matter bin + will give it the ability to heal organs held within- though this does not repair + organs that are currently failing, however. + - rscadd: + Lobectomy! Not lobotomy, but cuts out a damaged lung lobe to make its + performance passable. Restores a lung to working order if it was too damaged + to work before, but can only be done once. The lobectomy step has a 95% chance + of success, so use some form of sterilizer to ensure you don't accidentally + get blood inside your patient's lungs! + - rscadd: + Coronary Bypass! Restores a heart to working order if it was too damaged + to work before, but can only be done once. Both incising the heart and grafting + the bypass have a 90% chance to succeed, and failing them will cause heart damage + and massive amounts of bleeding- so be sure to work with ideal conditions, proper + tools, and sterilizer! + - rscadd: Organs now decay when not in a living host + - rscadd: + Severe heart damage increases breathing rate, and causes a heart attack + on failure + - rscadd: + Severe lung damage increases breathing rate, and causes suffocation on + failure + - rscadd: + Stomach damage will likely cause the owner to vomit depending on how injured + the stomach is, and how much they've eaten + - tweak: Brain damage effects now works similarly to the rest of the organ damage + - tweak: + Appendicitis will do appendix damage when in stages 3 and 4, which can + cause it to burst if left untreated + - tweak: Organs heal faster the healthier the host is + - balance: Defib timer has been extended to 15 minutes SpacePrius: - - bugfix: Lollipop stick mask sprite is now fixed. + - bugfix: Lollipop stick mask sprite is now fixed. SynnGraffkin: - - tweak: Further research into Matter Bins has increased their efficiency in solving - missing genomes within DNA Scanning machines, revealing elusive "Joker" genes - more often. - - code_imp: Fixed a comment about the precision_coeff referring to the wrong part - it is associated to. + - tweak: + Further research into Matter Bins has increased their efficiency in solving + missing genomes within DNA Scanning machines, revealing elusive "Joker" genes + more often. + - code_imp: + Fixed a comment about the precision_coeff referring to the wrong part + it is associated to. Tlaltecuhtli: - - bugfix: trying to ride a vehicle without key no longer spams you with messages + - bugfix: trying to ride a vehicle without key no longer spams you with messages bandit: - - bugfix: Disguised syndicate saboteur cyborgs now use the regular cyborg speech - icon. + - bugfix: + Disguised syndicate saboteur cyborgs now use the regular cyborg speech + icon. kingofkosmos: - - rscadd: alt-clicking on the identification console ejects only one id at a time. - - rscadd: alt-clicking to eject the id from console now works also on the medical - and security records consoles. + - rscadd: alt-clicking on the identification console ejects only one id at a time. + - rscadd: + alt-clicking to eject the id from console now works also on the medical + and security records consoles. nemvar: - - bugfix: ORM can be connected to the ore silo once again. - - tweak: You can now rotate the ORM by altclicking it while the panel is open. This - action used to be done with a multitool. - - bugfix: The crab 17 protocol now gets destroyed properly + - bugfix: ORM can be connected to the ore silo once again. + - tweak: + You can now rotate the ORM by altclicking it while the panel is open. This + action used to be done with a multitool. + - bugfix: The crab 17 protocol now gets destroyed properly xmikey555: - - bugfix: You can now print .357 bullets again at the autolathe. + - bugfix: You can now print .357 bullets again at the autolathe. 2019-07-30: Cobby: - - balance: Tend Wounds is -2 Steps (Scalpel > Healing w Hemo > Cautery) - - bugfix: Borgs can now perform Tend Wounds - - rscadd: Anti-spam on Tend Wounds (Starting Message only, Result Message untouched) - - admin: The incise step for Tend Wounds does not cause damage, making it borg friendly. + - balance: Tend Wounds is -2 Steps (Scalpel > Healing w Hemo > Cautery) + - bugfix: Borgs can now perform Tend Wounds + - rscadd: Anti-spam on Tend Wounds (Starting Message only, Result Message untouched) + - admin: The incise step for Tend Wounds does not cause damage, making it borg friendly. actioninja: - - soundadd: ship ambience is no longer an outrageously loud bass rumble - - refactor: repathed all under clothing, keep an eye out for errors + - soundadd: ship ambience is no longer an outrageously loud bass rumble + - refactor: repathed all under clothing, keep an eye out for errors bandit: - - tweak: Clicking the cloning pod examines it. + - tweak: Clicking the cloning pod examines it. blessedmulligan: - - tweak: using a welder won't blind you if you're somehow far away from the welder - when you use it + - tweak: + using a welder won't blind you if you're somehow far away from the welder + when you use it nemvar: - - balance: Various mood and sanity changes. - - bugfix: You can actually print welding goggles now. - - spellcheck: Recyclers now display the correct message. + - balance: Various mood and sanity changes. + - bugfix: You can actually print welding goggles now. + - spellcheck: Recyclers now display the correct message. zeroisthebiggay: - - bugfix: (BOX) Replaced the broken shutter in the engine room. - - bugfix: (BOX) Replaced the missing lattices in the mix to turbine pipe loop. - - bugfix: (BOX) Moved the position of a singular wire to be on top of a pipe just - like all the wires before and after it. - - bugfix: (BOX) Made the signs at arrivals not floating. - - bugfix: (BOX) Made one of the shutters at the vacant commissary actually zoned. + - bugfix: (BOX) Replaced the broken shutter in the engine room. + - bugfix: (BOX) Replaced the missing lattices in the mix to turbine pipe loop. + - bugfix: + (BOX) Moved the position of a singular wire to be on top of a pipe just + like all the wires before and after it. + - bugfix: (BOX) Made the signs at arrivals not floating. + - bugfix: (BOX) Made one of the shutters at the vacant commissary actually zoned. 2019-08-01: 81Denton: - - balance: Moved welding goggles from the autolathe to Engineering and R&D protolathes. - The prerequisite techweb node is Industrial Engineering. + - balance: + Moved welding goggles from the autolathe to Engineering and R&D protolathes. + The prerequisite techweb node is Industrial Engineering. CameronWoof: - - bugfix: Medical Doctors and Quartermasters now spawn with the correct uniforms + - bugfix: Medical Doctors and Quartermasters now spawn with the correct uniforms RandolfTheMeh: - - bugfix: The CE's blueprints can no longer be used if not in-hand, and its scanning - function has been fixed. + - bugfix: + The CE's blueprints can no longer be used if not in-hand, and its scanning + function has been fixed. Twaticus: - - imageadd: inhand bedsheet sprites + - imageadd: inhand bedsheet sprites kingofkosmos: - - bugfix: inserting/ejecting consoles with id's fixed. + - bugfix: inserting/ejecting consoles with id's fixed. wesoda25: - - balance: frogenite and ferveatium have much tamer ODs now, dealing fifth of the - former damage, with lesser metab rates + - balance: + frogenite and ferveatium have much tamer ODs now, dealing fifth of the + former damage, with lesser metab rates 2019-08-02: Akrilla: - - rscadd: Adds a shower area to the top of Metastation stasis bed room, and adds - a shower inside chemistry. - - rscdel: Removes the lobby, and outside chemistry shower. + - rscadd: + Adds a shower area to the top of Metastation stasis bed room, and adds + a shower inside chemistry. + - rscdel: Removes the lobby, and outside chemistry shower. CRITAWAKETS: - - spellcheck: Wizards now properly reference DIO when stopping time. + - spellcheck: Wizards now properly reference DIO when stopping time. Dennok: - - rscadd: Make basic id cards constructable in service fab after some researtch. + - rscadd: Make basic id cards constructable in service fab after some researtch. Garen: - - bugfix: The monk frock sprite no longer bugs out when you toggle the hood + - bugfix: The monk frock sprite no longer bugs out when you toggle the hood PKPenguin321: - - rscadd: A new Fake Virus event that makes you think you have a virus when you - don't + - rscadd: + A new Fake Virus event that makes you think you have a virus when you + don't Shaps/Ryll: - - rscadd: Securitrons and ED-209's have gained the ability to rough up suspects - in AnCap mode + - rscadd: + Securitrons and ED-209's have gained the ability to rough up suspects + in AnCap mode SpacePrius: - - bugfix: Bartender now actually has theater access even on full crews. + - bugfix: Bartender now actually has theater access even on full crews. Twaticus: - - imageadd: inhand floor tile sprites + - imageadd: inhand floor tile sprites actioninja: - - soundadd: New supermatter sound system - - imageadd: New shotgun inhands + - soundadd: New supermatter sound system + - imageadd: New shotgun inhands nemvar: - - code_imp: Snailcrawl element has been added. + - code_imp: Snailcrawl element has been added. soapstain22: - - bugfix: The new mohawks and some other hairs now properly work in all directions + - bugfix: The new mohawks and some other hairs now properly work in all directions 2019-08-03: Anonmare: - - bugfix: AIs can click to examine clone pods for clone progress once again + - bugfix: AIs can click to examine clone pods for clone progress once again Dennok: - - bugfix: Shuttles no more ruin areas on fly off from moved custom dock. + - bugfix: Shuttles no more ruin areas on fly off from moved custom dock. Fikou: - - balance: combat gloves plus are no longer invisible + - balance: combat gloves plus are no longer invisible JJRcop: - - rscdel: Removed text macros from the chem dispenser. - - rscadd: Replaced with dispenser input recording macros. + - rscdel: Removed text macros from the chem dispenser. + - rscadd: Replaced with dispenser input recording macros. SpacePrius: - - bugfix: The sec vendor in the gulag now actually has ID and cost requirements. + - bugfix: The sec vendor in the gulag now actually has ID and cost requirements. actioninja: - - tweak: A more up-to-date version of the supermatter unit has been deployed to - pubbystation + - tweak: + A more up-to-date version of the supermatter unit has been deployed to + pubbystation kevinz000: - - rscadd: Oh yeah also added a "return value of proccall" option for VV var editing. - - refactor: View Variables has been refactored. It should now be easier to make - VV dropdown options. + - rscadd: Oh yeah also added a "return value of proccall" option for VV var editing. + - refactor: + View Variables has been refactored. It should now be easier to make + VV dropdown options. nemvar: - - balance: You now require medical access to change the medical records with a medHUD. - - code_imp: Gloves of the North Star functionality is now handled by a component. + - balance: You now require medical access to change the medical records with a medHUD. + - code_imp: Gloves of the North Star functionality is now handled by a component. tmtmtl30: - - rscadd: Added Mothperson markings. + - rscadd: Added Mothperson markings. 2019-08-04: 81Denton: - - admin: Added logging for door/shutter crushing and for bot hacking (when silicons - disable their safeties). - - admin: APC breaker toggling is no longer logged in the combat log, but the game - log. + - admin: + Added logging for door/shutter crushing and for bot hacking (when silicons + disable their safeties). + - admin: + APC breaker toggling is no longer logged in the combat log, but the game + log. Dawson1917: - - balance: Riot suits no longer have slowdown + - balance: Riot suits no longer have slowdown Dennok: - - bugfix: Fix CHANGETURF_INHERIT_AIR flag. Now this flag dont keep air type, only - gases. + - bugfix: + Fix CHANGETURF_INHERIT_AIR flag. Now this flag dont keep air type, only + gases. Farquaar: - - tweak: Crewmembers can now obtain monk's frocks and eastern monk's robes from - the vendordrobe. + - tweak: + Crewmembers can now obtain monk's frocks and eastern monk's robes from + the vendordrobe. SpacePrius: - - tweak: Sanguiose now has a 2% chance per tick of making the patient deaf, and - no longer deals blood loss. - - tweak: Frogenite now has a 2% chance per tick of making the patient blind, and - no longer deals oxy damage. - - tweak: Ferveatium now has a 2% chance per tick of making the patient feel fat, - and no longer deals burn damage. + - tweak: + Sanguiose now has a 2% chance per tick of making the patient deaf, and + no longer deals blood loss. + - tweak: + Frogenite now has a 2% chance per tick of making the patient blind, and + no longer deals oxy damage. + - tweak: + Ferveatium now has a 2% chance per tick of making the patient feel fat, + and no longer deals burn damage. actioninja: - - bugfix: right hand double barrel inhand is now the correct sprite - - tweak: Medical and Security consoles now check access on worn or inhand ID instead - of requiring an inserted ID - - tweak: mining vendor now reads from ID in hand or on person instead of requiring - an inserted ID - - bugfix: ORM is functional again (for real this time) - - tweak: ORM claim points button transfers points to worn/inhand ID instead of to - an inserted ID, no longer accepts insertions - - tweak: Same for gulag consoles + - bugfix: right hand double barrel inhand is now the correct sprite + - tweak: + Medical and Security consoles now check access on worn or inhand ID instead + of requiring an inserted ID + - tweak: + mining vendor now reads from ID in hand or on person instead of requiring + an inserted ID + - bugfix: ORM is functional again (for real this time) + - tweak: + ORM claim points button transfers points to worn/inhand ID instead of to + an inserted ID, no longer accepts insertions + - tweak: Same for gulag consoles nemvar: - - rscadd: Emagged clown cars are more scary now. + - rscadd: Emagged clown cars are more scary now. 2019-08-05: CameronWoof: - - bugfix: Attaching a beaker with water in it to an IV drip no longer creates a - fulltile overlay + - bugfix: + Attaching a beaker with water in it to an IV drip no longer creates a + fulltile overlay Central Command ft. bald people: - - rscadd: We recently lost contact with a snow resort cabin that has a gateway. - Due to the gateway and lack of communication, we have allowed you to come to - this location for us. Yes, this is a different snow resort cabin. - - rscdel: We also declared that the old cabin away mission site is no longer necessary - for you guys to explore. We already know everything there is to know about it. - Good job! + - rscadd: + We recently lost contact with a snow resort cabin that has a gateway. + Due to the gateway and lack of communication, we have allowed you to come to + this location for us. Yes, this is a different snow resort cabin. + - rscdel: + We also declared that the old cabin away mission site is no longer necessary + for you guys to explore. We already know everything there is to know about it. + Good job! MMMiracles: - - rscadd: You can now draw on plasmaman helmets with a crayon to turn their frown - upside-down. - - tweak: Plasmaman visors are now transparent and given a side-mounted light. - - balance: Plasmaman helmets no longer hide your identity when worn by themselves. + - rscadd: + You can now draw on plasmaman helmets with a crayon to turn their frown + upside-down. + - tweak: Plasmaman visors are now transparent and given a side-mounted light. + - balance: Plasmaman helmets no longer hide your identity when worn by themselves. YPOQ: - - bugfix: Muscled veins surgery now functions as intended, giving the patient the - ability to live without a heart + - bugfix: + Muscled veins surgery now functions as intended, giving the patient the + ability to live without a heart 2019-08-07: 81Denton: - - bugfix: X4 now has a wire panel that lets you attach assemblies, just like C4. - You can also attach X4 to creatures now. - - tweak: C4 and X4 wires no longer need a screwdriver to access. - - rscadd: 'Added a few extra C4/X4 suicide lines for different antagonists. remove: - Removed generic plastic explosives, as they''re not used anywhere ingame and - overlap with chemical grenades.' + - bugfix: + X4 now has a wire panel that lets you attach assemblies, just like C4. + You can also attach X4 to creatures now. + - tweak: C4 and X4 wires no longer need a screwdriver to access. + - rscadd: + "Added a few extra C4/X4 suicide lines for different antagonists. remove: + Removed generic plastic explosives, as they're not used anywhere ingame and + overlap with chemical grenades." ATHATH: - - tweak: The itching symptom's stage speed 7 threshold effect's damage is now no - longer blocked by clothing. + - tweak: + The itching symptom's stage speed 7 threshold effect's damage is now no + longer blocked by clothing. Arkatos: - - bugfix: Lemonade reagent now has proper color instead of being pitch black. + - bugfix: Lemonade reagent now has proper color instead of being pitch black. Dennok: - - rscadd: Toxin lovers don't throw up. + - rscadd: Toxin lovers don't throw up. JDawg1290: - - rscadd: Added call to log_grenade for remotely signaled grenades + - rscadd: Added call to log_grenade for remotely signaled grenades Mickyy5: - - rscadd: Nanotrasen are now issuing Plasmamen with plasma in their survival boxes + - rscadd: Nanotrasen are now issuing Plasmamen with plasma in their survival boxes RandolfTheMeh: - - bugfix: Split Personality is only rolled if the brain's owner is not dead, and - Imaginary Friend is rolled only if they're both not dead and also a player. + - bugfix: + Split Personality is only rolled if the brain's owner is not dead, and + Imaginary Friend is rolled only if they're both not dead and also a player. Trilbyspaceclone: - - rscadd: snowcones - - imageadd: snowiest of snow cones + - rscadd: snowcones + - imageadd: snowiest of snow cones YPOQ: - - bugfix: General beepsky can now attack properly and ancap beepsky will properly - beat the poor. + - bugfix: + General beepsky can now attack properly and ancap beepsky will properly + beat the poor. Zxaber: - - rscadd: Replaced the beaker module with a beaker storage apparatus to mediborgs, - that can carry beakers and place them into machines. Starts with a Large Beaker - by default. + - rscadd: + Replaced the beaker module with a beaker storage apparatus to mediborgs, + that can carry beakers and place them into machines. Starts with a Large Beaker + by default. actioninja: - - balance: less free gloves for assistants on metastation + - balance: less free gloves for assistants on metastation imsxz: - - balance: stimulum now causes toxin damage + - balance: stimulum now causes toxin damage kevinz000: - - bugfix: VV name and ckey edits at top of the screen works again + - bugfix: VV name and ckey edits at top of the screen works again loserXD: - - bugfix: badass antag moodlet gets a newline + - bugfix: badass antag moodlet gets a newline nemvar: - - code_imp: Martial Art and NOGUN cleanup. - - balance: Reinforced and Nar'Sie bolas now knockdown instead of paralyzing their - target. - - balance: It now takes longer to break out of reinforced bolas. - - code_imp: GPS functionality is now a component. - - bugfix: A few halloween specific items have been fixed. - - code_imp: Living Lube now uses the snailcrawl element. - - bugfix: You can no longer pick up sofas to get regular chairs - - spellcheck: Gaseous Decomposition is now captialized - - tweak: Emags can now open closets, regardless of your intent. - - bugfix: Fixed ORM/silo link AGAIN!! Stop breaking it reee! + - code_imp: Martial Art and NOGUN cleanup. + - balance: + Reinforced and Nar'Sie bolas now knockdown instead of paralyzing their + target. + - balance: It now takes longer to break out of reinforced bolas. + - code_imp: GPS functionality is now a component. + - bugfix: A few halloween specific items have been fixed. + - code_imp: Living Lube now uses the snailcrawl element. + - bugfix: You can no longer pick up sofas to get regular chairs + - spellcheck: Gaseous Decomposition is now captialized + - tweak: Emags can now open closets, regardless of your intent. + - bugfix: Fixed ORM/silo link AGAIN!! Stop breaking it reee! willox: - - bugfix: Correct attacker is shown when being attacked by items + - bugfix: Correct attacker is shown when being attacked by items 2019-08-12: ATHATH: - - rscadd: Added two robotic voiceboxes to the contraband section of the Robotech - Deluxe. - - tweak: Changed the name of the "Disintegrate" spell (and some references to it) - to "Smite" (and slightly edits the description of the Disintegrate spell). + - rscadd: + Added two robotic voiceboxes to the contraband section of the Robotech + Deluxe. + - tweak: + Changed the name of the "Disintegrate" spell (and some references to it) + to "Smite" (and slightly edits the description of the Disintegrate spell). Akrilla: - - rscadd: Contractors can now reroll their contracts a small number of times. - - rscadd: Brand new sprites! A redesign of the specialist space suit, and the kit's - own unique tablet. Done by Mey Ha Zah. - - tweak: Displays contract target jobs under their name. - - tweak: New locations, such as maintenance, are now possible dropoff locations. - - tweak: Buffs up the Syndicate cigarettes to give about 15u of omnizine over two - minutes. - - code_imp: Allows for cigarettes to give all their chems over their lifetime with - a new var. + - rscadd: Contractors can now reroll their contracts a small number of times. + - rscadd: + Brand new sprites! A redesign of the specialist space suit, and the kit's + own unique tablet. Done by Mey Ha Zah. + - tweak: Displays contract target jobs under their name. + - tweak: New locations, such as maintenance, are now possible dropoff locations. + - tweak: + Buffs up the Syndicate cigarettes to give about 15u of omnizine over two + minutes. + - code_imp: + Allows for cigarettes to give all their chems over their lifetime with + a new var. Bucovineanu: - - rscadd: Added one line that makes 357 speedloaders unrecyclable. + - rscadd: Added one line that makes 357 speedloaders unrecyclable. Dawson1917: - - balance: Mining explorer suits have less defense against lasers and bullets. + - balance: Mining explorer suits have less defense against lasers and bullets. Denton: - - admin: Added clown car logging to the attack log. - - admin: Player deaths+suicides are now logged in the attack log and no longer in - the game log. + - admin: Added clown car logging to the attack log. + - admin: + Player deaths+suicides are now logged in the attack log and no longer in + the game log. ExcessiveUseOfCobblestone: - - rscadd: Examining a dissected body will provide insight on the highest tier performed. - - bugfix: You can do ayy dissection now if you get the tech - - bugfix: FINALLY fixed the surgery logic correctly + - rscadd: Examining a dissected body will provide insight on the highest tier performed. + - bugfix: You can do ayy dissection now if you get the tech + - bugfix: FINALLY fixed the surgery logic correctly Fikou: - - rscadd: Cargo can now buy a crate of bulletproof helmets for only 1500 spacebux! - - balance: completely changed the contents of the artistic crates (rest in peace - painting) - - spellcheck: special ops supplies crate now have a slightly different description + - rscadd: Cargo can now buy a crate of bulletproof helmets for only 1500 spacebux! + - balance: + completely changed the contents of the artistic crates (rest in peace + painting) + - spellcheck: special ops supplies crate now have a slightly different description Floyd / Qustinnus: - - tweak: Humans and ethereals are less affected by nutritional requirements. + - tweak: Humans and ethereals are less affected by nutritional requirements. MCterra10: - - spellcheck: All windows now have consistent examine messages + - spellcheck: All windows now have consistent examine messages Mickyan: - - balance: Tend wounds surgery won't fail as often while using improvised tools - - balance: The janitor's cleaner backpack has had its range increased by 2 + - balance: Tend wounds surgery won't fail as often while using improvised tools + - balance: The janitor's cleaner backpack has had its range increased by 2 Penterwast: - - admin: Added logging for CentComm nuke request messages. + - admin: Added logging for CentComm nuke request messages. Skoglol: - - tweak: Cargo console UI touched up a bit. Requests and cart moved below the cargo - packs for less button shuffling, buying privately is now a toggle, resized window - slightly. + - tweak: + Cargo console UI touched up a bit. Requests and cart moved below the cargo + packs for less button shuffling, buying privately is now a toggle, resized window + slightly. StonebayKyle: - - rscadd: There is now a randomize species button in the character settings/preview - screen. + - rscadd: + There is now a randomize species button in the character settings/preview + screen. TheChosenEvilOne: - - rscadd: Ported dynamic mode from /vg/, originally made by @DeityLink, @Kurfursten - and @ShiftyRail + - rscadd: + Ported dynamic mode from /vg/, originally made by @DeityLink, @Kurfursten + and @ShiftyRail Time-Green: - - rscadd: Adds chemical filters to plumbing + - rscadd: Adds chemical filters to plumbing Trilbyspaceclone: - - rscadd: pie and cakes + - rscadd: pie and cakes Twaticus: - - rscadd: Underwear can now have any color. (Your character will most likely be - nude now so check your prefs!!) - - rscadd: Underwear color option in dressers - - tweak: changed some underwear names - - imagedel: deleted duplicate underwear + - rscadd: + Underwear can now have any color. (Your character will most likely be + nude now so check your prefs!!) + - rscadd: Underwear color option in dressers + - tweak: changed some underwear names + - imagedel: deleted duplicate underwear YPOQ: - - bugfix: Fixed being unable to clone multiple empty clones simultaneously + - bugfix: Fixed being unable to clone multiple empty clones simultaneously actioninja: - - balance: Reinforced windows now require a melee item over 11 damage to damage, - have 150 health, and 90 melee armor. This is approximately 2 minutes of sustained - beating with a toolbox. - - balance: Plasmaglass windows now require a melee item over 21 damage to damage, - have 200 health, and 90 melee resistance. This is approximately 3 minutes of - sustained beating with a toolbox. - - bugfix: fixeds a couple issues with the SM sounds - - bugfix: interface no longer has the weird gap + - balance: + Reinforced windows now require a melee item over 11 damage to damage, + have 150 health, and 90 melee armor. This is approximately 2 minutes of sustained + beating with a toolbox. + - balance: + Plasmaglass windows now require a melee item over 21 damage to damage, + have 200 health, and 90 melee resistance. This is approximately 3 minutes of + sustained beating with a toolbox. + - bugfix: fixeds a couple issues with the SM sounds + - bugfix: interface no longer has the weird gap bgobandit: - - bugfix: Wizard rounds should properly generate messages when the wiz dies. + - bugfix: Wizard rounds should properly generate messages when the wiz dies. carlarctg: - - imageadd: added some icons and images for hyposprays and medipens so they stand - out - - tweak: tweaked a few descriptions on said hypos so they better describe the contents + - imageadd: + added some icons and images for hyposprays and medipens so they stand + out + - tweak: tweaked a few descriptions on said hypos so they better describe the contents nemvar: - - tweak: Laser eyes now generate a message when shot. - - code_imp: Cleaned up mutation code. - - balance: another sanity rebalancing. - - imageadd: Slightly altered wall sprites. - - code_imp: Gibberish code is less silly. - - bugfix: The C4 overlay now displays properly on mobs. - - spellcheck: Tend wounds only generates one failure message now. - - bugfix: Various defib fixes. - - bugfix: The inhands of the bulldog shotgun are no longer invisible. + - tweak: Laser eyes now generate a message when shot. + - code_imp: Cleaned up mutation code. + - balance: another sanity rebalancing. + - imageadd: Slightly altered wall sprites. + - code_imp: Gibberish code is less silly. + - bugfix: The C4 overlay now displays properly on mobs. + - spellcheck: Tend wounds only generates one failure message now. + - bugfix: Various defib fixes. + - bugfix: The inhands of the bulldog shotgun are no longer invisible. pireamaineach: - - balance: Plasmaman helmets now have welding visors, which can't stack with their - torches in the helmet and are visible. - - bugfix: Clicking on the helmet with any item no longer tells you that someone's - already drawn a face on it, you can't put infinite faces on it. - - tweak: Plasmaman helmets hide masks again, the sprites are no longer transparent. - Mind, the original bounty just wanted it so you could see faces through it, - not for it to be transparent. tweak:Plasmaman helmets now have special smile - sprites rather than pulling from the EVA one, as the visors are different sizes. - - balance: You can't eat through plasmaman helmets anymore. + - balance: + Plasmaman helmets now have welding visors, which can't stack with their + torches in the helmet and are visible. + - bugfix: + Clicking on the helmet with any item no longer tells you that someone's + already drawn a face on it, you can't put infinite faces on it. + - tweak: + Plasmaman helmets hide masks again, the sprites are no longer transparent. + Mind, the original bounty just wanted it so you could see faces through it, + not for it to be transparent. tweak:Plasmaman helmets now have special smile + sprites rather than pulling from the EVA one, as the visors are different sizes. + - balance: You can't eat through plasmaman helmets anymore. redmoogle: - - rscadd: Added support for 3 new gasses; Tritium, Pluoxium, and BZ + - rscadd: Added support for 3 new gasses; Tritium, Pluoxium, and BZ willox: - - bugfix: bloody footprints no longer spawn with incorrect steps and don't break - when rotated on shuttles + - bugfix: + bloody footprints no longer spawn with incorrect steps and don't break + when rotated on shuttles 2019-08-14: AcapitalA: - - balance: In a freak magic accident, all xenobio-made magicarps have lost their - bolt of death. This is a great tragedy for xenobiologists all around the galaxy. + - balance: + In a freak magic accident, all xenobio-made magicarps have lost their + bolt of death. This is a great tragedy for xenobiologists all around the galaxy. CRITAWAKETS: - - balance: Ammonia now is better than diethylamine for increasing plant yield. + - balance: Ammonia now is better than diethylamine for increasing plant yield. Dennok: - - rscadd: Silo link RCD upgrade - - rscadd: RCD now check mats before construction wait. - - bugfix: has_materials() properly check materials. + - rscadd: Silo link RCD upgrade + - rscadd: RCD now check mats before construction wait. + - bugfix: has_materials() properly check materials. Denton: - - code_imp: Changed a laser pointer var so that T4 micro lasers no longer give a - success percentage above 100%. - - tweak: Made cat related laserpointer acts scale off the pointer's micro laser - tier. + - code_imp: + Changed a laser pointer var so that T4 micro lasers no longer give a + success percentage above 100%. + - tweak: + Made cat related laserpointer acts scale off the pointer's micro laser + tier. JDawg1290: - - tweak: Quarantine law cannot be trivially circumvented. + - tweak: Quarantine law cannot be trivially circumvented. Niknakflak: - - rscadd: pAIs may now choose to display their holoform as a bat, lizard, butterfly, - or hawk. + - rscadd: + pAIs may now choose to display their holoform as a bat, lizard, butterfly, + or hawk. Penterwast: - - admin: Binary chat messages are now marked as such in logs. + - admin: Binary chat messages are now marked as such in logs. Sanator: - - imageadd: Added new, better DNA icons, also animated + - imageadd: Added new, better DNA icons, also animated Skoglol: - - tweak: Hop console now hurts your eyes less. Red button text replaced with green. + - tweak: Hop console now hurts your eyes less. Red button text replaced with green. Tlaltecuhtli: - - tweak: cargo request console pings supply radio when someone makes a new request + - tweak: cargo request console pings supply radio when someone makes a new request Twaticus: - - rscadd: New underwear - - imageadd: Midway Boxers, Long Johns, Halter Swimsuit + - rscadd: New underwear + - imageadd: Midway Boxers, Long Johns, Halter Swimsuit actioninja: - - bugfix: the correct black suit is now spawning in places it should be, the other - sprite spawns in law wardrobe. - - bugfix: newly constructed reinforced windows start in the correct state, meaning - they can be disassembled - - bugfix: crowbar can no longer be used out of order on construction - - bugfix: screwed down but not levered in windows can be unscrewed again - - tweak: shuttle and plastitanium windows now have the proper values to match reinforced - windows. + - bugfix: + the correct black suit is now spawning in places it should be, the other + sprite spawns in law wardrobe. + - bugfix: + newly constructed reinforced windows start in the correct state, meaning + they can be disassembled + - bugfix: crowbar can no longer be used out of order on construction + - bugfix: screwed down but not levered in windows can be unscrewed again + - tweak: + shuttle and plastitanium windows now have the proper values to match reinforced + windows. bandit: - - tweak: Clicking a display case on help intent examines it. + - tweak: Clicking a display case on help intent examines it. kevinz000: - - bugfix: VV no longer runtimes with bad resource file when you try to VV something - with a blank icon. + - bugfix: + VV no longer runtimes with bad resource file when you try to VV something + with a blank icon. nemvar: - - code_imp: Improved the way factions are applied to species. - - bugfix: Shadowpeople no longer get attacked by faithless. - - imageadd: added inhands for the cautery, retractor, drapes and hemostat. - - bugfix: Signaler suicide is now bound to the mind, instead of the body. + - code_imp: Improved the way factions are applied to species. + - bugfix: Shadowpeople no longer get attacked by faithless. + - imageadd: added inhands for the cautery, retractor, drapes and hemostat. + - bugfix: Signaler suicide is now bound to the mind, instead of the body. 2019-08-16: 81Denton: - - balance: Explosions now cause knockdown instead of KOs, with the amount of time - scaling off bomb armor. Heavy explosions still cause a ~2 second KO for follow - up attacks. - - balance: Devastating explosions now no longer gib players with more than 50 bomb - armor. This used to be more or less random depending on the amount of bomb armor. - - code_imp: Removed reagent explosion code that would trigger for <1 amount reactions. + - balance: + Explosions now cause knockdown instead of KOs, with the amount of time + scaling off bomb armor. Heavy explosions still cause a ~2 second KO for follow + up attacks. + - balance: + Devastating explosions now no longer gib players with more than 50 bomb + armor. This used to be more or less random depending on the amount of bomb armor. + - code_imp: Removed reagent explosion code that would trigger for <1 amount reactions. ATHATH: - - bugfix: The regenerative coma symptom no longer makes you deathgasp if you haven't - met its stealth 2+ threshold. + - bugfix: + The regenerative coma symptom no longer makes you deathgasp if you haven't + met its stealth 2+ threshold. Akrilla: - - rscadd: 'Adds a new ghetto chem, Pump-Up, which can be made with epinephrine and - coffee. Quick to metabolize, but massively lowers stun baton stun time. 2 epi - : 5 coffee makes 5 units.' - - rscadd: Maintenance Pump-Up - a ghetto autoinjector containing the new chem, which - is now part of the maintenance loot spawns. - - tweak: Stun baton applies a delayed stun, with initial hit dealing stamina damage, - slowdown and other effects. The stun will be applied 2 seconds after, but two - hits put them in stamina crit instantly. There's a delay of two seconds before - the baton can stun again. - - tweak: Regular batons, e.g. telescopic, detective's, and contractor baton now - deal a two second knockdown, with stamina damage. Two hits stuns them with a - stamina crit. + - rscadd: + "Adds a new ghetto chem, Pump-Up, which can be made with epinephrine and + coffee. Quick to metabolize, but massively lowers stun baton stun time. 2 epi + : 5 coffee makes 5 units." + - rscadd: + Maintenance Pump-Up - a ghetto autoinjector containing the new chem, which + is now part of the maintenance loot spawns. + - tweak: + Stun baton applies a delayed stun, with initial hit dealing stamina damage, + slowdown and other effects. The stun will be applied 2 seconds after, but two + hits put them in stamina crit instantly. There's a delay of two seconds before + the baton can stun again. + - tweak: + Regular batons, e.g. telescopic, detective's, and contractor baton now + deal a two second knockdown, with stamina damage. Two hits stuns them with a + stamina crit. Dawson1917: - - rscdel: Removed GPS from the Deep Storage ruin and the Caravan Ambush ruin - - rscadd: ED-209s now get a disabler! - - rscdel: ED-209s no longer have a DragNET - - bugfix: Fixed a bug that let anyone unlock the ED-209s controls regardless of - their access. - - bugfix: The "beserker" hardsuit has had its name corrected to "berserker" + - rscdel: Removed GPS from the Deep Storage ruin and the Caravan Ambush ruin + - rscadd: ED-209s now get a disabler! + - rscdel: ED-209s no longer have a DragNET + - bugfix: + Fixed a bug that let anyone unlock the ED-209s controls regardless of + their access. + - bugfix: The "beserker" hardsuit has had its name corrected to "berserker" Dennok: - - bugfix: You can perform many surgeries at one time again. - - rscadd: You can see target of started surgery on operating computer. + - bugfix: You can perform many surgeries at one time again. + - rscadd: You can see target of started surgery on operating computer. Sanator: - - bugfix: fixed pod suit storage not working as intended + - bugfix: fixed pod suit storage not working as intended Tlaltecuhtli: - - balance: gygax now has force 25 instead of 30 - - balance: gygax inflicts knockdown instead of unconscious - - balance: leg acurator doesnt auto punch + - balance: gygax now has force 25 instead of 30 + - balance: gygax inflicts knockdown instead of unconscious + - balance: leg acurator doesnt auto punch actioninja: - - bugfix: fried foods now have proper x/y dimensions + - bugfix: fried foods now have proper x/y dimensions cacogen: - - tweak: Can only get one HoP ticket per person unless it's emagged - - tweak: Previous ticket deletes ("disperses", it's "nanite paper") when HoP calls - the next customer - - tweak: Reduces maximum number of tickets to 100 because the refill mechanic would - never be used otherwise - - rscdel: Can no longer recycle tickets using the machine, because it allows you - to artificially inflate the amount of tickets the HoP has to get through - - rscadd: Tickets vibrate (nanomachines, son) when it's your turn, so you can step - away from the line if it's taking too long + - tweak: Can only get one HoP ticket per person unless it's emagged + - tweak: + Previous ticket deletes ("disperses", it's "nanite paper") when HoP calls + the next customer + - tweak: + Reduces maximum number of tickets to 100 because the refill mechanic would + never be used otherwise + - rscdel: + Can no longer recycle tickets using the machine, because it allows you + to artificially inflate the amount of tickets the HoP has to get through + - rscadd: + Tickets vibrate (nanomachines, son) when it's your turn, so you can step + away from the line if it's taking too long carlarctg: - - tweak: cultists can now easily snuff out blood spells by dropping them. they will - also drop the spell when stunned, but can easily activate it again + - tweak: + cultists can now easily snuff out blood spells by dropping them. they will + also drop the spell when stunned, but can easily activate it again nemvar: - - rscadd: Arm implants now support having more than two hands. - - bugfix: Arm implants now properly work all the time. - - code_imp: Cleaned up organ decay code. - - balance: Stasis now stops body eggs from processing. + - rscadd: Arm implants now support having more than two hands. + - bugfix: Arm implants now properly work all the time. + - code_imp: Cleaned up organ decay code. + - balance: Stasis now stops body eggs from processing. 2019-08-18: Dennok: - - rscadd: Revival brain shock stem now repeatable. - - bugfix: No more cargo pod steal shuttle ports. + - rscadd: Revival brain shock stem now repeatable. + - bugfix: No more cargo pod steal shuttle ports. Mickyan: - - rscadd: New persistent photo albums have been added to the bar, chapel, library, - permabrig and nuke ops base - - rscadd: Cameras may be purchased at the library's games vendor - - rscadd: The photograper quirk now grants you your very own persistent album to - document your adventures - - code_imp: the photographer quirk now checks for free slots when assigning the - items locations - - tweak: pictures that are not from the ongoing round will look visibly old + - rscadd: + New persistent photo albums have been added to the bar, chapel, library, + permabrig and nuke ops base + - rscadd: Cameras may be purchased at the library's games vendor + - rscadd: + The photograper quirk now grants you your very own persistent album to + document your adventures + - code_imp: + the photographer quirk now checks for free slots when assigning the + items locations + - tweak: pictures that are not from the ongoing round will look visibly old bandit: - - tweak: More Cards Against Spess cards are available! + - tweak: More Cards Against Spess cards are available! nemvar: - - tweak: Hulks now always scream on attack. - - tweak: Hulks now only hulk smash on harm intent. - - code_imp: Hulk code is less shit now. + - tweak: Hulks now always scream on attack. + - tweak: Hulks now only hulk smash on harm intent. + - code_imp: Hulk code is less shit now. 2019-08-22: ATHATH: - - rscadd: Thrown eggs now have a 13% chance (roughly a 1/8 chance) to spawn a chick - upon impact (provided that the egg is not caught, of course). + - rscadd: + Thrown eggs now have a 13% chance (roughly a 1/8 chance) to spawn a chick + upon impact (provided that the egg is not caught, of course). Akrilla: - - rscadd: Agents cards randomly assign you a name if you leave the name field blank. - - rscadd: More cancel buttons. + - rscadd: Agents cards randomly assign you a name if you leave the name field blank. + - rscadd: More cancel buttons. Dawson1917: - - rscadd: Ported the Fix Air verb from Yogstation. Admins can use it to quickly - reset an area's atmos to its default composition. + - rscadd: + Ported the Fix Air verb from Yogstation. Admins can use it to quickly + reset an area's atmos to its default composition. Dennok: - - bugfix: CHANGETURF_INHERIT_AIR proreply replace, or not replace air. - - bugfix: No more unintended air creation. + - bugfix: CHANGETURF_INHERIT_AIR proreply replace, or not replace air. + - bugfix: No more unintended air creation. Fikou for sprites: - - rscadd: Paranormal mulebot. It can't even carry anything, this is useless garbage! + - rscadd: Paranormal mulebot. It can't even carry anything, this is useless garbage! Krysonism: - - rscadd: Four new plants! - - rscadd: Three new plant reagents! - - tweak: Plants with high toxicity are now capable of taking pest damage. - - balance: High pest levels are more damaging to plants. - - imageadd: Added new plants sprites. - - code_imp: Coders can now make plant genes unextractable. + - rscadd: Four new plants! + - rscadd: Three new plant reagents! + - tweak: Plants with high toxicity are now capable of taking pest damage. + - balance: High pest levels are more damaging to plants. + - imageadd: Added new plants sprites. + - code_imp: Coders can now make plant genes unextractable. MMMiracles: - - rscadd: Paywall firing pins! Force people to properly buy your guns before they - try to use them on you! Found where regular firing pins are sold. + - rscadd: + Paywall firing pins! Force people to properly buy your guns before they + try to use them on you! Found where regular firing pins are sold. Mithrandalf: - - bugfix: fixed cargo digitigrade jumpsuits + - bugfix: fixed cargo digitigrade jumpsuits PKPenguin321, Fury McFlurry: - - rscadd: A shrink ray for abductors that they can buy at their console for 2 experiment - points. Anything can be shrunken, and shrunken things can be walked over/seen - past (for example, you can shrink a wall and then walk around it). If a human - is shrunk, they will drop all of their belongings, move slower, and take 2x - damage. - - imageadd: Shrink ray sprites by Fury McFlurry. Thank you! + - rscadd: + A shrink ray for abductors that they can buy at their console for 2 experiment + points. Anything can be shrunken, and shrunken things can be walked over/seen + past (for example, you can shrink a wall and then walk around it). If a human + is shrunk, they will drop all of their belongings, move slower, and take 2x + damage. + - imageadd: Shrink ray sprites by Fury McFlurry. Thank you! TheChosenEvilOne: - - bugfix: Midround rulesets can again be executed. - - bugfix: Revolution ruleset has been fixed. - - code_imp: Replaced the delayed ruleset type with a delay var. + - bugfix: Midround rulesets can again be executed. + - bugfix: Revolution ruleset has been fixed. + - code_imp: Replaced the delayed ruleset type with a delay var. actioninja: - - bugfix: med records no longer can eat id cards for no reason - - bugfix: alt click rotation works again + - bugfix: med records no longer can eat id cards for no reason + - bugfix: alt click rotation works again cacogen: - - tweak: Clicking the plant DNA modifier or its UI fields with a disk or pack of - seeds when it already has some inside will swap them. - - tweak: IDs with ID console access now go into the Confirm Identity slot by default - like they used to, similarly IDs without it go into the Target slot by default - again - - rscadd: Can easily swap out IDs by clicking the machine or the UI fields with - another ID - - rscadd: ID console now names which IDs are added/removed in its visible messages - - rscadd: Labels the ID slot fields when logged in so you know which is which - - tweak: Can use Job Management without an ID provided the console is logged in - (matches how the console now stays logged in even without an ID\) - - tweak: Can log in without an ID in the Target field (matches how the machine now - stays logged in even after the ID is removed from the Target field) - - tweak: Cleans up UI slightly (had some duplicate/conflicting buttons) + - tweak: + Clicking the plant DNA modifier or its UI fields with a disk or pack of + seeds when it already has some inside will swap them. + - tweak: + IDs with ID console access now go into the Confirm Identity slot by default + like they used to, similarly IDs without it go into the Target slot by default + again + - rscadd: + Can easily swap out IDs by clicking the machine or the UI fields with + another ID + - rscadd: ID console now names which IDs are added/removed in its visible messages + - rscadd: Labels the ID slot fields when logged in so you know which is which + - tweak: + Can use Job Management without an ID provided the console is logged in + (matches how the console now stays logged in even without an ID\) + - tweak: + Can log in without an ID in the Target field (matches how the machine now + stays logged in even after the ID is removed from the Target field) + - tweak: Cleans up UI slightly (had some duplicate/conflicting buttons) carlarctg: - - imageadd: Added inhands to the improvised shotgun. + - imageadd: Added inhands to the improvised shotgun. granpawalton: - - bugfix: you will no longer recieve "you feel fit again!" several times when you - become fat from ferveatium + - bugfix: + you will no longer recieve "you feel fit again!" several times when you + become fat from ferveatium iprice: - - bugfix: Occasional 'Already contains an APC!' error incorrectly generated. + - bugfix: Occasional 'Already contains an APC!' error incorrectly generated. itsadavid: - - balance: crab-17 has less armor + - balance: crab-17 has less armor kevinz000: - - tweak: Pneumatic cannons can be used with non /items again. + - tweak: Pneumatic cannons can be used with non /items again. nemvar: - - code_imp: Changed mob biotypes from lists to flags. - - rscadd: Sabotage bundle had their airlock charges removed. As compensation they - gets some more plastic explosives and a box of signalers. - - rscdel: Removed airlock charge from the game - - bugfix: Fixed the sprites of old pictures. - - balance: Thermite now burns longer and needs more units to burn down walls. - - bugfix: fixed reinforced wall singularity pull behaviour. - - bugfix: Dumping storage containers while click dragging now respects sanity. - - bugfix: The brains of roundstart borgs no longer decay. + - code_imp: Changed mob biotypes from lists to flags. + - rscadd: + Sabotage bundle had their airlock charges removed. As compensation they + gets some more plastic explosives and a box of signalers. + - rscdel: Removed airlock charge from the game + - bugfix: Fixed the sprites of old pictures. + - balance: Thermite now burns longer and needs more units to burn down walls. + - bugfix: fixed reinforced wall singularity pull behaviour. + - bugfix: Dumping storage containers while click dragging now respects sanity. + - bugfix: The brains of roundstart borgs no longer decay. nicbn: - - balance: Walking now makes your footsteps completely unnoticeable. - - balance: Xenos now make more noise if running. + - balance: Walking now makes your footsteps completely unnoticeable. + - balance: Xenos now make more noise if running. redmoogle: - - bugfix: Fixed bad mistakes on Charlie Station - - bugfix: Fixed some SM code + - bugfix: Fixed bad mistakes on Charlie Station + - bugfix: Fixed some SM code tralezab: - - admin: new VV menu dropdown for adding components and attaching elements + - admin: new VV menu dropdown for adding components and attaching elements wesoda25: - - tweak: op and sec now need a space after them to be replaced by greek and polizia - for italian mustache. Bye bye greeken and poliziaond! + - tweak: + op and sec now need a space after them to be replaced by greek and polizia + for italian mustache. Bye bye greeken and poliziaond! 2019-08-23: Cobby Healing Overhaul P1 of X- Category 2: - - rscadd: A variety of Category 2 Chems - - rscdel: Stypic/Old SilverSulf/Old Synthflesh/Injectables/Thializid/Oxylid have - been removed - - tweak: Silver Sulf / Synthflesh are now C2s - - tweak: Borgs now have perf instead of salbu. - - admin: Borgs are now warned when using meds that cause side effects. - - code_imp: Category 2 is finally established in code! - - code_imp: A comprehensive table can be found @ https://github.com/tgstation/tgstation/pull/45749 + - rscadd: A variety of Category 2 Chems + - rscdel: + Stypic/Old SilverSulf/Old Synthflesh/Injectables/Thializid/Oxylid have + been removed + - tweak: Silver Sulf / Synthflesh are now C2s + - tweak: Borgs now have perf instead of salbu. + - admin: Borgs are now warned when using meds that cause side effects. + - code_imp: Category 2 is finally established in code! + - code_imp: A comprehensive table can be found @ https://github.com/tgstation/tgstation/pull/45749 Denton: - - admin: Admin revives now set the mob's `suiciding` var to FALSE. + - admin: Admin revives now set the mob's `suiciding` var to FALSE. Fikou: - - balance: the durathread helmet is now flammable, similar to its armor counterpart - - balance: most helmets' armor values are now their counterpart suit's armor values + - balance: the durathread helmet is now flammable, similar to its armor counterpart + - balance: most helmets' armor values are now their counterpart suit's armor values Medibotby: - - balance: Medibot no longer works off chems and instead performs a lesser equivalent - to Tend wounds - - balance: They still heal all 4 base damages and use same clothing restrictions - as previously - - rscdel: Medibot Beaker Holding / Virus Treating no longer exists - - rscadd: Medibots scale with Tend Wound research (1 tend wound surgery researched - = 50% more healing) - - rscadd: Medibots heal more of a specific damage if the medkit used to make them - was oriented around that damage (a tox medkit medibot will heal toxin better) - - tweak: Emagged Medibots now pretend to tend your wounds, actually damaging you - and applying 5u chloral per step. + - balance: + Medibot no longer works off chems and instead performs a lesser equivalent + to Tend wounds + - balance: + They still heal all 4 base damages and use same clothing restrictions + as previously + - rscdel: Medibot Beaker Holding / Virus Treating no longer exists + - rscadd: + Medibots scale with Tend Wound research (1 tend wound surgery researched + = 50% more healing) + - rscadd: + Medibots heal more of a specific damage if the medkit used to make them + was oriented around that damage (a tox medkit medibot will heal toxin better) + - tweak: + Emagged Medibots now pretend to tend your wounds, actually damaging you + and applying 5u chloral per step. Sickbayby: - - bugfix: 'Multiver is now a medicine, not an extremely potent toxin spelling: There - is no Sanobital Level' + - bugfix: + "Multiver is now a medicine, not an extremely potent toxin spelling: There + is no Sanobital Level" cacogen: - - tweak: Canned peaches and beans have to be opened before they can be eaten. When - finished they leave an empty can, which is useless trash. Canned food no longer - says it's been bitten when examined. - - soundadd: Added a sound for opening canned food. - - imageadd: Added Kryson's unused unopened/open/empty bean and peach can sprites. + - tweak: + Canned peaches and beans have to be opened before they can be eaten. When + finished they leave an empty can, which is useless trash. Canned food no longer + says it's been bitten when examined. + - soundadd: Added a sound for opening canned food. + - imageadd: Added Kryson's unused unopened/open/empty bean and peach can sprites. carlarctg: - - tweak: power sink and ominous beacon now wrenchable, not screwdriverable + - tweak: power sink and ominous beacon now wrenchable, not screwdriverable 2019-08-24: ATHATH: - - rscadd: Adds a Morrowind reference that occurs if you try to kill a divine plushie. - - tweak: Moved the robotic voiceboxes from the contraband section of the mostly-unused - RoboTech vending machine to the contraband section of the RoboDrobe vending - machine. Unfortunately, this meant that the price of techpriest robes had to - be increased. + - rscadd: Adds a Morrowind reference that occurs if you try to kill a divine plushie. + - tweak: + Moved the robotic voiceboxes from the contraband section of the mostly-unused + RoboTech vending machine to the contraband section of the RoboDrobe vending + machine. Unfortunately, this meant that the price of techpriest robes had to + be increased. Akrilla: - - tweak: Money bags can be unloaded straight into ID cards. + - tweak: Money bags can be unloaded straight into ID cards. Fikou: - - rscadd: Adds a new null rod option, the ancient spear. + - rscadd: Adds a new null rod option, the ancient spear. MacBlaze1: - - rscadd: New explosion for the strength of 1 and above, weaker than the maximum - explosion right now. - - tweak: Made strength 2 the threshold for the maximum explosion for single tanks. + - rscadd: + New explosion for the strength of 1 and above, weaker than the maximum + explosion right now. + - tweak: Made strength 2 the threshold for the maximum explosion for single tanks. Mickyan, actioninja: - - rscadd: Skateboards have received a substantial overhaul - - rscadd: Bumping into objects will no longer instantly throw you off the skateboard, - instead it will cause knockback and a severe amount of stamina damage. - - rscadd: Added ollies! Land on a table to do a sick grind! Both actions consume - a moderate amount of stamina. - - soundadd: Added skateboard jump and roll sounds by actioninja - - rscadd: Performing tricks or bumping into things at low stamina will still make - you fly off the skateboard! - - rscadd: New board types are available at the library's games vendor - - rscdel: Skateboard speed can no longer be adjusted + - rscadd: Skateboards have received a substantial overhaul + - rscadd: + Bumping into objects will no longer instantly throw you off the skateboard, + instead it will cause knockback and a severe amount of stamina damage. + - rscadd: + Added ollies! Land on a table to do a sick grind! Both actions consume + a moderate amount of stamina. + - soundadd: Added skateboard jump and roll sounds by actioninja + - rscadd: + Performing tricks or bumping into things at low stamina will still make + you fly off the skateboard! + - rscadd: New board types are available at the library's games vendor + - rscdel: Skateboard speed can no longer be adjusted Wjohnston sprites and Mey Ha Zah for some help getting those sprites into a sane form: - - rscadd: the flight potion now works with lizards + - rscadd: the flight potion now works with lizards cacogen: - - soundadd: Canadian father figure expresses his disappointment with recent events + - soundadd: Canadian father figure expresses his disappointment with recent events carlarctg: - - tweak: traitor stimulants syringe is now traitor stimulants medipen, no changes - otherwise + - tweak: + traitor stimulants syringe is now traitor stimulants medipen, no changes + otherwise loserXD: - - admin: add/remove mutations in VV dropdown menu + - admin: add/remove mutations in VV dropdown menu nemvar: - - balance: The sonic jackhammer can no longer destroy walls. - - rscadd: Crafting now tries to put stuff into your hands and can pull items from - your pockets. - - bugfix: Fixes thermite on reinforced and immune wall types. + - balance: The sonic jackhammer can no longer destroy walls. + - rscadd: + Crafting now tries to put stuff into your hands and can pull items from + your pockets. + - bugfix: Fixes thermite on reinforced and immune wall types. tralezab: - - rscadd: You can now stick butter on a rod. + - rscadd: You can now stick butter on a rod. wesoda25: - - rscdel: smoker trait no longer gives cigars + - rscdel: smoker trait no longer gives cigars 2019-08-25: actioninja: - - bugfix: replaced the pubby outlet injector with the correct type so it expels - gasses at the correct rate + - bugfix: + replaced the pubby outlet injector with the correct type so it expels + gasses at the correct rate 2019-08-27: ATHATH: - - balance: The "yuck" chem now only starts to purge itself once you start stun-vomiting. + - balance: The "yuck" chem now only starts to purge itself once you start stun-vomiting. MMMiracles (Donutstation): - - tweak: The southern/north-west parts of maintenance has been revamped to include - more things to dig through and places to hide from authority. - - tweak: The atmos tanks have had an extra layer of space added between the windows - between them and maintenance. - - tweak: The permabrig has had a small B-ball court added as well as an N2O release - system. - - tweak: Tweaks and additions to the various department excess storage rooms through-out - maintenance. - - tweak: The AI core now has a more proper internal defense against ranged attacks, - the tri-ai spawns have gotten similar treatment as well. - - tweak: The few maintenance-facing windows have been beefed up to their stronger - plasma variants. - - tweak: More directional signs to help those in finding some departments. + - tweak: + The southern/north-west parts of maintenance has been revamped to include + more things to dig through and places to hide from authority. + - tweak: + The atmos tanks have had an extra layer of space added between the windows + between them and maintenance. + - tweak: + The permabrig has had a small B-ball court added as well as an N2O release + system. + - tweak: + Tweaks and additions to the various department excess storage rooms through-out + maintenance. + - tweak: + The AI core now has a more proper internal defense against ranged attacks, + the tri-ai spawns have gotten similar treatment as well. + - tweak: + The few maintenance-facing windows have been beefed up to their stronger + plasma variants. + - tweak: More directional signs to help those in finding some departments. RandolfTheMeh: - - rscadd: Cybernetic and Upgraded Cybernetic ears, which are hardier versions of - normal ears. Regular ones reduce deafness/damage by 10%, and upgraded ones reduce - deafness/damage by 50% but cost more resources. + - rscadd: + Cybernetic and Upgraded Cybernetic ears, which are hardier versions of + normal ears. Regular ones reduce deafness/damage by 10%, and upgraded ones reduce + deafness/damage by 50% but cost more resources. Skoglol & Naloac: - - tweak: Make Kosmicheskaya Stantsiya 13 great again! No I mean it, go do it. The - derelict has gotten a slight overhaul, and it is now more feasible. - - tweak: Derelict drones has had their laws laxed slightly while on the derelict. - It should now be harder to be forced into breaking them. - - refactor: Drone shells are now mob spawners and show up in the ghost spawner window. + - tweak: + Make Kosmicheskaya Stantsiya 13 great again! No I mean it, go do it. The + derelict has gotten a slight overhaul, and it is now more feasible. + - tweak: + Derelict drones has had their laws laxed slightly while on the derelict. + It should now be harder to be forced into breaking them. + - refactor: Drone shells are now mob spawners and show up in the ghost spawner window. actioninja: - - rscadd: Washing machines now support arbitrary dye color - - rscadd: Washing machines now dye nearly every item. - - refactor: lots of backend changes to clothing overlays, report any issues - - soundadd: new station ship ambience + - rscadd: Washing machines now support arbitrary dye color + - rscadd: Washing machines now dye nearly every item. + - refactor: lots of backend changes to clothing overlays, report any issues + - soundadd: new station ship ambience bandit: - - imageadd: Medical scanners now have animated sprites. Thanks Michiyamenotehifunana - of Polaris. + - imageadd: + Medical scanners now have animated sprites. Thanks Michiyamenotehifunana + of Polaris. cacogen: - - rscadd: You can pick up plant gene disks with plant bags now. Useful for filling - the disk compartmentaliser quickly. + - rscadd: + You can pick up plant gene disks with plant bags now. Useful for filling + the disk compartmentaliser quickly. carlarctg: - - tweak: syndicate shielded hardsuit's blue shield has been replaced with a red - one + - tweak: + syndicate shielded hardsuit's blue shield has been replaced with a red + one giygaslittlehelper: - - rscadd: Crabs have their own meat and recipes! + - rscadd: Crabs have their own meat and recipes! nicbn: - - soundadd: New sounds for crates and closets. + - soundadd: New sounds for crates and closets. redmoogle: - - bugfix: Fixes pipe sprite issues with layering + - bugfix: Fixes pipe sprite issues with layering 2019-08-29: ATHATH: - - balance: The toxin healing from the fiziver chem has been brought down to a much - more sane level and metabs 25% as fast as previous. - - balance: The fiziver chem's damage-multiplying effect now gains potency at a much - faster rate (under most normal/sane circumstances), but caps out at making you - take 3x as much brute, burn, oxygen, and stamina damage as you normally would. - - bugfix: The fiziver chem now properly undoes its modifications to the stamina_mod - value. Before this change, taking a 10u pill of fiziver could render your body - over 2.5x as vulnerable to stamina damage for the rest of the round. - - balance: The fiziver chem's overdose effect is no longer incredibly pathetic. - Instead of dealing a pitiful amount of damage and then completely purging the - fiziver chem from your system, the fiziver chem's overdose effect now has a - 50% chance each tick to deal 0.2 brute damage and 0.2 burn damage (which will, - of course, be amplified by the normal damage-increasing effect of fivizer). + - balance: + The toxin healing from the fiziver chem has been brought down to a much + more sane level and metabs 25% as fast as previous. + - balance: + The fiziver chem's damage-multiplying effect now gains potency at a much + faster rate (under most normal/sane circumstances), but caps out at making you + take 3x as much brute, burn, oxygen, and stamina damage as you normally would. + - bugfix: + The fiziver chem now properly undoes its modifications to the stamina_mod + value. Before this change, taking a 10u pill of fiziver could render your body + over 2.5x as vulnerable to stamina damage for the rest of the round. + - balance: + The fiziver chem's overdose effect is no longer incredibly pathetic. + Instead of dealing a pitiful amount of damage and then completely purging the + fiziver chem from your system, the fiziver chem's overdose effect now has a + 50% chance each tick to deal 0.2 brute damage and 0.2 burn damage (which will, + of course, be amplified by the normal damage-increasing effect of fivizer). ATHATH and glubtok (mostly glubtok): - - bugfix: The plasma fixation symptom now correctly/actually heals you while you - are standing in visible amounts of plasma gas. + - bugfix: + The plasma fixation symptom now correctly/actually heals you while you + are standing in visible amounts of plasma gas. Akrilla: - - tweak: Stun baton's delayed stun is now a delayed knockdown of five seconds applied - after 2 seconds, with the slowdown still remaining. - - tweak: The confusion effect given by the baton is very slightly increased. - - tweak: Adrenels and stimpacks has the same interaction with batons that pump-up - does. + - tweak: + Stun baton's delayed stun is now a delayed knockdown of five seconds applied + after 2 seconds, with the slowdown still remaining. + - tweak: The confusion effect given by the baton is very slightly increased. + - tweak: + Adrenels and stimpacks has the same interaction with batons that pump-up + does. Fikou: - - balance: hulks no longer slow from damage - - balance: the rest of the helmets i could find now share the same armor as their - suit counterparts - - balance: the flagellant hood (the head part) now has 0 armor instead of negative + - balance: hulks no longer slow from damage + - balance: + the rest of the helmets i could find now share the same armor as their + suit counterparts + - balance: the flagellant hood (the head part) now has 0 armor instead of negative JJRcop: - - tweak: Organic Slurry reduces back to welder fuel if not consumed by the affected - mob. + - tweak: + Organic Slurry reduces back to welder fuel if not consumed by the affected + mob. MacBlaze1: - - tweak: Changed the eye damage of aiuri to .25 from 1, does not change healing. - - tweak: Changed toxin conversion of instabitaluri to 66% from 75%, does not buff - healing. - - balance: Changed eye damage giving rate of aiuri and toxin conversion of instabitaluri + - tweak: Changed the eye damage of aiuri to .25 from 1, does not change healing. + - tweak: + Changed toxin conversion of instabitaluri to 66% from 75%, does not buff + healing. + - balance: Changed eye damage giving rate of aiuri and toxin conversion of instabitaluri Shirbu: - - balance: replaces Sanguibital's bleed rate stacks with bleed damage instead + - balance: replaces Sanguibital's bleed rate stacks with bleed damage instead bandit: - - bugfix: Fixed an erroneous message with ignoring a player's OOC messages. + - bugfix: Fixed an erroneous message with ignoring a player's OOC messages. carlarctg: - - tweak: photo albums are now small-sized! + - tweak: photo albums are now small-sized! nemvar: - - balance: Replaced the agent in the BVAK injector with a fungal TB vaccine. + - balance: Replaced the agent in the BVAK injector with a fungal TB vaccine. penterwast: - - tweak: Purifying a soul stone now deconverts cultists inside of it. + - tweak: Purifying a soul stone now deconverts cultists inside of it. stylemistake: - - bugfix: fixed wonky window dragging when using fancy tgui in some special cases + - bugfix: fixed wonky window dragging when using fancy tgui in some special cases zxaber: - - rscadd: Borgs can now examine their hypospray tool to get a summery of the currently - loaded chem's effects. + - rscadd: + Borgs can now examine their hypospray tool to get a summery of the currently + loaded chem's effects. 2019-08-30: Fikou: - - bugfix: people turned highlanders now turn human too + - bugfix: people turned highlanders now turn human too Lett1: - - rscadd: 'Genetics has discovered a new mutation: Autotomy!' + - rscadd: "Genetics has discovered a new mutation: Autotomy!" Skoglol: - - rscadd: Toxins and incinerator burn chambers on all maps now has a console which - allows you to read off gas mixture inside. - - tweak: Toxins and incinerator have been remapped slightly on some maps to fit - the new computer. Some welder/water tanks are gone, added another radsuit on - box and meta. - - bugfix: Incinerator outputs have had the space pump and injector maxed. - - bugfix: The incinerator plasma tanks have been rotated on some maps. Notably, - box station' no longer outputs into a wall. - - tweak: Xenobiology now has two droppers. + - rscadd: + Toxins and incinerator burn chambers on all maps now has a console which + allows you to read off gas mixture inside. + - tweak: + Toxins and incinerator have been remapped slightly on some maps to fit + the new computer. Some welder/water tanks are gone, added another radsuit on + box and meta. + - bugfix: Incinerator outputs have had the space pump and injector maxed. + - bugfix: + The incinerator plasma tanks have been rotated on some maps. Notably, + box station' no longer outputs into a wall. + - tweak: Xenobiology now has two droppers. actioninja: - - bugfix: Pubby SM no longer has a spot where the cooling loop mistakenly links - to distro + - bugfix: + Pubby SM no longer has a spot where the cooling loop mistakenly links + to distro bgobandit: - - bugfix: You can no longer give the AI laws containing words in the game's chat - filter. + - bugfix: + You can no longer give the AI laws containing words in the game's chat + filter. nemvar: - - rscadd: A new mutation. Anti-Glow. Same as Glowy only the exact opposite - - spellcheck: Pets that nuzzle people no longer nuzzle themselves. - - bugfix: You can fix internal control damage for mechs again. - - bugfix: Trays now scatter their contents when used for attacks, like they are - supposed to. + - rscadd: A new mutation. Anti-Glow. Same as Glowy only the exact opposite + - spellcheck: Pets that nuzzle people no longer nuzzle themselves. + - bugfix: You can fix internal control damage for mechs again. + - bugfix: + Trays now scatter their contents when used for attacks, like they are + supposed to. 2019-09-02: ATHATH: - - tweak: Made the alkali perspiration symptom's water reaction explosion effect - much easier to proc. - - balance: The alkali perspiration symptom's stage speed 8 threshold effect now - also increases the potency of the explosion effect to a "heavy" level on the - host's tile, in addition to its previous effect(s). - - balance: The alkali perspiration symptom's water reaction explosion effect can - now occur in both stage 4 and in stage 5 (instead of only in stage 5). - - bugfix: Fixes a bug that would cause the alkali perspiration symptom's water reaction - explosion effect to trigger the alkali perspiration symptom's Alkali_fire_stage_5() - effect a second time in a single cycle. - - tweak: Slightly modifies the alkali perspiration symptom's threshold effect descriptions - to be slightly more clear about what its threshold effects actually do. - - balance: The Mutate spell's effects are now permanent (until/unless you forget - or otherwise lose the spell) if you purchase it five times. - - balance: The Soul Tap spell now costs 1 wizard point instead of 3. - - tweak: Nars-Ians no longer eat each other's souls - - tweak: The chance per tick of Life() that Nars-Ian will try to eat the soul of - another pet near it has been increased from 5% to 100%. - - tweak: When Nars-Ian eats a pet's soul, they will now set that pet's hasSoul value - to FALSE. - - tweak: Added another comma to one of Ian's possible descriptions. + - tweak: + Made the alkali perspiration symptom's water reaction explosion effect + much easier to proc. + - balance: + The alkali perspiration symptom's stage speed 8 threshold effect now + also increases the potency of the explosion effect to a "heavy" level on the + host's tile, in addition to its previous effect(s). + - balance: + The alkali perspiration symptom's water reaction explosion effect can + now occur in both stage 4 and in stage 5 (instead of only in stage 5). + - bugfix: + Fixes a bug that would cause the alkali perspiration symptom's water reaction + explosion effect to trigger the alkali perspiration symptom's Alkali_fire_stage_5() + effect a second time in a single cycle. + - tweak: + Slightly modifies the alkali perspiration symptom's threshold effect descriptions + to be slightly more clear about what its threshold effects actually do. + - balance: + The Mutate spell's effects are now permanent (until/unless you forget + or otherwise lose the spell) if you purchase it five times. + - balance: The Soul Tap spell now costs 1 wizard point instead of 3. + - tweak: Nars-Ians no longer eat each other's souls + - tweak: + The chance per tick of Life() that Nars-Ian will try to eat the soul of + another pet near it has been increased from 5% to 100%. + - tweak: + When Nars-Ian eats a pet's soul, they will now set that pet's hasSoul value + to FALSE. + - tweak: Added another comma to one of Ian's possible descriptions. Akrilla: - - tweak: Boxing glove knockouts only affect other boxing glove wearers. + - tweak: Boxing glove knockouts only affect other boxing glove wearers. Cobby: - - rscadd: Operating computers can now be built to sync with all nearby stasis beds - within it's LoS and provide them with advanced surgeries. + - rscadd: + Operating computers can now be built to sync with all nearby stasis beds + within it's LoS and provide them with advanced surgeries. Dawson1917: - - rscadd: ED-209's will retaliate when you throw things at them. - - balance: ED-209's no longer take damage from electricity. + - rscadd: ED-209's will retaliate when you throw things at them. + - balance: ED-209's no longer take damage from electricity. Fikou: - - tweak: the windup toolbox now has some more "realistic" sounds - - bugfix: the windup toolbox now rumbles again - - tweak: all borgs now have fire extinguishers + - tweak: the windup toolbox now has some more "realistic" sounds + - bugfix: the windup toolbox now rumbles again + - tweak: all borgs now have fire extinguishers Kurgis: - - rscadd: Beepsky now bumps around on its wheels when patrolling for crime. + - rscadd: Beepsky now bumps around on its wheels when patrolling for crime. TheChosenEvilOne: - - rscadd: Motorized wheelchairs. + - rscadd: Motorized wheelchairs. Time-Green: - - rscadd: Adds advanced DNA injectors to genetics. You can now put multiple mutations - in an injector + - rscadd: + Adds advanced DNA injectors to genetics. You can now put multiple mutations + in an injector Touches Medbay... Again...: - - rscadd: Keep their pants on! Now Tend Wounds can be done through clothing! - - balance: It is less effective to perform Tend Wounds with clothes on. + - rscadd: Keep their pants on! Now Tend Wounds can be done through clothing! + - balance: It is less effective to perform Tend Wounds with clothes on. actioninja: - - bugfix: changeling and chameleon should properly copy mob overlays again. - - bugfix: prison jumpsuit has correct sprite + - bugfix: changeling and chameleon should properly copy mob overlays again. + - bugfix: prison jumpsuit has correct sprite bgobandit: - - tweak: Graffiti by a non-tagger counts as bad art. + - tweak: Graffiti by a non-tagger counts as bad art. bobbahbrown: - - bugfix: Dynamic mode ruleset will now respect your player preferences when selecting - antag candidates - - code_imp: Fixed 9 instances of incorrect not-in-list expressions. + - bugfix: + Dynamic mode ruleset will now respect your player preferences when selecting + antag candidates + - code_imp: Fixed 9 instances of incorrect not-in-list expressions. cacogen: - - tweak: HoP can now delete the latest ticket - - bugfix: HoP ticket messages should now be visible when the ticket is held - - imageadd: Added condiment bottle reagent overlays for reagents without special - bottle sprites - - rscadd: Made it so you can rename or change the description of condiment bottles - with a pen - - balance: You can no longer tell the main or only reagent in a condiment bottle - through the description. This is in line with other reagent containers. - - spellcheck: Fixed some typos/punched descriptions up a little - - tweak: Sprites of roundstart condiment containers (e.g. salt, milk, flour) are - no longer static and change based on the reagent with the largest volume as - well now - - tweak: Sugar comes in a bag rather than a bottle - - tweak: Bottles will turn into flour, rice, milk or soymilk containers if they - are the largest reagent in them - - bugfix: Condiment packs exist again + - tweak: HoP can now delete the latest ticket + - bugfix: HoP ticket messages should now be visible when the ticket is held + - imageadd: + Added condiment bottle reagent overlays for reagents without special + bottle sprites + - rscadd: + Made it so you can rename or change the description of condiment bottles + with a pen + - balance: + You can no longer tell the main or only reagent in a condiment bottle + through the description. This is in line with other reagent containers. + - spellcheck: Fixed some typos/punched descriptions up a little + - tweak: + Sprites of roundstart condiment containers (e.g. salt, milk, flour) are + no longer static and change based on the reagent with the largest volume as + well now + - tweak: Sugar comes in a bag rather than a bottle + - tweak: + Bottles will turn into flour, rice, milk or soymilk containers if they + are the largest reagent in them + - bugfix: Condiment packs exist again nemvar: - - rscadd: All mobs can now switch hands with middle click. This mostly affects gorillas, - dexterous stands and monky. - - code_imp: Ling sting code has been migrated over to signals. + - rscadd: + All mobs can now switch hands with middle click. This mostly affects gorillas, + dexterous stands and monky. + - code_imp: Ling sting code has been migrated over to signals. wesoda25: - - bugfix: Purified Artificers description no longer mentions Nar'sie + - bugfix: Purified Artificers description no longer mentions Nar'sie 2019-09-03: ATH1909: - - rscadd: The regenerative coma symptom has a new resistance 4 threshold effect! - Said threshold effect will give hosts of the symptom's virus the TRAIT_STABLECRIT - trait if its threshold is met. - - bugfix: An obscure, probably never reported before bug that may or may not exist - involving sentient diseases and the self-respiration symptom should be fixed - now (if it even existed in the first place). + - rscadd: + The regenerative coma symptom has a new resistance 4 threshold effect! + Said threshold effect will give hosts of the symptom's virus the TRAIT_STABLECRIT + trait if its threshold is met. + - bugfix: + An obscure, probably never reported before bug that may or may not exist + involving sentient diseases and the self-respiration symptom should be fixed + now (if it even existed in the first place). ATHAHTH: - - balance: Androids and synths have been added to the lists of races available from - pride mirrors and magic mirrors. + - balance: + Androids and synths have been added to the lists of races available from + pride mirrors and magic mirrors. ATHATH: - - tweak: The confusion symptom now noticeably confuses you. - - tweak: The confusion symptom's transmission 6 threshold effect now actually affects - how much the symptom increases your confused value by (instead of affecting - the cap that the symptom can bring it to, which is plenty high enough by default). - - tweak: The dizziness symptom now actually makes you noticeably dizzy (and has - a cap for how dizzy it can make you). - - tweak: The dizziness symptom's transmission 6 threshold effect now makes your - screen look "druggy" all of the time (only once its virus reaches a high enough - stage, of course), instead of only occasionally. - - tweak: The hallucigen symptom's stealth 4 threshold effect now continues to give - you positive messages instead of bad ones at stage 5. Before this tweak, meeting - that stealth threshold would actually cause bad messages to appear MORE often - at stage 5 than if you hadn't met it. - - tweak: Pretty much completely reworked the narcolepsy symptom so that it now uses - the "drowsyness" (yes, that's how it's spelled in the code; no, I don't know - why it's misspelled like that in the code) status effect instead of a confusing - mess of ticking counters that rarely actually put you to sleep. - - tweak: The narcolepsy symptom's transmission 7 threshold effect now only requires - transmission 4 no longer causes its virus to occasionally deal negligible amounts - of stamina damage. Instead, it now causes the host to periodically yawn, spreading - its virus whenever they do so. - - tweak: The narcolepsy symptom's resistance 10 threshold effect is now a stage - speed 10 threshold effect. - - tweak: The narcolepsy symptom's activation frequencies have been tweaked a bit - to make the symptom less threatening (albeit still quite potent) without its - stage speed 10 (formerly a resistance 10) threshold effect. - - balance: The nacrolepsy symptom now adds 0 to its virus's transmission stat (upped - from -4). - - bugfix: Fixed a bug that could cause the confusion symptom to lower your confusion - value if you had a high confusion value when it activated. + - tweak: The confusion symptom now noticeably confuses you. + - tweak: + The confusion symptom's transmission 6 threshold effect now actually affects + how much the symptom increases your confused value by (instead of affecting + the cap that the symptom can bring it to, which is plenty high enough by default). + - tweak: + The dizziness symptom now actually makes you noticeably dizzy (and has + a cap for how dizzy it can make you). + - tweak: + The dizziness symptom's transmission 6 threshold effect now makes your + screen look "druggy" all of the time (only once its virus reaches a high enough + stage, of course), instead of only occasionally. + - tweak: + The hallucigen symptom's stealth 4 threshold effect now continues to give + you positive messages instead of bad ones at stage 5. Before this tweak, meeting + that stealth threshold would actually cause bad messages to appear MORE often + at stage 5 than if you hadn't met it. + - tweak: + Pretty much completely reworked the narcolepsy symptom so that it now uses + the "drowsyness" (yes, that's how it's spelled in the code; no, I don't know + why it's misspelled like that in the code) status effect instead of a confusing + mess of ticking counters that rarely actually put you to sleep. + - tweak: + The narcolepsy symptom's transmission 7 threshold effect now only requires + transmission 4 no longer causes its virus to occasionally deal negligible amounts + of stamina damage. Instead, it now causes the host to periodically yawn, spreading + its virus whenever they do so. + - tweak: + The narcolepsy symptom's resistance 10 threshold effect is now a stage + speed 10 threshold effect. + - tweak: + The narcolepsy symptom's activation frequencies have been tweaked a bit + to make the symptom less threatening (albeit still quite potent) without its + stage speed 10 (formerly a resistance 10) threshold effect. + - balance: + The nacrolepsy symptom now adds 0 to its virus's transmission stat (upped + from -4). + - bugfix: + Fixed a bug that could cause the confusion symptom to lower your confusion + value if you had a high confusion value when it activated. Akrilla: - - rscdel: Removes crayon eating colour changes from the crayons in crayon packs. - Rainbow/mime unaffected. - - tweak: Sprays cans have a cap on how dark you can make objects. Art is uneffected. + - rscdel: + Removes crayon eating colour changes from the crayons in crayon packs. + Rainbow/mime unaffected. + - tweak: Sprays cans have a cap on how dark you can make objects. Art is uneffected. AnturK: - - rscadd: Voting boxes are now buildable from 15 metal sheets. + - rscadd: Voting boxes are now buildable from 15 metal sheets. Dingo-Dongler: - - rscadd: Some foods can now be dunked in drinks. Dip your breakfast donut in some - robust coffee today! + - rscadd: + Some foods can now be dunked in drinks. Dip your breakfast donut in some + robust coffee today! Fhaxaris: - - bugfix: riot darts now do stamina damage again - - code_imp: removed duplicate code + - bugfix: riot darts now do stamina damage again + - code_imp: removed duplicate code Fikou: - - rscadd: You can now create snow golems! They have ice powers, but take more damage - from burns, heat and fire. - - tweak: The Chaplain and Geneticst now have family heirlooms, forgotten no longer! + - rscadd: + You can now create snow golems! They have ice powers, but take more damage + from burns, heat and fire. + - tweak: The Chaplain and Geneticst now have family heirlooms, forgotten no longer! Skoglol: - - balance: Removed the static spawn maint sunglasses from metastation. - - balance: Pulling a locker now slows you down. + - balance: Removed the static spawn maint sunglasses from metastation. + - balance: Pulling a locker now slows you down. TheChosenEvilOne: - - rscadd: added passive vent to the arsenal of atmospheric devices. + - rscadd: added passive vent to the arsenal of atmospheric devices. Time-Green: - - rscadd: A pill press, reaction chamber and splitter have been added to the not-yet-existing - plumbing arsenal. + - rscadd: + A pill press, reaction chamber and splitter have been added to the not-yet-existing + plumbing arsenal. Trilbyspaceclone: - - rscadd: Chameleon neckties/cloaks + - rscadd: Chameleon neckties/cloaks cacogen: - - code_imp: Updated changelog header - - spellcheck: Made Pax chems' descriptions read better + - code_imp: Updated changelog header + - spellcheck: Made Pax chems' descriptions read better nemvar: - - refactor: refactored digital camo into an element. - - bugfix: Antiglow now properly antiglows. - - bugfix: You can now mix antiglow - - bugfix: Glowy now glowies correctly. - - bugfix: AIs can track people again. + - refactor: refactored digital camo into an element. + - bugfix: Antiglow now properly antiglows. + - bugfix: You can now mix antiglow + - bugfix: Glowy now glowies correctly. + - bugfix: AIs can track people again. qustinnus: - - bugfix: missing techpriest icon added + - bugfix: missing techpriest icon added zxaber: - - bugfix: fixed being able to Convert a Ripley MK-I to MK-II without a battery and - breaking things. + - bugfix: + fixed being able to Convert a Ripley MK-I to MK-II without a battery and + breaking things. 2019-09-06: ATHATH and ExcessiveUseOfCobblestone: - - balance: Earthsblood's healing has been changed; its burn and brute healing rates - have been increased, but its oxygen, stamina and clone healing rates have been - lowered. - - balance: Earthsblood heals you less before its 26th cycle in you, but also deals - less brain damage to you before its 26th cycle in you as well. - - balance: Earthsblood now gives you the pacifism trait temporarily while it is - in your system. - - balance: If you are a human, the earthsblood overdose effect now, in addition - to its previous effects, gives you a pacifism brain trauma with a resilience - of TRAUMA_RESILIENCE_SURGERY. If you already had a pacifism brain trauma with - a resilience of TRAUMA_RESILIENCE_BASIC (for some reason), it will increase - the resilience of that brain trauma to TRAUMA_RESILIENCE_SURGERY. This pacifism - brain trauma is NOT taken away when the earthsblood chem leaves your system. - - rscadd: After its 25th cycle in you, earthsblood has a 10% chance per tick of - on_mob_life to make you say a random hippie-related message. + - balance: + Earthsblood's healing has been changed; its burn and brute healing rates + have been increased, but its oxygen, stamina and clone healing rates have been + lowered. + - balance: + Earthsblood heals you less before its 26th cycle in you, but also deals + less brain damage to you before its 26th cycle in you as well. + - balance: + Earthsblood now gives you the pacifism trait temporarily while it is + in your system. + - balance: + If you are a human, the earthsblood overdose effect now, in addition + to its previous effects, gives you a pacifism brain trauma with a resilience + of TRAUMA_RESILIENCE_SURGERY. If you already had a pacifism brain trauma with + a resilience of TRAUMA_RESILIENCE_BASIC (for some reason), it will increase + the resilience of that brain trauma to TRAUMA_RESILIENCE_SURGERY. This pacifism + brain trauma is NOT taken away when the earthsblood chem leaves your system. + - rscadd: + After its 25th cycle in you, earthsblood has a 10% chance per tick of + on_mob_life to make you say a random hippie-related message. Dawson1917: - - tweak: Tweaked combat glove descriptions to more clearly state that they're shockproof. + - tweak: Tweaked combat glove descriptions to more clearly state that they're shockproof. Fhaxaris: - - tweak: cybernetic heart will restart after 20 seconds instead of stopping forever - - tweak: cybernetic heart takes damage from emp like other cybernetics - - tweak: heart injects epinephrine on crit instead of unconsciousness + - tweak: cybernetic heart will restart after 20 seconds instead of stopping forever + - tweak: cybernetic heart takes damage from emp like other cybernetics + - tweak: heart injects epinephrine on crit instead of unconsciousness GuyonBroadway: - - balance: Felinids now have a very adverse reaction to chocolate products. - - bugfix: You no longer purge your entire system of food in a single puke + - balance: Felinids now have a very adverse reaction to chocolate products. + - bugfix: You no longer purge your entire system of food in a single puke Qustinnus: - - bugfix: you can no longer exploit the pet park for unlimited happiness + - bugfix: you can no longer exploit the pet park for unlimited happiness plapatin: - - tweak: mime's invisible box lasts for twice as long now + - tweak: mime's invisible box lasts for twice as long now zxaber: - - bugfix: It's no longer possible to pull the Durand shield away from the Durand. + - bugfix: It's no longer possible to pull the Durand shield away from the Durand. 2019-09-10: ATHATH: - - balance: The OD effect of the earthsblood chemical now deals no damage before - cycle 26, a net 1 point of toxin damage per tick (factoring in the toxin healing - from earthsblood's normal effect(s)) from cycles 26 to 100, and a net 3 points - of toxin damage per tick (factoring in the toxin healing from earthsblood's - normal effect(s)) after cycle 100. - - bugfix: The pacifism trauma application part of OD effect of the earthsblood chemical - is less shitcode-y now and should now work on monkeys (and other carbons with - brains) too (instead of just on humans). + - balance: + The OD effect of the earthsblood chemical now deals no damage before + cycle 26, a net 1 point of toxin damage per tick (factoring in the toxin healing + from earthsblood's normal effect(s)) from cycles 26 to 100, and a net 3 points + of toxin damage per tick (factoring in the toxin healing from earthsblood's + normal effect(s)) after cycle 100. + - bugfix: + The pacifism trauma application part of OD effect of the earthsblood chemical + is less shitcode-y now and should now work on monkeys (and other carbons with + brains) too (instead of just on humans). Anarcho-Capitalistabital-by: - - rscadd: In General, Buffs healing thoroughput of C2s. You can stop paying your - cloners overtime now! - - tweak: The roundstart C2 methods are now diluted with a new reagent, Granibitaluri. - - tweak: The borghypo now can switch to "microdosing", which is 2u transfer via - AltClick - - rscadd: Granibitaluri is a C3 (no downside!!!) that tops off your brute THEN burn - damage if they are at or below 10 damage. + - rscadd: + In General, Buffs healing thoroughput of C2s. You can stop paying your + cloners overtime now! + - tweak: The roundstart C2 methods are now diluted with a new reagent, Granibitaluri. + - tweak: + The borghypo now can switch to "microdosing", which is 2u transfer via + AltClick + - rscadd: + Granibitaluri is a C3 (no downside!!!) that tops off your brute THEN burn + damage if they are at or below 10 damage. Denton: - - admin: Killer tomato activations are now logged in the game log. + - admin: Killer tomato activations are now logged in the game log. Detective-Google: - - rscadd: the syndicate now stock a chameleon kit in their dropship. - - rscdel: someone fumbled the stetchkin in the caravan ambush in shipping. + - rscadd: the syndicate now stock a chameleon kit in their dropship. + - rscdel: someone fumbled the stetchkin in the caravan ambush in shipping. Dingo-Dongler: - - bugfix: Fixes uranium/holy water and small plasma activation of self-sustaining - rainbow slime extracts - - bugfix: injecting blue slime extracts with water now creates foam, not fluorosurfactant + - bugfix: + Fixes uranium/holy water and small plasma activation of self-sustaining + rainbow slime extracts + - bugfix: injecting blue slime extracts with water now creates foam, not fluorosurfactant ExcessiveUseOfCobblestone: - - rscadd: Plasma now "boils" at 50C. This means you will need to heat the liquid - form up to make it into a gas (previously you could just splash it) - - tweak: containers that halt reactions (IE cryostasis beakers) will keep reagents - at a set temperature. - - bugfix: Plasma will no longer summon gas whenever transferring via syringe. AKA - you can now do xenobio again. - - bugfix: Plasma can no longer be cheesed grenade-style by heating the beaker. It - will now require reaction/pyrotechnics. - - code_imp: Reagents now have the framework to perform different effects on temperature - change. + - rscadd: + Plasma now "boils" at 50C. This means you will need to heat the liquid + form up to make it into a gas (previously you could just splash it) + - tweak: + containers that halt reactions (IE cryostasis beakers) will keep reagents + at a set temperature. + - bugfix: + Plasma will no longer summon gas whenever transferring via syringe. AKA + you can now do xenobio again. + - bugfix: + Plasma can no longer be cheesed grenade-style by heating the beaker. It + will now require reaction/pyrotechnics. + - code_imp: + Reagents now have the framework to perform different effects on temperature + change. Floyd / Qustinnus: - - rscadd: The science department now gets a mood bonus for petting borgs. + - rscadd: The science department now gets a mood bonus for petting borgs. MacBlaze1: - - balance: increased volume of pepper sprays to 50 - - tweak: adds knockdown of 3 second for no protection, 3 for no mouth protection - - tweak: Changes bluring and blindness of eyes - - balance: Replaces Paralysis with blind - - balance: vastly decreased the scope of pepperspray protection. - - rscadd: New variable for pepperspray protection, PEPPERPROOF, decides if you can - be pepperproof with certain equipment - - balance: Rebalanced Gygax part diamond cost numbers to be the same but now in - gold AND silver. + - balance: increased volume of pepper sprays to 50 + - tweak: adds knockdown of 3 second for no protection, 3 for no mouth protection + - tweak: Changes bluring and blindness of eyes + - balance: Replaces Paralysis with blind + - balance: vastly decreased the scope of pepperspray protection. + - rscadd: + New variable for pepperspray protection, PEPPERPROOF, decides if you can + be pepperproof with certain equipment + - balance: + Rebalanced Gygax part diamond cost numbers to be the same but now in + gold AND silver. Medbotby: - - bugfix: Medbots do not idle while stationary because they see a hot babe across - the medbay - - bugfix: Medbots do not take you down with them upon deletion, resulting in no - heals from the little buggers for the rest of the round + - bugfix: + Medbots do not idle while stationary because they see a hot babe across + the medbay + - bugfix: + Medbots do not take you down with them upon deletion, resulting in no + heals from the little buggers for the rest of the round Mickyan: - - tweak: Photos stored in photo albums will no longer occasionally be destroyed - by explosions - - imageadd: Added new floor line decals for mappers to decorate the station + - tweak: + Photos stored in photo albums will no longer occasionally be destroyed + by explosions + - imageadd: Added new floor line decals for mappers to decorate the station Quartich: - - rscadd: Adds a new event to the Orion Trail - Old Ship + - rscadd: Adds a new event to the Orion Trail - Old Ship ShizCalev: - - bugfix: Fixed DNA scanners breaking if you spammed the print injector button during - it's cooldown. - - bugfix: Crab rangoons are no longer invisible. + - bugfix: + Fixed DNA scanners breaking if you spammed the print injector button during + it's cooldown. + - bugfix: Crab rangoons are no longer invisible. Skoglol: - - balance: Stam crit made more reliable against stamina regen drugs. Upon first - entering stam crit, some extra stamina damage will be applied. - - bugfix: Unblocked donutstation incinterator door. + - balance: + Stam crit made more reliable against stamina regen drugs. Upon first + entering stam crit, some extra stamina damage will be applied. + - bugfix: Unblocked donutstation incinterator door. SpaceManiac: - - bugfix: Clicking "increase line height" once will no longer forever ruin the chat - for Wine users. + - bugfix: + Clicking "increase line height" once will no longer forever ruin the chat + for Wine users. TheChosenEvilOne: - - rscadd: Dynamic now loads server specific configurations from a defined configuration - file. - - bugfix: Antagonist preferences and bans work correctly again in dynamic. - - config: DYNAMIC_CONFIG_ENABLED has been added to game_options. + - rscadd: + Dynamic now loads server specific configurations from a defined configuration + file. + - bugfix: Antagonist preferences and bans work correctly again in dynamic. + - config: DYNAMIC_CONFIG_ENABLED has been added to game_options. Tlaltecuhtli: - - bugfix: Loading items into the custom vending machine is possible again. + - bugfix: Loading items into the custom vending machine is possible again. Trilbyspaceclone: - - rscadd: Cakes/Tarts/book - - imageadd: new cake/tarts/books sprites + - rscadd: Cakes/Tarts/book + - imageadd: new cake/tarts/books sprites Twaticus: - - bugfix: Blackberry Strawberry cake slices now have an icon - - imageadd: inhand wood sprite + - bugfix: Blackberry Strawberry cake slices now have an icon + - imageadd: inhand wood sprite actioninja: - - bugfix: fixed an issue where the random jumpsuits was occasionally rolling an - invalid item resulting in a broken item - - bugfix: fixed the generic red suit not having correct icons + - bugfix: + fixed an issue where the random jumpsuits was occasionally rolling an + invalid item resulting in a broken item + - bugfix: fixed the generic red suit not having correct icons bgobandit: - - rscadd: Nanotrasen has approved a new bar concept The Goose. + - rscadd: Nanotrasen has approved a new bar concept The Goose. cacogen: - - rscadd: Can lock attributes on character creation (e.g. hair style, eye color) - screen so when character is randomised on the screen using "Random Body" or - spawns randomised using "Always Random Body" they stay the same - - rscdel: Removed random name enforcement when using "Always Random Species" as - it discourages its use and manually chosen species don't have this naming restriction - - tweak: Having "Always Random Body" on on the character creation screen won't constantly - refresh your character anytime you change an attribute. Same for "Always Random - Name" for your name and "Always Random Species" for your species. - - rscadd: Can selectively spawn with random gender, age, backpack style, jumpsuit - style (i.e. suit or skirt), maybe a couple of other shits I forgot that weren't - previously affected by "Always Random Body" - - spellcheck: Changed all instances of the word hairstyle as multiple words in the - code to a single word due to autism and because I think it's more intuitive - as a coder for the word to be spelled properly - - code_imp: Adds defines for all randomisable features - - code_imp: Changes/shortens some character creation variables for clarity and ease - of repetition - - code_imp: The existing "Always Random" stuff is now part of a list that covers - all randomisation - - bugfix: Fixes chameleon ID card job overlays not showing up after selecting an - ID that doesn't use them - - tweak: You can reset (delete) the forged name/assignment on an ID so you can chameleon - change to IDs with a generic name instead (e.g. captain's spare ID). + - rscadd: + Can lock attributes on character creation (e.g. hair style, eye color) + screen so when character is randomised on the screen using "Random Body" or + spawns randomised using "Always Random Body" they stay the same + - rscdel: + Removed random name enforcement when using "Always Random Species" as + it discourages its use and manually chosen species don't have this naming restriction + - tweak: + Having "Always Random Body" on on the character creation screen won't constantly + refresh your character anytime you change an attribute. Same for "Always Random + Name" for your name and "Always Random Species" for your species. + - rscadd: + Can selectively spawn with random gender, age, backpack style, jumpsuit + style (i.e. suit or skirt), maybe a couple of other shits I forgot that weren't + previously affected by "Always Random Body" + - spellcheck: + Changed all instances of the word hairstyle as multiple words in the + code to a single word due to autism and because I think it's more intuitive + as a coder for the word to be spelled properly + - code_imp: Adds defines for all randomisable features + - code_imp: + Changes/shortens some character creation variables for clarity and ease + of repetition + - code_imp: + The existing "Always Random" stuff is now part of a list that covers + all randomisation + - bugfix: + Fixes chameleon ID card job overlays not showing up after selecting an + ID that doesn't use them + - tweak: + You can reset (delete) the forged name/assignment on an ID so you can chameleon + change to IDs with a generic name instead (e.g. captain's spare ID). carlarctg: - - tweak: halved syndicate combat defib recharge time - - imageadd: it also has new sprites + - tweak: halved syndicate combat defib recharge time + - imageadd: it also has new sprites nemvar: - - bugfix: Various morph fixes. - - bugfix: Changelings can perform other alt click actions while having a sting collected - once again. + - bugfix: Various morph fixes. + - bugfix: + Changelings can perform other alt click actions while having a sting collected + once again. wesoda25: - - balance: Flashbangs now stun for 1/10 of their former duration, with a knockdown - as long as the old stun. + - balance: + Flashbangs now stun for 1/10 of their former duration, with a knockdown + as long as the old stun. zxaber: - - bugfix: Strafe mode now works correctly on Honk and Odysseus mechs - - rscadd: Odysseus and Gygax mechs can now move and turn in one step if they're - not set to strafe mode. This can be overridden with Alt to turn in place. + - bugfix: Strafe mode now works correctly on Honk and Odysseus mechs + - rscadd: + Odysseus and Gygax mechs can now move and turn in one step if they're + not set to strafe mode. This can be overridden with Alt to turn in place. 2019-09-11: 4dplanner: - - bugfix: blood drunk eye slowdown nullification should work properly on the first - step now + - bugfix: + blood drunk eye slowdown nullification should work properly on the first + step now ATHATH: - - balance: The cooldown time between each removal or addition of a symptom for sentient - diseases has been brought down from an agonizingly long 2 minutes to a more - reasonable 1 minute. + - balance: + The cooldown time between each removal or addition of a symptom for sentient + diseases has been brought down from an agonizingly long 2 minutes to a more + reasonable 1 minute. AdamElTablawy: - - balance: Changeling adrenalin ability now improves stamina regeneration by -10, - rather than a measly -1, to reflect stamina based combat + - balance: + Changeling adrenalin ability now improves stamina regeneration by -10, + rather than a measly -1, to reflect stamina based combat Akrilla: - - tweak: Removes flashbang protection from helmets. + - tweak: Removes flashbang protection from helmets. Fikou, hippie guys that i stole and modified code from: - - rscadd: you can now sleep to restore some health + - rscadd: you can now sleep to restore some health GuyonBroadway: - - balance: Coco now does not force puking on application and causes less disgust - but is more aggressive with it's organ damage. + - balance: + Coco now does not force puking on application and causes less disgust + but is more aggressive with it's organ damage. MacBlaze1: - - bugfix: fixed turrets firing at silicons constantly - - bugfix: fixed turrets shooting at heads when on loyalty check + - bugfix: fixed turrets firing at silicons constantly + - bugfix: fixed turrets shooting at heads when on loyalty check Mickyan: - - imageadd: Added inhand sprites for photo albums - - spellcheck: Fixed a grammar mistake with the photographer quirk's photo albums + - imageadd: Added inhand sprites for photo albums + - spellcheck: Fixed a grammar mistake with the photographer quirk's photo albums Twaticus: - - bugfix: missing plasma spear inhand - - imageadd: plasma spear back sprite - - imageadd: inhand megaphone sprites + - bugfix: missing plasma spear inhand + - imageadd: plasma spear back sprite + - imageadd: inhand megaphone sprites actioninja: - - balance: Reinforced windows take 9 less seconds total to deconstruct - - balance: Reinforced windows now have 80 armor instead of 90, which is approximately - one minute of sustained beating with a toolbox. + - balance: Reinforced windows take 9 less seconds total to deconstruct + - balance: + Reinforced windows now have 80 armor instead of 90, which is approximately + one minute of sustained beating with a toolbox. anconfuzedrock: - - bugfix: The fire axe instakills windows again. + - bugfix: The fire axe instakills windows again. cacogen: - - rscadd: The font size of all text in the chat window now scales - - tweak: High volume is a slightly smaller - - tweak: Admins have slightly larger OOC text + - rscadd: The font size of all text in the chat window now scales + - tweak: High volume is a slightly smaller + - tweak: Admins have slightly larger OOC text kevinz000: - - bugfix: vv renaming is fixed. + - bugfix: vv renaming is fixed. zxaber: - - bugfix: Mechs removed from the game via means other than damage no longer leave - a wreckage. + - bugfix: + Mechs removed from the game via means other than damage no longer leave + a wreckage. 2019-09-12: Arkatos: - - bugfix: Fixed a bug where refunding Lightning bolt wizard spell did not also remove - relevant mob properties connected with the spell. + - bugfix: + Fixed a bug where refunding Lightning bolt wizard spell did not also remove + relevant mob properties connected with the spell. Fikou: - - balance: the recycler when not emagged wont grind any mobs anymore + - balance: the recycler when not emagged wont grind any mobs anymore Krysonism: - - rscadd: You can now craft a bronze bust depicting economist Karl Marx. + - rscadd: You can now craft a bronze bust depicting economist Karl Marx. Twaticus: - - imageadd: Byond membership ghosts now have directional sprites + - imageadd: Byond membership ghosts now have directional sprites actioninja: - - soundadd: support for equip sounds, with jumpsuits and toolbelts serving as a - proof of concept + - soundadd: + support for equip sounds, with jumpsuits and toolbelts serving as a + proof of concept 2019-09-14: ATH1909: - - tweak: Changed the default name of /datum/reagent/colorful_reagent/powder to "mundane - powder" (from "crayon powder"), to better reflect that it can't color anything - (its subtypes still can, of course) and that /datum/reagent/colorful_reagent/powder - isn't found in most crayons anymore. - - tweak: Changed the names of the subtypes of /datum/reagent/colorful_reagent/powder - so that they no longer mention crayons/"crayon powder". - - tweak: Changes the wordings of the descriptions of /datum/reagent/colorful_reagent/powder - and its subtypes to be less weird (and to mention that invisible powder and - mundane powder can't color anything). This change should also make the description - of mundane powder no longer state that it can color things the "none" color. + - tweak: + Changed the default name of /datum/reagent/colorful_reagent/powder to "mundane + powder" (from "crayon powder"), to better reflect that it can't color anything + (its subtypes still can, of course) and that /datum/reagent/colorful_reagent/powder + isn't found in most crayons anymore. + - tweak: + Changed the names of the subtypes of /datum/reagent/colorful_reagent/powder + so that they no longer mention crayons/"crayon powder". + - tweak: + Changes the wordings of the descriptions of /datum/reagent/colorful_reagent/powder + and its subtypes to be less weird (and to mention that invisible powder and + mundane powder can't color anything). This change should also make the description + of mundane powder no longer state that it can color things the "none" color. ATHATH: - - balance: Omega weed has lost its haloperidol, capsaicin, barber's aid, itching - powder, and histamine chemical production traits. In exchange, it's received - the nicotine production trait as an additional chemical production trait. The - chemical production traits that were in omega weed before this change but were - not mentioned in the above list are still in omega weed. - - balance: The list of chemical production traits of rainbow weed has been changed - from 15% mindbreaker toxin and 35% lipolicide to 5% colorful reagent, 3% psicodine, - 10% happiness, 10% mindbreaker toxin, and 15% lipolicide. This should make ingesting - rainbow weed change your character's color, but should also make 100 potency - rainbow weed highly addictive. - - balance: The extradimensional orange has received the 15% haloperidol chemical - production trait that omega weed used to have. - - balance: The base damage dealt (before modifiers) by stepping on a d4 without - shoes on is now 1d4 damage (dropped from just a flat 4 damage). + - balance: + Omega weed has lost its haloperidol, capsaicin, barber's aid, itching + powder, and histamine chemical production traits. In exchange, it's received + the nicotine production trait as an additional chemical production trait. The + chemical production traits that were in omega weed before this change but were + not mentioned in the above list are still in omega weed. + - balance: + The list of chemical production traits of rainbow weed has been changed + from 15% mindbreaker toxin and 35% lipolicide to 5% colorful reagent, 3% psicodine, + 10% happiness, 10% mindbreaker toxin, and 15% lipolicide. This should make ingesting + rainbow weed change your character's color, but should also make 100 potency + rainbow weed highly addictive. + - balance: + The extradimensional orange has received the 15% haloperidol chemical + production trait that omega weed used to have. + - balance: + The base damage dealt (before modifiers) by stepping on a d4 without + shoes on is now 1d4 damage (dropped from just a flat 4 damage). Dingo-Dongler: - - tweak: Slimes and jellypeople pass nanites to their offspring. + - tweak: Slimes and jellypeople pass nanites to their offspring. Fikou: - - balance: the bone spear is an itty bitty tiny bit stronger + - balance: the bone spear is an itty bitty tiny bit stronger Mickyan: - - rscadd: Medical staff now spawns with a first aid kit with increased capacity - and basic surgery tools - - bugfix: Fixes fire extinguisher being able to be emptied from storage slots + - rscadd: + Medical staff now spawns with a first aid kit with increased capacity + and basic surgery tools + - bugfix: Fixes fire extinguisher being able to be emptied from storage slots qustinnus: - - rscadd: adds Knight's Armour made out of any materials add; new ruin found in - lavaland protected by dark wizards, I wonder what they're guarding + - rscadd: + adds Knight's Armour made out of any materials add; new ruin found in + lavaland protected by dark wizards, I wonder what they're guarding 2019-09-15: 4dplanner: - - bugfix: dead livers no longer runtime + - bugfix: dead livers no longer runtime 2019-10-02: ATHATH: - - bugfix: Click+dragging someone onto yourself while on harm intent as a cyborg - should now only search them, not buckle them to yourself (for realsies this - time). - - rscadd: A bottle of sugar has been added to the roundstart contents of the Virology - smartfridge(s). - - bugfix: Fixes and moves around some on_stage_change() and Start()-related things - for virus symptoms and (sentient) diseases. - - bugfix: The inorganic biology symptom should work properly now when bought by - a sentient disease. - - tweak: Reagents from plants are now a minimum of 1 instead of hard-adding 1 (now - 50% = 50% instead of 51%) + - bugfix: + Click+dragging someone onto yourself while on harm intent as a cyborg + should now only search them, not buckle them to yourself (for realsies this + time). + - rscadd: + A bottle of sugar has been added to the roundstart contents of the Virology + smartfridge(s). + - bugfix: + Fixes and moves around some on_stage_change() and Start()-related things + for virus symptoms and (sentient) diseases. + - bugfix: + The inorganic biology symptom should work properly now when bought by + a sentient disease. + - tweak: + Reagents from plants are now a minimum of 1 instead of hard-adding 1 (now + 50% = 50% instead of 51%) ArcaneMusic: - - bugfix: The Medical Kiosk is now obtainable from the Biological Technology tech. + - bugfix: The Medical Kiosk is now obtainable from the Biological Technology tech. Denton: - - tweak: Cultists that attempt to use purified soul stones now burn their hands. - - tweak: Cursed Russian revolvers now spawn non-cult soul shards. - - bugfix: Chameleon projectors can no longer scan invisible items, like the stealth - box or mime spells. - - bugfix: Holographic animals can no longer reproduce. - - bugfix: Fulton packs no longer try to send people to destroyed beacons. - - bugfix: 'Boxstation: The toxins burn chamber sparkers have been replaced with - a floor mounted igniter.' + - tweak: Cultists that attempt to use purified soul stones now burn their hands. + - tweak: Cursed Russian revolvers now spawn non-cult soul shards. + - bugfix: + Chameleon projectors can no longer scan invisible items, like the stealth + box or mime spells. + - bugfix: Holographic animals can no longer reproduce. + - bugfix: Fulton packs no longer try to send people to destroyed beacons. + - bugfix: + "Boxstation: The toxins burn chamber sparkers have been replaced with + a floor mounted igniter." Fikou: - - bugfix: rainbow bunch reagents are ok again - - bugfix: fixes the pulse rifle arcade exploit + - bugfix: rainbow bunch reagents are ok again + - bugfix: fixes the pulse rifle arcade exploit GuyonBroadway: - - bugfix: Turns out making chocolate hot or mixing it with milk does not make it - any less lethal to cats. + - bugfix: + Turns out making chocolate hot or mixing it with milk does not make it + any less lethal to cats. Irafas: - - bugfix: Turretid button to toggle borg shooting works - - bugfix: Turrets now can shoot borgs when toggled to - - refactor: Turrets use bitflags instead of several vars + - bugfix: Turretid button to toggle borg shooting works + - bugfix: Turrets now can shoot borgs when toggled to + - refactor: Turrets use bitflags instead of several vars Rockdtben: - - bugfix: Conveyor belts animate again. + - bugfix: Conveyor belts animate again. Skoglol: - - rscdel: Replaced portable air mix tanks with standard oxygen tanks. + - rscdel: Replaced portable air mix tanks with standard oxygen tanks. Urumasi: - - code_imp: Tweaked and renamed iscatperson() to isfelinid() + - code_imp: Tweaked and renamed iscatperson() to isfelinid() kopoba: - - bugfix: Adamantite shield get his 15 damage back on pickup + - bugfix: Adamantite shield get his 15 damage back on pickup nemvar: - - bugfix: Race changing while from a race with wings to one without them now properly - removes the effects. - - bugfix: Removing the floor with an RCD now costs mats once again + - bugfix: + Race changing while from a race with wings to one without them now properly + removes the effects. + - bugfix: Removing the floor with an RCD now costs mats once again willox: - - bugfix: Hacked cargo consoles can sell contraband again + - bugfix: Hacked cargo consoles can sell contraband again zeroisthebiggay: - - bugfix: the donut station supermatter engine doesn't delam roundstart. + - bugfix: the donut station supermatter engine doesn't delam roundstart. 2019-10-03: stylemistake: - - bugfix: Fix tgui on IE8 by applying es3ify globally + - bugfix: Fix tgui on IE8 by applying es3ify globally 2019-10-04: ATHATH: - - tweak: The name of the viral DNA activator symptom has been changed to "dormant - DNA activator", to avoid confusion with the viral self-adaptation and viral - evolutionary acceleration symptoms. - - balance: The dormant DNA activator symptom now activates as often as it should. + - tweak: + The name of the viral DNA activator symptom has been changed to "dormant + DNA activator", to avoid confusion with the viral self-adaptation and viral + evolutionary acceleration symptoms. + - balance: The dormant DNA activator symptom now activates as often as it should. Arkatos: - - bugfix: Hulk punches will now properly push away cyborgs. Better get out of the - way! + - bugfix: + Hulk punches will now properly push away cyborgs. Better get out of the + way! Bumtickley00: - - rscadd: 'Cryo cell shortcuts: alt-click toggles the doors, ctrl-click toggles - the power' + - rscadd: + "Cryo cell shortcuts: alt-click toggles the doors, ctrl-click toggles + the power" Dawson1917: - - balance: Secways have less armor and no longer move as fast as running. They're - now 25% faster than janicarts. + - balance: + Secways have less armor and no longer move as fast as running. They're + now 25% faster than janicarts. Firecage: - - rscadd: Syndicate Medical Cyborgs and Syndicate Saboteur Cyborgs can now receive - certain cyborg upgrades which normal Medical Cyborgs and Engineering Cyborgs - can receive. The Pinpointer, RPED, Circuit Manipulator, and the Surgical Processor. + - rscadd: + Syndicate Medical Cyborgs and Syndicate Saboteur Cyborgs can now receive + certain cyborg upgrades which normal Medical Cyborgs and Engineering Cyborgs + can receive. The Pinpointer, RPED, Circuit Manipulator, and the Surgical Processor. Floyd: - - bugfix: The roulette wheel now understands how power works + - bugfix: The roulette wheel now understands how power works Floyd & ActionNinja: - - soundadd: Some things now make sounds when picked up, thrown, or dropped. + - soundadd: Some things now make sounds when picked up, thrown, or dropped. Kerbin-Fiber: - - imageadd: Changed the Station's Donksoft Toy Vendor with a more station coloured - look + - imageadd: + Changed the Station's Donksoft Toy Vendor with a more station coloured + look Mickyan: - - bugfix: Dwarves with wings no longer lose the ability to walk over tables by closing - their wings + - bugfix: + Dwarves with wings no longer lose the ability to walk over tables by closing + their wings NoxVS: - - rscadd: New chaplain armor using unused crusader armor + - rscadd: New chaplain armor using unused crusader armor actioninja: - - rscadd: Cable layers, ctrl click on a cable coil to switch the layer you are placing - on - - rscadd: Cable bridges can be used to connect layers or connect machines to layers - other than yellow + - rscadd: + Cable layers, ctrl click on a cable coil to switch the layer you are placing + on + - rscadd: + Cable bridges can be used to connect layers or connect machines to layers + other than yellow carlarctg: - - rscadd: Biosuit buff! Biosuits can carry most of what you'd expect them to have - (Large tanks, guns and etc for security suits, telescopic baton for CMO suit, - cane for plague doctor suit), and they also have less slowdown. + - rscadd: + Biosuit buff! Biosuits can carry most of what you'd expect them to have + (Large tanks, guns and etc for security suits, telescopic baton for CMO suit, + cane for plague doctor suit), and they also have less slowdown. nemvar: - - tweak: Removed non functional code that's supposed to make acid reduce armor values. + - tweak: Removed non functional code that's supposed to make acid reduce armor values. 2019-10-06: ATHATH: - - balance: The way that a virus's transmission-based infection vectors are determined - has been altered. - - balance: The sneezing symptom now spreads the virus in a cone, instead of in all - directions. - - balance: The sneezing symptom now has a very special threshold effect that requires - the virus to have a stage speed of 17 (yes, 17, not 7) in order for it to be - activated. - - balance: The coughing symptom now spreads the virus in a 1 tile radius square - around the host without any thresholds needing to be met. - - balance: The coughing symptom's resistance 3 threshold (the one that make hosts - drop small items) is now a resistance 11 threshold. - - balance: Other alterations have been made to the thresholds and threshold effects - of the sneezing and coughing symptoms. - - tweak: Various descriptions have been updated. - - tweak: The name of the viral DNA activator symptom has been changed to "dormant - DNA activator", to avoid confusion with the viral self-adaptation and viral - evolutionary acceleration symptoms. - - balance: The dormant DNA activator symptom now activates as often as it should. + - balance: + The way that a virus's transmission-based infection vectors are determined + has been altered. + - balance: + The sneezing symptom now spreads the virus in a cone, instead of in all + directions. + - balance: + The sneezing symptom now has a very special threshold effect that requires + the virus to have a stage speed of 17 (yes, 17, not 7) in order for it to be + activated. + - balance: + The coughing symptom now spreads the virus in a 1 tile radius square + around the host without any thresholds needing to be met. + - balance: + The coughing symptom's resistance 3 threshold (the one that make hosts + drop small items) is now a resistance 11 threshold. + - balance: + Other alterations have been made to the thresholds and threshold effects + of the sneezing and coughing symptoms. + - tweak: Various descriptions have been updated. + - tweak: + The name of the viral DNA activator symptom has been changed to "dormant + DNA activator", to avoid confusion with the viral self-adaptation and viral + evolutionary acceleration symptoms. + - balance: The dormant DNA activator symptom now activates as often as it should. ArcaneMusic: - - imageadd: The Redcoat uniform now has sprites, and can be obtained by washing - a denied stamp on an undersuit. + - imageadd: + The Redcoat uniform now has sprites, and can be obtained by washing + a denied stamp on an undersuit. Arkatos: - - bugfix: Fixed a case where cleanbot would not clean anything else but trash with - a "clean trash" option turned on. - - bugfix: Fixed a case where cleanbot would never clean dead mices. - - bugfix: Fixed a case where cleanbot could get infinitely stuck in one place when - cleaning trash. + - bugfix: + Fixed a case where cleanbot would not clean anything else but trash with + a "clean trash" option turned on. + - bugfix: Fixed a case where cleanbot would never clean dead mices. + - bugfix: + Fixed a case where cleanbot could get infinitely stuck in one place when + cleaning trash. Bumtickley00: - - spellcheck: Fixed typos in ethereal meat taste description and sleeping carp's - stomach knee + - spellcheck: + Fixed typos in ethereal meat taste description and sleeping carp's + stomach knee Denton: - - bugfix: CRAB-17 will no longer spawn in areas like the solar array or the engine - chamber. This should decrease pink Wojak levels considerably. + - bugfix: + CRAB-17 will no longer spawn in areas like the solar array or the engine + chamber. This should decrease pink Wojak levels considerably. Fikou: - - balance: meteorslugs now do a teeny tiny stun and a long knockdown instead of - stunning for a long time, but do slightly more damage - - bugfix: you cant spray through thick clothing anymore - - bugfix: some mobs now delete on death - - balance: soulstones now cant absorb ungodly beings with no SOUL - - spellcheck: fixes cards against space doing a centcomm instead of centcom + - balance: + meteorslugs now do a teeny tiny stun and a long knockdown instead of + stunning for a long time, but do slightly more damage + - bugfix: you cant spray through thick clothing anymore + - bugfix: some mobs now delete on death + - balance: soulstones now cant absorb ungodly beings with no SOUL + - spellcheck: fixes cards against space doing a centcomm instead of centcom Floyd / Qustinnus: - - rscadd: You can now appreciate rooms for being very well decorated. + - rscadd: You can now appreciate rooms for being very well decorated. MCterra10: - - bugfix: plasmaglass shards now weld into plasmaglass and not regular glass + - bugfix: plasmaglass shards now weld into plasmaglass and not regular glass MacBlaze1: - - rscadd: Added Lenturi - - balance: Adjusted healing of Lenturi to be 3, but you get 1.5 slowdown while the - chem is in your system. - - balance: You get 0.5 stomach damage after the chem leaves your system each time. - - rscdel: Removed itchiyuri + - rscadd: Added Lenturi + - balance: + Adjusted healing of Lenturi to be 3, but you get 1.5 slowdown while the + chem is in your system. + - balance: You get 0.5 stomach damage after the chem leaves your system each time. + - rscdel: Removed itchiyuri Meyhazah: - - imageadd: New sprite for the space dragon + - imageadd: New sprite for the space dragon Skoglol: - - tweak: Slight mapping improvement to KS13 - - rscadd: KS13 now has mother drone board, a dronespeak granter and a drone printer. + - tweak: Slight mapping improvement to KS13 + - rscadd: KS13 now has mother drone board, a dronespeak granter and a drone printer. Twaticus: - - imageadd: 8 new carpets and fancy tables - - rscadd: exotic carpet crate + - imageadd: 8 new carpets and fancy tables + - rscadd: exotic carpet crate Vanadiom: - - bugfix: Crevice Spike and Franciulli now ACTUALLY sober you up. + - bugfix: Crevice Spike and Franciulli now ACTUALLY sober you up. actioninja: - - bugfix: fixed some issues with tgui interfaces regenerating on every click instead - of on first open - - bugfix: APC UI autoupdates correctly - - bugfix: Bluespace Artillery can select targets again - - tweak: Pickup and drop sounds are just under half the volume + - bugfix: + fixed some issues with tgui interfaces regenerating on every click instead + of on first open + - bugfix: APC UI autoupdates correctly + - bugfix: Bluespace Artillery can select targets again + - tweak: Pickup and drop sounds are just under half the volume and Twaticus for sprites (thank you too tralezab and whoever else helped): - - rscadd: Adds the Grill, which can be powered by coal and wood, increases food - nutritional value, taste, and adds grill marks. - - rscadd: Adds a new drink, Monkey Energy, works as fuel for the grill and increases - your speed if you're a monkey, also adds a new reagent, Char, which works the - magic in the grill. - - tweak: Coal now turns into CO2 at high temperatures and is now a stack + - rscadd: + Adds the Grill, which can be powered by coal and wood, increases food + nutritional value, taste, and adds grill marks. + - rscadd: + Adds a new drink, Monkey Energy, works as fuel for the grill and increases + your speed if you're a monkey, also adds a new reagent, Char, which works the + magic in the grill. + - tweak: Coal now turns into CO2 at high temperatures and is now a stack bobbahbrown: - - rscadd: Washing a lawyer's jumpsuit with a bluespace crystal or telecrystal will - dye the suit into an exciting galactic suit! + - rscadd: + Washing a lawyer's jumpsuit with a bluespace crystal or telecrystal will + dye the suit into an exciting galactic suit! carlarctg: - - tweak: crayons once again have powder but it doesnt recolor, for your green burger - crafting needs - - rscadd: halved firefight carry delay with latex or nitrile gloves + - tweak: + crayons once again have powder but it doesnt recolor, for your green burger + crafting needs + - rscadd: halved firefight carry delay with latex or nitrile gloves 2019-10-07: Couls: - - refactor: refactored blindness code + - refactor: refactored blindness code Tlaltecuhtli: - - bugfix: High amounts of radiation will no longer deal extreme amounts of burn - damage. + - bugfix: + High amounts of radiation will no longer deal extreme amounts of burn + damage. actioninja: - - soundadd: New sound effect for table slams and head slams - - balance: table slams knock down for 3 seconds instead of stunning for 4 - - balance: table slams deal 10 brute and 40 stamina damage. - - rscadd: 'Head slamming: neck grab someone then click a table to smash their head - against it, dealing 40 brute to the head and 60 generalized stamina, as well - as knocking down for 3 seconds. (stamina doesn''t stack with normal damage)' + - soundadd: New sound effect for table slams and head slams + - balance: table slams knock down for 3 seconds instead of stunning for 4 + - balance: table slams deal 10 brute and 40 stamina damage. + - rscadd: + "Head slamming: neck grab someone then click a table to smash their head + against it, dealing 40 brute to the head and 60 generalized stamina, as well + as knocking down for 3 seconds. (stamina doesn't stack with normal damage)" spessbro: - - rscadd: monkey powder - - rscadd: added about section chemical reactions - - tweak: monkey cubes grind into monkey powder - - tweak: gorilla cubes grind into monkey powder and strange reagent + - rscadd: monkey powder + - rscadd: added about section chemical reactions + - tweak: monkey cubes grind into monkey powder + - tweak: gorilla cubes grind into monkey powder and strange reagent 2019-10-08: Mickyan: - - tweak: The way mood and sanity is displayed on the HUD has been changed - - tweak: Sanity level will now be displayed by color changes, while facial expression - displays current mood - - rscadd: Clowns should watch their step around gardening equipment, those rake - handles can be unpredictable - - tweak: IV drips can be set to slowly transfer reagents + - tweak: The way mood and sanity is displayed on the HUD has been changed + - tweak: + Sanity level will now be displayed by color changes, while facial expression + displays current mood + - rscadd: + Clowns should watch their step around gardening equipment, those rake + handles can be unpredictable + - tweak: IV drips can be set to slowly transfer reagents Skoglol: - - bugfix: Drones and dextrous guardians can now drop things again. + - bugfix: Drones and dextrous guardians can now drop things again. bandit: - - tweak: Nanotrasen has added 0.01% more seasonal charm to their arcade machines. + - tweak: Nanotrasen has added 0.01% more seasonal charm to their arcade machines. carlarctg: - - rscadd: Atmos techs now have their unique gas masks - - rscadd: captain does too - - bugfix: captain hardsuit finally fireproof if worn with captain gas mask - - tweak: removes useless spare analyzer from atmos locker + - rscadd: Atmos techs now have their unique gas masks + - rscadd: captain does too + - bugfix: captain hardsuit finally fireproof if worn with captain gas mask + - tweak: removes useless spare analyzer from atmos locker 2019-10-09: Denton: - - bugfix: Fixed a bug where players were unable to spray/paint over splotches of - dark paint. - - rscadd: Added an infinite spraycan for admins to spawn. + - bugfix: + Fixed a bug where players were unable to spray/paint over splotches of + dark paint. + - rscadd: Added an infinite spraycan for admins to spawn. Fhaxaris: - - rscadd: You cut slice peoples throats now. Select the head on harm intent while - they are sleeping, in critical, or neck grabbed. + - rscadd: + You cut slice peoples throats now. Select the head on harm intent while + they are sleeping, in critical, or neck grabbed. Fikou: - - bugfix: unanchoring/anchoring the grill no longer attacks it once - - rscadd: medical wrench now makes you G L O W - - tweak: chainsaw kind of weapons and the mecha drill and the CLAMP can now be used - with 100% accuracy for surgery - - refactor: surgery tools now work on defines, and advanced surgery tools now switch - the tool behaviours instead of creating new items - - bugfix: chaplain things now cover proper stuff + - bugfix: unanchoring/anchoring the grill no longer attacks it once + - rscadd: medical wrench now makes you G L O W + - tweak: + chainsaw kind of weapons and the mecha drill and the CLAMP can now be used + with 100% accuracy for surgery + - refactor: + surgery tools now work on defines, and advanced surgery tools now switch + the tool behaviours instead of creating new items + - bugfix: chaplain things now cover proper stuff Firecage: - - balance: Rainbow slime extracts, when they have more than one use, are no longer - deleted when injected with plasma or slime jelly. + - balance: + Rainbow slime extracts, when they have more than one use, are no longer + deleted when injected with plasma or slime jelly. PKPenguin321 and jdawg1290: - - balance: The chances of failing a surgery step have been changed. Now surgery - will go slower the worse the surgery conditions are, capping at 2x the original - surgery speed. Any time remaining after capping the surgery speed is converted - to the odds of failing the surgery. - - balance: 'Example: A surgery takes 10 seconds. In bad conditions, it now takes - 30, but we cap it at 20. The 10 seconds lost to the cap become the chance to - fail, so it also has a 10% chance of failing.' - - tweak: When you fail a surgery, the message you get will be a bit more informative - as to your odds of succeeding if you try again. + - balance: + The chances of failing a surgery step have been changed. Now surgery + will go slower the worse the surgery conditions are, capping at 2x the original + surgery speed. Any time remaining after capping the surgery speed is converted + to the odds of failing the surgery. + - balance: + "Example: A surgery takes 10 seconds. In bad conditions, it now takes + 30, but we cap it at 20. The 10 seconds lost to the cap become the chance to + fail, so it also has a 10% chance of failing." + - tweak: + When you fail a surgery, the message you get will be a bit more informative + as to your odds of succeeding if you try again. Qustinnus: - - rscadd: You can now give your ass acute radiation poisoning - - rscadd: floydmats now apply to all objs / items - - rscadd: you can now make tables and chairs out of any material - - bugfix: beauty no longer runtimes like crazy - - bugfix: glass and silver are back to normal values after accidentally changing - them + - rscadd: You can now give your ass acute radiation poisoning + - rscadd: floydmats now apply to all objs / items + - rscadd: you can now make tables and chairs out of any material + - bugfix: beauty no longer runtimes like crazy + - bugfix: + glass and silver are back to normal values after accidentally changing + them Urumasi: - - rscadd: Added caps to plastic bottles that prevent spilling when screwed on. - - rscadd: Added a relic water bottle to the lavaland chest pool. - - code_imp: Reagent fill code has been moved to reagent_containers and made more - generic + - rscadd: Added caps to plastic bottles that prevent spilling when screwed on. + - rscadd: Added a relic water bottle to the lavaland chest pool. + - code_imp: + Reagent fill code has been moved to reagent_containers and made more + generic cynic716: - - tweak: abandoned crates - - code_imp: look it's just a big loot table change check the pastebin also I had - to define a couple reagent bottles but the compiler didn't scream about it so - it should be fine. + - tweak: abandoned crates + - code_imp: + look it's just a big loot table change check the pastebin also I had + to define a couple reagent bottles but the compiler didn't scream about it so + it should be fine. py01: - - admin: Mass-Purrbation now affects mutant species. Nya! + - admin: Mass-Purrbation now affects mutant species. Nya! qustinnus: - - bugfix: protolathe & mech fab no longer applies effects - - balance: sheets only have 1% of the radioactive power of normal radioactive material + - bugfix: protolathe & mech fab no longer applies effects + - balance: sheets only have 1% of the radioactive power of normal radioactive material spessbro: - - rscdel: Removed all reagent container outputs from biogen designs, replaced with - reagent designs that feed into the container currently placed in the biogen - - tweak: all plant nutriment produce 30u instead of 50 for the same biomass price + - rscdel: + Removed all reagent container outputs from biogen designs, replaced with + reagent designs that feed into the container currently placed in the biogen + - tweak: all plant nutriment produce 30u instead of 50 for the same biomass price 2019-10-10: ArcaneMusic: - - rscadd: A medical kiosk now exists in medbay at shift start on all maps. - - rscadd: Medical kiosks now have a T2 Upgrade, showing brain traumas and radiation - levels. - - tweak: Players can now multitool the kiosk to change the cost to get scanned, - up to ludicrous levels. + - rscadd: A medical kiosk now exists in medbay at shift start on all maps. + - rscadd: + Medical kiosks now have a T2 Upgrade, showing brain traumas and radiation + levels. + - tweak: + Players can now multitool the kiosk to change the cost to get scanned, + up to ludicrous levels. 2019-10-12: Anonmare: - - bugfix: fixes a missing space, allowing Tend wounds (Burn, Exp) to actually unlock - properly + - bugfix: + fixes a missing space, allowing Tend wounds (Burn, Exp) to actually unlock + properly Fikou: - - spellcheck: advanced retractor/hemostat description now doesnt mention a hemostat - and another hemostat or a retractor + - spellcheck: + advanced retractor/hemostat description now doesnt mention a hemostat + and another hemostat or a retractor SynnGraffkin: - - balance: CentCom has deemed use of the holodeck's emergency medical module unsafe, - as it allows for procedures to be carried out by untrained crew members. If - emergency medical procedures are needed, do not tamper with the machines and - have your station's AI or cyborgs unlock the safeties. + - balance: + CentCom has deemed use of the holodeck's emergency medical module unsafe, + as it allows for procedures to be carried out by untrained crew members. If + emergency medical procedures are needed, do not tamper with the machines and + have your station's AI or cyborgs unlock the safeties. YPOQ: - - bugfix: Bubblegum will spawn at the proper rate again + - bugfix: Bubblegum will spawn at the proper rate again YoYoBatty: - - bugfix: Frozen water vapour should freeze turfs and contents properly + - bugfix: Frozen water vapour should freeze turfs and contents properly imsxz: - - bugfix: turrets are now able to drop guns on deconstruction properly + - bugfix: turrets are now able to drop guns on deconstruction properly kingofkosmos: - - spellcheck: The health analyzer's body part damage list is now a bit easier to - read. + - spellcheck: + The health analyzer's body part damage list is now a bit easier to + read. loserXD: - - bugfix: being shoved now shows you the correct shover + - bugfix: being shoved now shows you the correct shover nemvar: - - rscadd: You can now crush soda cans on other people. + - rscadd: You can now crush soda cans on other people. willox: - - bugfix: frozen food crafting category is now visible - - tweak: space freezies, sundaes, honkdaes, and icecream sandwiches moved to frozen - food crafting category - - bugfix: chili and ice chili bounties can now occur - - code_imp: removed many duplicate member variables + - bugfix: frozen food crafting category is now visible + - tweak: + space freezies, sundaes, honkdaes, and icecream sandwiches moved to frozen + food crafting category + - bugfix: chili and ice chili bounties can now occur + - code_imp: removed many duplicate member variables 2019-10-13: 4dplanner: - - bugfix: shades now heal properly upon re-entering a soulstone (previously they - would temporarily heal, then take back all the damage next time they were hit) - - bugfix: shades summoned from a soulstone are no longer invincible + - bugfix: + shades now heal properly upon re-entering a soulstone (previously they + would temporarily heal, then take back all the damage next time they were hit) + - bugfix: shades summoned from a soulstone are no longer invincible ArcaneMusic: - - rscadd: Added a new condiment, BBQ sauce. - - rscadd: Added a new recipe to make BBQ Ribs. + - rscadd: Added a new condiment, BBQ sauce. + - rscadd: Added a new recipe to make BBQ Ribs. Arkatos: - - bugfix: Only silicons with a valid PDA will now get PDA-related verbs. - - bugfix: You will now only receive positive effects of hearing good music if you - can actually hear the music. + - bugfix: Only silicons with a valid PDA will now get PDA-related verbs. + - bugfix: + You will now only receive positive effects of hearing good music if you + can actually hear the music. Bald People: - - tweak: Witch hunter outfits are slightly different. You may notice the difference. - Maybe. - - bugfix: The centcom armor and old captain armor sprites no longer look like they - were poorly recolored. Admins can finally have more options for Centcom now! + - tweak: + Witch hunter outfits are slightly different. You may notice the difference. + Maybe. + - bugfix: + The centcom armor and old captain armor sprites no longer look like they + were poorly recolored. Admins can finally have more options for Centcom now! Couls: - - bugfix: blindness spell now only blinds you temporarily - - bugfix: drinking carrot juice no longer permanently blinds you + - bugfix: blindness spell now only blinds you temporarily + - bugfix: drinking carrot juice no longer permanently blinds you Fikou: - - refactor: powertools now change behaviour instead of being completely different - items + - refactor: + powertools now change behaviour instead of being completely different + items Fox McCloud: - - bugfix: Fixes AI swarmers just sitting in their base doing nothing - - bugfix: Fixes being able to mech-punch other mobs, as a pacifist - - bugfix: Fixes being able to hurt people, as a pacifist, by throwing them into - a wall or other mob + - bugfix: Fixes AI swarmers just sitting in their base doing nothing + - bugfix: Fixes being able to mech-punch other mobs, as a pacifist + - bugfix: + Fixes being able to hurt people, as a pacifist, by throwing them into + a wall or other mob Ghommie: - - bugfix: non-alphanumeric graffiti decals will no longer display as "letter". + - bugfix: non-alphanumeric graffiti decals will no longer display as "letter". MCterra10: - - bugfix: Welders now consume fuel when they destroy an object - - rscadd: Split personalities can now communicate with an action button - - tweak: The nitryl gas reaction now uses pluoxium as a catalyst + - bugfix: Welders now consume fuel when they destroy an object + - rscadd: Split personalities can now communicate with an action button + - tweak: The nitryl gas reaction now uses pluoxium as a catalyst Skoglol: - - rscadd: Random name/body/age/gender when roundstart antagonist preference added. - - rscadd: Random gender will now have a chance of picking "Other". - - bugfix: KS13 air tank injector now on and maxed. + - rscadd: Random name/body/age/gender when roundstart antagonist preference added. + - rscadd: Random gender will now have a chance of picking "Other". + - bugfix: KS13 air tank injector now on and maxed. TheChosenEvilOne: - - bugfix: Throwing objects to openspace works correctly. - - bugfix: Non-living objects can now go up stairs. - - bugfix: You can no longer deepfry openspace. + - bugfix: Throwing objects to openspace works correctly. + - bugfix: Non-living objects can now go up stairs. + - bugfix: You can no longer deepfry openspace. Toxicby: - - rscadd: 'Seiver, a chem favoring radpurging (cold temps) or antitoxin (hot temps) - based on temperature (NOTE: NOT ATMOS TEMP)' - - rscdel: Fiziver is now removed in favore of Seiver. Seiver uses old Fiziver recipe. - - balance: Multiver is now geared towards chem-purging, and the unique-med mechanic - is more rewarding than just amplifying the effects. Lowered toxin damage. - - balance: Syriniver is now geared towards tox-healing. Lowered chem-purging and - make it nondiscriminatory barring itself. Musiver has even lower chem-purging - and is completely nondiscriminatory. - - balance: 2 multiver bottles in the Medivend were replaced with syriniver since - they now have more distinct functionalities. + - rscadd: + "Seiver, a chem favoring radpurging (cold temps) or antitoxin (hot temps) + based on temperature (NOTE: NOT ATMOS TEMP)" + - rscdel: Fiziver is now removed in favore of Seiver. Seiver uses old Fiziver recipe. + - balance: + Multiver is now geared towards chem-purging, and the unique-med mechanic + is more rewarding than just amplifying the effects. Lowered toxin damage. + - balance: + Syriniver is now geared towards tox-healing. Lowered chem-purging and + make it nondiscriminatory barring itself. Musiver has even lower chem-purging + and is completely nondiscriminatory. + - balance: + 2 multiver bottles in the Medivend were replaced with syriniver since + they now have more distinct functionalities. bobbahbrown: - - bugfix: The maintenance doors to the brig on DonutStation can now be accessed - by the security door remote. + - bugfix: + The maintenance doors to the brig on DonutStation can now be accessed + by the security door remote. carlarctg: - - bugfix: atmos and captain gas masks no longer have floating pixel - - bugfix: sawn off shotgun has inhand - - bugfix: singulo hammer is now black + - bugfix: atmos and captain gas masks no longer have floating pixel + - bugfix: sawn off shotgun has inhand + - bugfix: singulo hammer is now black nemvar: - - balance: Removed health analyzers from medkits. Removed the ability to print health - analyzers from autolathes. + - balance: + Removed health analyzers from medkits. Removed the ability to print health + analyzers from autolathes. willox: - - code_imp: removed duplicate goliath_hide definition + - code_imp: removed duplicate goliath_hide definition 2019-10-14: Firecage: - - rscadd: All dogs, including pugs, are now capable of eating snacks and dancing - around. - - bugfix: Puppy Ian is now capable of eating and dancing. + - rscadd: + All dogs, including pugs, are now capable of eating snacks and dancing + around. + - bugfix: Puppy Ian is now capable of eating and dancing. Kaffe-work: - - bugfix: fixed sprites on guns with both bayonet and toggle-able lights removing - the bayonet when toggled. + - bugfix: + fixed sprites on guns with both bayonet and toggle-able lights removing + the bayonet when toggled. PKPenguin321: - - bugfix: If you somehow manage to get a container into a another container that - is smaller than it, like a bag in a box, you're no longer able to put things - into that bigger container (such as the bag in the box). + - bugfix: + If you somehow manage to get a container into a another container that + is smaller than it, like a bag in a box, you're no longer able to put things + into that bigger container (such as the bag in the box). Qustinnus: - - bugfix: You now get the correct material from deconning tables and chairs - - bugfix: Objects now get the correct amount of materials - - bugfix: Plasma mat doesn't send warnings on equip - - bugfix: Plasma alloys dont explode anymore - - bugfix: no more mat duping for now hopefully + - bugfix: You now get the correct material from deconning tables and chairs + - bugfix: Objects now get the correct amount of materials + - bugfix: Plasma mat doesn't send warnings on equip + - bugfix: Plasma alloys dont explode anymore + - bugfix: no more mat duping for now hopefully 2019-10-15: ATHATH: - - rscdel: Your wish that the wishgranter grants you can no longer be "To Kill". + - rscdel: Your wish that the wishgranter grants you can no longer be "To Kill". AarontheIdiot: - - tweak: Mosin Nagant requires two hands now + - tweak: Mosin Nagant requires two hands now Bumtickley00: - - rscadd: Cargo can now buy portable air pumps and portable scrubbers - - tweak: Iron sheets build the normal metal table again + - rscadd: Cargo can now buy portable air pumps and portable scrubbers + - tweak: Iron sheets build the normal metal table again Fikou: - - balance: shotguns are now "heavy" weight class. + - balance: shotguns are now "heavy" weight class. Fox McCloud: - - bugfix: Fixes spawning process for tendrils and mobs resulting in clumping of - lavaland fauna + - bugfix: + Fixes spawning process for tendrils and mobs resulting in clumping of + lavaland fauna Jdawg1290: - - bugfix: Coronary bypass heart graft can be completed with mechanical pinches properly + - bugfix: Coronary bypass heart graft can be completed with mechanical pinches properly Nemvar, Carlarc, and Bobbahbrown: - - balance: reflector vest covers arms, reflect chance from 40 to 50 - - imageadd: reflector vest has ARM BANDS + - balance: reflector vest covers arms, reflect chance from 40 to 50 + - imageadd: reflector vest has ARM BANDS ShizCalev, TheMythicGhost: - - rscdel: Nanotrasen's Department of Supernatural Defense fires the newly built - Wave Motion Gun at Reebe, destroying the Clock Cult. - - tweak: After reverse engineering technologies found after the annihilation of - Reebe, Bronze chairs now have incorporated Ratvarian A E S T H E T I C auto-spinning - technology. - - tweak: Due to the annihilation of Reebe, the clockwork structures and turfs that - fell to lavaland alongside Ratvar's corpse have lost their power becoming mere - bronze, but the spear seems to have been touched by holy energies. + - rscdel: + Nanotrasen's Department of Supernatural Defense fires the newly built + Wave Motion Gun at Reebe, destroying the Clock Cult. + - tweak: + After reverse engineering technologies found after the annihilation of + Reebe, Bronze chairs now have incorporated Ratvarian A E S T H E T I C auto-spinning + technology. + - tweak: + Due to the annihilation of Reebe, the clockwork structures and turfs that + fell to lavaland alongside Ratvar's corpse have lost their power becoming mere + bronze, but the spear seems to have been touched by holy energies. spessbandit: - - refactor: Event announcement code has been slightly refactored. - - admin: Forcing an ion storm should announce 100% of the time now, instead of 33%. + - refactor: Event announcement code has been slightly refactored. + - admin: Forcing an ion storm should announce 100% of the time now, instead of 33%. stylemistake: - - rscadd: New React-based TGUI, which is INCREDIBLY FAST. - - rscadd: New Acclimator interface (@actioninja). - - rscadd: New AI Airlock interface (@actioninja). - - rscadd: New Air Alarm interface (@stylemistake). - - rscadd: New Airlock Electronics interface (@actioninja). - - rscadd: New APC interface (@actioninja). - - rscadd: New Atmos Alert Console interface (@actioninja). - - rscadd: New Atmos Control Console interface (@actioninja). - - rscadd: New Atmos Filter interface (@actioninja). - - rscadd: New Atmos Mixer interface (@actioninja). - - rscadd: New Atmos Pump interface (@actioninja). - - rscadd: New Borg Panel interface (@actioninja). - - rscadd: New Brig Timer interface (@actioninja). - - rscadd: New Bluespace Artillery interface (@actioninja). - - rscadd: New Gas Canister interface (@willox). - - rscadd: New Cargo interface (@actioninja, @stylemistake). - - rscadd: New Cellular Emporium interface for changelings (@actioninja). - - rscadd: New CentCom Pod Launcher interface (@actioninja). - - rscadd: New Chem Dispenser interface (@stylemistake). - - rscadd: New Crayon interface (@actioninja). - - rscadd: New Disposal Unit interface (@actioninja). - - rscadd: New Thermomachine interface (@willox). - - rscadd: New Wires (hacking) interface (@actioninja). - - tweak: Old TGUI interfaces are dynamically loaded if new TGUI interface was not - found. This might increase load times while we are undergoing the transition. - - tweak: Scrubber list is more compact, using chemical formula notation for common - gases. - - tweak: Slightly more native-looking title bar in new TGUI. - - tweak: Window scrollbars are now themed to match TGUI color scheme. - - bugfix: New TGUI hopefully fixes all previous window dragging and resizing issues. - - code_imp: Very robust UI development pipeline, with hot module replacement and - live log collection. + - rscadd: New React-based TGUI, which is INCREDIBLY FAST. + - rscadd: New Acclimator interface (@actioninja). + - rscadd: New AI Airlock interface (@actioninja). + - rscadd: New Air Alarm interface (@stylemistake). + - rscadd: New Airlock Electronics interface (@actioninja). + - rscadd: New APC interface (@actioninja). + - rscadd: New Atmos Alert Console interface (@actioninja). + - rscadd: New Atmos Control Console interface (@actioninja). + - rscadd: New Atmos Filter interface (@actioninja). + - rscadd: New Atmos Mixer interface (@actioninja). + - rscadd: New Atmos Pump interface (@actioninja). + - rscadd: New Borg Panel interface (@actioninja). + - rscadd: New Brig Timer interface (@actioninja). + - rscadd: New Bluespace Artillery interface (@actioninja). + - rscadd: New Gas Canister interface (@willox). + - rscadd: New Cargo interface (@actioninja, @stylemistake). + - rscadd: New Cellular Emporium interface for changelings (@actioninja). + - rscadd: New CentCom Pod Launcher interface (@actioninja). + - rscadd: New Chem Dispenser interface (@stylemistake). + - rscadd: New Crayon interface (@actioninja). + - rscadd: New Disposal Unit interface (@actioninja). + - rscadd: New Thermomachine interface (@willox). + - rscadd: New Wires (hacking) interface (@actioninja). + - tweak: + Old TGUI interfaces are dynamically loaded if new TGUI interface was not + found. This might increase load times while we are undergoing the transition. + - tweak: + Scrubber list is more compact, using chemical formula notation for common + gases. + - tweak: Slightly more native-looking title bar in new TGUI. + - tweak: Window scrollbars are now themed to match TGUI color scheme. + - bugfix: New TGUI hopefully fixes all previous window dragging and resizing issues. + - code_imp: + Very robust UI development pipeline, with hot module replacement and + live log collection. zxaber: - - tweak: The Memento Mori now removes its action button after activation, rather - than leaving the button behind as a delayed gatcha suicide ability. + - tweak: + The Memento Mori now removes its action button after activation, rather + than leaving the button behind as a delayed gatcha suicide ability. 2019-10-16: Bumtickley00: - - bugfix: Fixed seiver removing much more radiation than intended + - bugfix: Fixed seiver removing much more radiation than intended Fikou: - - bugfix: you can now mend cavity surgery with an advanced cautery - - spellcheck: changing mode on power drill now gives you the correct message + - bugfix: you can now mend cavity surgery with an advanced cautery + - spellcheck: changing mode on power drill now gives you the correct message Jdawg1290: - - tweak: Non-dense atoms can now obscure (prevent interaction with) turfs. + - tweak: Non-dense atoms can now obscure (prevent interaction with) turfs. MadoFrog: - - rscadd: The shrine maiden's outfit has been added to the costume vendor. + - rscadd: The shrine maiden's outfit has been added to the costume vendor. Skoglol: - - tweak: The fusion reaction is now soft capped to a temperature of 1e8. + - tweak: The fusion reaction is now soft capped to a temperature of 1e8. Time-Green: - - rscadd: Plumbing equipment is now available through the medical protolathe. It's - under medical machinery boards - - rscadd: Add's a new chemistry area on metastation for chemical factories. It's - located left of main surgery. - - tweak: Chemistry has been turned into the Apothecary. It's basically normal chemistry, - but Medical Doctors have acces aswell. - - tweak: 'The smoke machine is now plumbing compatible. Put this knowledge to good - use. sprite: Thanks to @CRITAWAKETS for the plumbing RCD sprite!' + - rscadd: + Plumbing equipment is now available through the medical protolathe. It's + under medical machinery boards + - rscadd: + Add's a new chemistry area on metastation for chemical factories. It's + located left of main surgery. + - tweak: + Chemistry has been turned into the Apothecary. It's basically normal chemistry, + but Medical Doctors have acces aswell. + - tweak: + "The smoke machine is now plumbing compatible. Put this knowledge to good + use. sprite: Thanks to @CRITAWAKETS for the plumbing RCD sprite!" carlarctg: - - rscadd: The new carpets now have recipes! Try not to ingest them, as they may - have funny effects.. - - rscadd: oil is flammable + - rscadd: + The new carpets now have recipes! Try not to ingest them, as they may + have funny effects.. + - rscadd: oil is flammable 2019-10-18: Akrilla & Skoglol: - - tweak: Coin press has a fancy new UI, QoL changes, and actually takes in ore/sheets - from the right (floor arrows make sense). + - tweak: + Coin press has a fancy new UI, QoL changes, and actually takes in ore/sheets + from the right (floor arrows make sense). Archanial: - - rscadd: Added new camera to Medbay Surgery B + - rscadd: Added new camera to Medbay Surgery B Firecage: - - bugfix: The leather crafting menu is no longer blank. + - bugfix: The leather crafting menu is no longer blank. Shadowflame909: - - balance: Zombie-Powder is now instant upon ingest. Delayed upon touch and injection. + - balance: Zombie-Powder is now instant upon ingest. Delayed upon touch and injection. TheChosenEvilOne: - - bugfix: You can now pull anything up stairs. - - bugfix: Anchored objects no longer fall down openspace. - - bugfix: Catwalks block falling when on openspace. - - bugfix: Falling on to the SM crystal now dusts you. - - bugfix: Falling on groundless turfs no longer damages you. - - tweak: You can use the RCD on openspace now. - - tweak: Gravity generator now affects all station z-levels. + - bugfix: You can now pull anything up stairs. + - bugfix: Anchored objects no longer fall down openspace. + - bugfix: Catwalks block falling when on openspace. + - bugfix: Falling on to the SM crystal now dusts you. + - bugfix: Falling on groundless turfs no longer damages you. + - tweak: You can use the RCD on openspace now. + - tweak: Gravity generator now affects all station z-levels. WarlockD: - - bugfix: Geiger counter will display the correct contamination values now + - bugfix: Geiger counter will display the correct contamination values now actioninja: - - bugfix: Fixed an href exploit related to shuttle docking - - bugfix: cargo console should be even more responsive - - bugfix: buy privately button on the cargo console properly triggers a ui update + - bugfix: Fixed an href exploit related to shuttle docking + - bugfix: cargo console should be even more responsive + - bugfix: buy privately button on the cargo console properly triggers a ui update carlarctg: - - imagedel: The intern that's been injecting Growth Serum into Monkey Energy cans - has been fired. + - imagedel: + The intern that's been injecting Growth Serum into Monkey Energy cans + has been fired. nemvar: - - bugfix: You can craft with sand and ash again. - - bugfix: Soda cans work again - - bugfix: The pipes above the new chemistry area on metastation work correctly again. - - bugfix: There is no longer a hole into space in meta maint. - - bugfix: The plumbing reaction chamber now responds correctly to power changes. + - bugfix: You can craft with sand and ash again. + - bugfix: Soda cans work again + - bugfix: The pipes above the new chemistry area on metastation work correctly again. + - bugfix: There is no longer a hole into space in meta maint. + - bugfix: The plumbing reaction chamber now responds correctly to power changes. ninjanomnom: - - bugfix: UI elements that were broken like body selection are now usable again + - bugfix: UI elements that were broken like body selection are now usable again smallveggiepaws: - - tweak: Flamethrowers emit dim light when lit. - - imageadd: Lit flamethrowers inhand sprite animated. Smokey. - - soundadd: Flamethrowers make a sound when you light/extinguish them. + - tweak: Flamethrowers emit dim light when lit. + - imageadd: Lit flamethrowers inhand sprite animated. Smokey. + - soundadd: Flamethrowers make a sound when you light/extinguish them. 2019-10-20: ATHATH: - - bugfix: the three skeleton-like races now get healed by milk properly (and get - damaged by and overdose on bone hurting juice properly) - - tweak: makes a few minor edits to some of the messages from bone hurting juice + - bugfix: + the three skeleton-like races now get healed by milk properly (and get + damaged by and overdose on bone hurting juice properly) + - tweak: makes a few minor edits to some of the messages from bone hurting juice ArcaneMusic: - - rscadd: An old monastery from a previously abandoned sector of space has recently - resurfaced in some regions surrounding the station. - - rscadd: Latent scans of the surrounding systems have picked up trace signs of - new, smaller cult constructs, however these signatures quickly vanished. - - rscadd: In other news, scavengers in your sector have been seen occasionally with - classically recreated maces, so autolathe firmware has been upgraded to accommodate - this. + - rscadd: + An old monastery from a previously abandoned sector of space has recently + resurfaced in some regions surrounding the station. + - rscadd: + Latent scans of the surrounding systems have picked up trace signs of + new, smaller cult constructs, however these signatures quickly vanished. + - rscadd: + In other news, scavengers in your sector have been seen occasionally with + classically recreated maces, so autolathe firmware has been upgraded to accommodate + this. Bumtickley00: - - bugfix: You can now put items inside a medical first aid kit that's inside a bag - again + - bugfix: + You can now put items inside a medical first aid kit that's inside a bag + again Couls: - - tweak: people now crawl in the direction their heads are facing + - tweak: people now crawl in the direction their heads are facing Denton: - - bugfix: Blood cultists can no longer draw runes inside survival pods and lavaland - ruins. This kills the survival pod space base. - - bugfix: CentCom has recently outfitted all supply shuttles with teleportation - blocking shielding. Supply shuttles also will no longer leave with disposal - pipes and bins inside them. + - bugfix: + Blood cultists can no longer draw runes inside survival pods and lavaland + ruins. This kills the survival pod space base. + - bugfix: + CentCom has recently outfitted all supply shuttles with teleportation + blocking shielding. Supply shuttles also will no longer leave with disposal + pipes and bins inside them. Fikou: - - rscadd: You can now make bronze windows and airlocks + - rscadd: You can now make bronze windows and airlocks Firecage: - - bugfix: The Wizard Academy Teacher ghost roll can now be ignored for the entire - round when it pops up, plus it now spawns in the Wizard Academy away mission - instead of the Wizard Lair. + - bugfix: + The Wizard Academy Teacher ghost roll can now be ignored for the entire + round when it pops up, plus it now spawns in the Wizard Academy away mission + instead of the Wizard Lair. Fox McCloud: - - bugfix: Fixes being able to exploit fully upgraded destructive analyzers to multiply - materials + - bugfix: + Fixes being able to exploit fully upgraded destructive analyzers to multiply + materials JDawg1290: - - bugfix: Doors now properly toggle obscurity. Windoors will not obscure floors - ever. + - bugfix: + Doors now properly toggle obscurity. Windoors will not obscure floors + ever. KetasDotepasto: - - bugfix: Splitter sends chemicals both ways. + - bugfix: Splitter sends chemicals both ways. Krysonism: - - rscadd: Added lots of new donuts - - rscadd: 3 new dishes cooked with the new plants. - - rscadd: Added a nugget box. I'm lovin' it - - rscdel: You can no longer make cherry donuts. - - tweak: Tea powder is less toxic and tastes better. - - rscadd: Regenerative mesh, a new burn healing medical device. - - rscadd: Sutures, a new brute healing medical device. - - rscadd: Medicated sutures, a new medical device created by a chemical reaction. - - rscadd: Cellulose reagent, used to make the new sutures, can be heated to produce - carbon. - - balance: White kits now contain the new medical devices instead of bruise packs - and ointment. - - balance: Most bruise packs and ointments have been replaced with the new devices. + - rscadd: Added lots of new donuts + - rscadd: 3 new dishes cooked with the new plants. + - rscadd: Added a nugget box. I'm lovin' it + - rscdel: You can no longer make cherry donuts. + - tweak: Tea powder is less toxic and tastes better. + - rscadd: Regenerative mesh, a new burn healing medical device. + - rscadd: Sutures, a new brute healing medical device. + - rscadd: Medicated sutures, a new medical device created by a chemical reaction. + - rscadd: + Cellulose reagent, used to make the new sutures, can be heated to produce + carbon. + - balance: + White kits now contain the new medical devices instead of bruise packs + and ointment. + - balance: Most bruise packs and ointments have been replaced with the new devices. Mickyan: - - bugfix: Mood HUD will now display the correct colors + - bugfix: Mood HUD will now display the correct colors PepperPrepper: - - rscadd: Back sprites for the pulse rifle + - rscadd: Back sprites for the pulse rifle Qustinnus: - - rscadd: Basic skill framework, only applied to mining at the moment. Use a pickaxe - or drill to become more efficient and mine faster. - - rscadd: New ruin; the very strong rock. If you become good enough at mining maybe - you can crack it open. - - balance: nerfs mythril mat + - rscadd: + Basic skill framework, only applied to mining at the moment. Use a pickaxe + or drill to become more efficient and mine faster. + - rscadd: + New ruin; the very strong rock. If you become good enough at mining maybe + you can crack it open. + - balance: nerfs mythril mat Skoglol: - - tweak: Fusion should now react like before, even with the heat cap. - - rscadd: Vault controller has been updated to tgui-next. + - tweak: Fusion should now react like before, even with the heat cap. + - rscadd: Vault controller has been updated to tgui-next. TheChosenEvilOne: - - bugfix: Microwaves work again with items that do not have custom materials. + - bugfix: Microwaves work again with items that do not have custom materials. Time-Green: - - bugfix: Fixes a bunch of plumbing bugs - - tweak: Moves the plumbing RCD from autolathe to medical protolathe - - tweak: You can now built plumbing machines without ducts in-between, if you so - wish + - bugfix: Fixes a bunch of plumbing bugs + - tweak: Moves the plumbing RCD from autolathe to medical protolathe + - tweak: + You can now built plumbing machines without ducts in-between, if you so + wish Twaticus: - - rscadd: Various edits to the new plumbing area, abandoned bar, and the surrounding - maintenance. + - rscadd: + Various edits to the new plumbing area, abandoned bar, and the surrounding + maintenance. YakiAttaki: - - rscadd: Added xeno immunity trait - - balance: made skeletons immune to facehuggers + - rscadd: Added xeno immunity trait + - balance: made skeletons immune to facehuggers actioninja: - - bugfix: Removes a stray 0 in the crayon ui + - bugfix: Removes a stray 0 in the crayon ui carlarctg: - - rscadd: Scientists have been spotted asking coworkers about the whereabouts of - their donuts. + - rscadd: + Scientists have been spotted asking coworkers about the whereabouts of + their donuts. carshalash: - - tweak: Added Triple sec to margaritas so they taste less awful. - - balance: Rebalanced certain alcohol values. - - tweak: Changes recipe to fit the other frozen .dm, makes grape snowcone taste - less like berry. + - tweak: Added Triple sec to margaritas so they taste less awful. + - balance: Rebalanced certain alcohol values. + - tweak: + Changes recipe to fit the other frozen .dm, makes grape snowcone taste + less like berry. nemvar: - - admin: You can now properly apply arguments when adding components/elements via - the VV dropdown. - - tweak: You can no longer start a neck slice with an item that does not have any - force. + - admin: + You can now properly apply arguments when adding components/elements via + the VV dropdown. + - tweak: + You can no longer start a neck slice with an item that does not have any + force. nianjiilical: - - rscadd: Adds 5 new colored bioluminescence traits for plants. - - rscadd: Holy melons, omega weed and moonflower now have colored bioluminescence. - - rscadd: Adds a new bioluminescent mutation for cherries. - - rscadd: Adds a new bioluminescent mutation for grass, with matching glowing astroturf - tiles. - - tweak: Tweaks glowberry and glowcap bioluminescence to be consistent with other - types. + - rscadd: Adds 5 new colored bioluminescence traits for plants. + - rscadd: Holy melons, omega weed and moonflower now have colored bioluminescence. + - rscadd: Adds a new bioluminescent mutation for cherries. + - rscadd: + Adds a new bioluminescent mutation for grass, with matching glowing astroturf + tiles. + - tweak: + Tweaks glowberry and glowcap bioluminescence to be consistent with other + types. qust: - - bugfix: mining skill doesnt runtime on corpses anymore + - bugfix: mining skill doesnt runtime on corpses anymore stylemistake: - - tweak: Lots of code improvements for tgui-next + - tweak: Lots of code improvements for tgui-next willox: - - bugfix: apothecary shutters can be properly controlled with the wall buttons + - bugfix: apothecary shutters can be properly controlled with the wall buttons zxaber: - - tweak: Renamed the pump in front of the SM door to "Engine Coolant Bypass" on - all maps but Pubby to help make the function of this pump more clear. + - tweak: + Renamed the pump in front of the SM door to "Engine Coolant Bypass" on + all maps but Pubby to help make the function of this pump more clear. 2019-10-21: carlarctg: - - rscadd: Candy cigarettes! Fun for the whole family. Reports of addiction are punishable - by permanent retirement. - - tweak: The Carp Classic representative was found practicing 'isometric exercise' - in the Cigarette Poisoning Meeting's bathroom window. + - rscadd: + Candy cigarettes! Fun for the whole family. Reports of addiction are punishable + by permanent retirement. + - tweak: + The Carp Classic representative was found practicing 'isometric exercise' + in the Cigarette Poisoning Meeting's bathroom window. stylemistake: - - bugfix: Fix vanishing of supply catalog in supply console. + - bugfix: Fix vanishing of supply catalog in supply console. 2019-10-22: ATHATH: - - balance: Bolts of resurrection now instantly kill the undead instead of fully - healing them. - - balance: Bolts of death now fully heal the undead instead of instantly killing - them. - - tweak: Hellbound people can now be healed by magical bolts, provided that they - aren't dead (yet). - - bugfix: You can no longer overdose on water. - - bugfix: Skeletons and such should now be properly able to process milk (for realzies - this time). + - balance: + Bolts of resurrection now instantly kill the undead instead of fully + healing them. + - balance: + Bolts of death now fully heal the undead instead of instantly killing + them. + - tweak: + Hellbound people can now be healed by magical bolts, provided that they + aren't dead (yet). + - bugfix: You can no longer overdose on water. + - bugfix: + Skeletons and such should now be properly able to process milk (for realzies + this time). SerJanko for epic asteroid sprites and qustinnus: - - rscadd: parallax can now sometimes have asteroids or unidentified space-gas + - rscadd: parallax can now sometimes have asteroids or unidentified space-gas Urumasi: - - spellcheck: Salicylic acid is now spelled correctly + - spellcheck: Salicylic acid is now spelled correctly XDTM: - - rscadd: 'Added a new nanite program under Mesh Nanite Programming: Dermal Button. - It gives an action button to hosts that signals their nanites when pressed.' - - rscadd: 'Added the Reduced Diagnostics nanite program: it disables the program - list when scanned by portable nanite scanners, in return for a minor increase - in replication speed.' - - tweak: The functionality has been removed from the Stealth program, but they can - easily be stacked together if needed. - - balance: Viral Nanites now have a 100% chance to work, but only pulse every 7.5 - seconds. - - tweak: Stealth nanites grant immunity to viral nanites. - - balance: Spreading nanites now have a higher chance to infect, but only pulse - once every 5 seconds. - - balance: Accelerated Regeneration now heals 0.5/s, (from 1) but only costs 0.5 - nanites/s (from 2.5). - - balance: Mechanical Repair now heals 1.5/s (from 1/s). - - balance: Mind Control is now a Triggered program that costs 30, has a 180s cooldown, - and lasts 60 seconds. - - rscadd: Mind control can now be triggered with a comm remote to input a custom - objective. - - rscadd: Added the Happiness Enhancement and Happiness Suppression nanite programs, - which boost or suppress the host's mood while active. + - rscadd: + "Added a new nanite program under Mesh Nanite Programming: Dermal Button. + It gives an action button to hosts that signals their nanites when pressed." + - rscadd: + "Added the Reduced Diagnostics nanite program: it disables the program + list when scanned by portable nanite scanners, in return for a minor increase + in replication speed." + - tweak: + The functionality has been removed from the Stealth program, but they can + easily be stacked together if needed. + - balance: + Viral Nanites now have a 100% chance to work, but only pulse every 7.5 + seconds. + - tweak: Stealth nanites grant immunity to viral nanites. + - balance: + Spreading nanites now have a higher chance to infect, but only pulse + once every 5 seconds. + - balance: + Accelerated Regeneration now heals 0.5/s, (from 1) but only costs 0.5 + nanites/s (from 2.5). + - balance: Mechanical Repair now heals 1.5/s (from 1/s). + - balance: + Mind Control is now a Triggered program that costs 30, has a 180s cooldown, + and lasts 60 seconds. + - rscadd: + Mind control can now be triggered with a comm remote to input a custom + objective. + - rscadd: + Added the Happiness Enhancement and Happiness Suppression nanite programs, + which boost or suppress the host's mood while active. actioninja: - - bugfix: Wire ui displays wire functions when you have alien multitools again + - bugfix: Wire ui displays wire functions when you have alien multitools again bobbahbrown: - - bugfix: Objects will once again properly report when they do not contain materials. + - bugfix: Objects will once again properly report when they do not contain materials. carlarctg: - - tweak: flash powder stuns borgs + - tweak: flash powder stuns borgs nemvar: - - bugfix: The surgery B APC on metastation now has the correct name. + - bugfix: The surgery B APC on metastation now has the correct name. 2019-10-23: Indie-ana Jones & Meyhazah: - - rscadd: 'New lavaland ruin: Pulsating Tumor' - - rscadd: 'New lavaland enemies: Lavaland Elites' - - rscadd: 'New Lavaland Elite: Goliath Broodmother' - - rscadd: 'New Lavaland Elite: Pandora' - - rscadd: 'New Lavaland Elite: Legionnaire' - - rscadd: 'New Lavaland Elite: Herald' - - imageadd: Added lavaland elite sprites and pulsating tumor sprites - - imageadd: New lavaland loot sprites - - imageadd: Elite ability sprites + - rscadd: "New lavaland ruin: Pulsating Tumor" + - rscadd: "New lavaland enemies: Lavaland Elites" + - rscadd: "New Lavaland Elite: Goliath Broodmother" + - rscadd: "New Lavaland Elite: Pandora" + - rscadd: "New Lavaland Elite: Legionnaire" + - rscadd: "New Lavaland Elite: Herald" + - imageadd: Added lavaland elite sprites and pulsating tumor sprites + - imageadd: New lavaland loot sprites + - imageadd: Elite ability sprites RaveRadbury: - - bugfix: Lawyer ID color changed to reflect that Lawyers report to the Head of - Personnel + - bugfix: + Lawyer ID color changed to reflect that Lawyers report to the Head of + Personnel Skoglol: - - bugfix: Syndicate lavaland base no longer uses gas miners, and their atmos should - now be usable every round. Some repiping done in the process, non-functional - tank consoles gone. - - tweak: Most input windows now have sorted lists of choices. + - bugfix: + Syndicate lavaland base no longer uses gas miners, and their atmos should + now be usable every round. Some repiping done in the process, non-functional + tank consoles gone. + - tweak: Most input windows now have sorted lists of choices. Skoglol, TheChosenEvilOne: - - rscadd: Dynamic now has a more threat based scaling of the individual solo antag - modes, instead of only scaling amount of modes to threat. This should make for - a somewhat less chaotic jumble of rulesets, with later picked ones supporting - the initial one instead of overshadowing every time. Old style chaos still possible - though. - - admin: 'Dynamic: Configs now work.' - - rscadd: 'Dynamic: Second and third rulesets rolling now has a threat-based probability - of rolling instead of always doing so.' - - bugfix: 'Dynamic: Rulesets should now fire more consistently.' - - bugfix: 'Dynamic: Round-ender rulesets now (properly) cant stack below 90 threat. - Several bugs fixed.' - - bugfix: 'Dynamic: Fixed bugs related to forcing normal rulesets.' - - tweak: 'Dynamic: Revolutions will not end the round on a station win.' - - bugfix: 'Dynamic: Revolution should now end properly.' - - bugfix: 'Dynamic: Revolution will no longer make ineligible players revheads. - Borgs, get back in line.' - - balance: 'Dynamic: Wizard summon events/guns/magic disabled.' - - balance: 'Dynamic: Blood cult ruleset is now 35 cost by default.' + - rscadd: + Dynamic now has a more threat based scaling of the individual solo antag + modes, instead of only scaling amount of modes to threat. This should make for + a somewhat less chaotic jumble of rulesets, with later picked ones supporting + the initial one instead of overshadowing every time. Old style chaos still possible + though. + - admin: "Dynamic: Configs now work." + - rscadd: + "Dynamic: Second and third rulesets rolling now has a threat-based probability + of rolling instead of always doing so." + - bugfix: "Dynamic: Rulesets should now fire more consistently." + - bugfix: + "Dynamic: Round-ender rulesets now (properly) cant stack below 90 threat. + Several bugs fixed." + - bugfix: "Dynamic: Fixed bugs related to forcing normal rulesets." + - tweak: "Dynamic: Revolutions will not end the round on a station win." + - bugfix: "Dynamic: Revolution should now end properly." + - bugfix: + "Dynamic: Revolution will no longer make ineligible players revheads. + Borgs, get back in line." + - balance: "Dynamic: Wizard summon events/guns/magic disabled." + - balance: "Dynamic: Blood cult ruleset is now 35 cost by default." StonebayKyle: - - rscadd: The E.X.P.E.R.I-MENTOR now develops research from newly discovered strange - objects. + - rscadd: + The E.X.P.E.R.I-MENTOR now develops research from newly discovered strange + objects. bandit: - - bugfix: Ghosts can't use security cameras anymore. Get off your ghost hindquarters - and go there yourself. - - bugfix: Simple animals with hands (gorillas, drones, etc.) can now drag themselves - onto crates. - - bugfix: Restoring the holodeck safeties works again. + - bugfix: + Ghosts can't use security cameras anymore. Get off your ghost hindquarters + and go there yourself. + - bugfix: + Simple animals with hands (gorillas, drones, etc.) can now drag themselves + onto crates. + - bugfix: Restoring the holodeck safeties works again. carlarctg: - - balance: armory has a reflective trenchcoat - - tweak: you can still get the vest from cargo but it's not the objective anymore + - balance: armory has a reflective trenchcoat + - tweak: you can still get the vest from cargo but it's not the objective anymore genessee596: - - rscdel: Removed all departmental budget cards except for cargo card - - tweak: Cargo now gets 500 credits per paycheck - - balance: Cargo can't amass infinite money from other departments + - rscdel: Removed all departmental budget cards except for cargo card + - tweak: Cargo now gets 500 credits per paycheck + - balance: Cargo can't amass infinite money from other departments nemvar: - - bugfix: Ghosts can no longer receive a detailed readout of a persons moodlets - with the observe verb. - - bugfix: Having no skill whatsoever in a thing now returns the worst possible skill - modifier. Basically... PKAs now have a cooldown again. - - bugfix: Starting to earn XP towards the first level of a skill no longer tell - you that you got better at the skill since you factually didn't. - - spellcheck: Fixes formatting when viewing skills. + - bugfix: + Ghosts can no longer receive a detailed readout of a persons moodlets + with the observe verb. + - bugfix: + Having no skill whatsoever in a thing now returns the worst possible skill + modifier. Basically... PKAs now have a cooldown again. + - bugfix: + Starting to earn XP towards the first level of a skill no longer tell + you that you got better at the skill since you factually didn't. + - spellcheck: Fixes formatting when viewing skills. stylemistake: - - bugfix: Replaced npm with yarn for more deterministic installs in tgui-next. - - tweak: tgui dev server can now show real stack traces using source maps. + - bugfix: Replaced npm with yarn for more deterministic installs in tgui-next. + - tweak: tgui dev server can now show real stack traces using source maps. willox: - - bugfix: air alarm in medical lobby is no longer a Space air alarm - - bugfix: tgui-next interfaces can be scrolled without clicking on them on Windows - 8.1+ and higher. + - bugfix: air alarm in medical lobby is no longer a Space air alarm + - bugfix: + tgui-next interfaces can be scrolled without clicking on them on Windows + 8.1+ and higher. 2019-10-24: Cenrus: - - spellcheck: Reagent Synthetizer is now spelled correctly + - spellcheck: Reagent Synthetizer is now spelled correctly Fikou: - - rscadd: The clown planet has returned into orbit of space station 13. We see it - now turned into a more planetary shape, and seems to be guarding some beast... + - rscadd: + The clown planet has returned into orbit of space station 13. We see it + now turned into a more planetary shape, and seems to be guarding some beast... Skoglol: - - bugfix: Fixed a bug causing dynamic to not run any rulesets. - - bugfix: Even more dynamic fixes + - bugfix: Fixed a bug causing dynamic to not run any rulesets. + - bugfix: Even more dynamic fixes TheChosenEvilOne: - - rscadd: Birdboat now has a chance to be controllable by dead chat, think twitch - plays pokemon but goose and deadchat. - - rscadd: Deadchat controlled singularity variant. + - rscadd: + Birdboat now has a chance to be controllable by dead chat, think twitch + plays pokemon but goose and deadchat. + - rscadd: Deadchat controlled singularity variant. Urumasi: - - rscdel: Removed relic water bottle from necropolis chests - - bugfix: Water bottles now show the correct material they're made of + - rscdel: Removed relic water bottle from necropolis chests + - bugfix: Water bottles now show the correct material they're made of bandit: - - bugfix: Bank accounts should display the correct names for non-humans who join - as command roles when Enforce Human Authority is enabled. + - bugfix: + Bank accounts should display the correct names for non-humans who join + as command roles when Enforce Human Authority is enabled. spookydonut: - - rscadd: cryocell ui converted to tgui-next + - rscadd: cryocell ui converted to tgui-next stylemistake: - - rscadd: New ChemMaster interface. - - rscadd: New ChemHeater interface. + - rscadd: New ChemMaster interface. + - rscadd: New ChemHeater interface. tralezab: - - rscadd: The mime's PDA messages are silent now! + - rscadd: The mime's PDA messages are silent now! 2019-10-26: 4dplanner: - - bugfix: spectral blade should now behave better + - bugfix: spectral blade should now behave better ATHATH: - - tweak: Renames the explosive kind of "black powder" to "gunpowder", to avoid confusion - with the kind of "black powder" that dyes things black. + - tweak: + Renames the explosive kind of "black powder" to "gunpowder", to avoid confusion + with the kind of "black powder" that dyes things black. AnturK: - - admin: You can now specify amount spawned in spawn verb in "path:amount" format. + - admin: You can now specify amount spawned in spawn verb in "path:amount" format. ArcaneMusic: - - rscadd: Adds a new Lavaland Ruin, the Elephant Graveyard. - - rscadd: You can now learn to create several bone statues, and a new, dangerous - shovel. The only thing stopping you are the consequences. + - rscadd: Adds a new Lavaland Ruin, the Elephant Graveyard. + - rscadd: + You can now learn to create several bone statues, and a new, dangerous + shovel. The only thing stopping you are the consequences. Arkatos: - - rscadd: Added missing broken chameleon tie to broken chameleon kit. - - bugfix: Fixed an issue with a chameleon tie being invisible. - - bugfix: NASA jumpsuit now has proper sprite icons. - - bugfix: Fixed an issue where chocolate jelly donuts icons were invisible. - - bugfix: Fixed an issue where you could get an extra monkey from a monkey cube - by using it on a toilet. - - bugfix: You will now always leave fingerprints on toilets when you use them. Detectives, - get on that! + - rscadd: Added missing broken chameleon tie to broken chameleon kit. + - bugfix: Fixed an issue with a chameleon tie being invisible. + - bugfix: NASA jumpsuit now has proper sprite icons. + - bugfix: Fixed an issue where chocolate jelly donuts icons were invisible. + - bugfix: + Fixed an issue where you could get an extra monkey from a monkey cube + by using it on a toilet. + - bugfix: + You will now always leave fingerprints on toilets when you use them. Detectives, + get on that! Cobby: - - balance: Multiver now only provides unique medicine bonus to purging toxins, not - other medicines (still deletes medicines slowly) - - balance: Multiver now considers alcohol "toxins" for the purpose of chem removal - - balance: Multiver has less base damage, still scales down with medicines (EPIN - YOURSELF) - - balance: Multiver pills have more... well... multiver + - balance: + Multiver now only provides unique medicine bonus to purging toxins, not + other medicines (still deletes medicines slowly) + - balance: Multiver now considers alcohol "toxins" for the purpose of chem removal + - balance: + Multiver has less base damage, still scales down with medicines (EPIN + YOURSELF) + - balance: Multiver pills have more... well... multiver Denton: - - admin: Plumbing smoke reactions no longer spam admin notifications. + - admin: Plumbing smoke reactions no longer spam admin notifications. Dingo-Dongler: - - rscadd: Paper can now be attached to wrapped packages. - - spellcheck: genetics console combines with success, not succes + - rscadd: Paper can now be attached to wrapped packages. + - spellcheck: genetics console combines with success, not succes IradT: - - rscdel: Removed a lot of stuff from Head of department lockers. - - balance: moved RCD from Autolathe -> Protolathe + - rscdel: Removed a lot of stuff from Head of department lockers. + - balance: moved RCD from Autolathe -> Protolathe Jdawg1290: - - balance: Field Generators now block gasses and shield floors from melting when - active + - balance: + Field Generators now block gasses and shield floors from melting when + active Kaffe-work: - - tweak: moved vampire blood counter into status bar - - balance: vampire blood loss is now 1/3 of previous value + - tweak: moved vampire blood counter into status bar + - balance: vampire blood loss is now 1/3 of previous value Neotw: - - bugfix: You can put water bottles in chemistry bags again + - bugfix: You can put water bottles in chemistry bags again Qustinnus, Willox & AnturK: - - rscadd: Achievements are now datums + - rscadd: Achievements are now datums Ryll/Shaps: - - rscadd: New opportunities for (unpaid) internships are available at CentCom for - those willing to face danger and earn glory for your company! + - rscadd: + New opportunities for (unpaid) internships are available at CentCom for + those willing to face danger and earn glory for your company! Shaps/Ryll: - - tweak: You can start messages with asterisks in deadchat now + - tweak: You can start messages with asterisks in deadchat now Shapsy: - - tweak: Characters with albino skin now always look pale when examined. + - tweak: Characters with albino skin now always look pale when examined. Skoglol: - - bugfix: Fixed some pointing inconsistencies in darkness and across walls. If you - can see it, you can point at it. - - bugfix: HUD default no longer clockwork. - - admin: Dynamic game mode panel can now be accessed from the Check Antagonists - window. + - bugfix: + Fixed some pointing inconsistencies in darkness and across walls. If you + can see it, you can point at it. + - bugfix: HUD default no longer clockwork. + - admin: + Dynamic game mode panel can now be accessed from the Check Antagonists + window. StonebayKyle: - - bugfix: Destructive analyzer no longer breaks when an item with no materials is - placed inside. + - bugfix: + Destructive analyzer no longer breaks when an item with no materials is + placed inside. Time-Green: - - tweak: Material objects have a better color + - tweak: Material objects have a better color Tlaltecuhtli: - - bugfix: mortar juices + - bugfix: mortar juices TooFewSecrets: - - balance: Disablers are now more effectively stopped by all forms of body armor. - Performance against unarmored targets is unchanged. + - balance: + Disablers are now more effectively stopped by all forms of body armor. + Performance against unarmored targets is unchanged. actioninja: - - rscadd: Replaced the shuttle manipulator ui with a tgui-next version - - refactor: Refactored tgui-next's initial open resulting in it now opening 2-2.5x - as fast - - rscadd: Codex Gigas and Cargo Express Console now use tgui-next - - admin: material explosions with a <1 light impact no longer get logged. Less spam. + - rscadd: Replaced the shuttle manipulator ui with a tgui-next version + - refactor: + Refactored tgui-next's initial open resulting in it now opening 2-2.5x + as fast + - rscadd: Codex Gigas and Cargo Express Console now use tgui-next + - admin: material explosions with a <1 light impact no longer get logged. Less spam. bandit: - - tweak: Request console announcements, like the ones in Head of Staff offices, - have deadchat broadcasts. - - bugfix: Humanizing a monkey no longer yeets any buried smuggler's satchels from - the tile invisibly onto their person. - - bugfix: Major victory for Nanotrasen! The Space Wizard Federation is no longer - turning geese into vomiting necromancers. + - tweak: + Request console announcements, like the ones in Head of Staff offices, + have deadchat broadcasts. + - bugfix: + Humanizing a monkey no longer yeets any buried smuggler's satchels from + the tile invisibly onto their person. + - bugfix: + Major victory for Nanotrasen! The Space Wizard Federation is no longer + turning geese into vomiting necromancers. cacogen: - - tweak: Pacifists no longer crush cockroaches when stepping on them + - tweak: Pacifists no longer crush cockroaches when stepping on them carlarctg: - - bugfix: candy cigarettes don't have broken sprites anymore + - bugfix: candy cigarettes don't have broken sprites anymore defiantGrace: - - rscadd: makes toilets constructable - - rscadd: makes sinks constructable + - rscadd: makes toilets constructable + - rscadd: makes sinks constructable genessee596: - - rscadd: An empty, generic gas tank that is craftable at an Autolathe used for - transporting gasses. + - rscadd: + An empty, generic gas tank that is craftable at an Autolathe used for + transporting gasses. ninjanomnom: - - bugfix: Body targeting should work without any initial interaction again + - bugfix: Body targeting should work without any initial interaction again py01: - - code_imp: Debug uplinks automatically show all role and species restricted items. - - balance: Increased spread on dual wielded energy weapons. + - code_imp: Debug uplinks automatically show all role and species restricted items. + - balance: Increased spread on dual wielded energy weapons. stylemistake: - - refactor: Improved tgui-next render performance by about 2x-2.5x. - - refactor: tgui-next interfaces initialize earlier and load faster (by about 28%). - - rscdel: Removed clockwork cult theme from tgui-next. - - bugfix: Tgui will no longer spawn outside of your screen. - - bugfix: Fixed a bug with titlebar missing on old tgui. + - refactor: Improved tgui-next render performance by about 2x-2.5x. + - refactor: tgui-next interfaces initialize earlier and load faster (by about 28%). + - rscdel: Removed clockwork cult theme from tgui-next. + - bugfix: Tgui will no longer spawn outside of your screen. + - bugfix: Fixed a bug with titlebar missing on old tgui. wesoda25: - - sounddel: gasp noises are no longer a thing - - tweak: chaos and meat donuts no longer can have sprinkles + - sounddel: gasp noises are no longer a thing + - tweak: chaos and meat donuts no longer can have sprinkles 2019-10-28: ArcaneMusic: - - bugfix: The Clerics Den ruin no longer has any atmos differences at roundstart. + - bugfix: The Clerics Den ruin no longer has any atmos differences at roundstart. Arkatos: - - bugfix: Fixed an issue where getting creampied twice would render you immune to - a further creampieing. - - tweak: Profits from selling returned items now goes to relevant department instead - of it always being service department. - - tweak: Returned vendor items will now be free for the workers of the relevant - department, and prices will now properly reflect their true value. - - bugfix: Fixed an issue where certain items would be unable to dispensed from a - vendor. + - bugfix: + Fixed an issue where getting creampied twice would render you immune to + a further creampieing. + - tweak: + Profits from selling returned items now goes to relevant department instead + of it always being service department. + - tweak: + Returned vendor items will now be free for the workers of the relevant + department, and prices will now properly reflect their true value. + - bugfix: + Fixed an issue where certain items would be unable to dispensed from a + vendor. Detective-Google: - - rscadd: Coworkers are now encouraged to show affection [WITHIN LEGAL LIMITS] by - holding eachother's hands! + - rscadd: + Coworkers are now encouraged to show affection [WITHIN LEGAL LIMITS] by + holding eachother's hands! MCterra10: - - bugfix: Metastation Surgery B APC no longer runtimes + - bugfix: Metastation Surgery B APC no longer runtimes XDTM: - - rscadd: Sensor nanites (most of them) can now be installed as internal rules to - programs, using their current setting. Rules must be met for the program to - stay active, but it won't affect triggering. - - rscdel: The Nanite chamber can no longer install/uninstall programs, although - it can still view them. - - rscadd: Instead, the nanite chamber can now easily destroy nanites from a host. - - tweak: Viral nanites now disable cloud sync, if they don't modify Cloud ID, making - them always effective. - - balance: The Mitosis program now also works while connected to a cloud, although - it will still generate errors in case the cloud sync stops working. + - rscadd: + Sensor nanites (most of them) can now be installed as internal rules to + programs, using their current setting. Rules must be met for the program to + stay active, but it won't affect triggering. + - rscdel: + The Nanite chamber can no longer install/uninstall programs, although + it can still view them. + - rscadd: Instead, the nanite chamber can now easily destroy nanites from a host. + - tweak: + Viral nanites now disable cloud sync, if they don't modify Cloud ID, making + them always effective. + - balance: + The Mitosis program now also works while connected to a cloud, although + it will still generate errors in case the cloud sync stops working. nemvar: - - bugfix: Xeno and changeling impregnation times now get stopped by stasis. Also - fixes a bug where they were growing up almost twice as fast as intended. + - bugfix: + Xeno and changeling impregnation times now get stopped by stasis. Also + fixes a bug where they were growing up almost twice as fast as intended. 2019-11-04: ATHATH: - - balance: Multiplied the speed at which AI integrity restorers heal intellicarded - AIs by 5. - - balance: Made AI integrity restorer consoles automatically turn on an intellicard's - subspace tranceiver when they heal a conscious AI inside of said intellicard. - - balance: Multiplied the speed at which wiping an intellicard deals damage to an - AI within that intellicard by 5. - - balance: TRIES TO FIX MILK FOR THE THIRD TIME - - balance: PLEASE GOD LET THIS WORK - - balance: Buffs the maximum amount/volume of milk that a skeleton, bone golem, - or plasmaman can have in their system before it starts to drip off of their - bones to >10u instead of >=6u. + - balance: + Multiplied the speed at which AI integrity restorers heal intellicarded + AIs by 5. + - balance: + Made AI integrity restorer consoles automatically turn on an intellicard's + subspace tranceiver when they heal a conscious AI inside of said intellicard. + - balance: + Multiplied the speed at which wiping an intellicard deals damage to an + AI within that intellicard by 5. + - balance: TRIES TO FIX MILK FOR THE THIRD TIME + - balance: PLEASE GOD LET THIS WORK + - balance: + Buffs the maximum amount/volume of milk that a skeleton, bone golem, + or plasmaman can have in their system before it starts to drip off of their + bones to >10u instead of >=6u. Anonmare: - - rscadd: Service cyborgs have a drink manipulator - Rejoice! - - tweak: The service cyborg shaker has more options available - show the bartender - why his job will be automated away + - rscadd: Service cyborgs have a drink manipulator - Rejoice! + - tweak: + The service cyborg shaker has more options available - show the bartender + why his job will be automated away ArcaneMusic: - - rscadd: Plastic can now be used to make cheap, plastic floor tiles. + - rscadd: Plastic can now be used to make cheap, plastic floor tiles. Arkatos: - - bugfix: Fixed a case where singularity hammer would throw around ghosts. - - bugfix: Clones will now have a same blood type as the original body. - - bugfix: Fixed several issues with some clothing items, where no sprites would - show when worn or on the ground. - - tweak: Barmaids and Bardrones are now only invincible if they inside escape shuttle. - - bugfix: Purple gloves now correctly show their sprite when worn. + - bugfix: Fixed a case where singularity hammer would throw around ghosts. + - bugfix: Clones will now have a same blood type as the original body. + - bugfix: + Fixed several issues with some clothing items, where no sprites would + show when worn or on the ground. + - tweak: Barmaids and Bardrones are now only invincible if they inside escape shuttle. + - bugfix: Purple gloves now correctly show their sprite when worn. Cobby: - - tweak: Achievements are now moved to the OOC tab, effectively removing the personal - tab + - tweak: + Achievements are now moved to the OOC tab, effectively removing the personal + tab Couls: - - rscadd: ports TGMC's custom hotkeys - - bugfix: round-start riot and telescopic shields now have regular integrity - - bugfix: people now face west properly when they crawl west - - imageadd: restored airlock painter inhand sprites + - rscadd: ports TGMC's custom hotkeys + - bugfix: round-start riot and telescopic shields now have regular integrity + - bugfix: people now face west properly when they crawl west + - imageadd: restored airlock painter inhand sprites Denton: - - tweak: Updated the multi Z debug map with multi Z wiring/piping/disposals and - stairs. - - bugfix: Added missing destinations for refugee hunter shuttles. - - tweak: Added two EVA crates to the space cop shuttle. - - code_imp: revive() with admin_revive = FALSE no longer calls fully_heal(admin_revive - = TRUE). - - admin: Added airlock bolt/unbolt logging to the combat log. + - tweak: + Updated the multi Z debug map with multi Z wiring/piping/disposals and + stairs. + - bugfix: Added missing destinations for refugee hunter shuttles. + - tweak: Added two EVA crates to the space cop shuttle. + - code_imp: + revive() with admin_revive = FALSE no longer calls fully_heal(admin_revive + = TRUE). + - admin: Added airlock bolt/unbolt logging to the combat log. Fikou: - - tweak: the chief engi hardsuit now has 100 rad protection - - tweak: the monastery shuttle can now be used as a mining shuttle + - tweak: the chief engi hardsuit now has 100 rad protection + - tweak: the monastery shuttle can now be used as a mining shuttle Firecage: - - rscadd: Toolbelts can now hold RCDs, RPDs, Inducers, and Plungers. - - rscadd: Medical belts can now hold Plumbing Constructors, Plumberinator, and Plungers. - - rscadd: Grenadier belts can now hold cherry bombs and combustible lemons. - - rscadd: Bio bags can now hold both organs and body parts(except heads). - - rscadd: Construction bags can now hold camera assemblies. - - rscadd: Organ Smartfridges can now hold limbs of any variety. - - tweak: Trash bags can now pick up livers, lungs, and stomachs. - - bugfix: Objects can now once more be washed within sinks. + - rscadd: Toolbelts can now hold RCDs, RPDs, Inducers, and Plungers. + - rscadd: Medical belts can now hold Plumbing Constructors, Plumberinator, and Plungers. + - rscadd: Grenadier belts can now hold cherry bombs and combustible lemons. + - rscadd: Bio bags can now hold both organs and body parts(except heads). + - rscadd: Construction bags can now hold camera assemblies. + - rscadd: Organ Smartfridges can now hold limbs of any variety. + - tweak: Trash bags can now pick up livers, lungs, and stomachs. + - bugfix: Objects can now once more be washed within sinks. Ghommie: - - bugfix: wooden barricade walls should break turf lighting no more. + - bugfix: wooden barricade walls should break turf lighting no more. IndieanaJones: - - rscadd: Elites who win their freedom can re-enter their tumor to despawn themselves, - letting the tumor be re-activated to spawn a different elite. - - tweak: A renamed pulsing tumor uses its new name in messages now. - - tweak: Pulsing tumors now use their popped sprite after spawning an elite. - - tweak: Boosted elites are now warned against being friendly with crew. - - balance: Broodmother's tentacles do 30-35 damage from 20-25. - - bugfix: Fixed the Broodmother being unable to create children. + - rscadd: + Elites who win their freedom can re-enter their tumor to despawn themselves, + letting the tumor be re-activated to spawn a different elite. + - tweak: A renamed pulsing tumor uses its new name in messages now. + - tweak: Pulsing tumors now use their popped sprite after spawning an elite. + - tweak: Boosted elites are now warned against being friendly with crew. + - balance: Broodmother's tentacles do 30-35 damage from 20-25. + - bugfix: Fixed the Broodmother being unable to create children. JStheguy: - - imageadd: ID cards, budget cards, and wallets have new sprites. Emags have been - reverted to their old look. + - imageadd: + ID cards, budget cards, and wallets have new sprites. Emags have been + reverted to their old look. MCterra10: - - bugfix: Med Kiosks no longer runtime when no ID is equipped. + - bugfix: Med Kiosks no longer runtime when no ID is equipped. Neo-0: - - bugfix: Holoparasite summoners now properly dust when their guardians are cremated + - bugfix: Holoparasite summoners now properly dust when their guardians are cremated Neotw: - - bugfix: You can now remove an upgrade from a security camera as it should + - bugfix: You can now remove an upgrade from a security camera as it should RaveRadbury: - - rscadd: Mutually exclusive Clown and Mime Fan perks - - rscadd: Clown and Mime pins - - imageadd: Clown pin and Mime pin + - rscadd: Mutually exclusive Clown and Mime Fan perks + - rscadd: Clown and Mime pins + - imageadd: Clown pin and Mime pin Rohesie: - - bugfix: Fixes ID console duping issues. Includes some ID containers, such as PDAs, - tablets and wallets, into the swapping behavior when an ID card is being removed - and the item is being held. + - bugfix: + Fixes ID console duping issues. Includes some ID containers, such as PDAs, + tablets and wallets, into the swapping behavior when an ID card is being removed + and the item is being held. Ryll/Shaps: - - tweak: The station's new Orion Trail arcade machines now detect certain antisocial - behaviors and can warn security and medical personnel about unhinged gamers. - - tweak: Shotguns now knock people backwards when fired directly on someone at point - blank + - tweak: + The station's new Orion Trail arcade machines now detect certain antisocial + behaviors and can warn security and medical personnel about unhinged gamers. + - tweak: + Shotguns now knock people backwards when fired directly on someone at point + blank Skoglol: - - bugfix: 'Dynamic: Scaling now even more accurate.' - - admin: 'Dynamic: Fixed false positive configuration warning.' - - bugfix: 'Dynamic: Roundstart revs should work again.' - - tweak: Janitors once again start out with the holosign projectors. Holobarrier - projectors now locked behind tech, printed at service lathe. - - bugfix: Janitor holobarriers no longer block things, only conscious and running - carbons. - - bugfix: Mimes can no longer send invalid emojis. + - bugfix: "Dynamic: Scaling now even more accurate." + - admin: "Dynamic: Fixed false positive configuration warning." + - bugfix: "Dynamic: Roundstart revs should work again." + - tweak: + Janitors once again start out with the holosign projectors. Holobarrier + projectors now locked behind tech, printed at service lathe. + - bugfix: + Janitor holobarriers no longer block things, only conscious and running + carbons. + - bugfix: Mimes can no longer send invalid emojis. TheVekter: - - rscadd: Added a Nanite research laboratory to PubbyStation. + - rscadd: Added a Nanite research laboratory to PubbyStation. Time-Green: - - bugfix: fixes duct networks in the > 50 glitching out when unwrenching + - bugfix: fixes duct networks in the > 50 glitching out when unwrenching Tlaltecuhtli: - - tweak: paychecks are a % of budget instead of fixed numbers - - rscadd: pill chemfactory bounty + - tweak: paychecks are a % of budget instead of fixed numbers + - rscadd: pill chemfactory bounty XDTM: - - rscadd: Added the Distributed Computing nanite program, which slowly adds research - points over time. - - rscadd: Added the Neural Network nanite program, which adds research points over - time as well, but scales in efficiency for each mob that is currently running - the program, breaking even with Distributed Computing at 12 hosts. - - rscadd: All of these programs only work on complex mobs (humans, monkeys, xenomorphs) - and only have 25% efficiency on non-sentient mobs. - - rscadd: Nanites now have their own research point type, gained over time based - on the amount of mobs with active nanites. - - balance: Basic nanite programming is much cheaper and no longer requires basic - robotics. - - balance: All other nodes had their cost split into normal and nanite research, - lowering their impact on the research progression for other departments. - - balance: Nanites who aren't regularly syncing to a cloud console have a chance - of encountering software errors over time. - - bugfix: Xenomorphs no longer lose nanites when evolving. + - rscadd: + Added the Distributed Computing nanite program, which slowly adds research + points over time. + - rscadd: + Added the Neural Network nanite program, which adds research points over + time as well, but scales in efficiency for each mob that is currently running + the program, breaking even with Distributed Computing at 12 hosts. + - rscadd: + All of these programs only work on complex mobs (humans, monkeys, xenomorphs) + and only have 25% efficiency on non-sentient mobs. + - rscadd: + Nanites now have their own research point type, gained over time based + on the amount of mobs with active nanites. + - balance: + Basic nanite programming is much cheaper and no longer requires basic + robotics. + - balance: + All other nodes had their cost split into normal and nanite research, + lowering their impact on the research progression for other departments. + - balance: + Nanites who aren't regularly syncing to a cloud console have a chance + of encountering software errors over time. + - bugfix: Xenomorphs no longer lose nanites when evolving. actioninja: - - tweak: 'Atmos machines now use NumberInput: Slick in ui setting of values' - - bugfix: role and race restricted items should show up in the uplink again. - - rscadd: Language and Crafting tgui-next - - bugfix: Oatmeal Cookies actually show up in the crafting menu - - rscadd: Chemfactory machines tgui-next interfaces - - rscadd: Debug chem synthesizer tgui-next interfaces - - bugfix: bsa can pick targets again (again) + - tweak: "Atmos machines now use NumberInput: Slick in ui setting of values" + - bugfix: role and race restricted items should show up in the uplink again. + - rscadd: Language and Crafting tgui-next + - bugfix: Oatmeal Cookies actually show up in the crafting menu + - rscadd: Chemfactory machines tgui-next interfaces + - rscadd: Debug chem synthesizer tgui-next interfaces + - bugfix: bsa can pick targets again (again) anconfuzedrock: - - rscadd: Boxstation has a large chemistry room in maintenance similarly to metastation, - and the old chemistry was made into the apothecary. + - rscadd: + Boxstation has a large chemistry room in maintenance similarly to metastation, + and the old chemistry was made into the apothecary. bandit: - - bugfix: The turrets on the derelict are less fucky. - - rscadd: 30 new emoji have been added. Mime buff, mime now OP. - - tweak: The mime's PDA now lists all emoji pictures in the PDA in alphabetical - order without having to click. - - bugfix: Vomitgeese no longer spam you when refusing to eat food. + - bugfix: The turrets on the derelict are less fucky. + - rscadd: 30 new emoji have been added. Mime buff, mime now OP. + - tweak: + The mime's PDA now lists all emoji pictures in the PDA in alphabetical + order without having to click. + - bugfix: Vomitgeese no longer spam you when refusing to eat food. bobbahbrown: - - bugfix: Fixed duplicate client and location logging for suicides and deaths. + - bugfix: Fixed duplicate client and location logging for suicides and deaths. carlarctg: - - rscadd: the gods are now able to delight your palate with an assortment of species-related - treats - - tweak: medical wrench costs 20 moneys - - balance: riot shotguns have a long fire delay before rechambering, combat shotguns - have a medium fire delay + - rscadd: + the gods are now able to delight your palate with an assortment of species-related + treats + - tweak: medical wrench costs 20 moneys + - balance: + riot shotguns have a long fire delay before rechambering, combat shotguns + have a medium fire delay genessee596: - - rscadd: Cap Guns and boxes of spare caps can be printed at hacked Autolathes + - rscadd: Cap Guns and boxes of spare caps can be printed at hacked Autolathes py01: - - bugfix: Ablative trenchcoat sechud works, and the icon doesn't break when you - flip the hood up. - - code_imp: Lootdrop spawners support nested lists, allowing for easier to modify - loot tables. + - bugfix: + Ablative trenchcoat sechud works, and the icon doesn't break when you + flip the hood up. + - code_imp: + Lootdrop spawners support nested lists, allowing for easier to modify + loot tables. stylemistake: - - bugfix: Old tgui windows are resizable again. - - tweak: Placebo-tier performance improvement of window dragging. - - bugfix: Fixed selection loss on NumberInput on some browsers + - bugfix: Old tgui windows are resizable again. + - tweak: Placebo-tier performance improvement of window dragging. + - bugfix: Fixed selection loss on NumberInput on some browsers zxaber: - - bugfix: Bolted AIs can no longer be teleported by launchpads. + - bugfix: Bolted AIs can no longer be teleported by launchpads. 2019-11-07: ATHATH: - - bugfix: Makes a few slight improvements to vo- er, gulp_size code. - - bugfix: Teleporter accidents no longer mistakenly report the fly person-ing of - nonhumans in logs. + - bugfix: Makes a few slight improvements to vo- er, gulp_size code. + - bugfix: + Teleporter accidents no longer mistakenly report the fly person-ing of + nonhumans in logs. Arkatos: - - tweak: You can now only check yourself for injuries if you are conscious. + - tweak: You can now only check yourself for injuries if you are conscious. Cenrus: - - tweak: Carp spawner outside xenobiology moved to starboard quarter solars + - tweak: Carp spawner outside xenobiology moved to starboard quarter solars Couls: - - rscadd: new button that truly toggles move intent - - bugfix: hotkeys using Alt, Shift and Ctrl now work correctly - - bugfix: pressing h will allow you to stop pulling now - - rscadd: Movement keys are now customizable - - rscdel: T, O and M are no longer customizable - - rscdel: admin commands for messing with movement keys, this won't work since they're - different for each client - - bugfix: ooc, say and me are all escapable now and no longer lag at higher pings + - rscadd: new button that truly toggles move intent + - bugfix: hotkeys using Alt, Shift and Ctrl now work correctly + - bugfix: pressing h will allow you to stop pulling now + - rscadd: Movement keys are now customizable + - rscdel: T, O and M are no longer customizable + - rscdel: + admin commands for messing with movement keys, this won't work since they're + different for each client + - bugfix: ooc, say and me are all escapable now and no longer lag at higher pings Ghommie: - - bugfix: walking downstair won't show the falling visible message anymore. + - bugfix: walking downstair won't show the falling visible message anymore. Joe Berrbyson: - - tweak: The Wizard Gamemode now immediately ends when the main wizard and wizard - apprentice antagonists die. + - tweak: + The Wizard Gamemode now immediately ends when the main wizard and wizard + apprentice antagonists die. Skgolol: - - bugfix: Bag of dice now has a special die INSIDE the bag. + - bugfix: Bag of dice now has a special die INSIDE the bag. Skoglol: - - bugfix: 'Dynamic: Latejoin revs is now slightly delayed, will no longer lose instantly - if on offstation arrivals shuttle.' - - bugfix: 'Dynamic: Clarified some ic messages for revolution.' - - admin: '"Trigger a Virus Outbreak" button fixed, targeting added to custom disease.' - - bugfix: Contractor tablet should no longer break randomly. - - bugfix: Some examines have been fixed. - - bugfix: Holodeck now works again. - - bugfix: Drowsiness now respects sleep immunity. - - bugfix: Pirates can no longer retrieve holochips of 0 credits from their data - siphon. - - tweak: Alt clicking will no longer show turf contents for items inside bags etc. - - bugfix: Goliaths sacrificed at the ashwalker tendril now drop a hide plate. + - bugfix: + "Dynamic: Latejoin revs is now slightly delayed, will no longer lose instantly + if on offstation arrivals shuttle." + - bugfix: "Dynamic: Clarified some ic messages for revolution." + - admin: '"Trigger a Virus Outbreak" button fixed, targeting added to custom disease.' + - bugfix: Contractor tablet should no longer break randomly. + - bugfix: Some examines have been fixed. + - bugfix: Holodeck now works again. + - bugfix: Drowsiness now respects sleep immunity. + - bugfix: + Pirates can no longer retrieve holochips of 0 credits from their data + siphon. + - tweak: Alt clicking will no longer show turf contents for items inside bags etc. + - bugfix: Goliaths sacrificed at the ashwalker tendril now drop a hide plate. SteelSlayer: - - code_imp: Cleans up some scattered hud removal procs and puts them into their - respective antag datum file so when the player loses the antag status, they - lose the hud - - refactor: Refactors antag hud adding and removing procs. Moves them into the base - antag datum file. The new procs can dynamically assign a hud from given arguments. - Cuts down on copy and paste - - refactor: Refactors the clown mutation adding and removing procs for antags. Merges - it into a single proc in the base antag datum file. + - code_imp: + Cleans up some scattered hud removal procs and puts them into their + respective antag datum file so when the player loses the antag status, they + lose the hud + - refactor: + Refactors antag hud adding and removing procs. Moves them into the base + antag datum file. The new procs can dynamically assign a hud from given arguments. + Cuts down on copy and paste + - refactor: + Refactors the clown mutation adding and removing procs for antags. Merges + it into a single proc in the base antag datum file. Time-Green: - - bugfix: Reaction chambers now don't break after certain reactions, like meat creation. + - bugfix: Reaction chambers now don't break after certain reactions, like meat creation. Tlaltecuhtli: - - spellcheck: adds a missing space in split personailty radio - - tweak: actively made research methods creates research notes that can be slapped - on the rnd console to convert into points on demand + - spellcheck: adds a missing space in split personailty radio + - tweak: + actively made research methods creates research notes that can be slapped + on the rnd console to convert into points on demand actioninja: - - rscadd: Suit storage, tank dispenser, and GPS have been tgui-nextified - - bugfix: Learning to bake cakes doesn't break the entire crafting ui anymore + - rscadd: Suit storage, tank dispenser, and GPS have been tgui-nextified + - bugfix: Learning to bake cakes doesn't break the entire crafting ui anymore carlarctg: - - code_imp: 'Colorful reagent and quantum barber thing also have random colors on - init. spriteadd: Adds unused syndie pill sprite, can''t be selected in chemmaster - but it''s there if you need it for stuffs.' - - balance: 'Regenerative Jelly dyes your hair purple when it enters your bloodstream. - spriteadd: Also tweaked some existing reagent colors around, like uranium going - from silver to dark green.' + - code_imp: + "Colorful reagent and quantum barber thing also have random colors on + init. spriteadd: Adds unused syndie pill sprite, can't be selected in chemmaster + but it's there if you need it for stuffs." + - balance: + "Regenerative Jelly dyes your hair purple when it enters your bloodstream. + spriteadd: Also tweaked some existing reagent colors around, like uranium going + from silver to dark green." stylemistake: - - rscadd: New Radio interface. - - rscadd: New Ore Redemption Machine interface. - - rscadd: New Solar Tracker interface. + - rscadd: New Radio interface. + - rscadd: New Ore Redemption Machine interface. + - rscadd: New Solar Tracker interface. zeroisthebiggay: - - rscadd: floor decals in science. - - rscdel: floor decals in science. + - rscadd: floor decals in science. + - rscdel: floor decals in science. 2019-11-10: ATHATH: - - bugfix: Strange reagent properly resurrects non-carbons (it still can resurrect - carbons, of course). - - balance: Strange reagent now brings the blood level of a revived carbon (without - the NOBLOOD species trait) up to a safe level. + - bugfix: + Strange reagent properly resurrects non-carbons (it still can resurrect + carbons, of course). + - balance: + Strange reagent now brings the blood level of a revived carbon (without + the NOBLOOD species trait) up to a safe level. Arkatos: - - imageadd: Added new action buttons icons for all mime spells. - - bugfix: Revenant health HUD background icon will now show properly. - - imageadd: Added themed skills button to all chooseable UI styles. - - bugfix: Medibots will now keep tending your wounds continuously. + - imageadd: Added new action buttons icons for all mime spells. + - bugfix: Revenant health HUD background icon will now show properly. + - imageadd: Added themed skills button to all chooseable UI styles. + - bugfix: Medibots will now keep tending your wounds continuously. Cenrus: - - bugfix: The abandoned bar and port quarter solars are now connected to the air - supply + - bugfix: + The abandoned bar and port quarter solars are now connected to the air + supply PepperPrepper: - - bugfix: You can't hold hands with simple mobs - - rscadd: scan gates can now detect Felinids + - bugfix: You can't hold hands with simple mobs + - rscadd: scan gates can now detect Felinids Potato Masher: - - rscadd: Oldstation (ghost role spacestation) now has a proper basic atmos system - with a scrubber loop, as well as additional N2 and O2 in enlarged tanks. - - tweak: Oldstation QoL improvements, including reduced xeno resin spread and an - added autolathe to RnD. - - bugfix: 'Oldstation: A few missing pipes have been fixed, having multiple resin - floors on one tile/resin floors inside walls have been fixed.' + - rscadd: + Oldstation (ghost role spacestation) now has a proper basic atmos system + with a scrubber loop, as well as additional N2 and O2 in enlarged tanks. + - tweak: + Oldstation QoL improvements, including reduced xeno resin spread and an + added autolathe to RnD. + - bugfix: + "Oldstation: A few missing pipes have been fixed, having multiple resin + floors on one tile/resin floors inside walls have been fixed." Skoglol: - - bugfix: Ejecting materials from circuit printer/protolathe through an RND console - works again. - - bugfix: Materials view of circuit imprinter through rnd console now formatted - correctly. - - bugfix: Unfucked butchering. - - bugfix: Carpet stacks now look like carpets again. - - bugfix: Fixed shock propagation. - - rscadd: Adds shock propagation to fireman carry. + - bugfix: + Ejecting materials from circuit printer/protolathe through an RND console + works again. + - bugfix: + Materials view of circuit imprinter through rnd console now formatted + correctly. + - bugfix: Unfucked butchering. + - bugfix: Carpet stacks now look like carpets again. + - bugfix: Fixed shock propagation. + - rscadd: Adds shock propagation to fireman carry. SteelSlayer: - - bugfix: Fixes players not getting removed from antag huds properly + - bugfix: Fixes players not getting removed from antag huds properly TheVekter: - - rscadd: Modifications have been made to the Mech Fabricator to allow it to withdraw - and deposit to the ore silo (Thanks to alexkar598 from Yogstation for the code!) + - rscadd: + Modifications have been made to the Mech Fabricator to allow it to withdraw + and deposit to the ore silo (Thanks to alexkar598 from Yogstation for the code!) actioninja: - - rscadd: Laptop vendors are now available around your nearest space station. Check - the science lobby or the dorms. + - rscadd: + Laptop vendors are now available around your nearest space station. Check + the science lobby or the dorms. 2019-11-14: Acer202: - - rscadd: Mura space banjos are now in stock at your local NT instrument supplier! - Start picking today! + - rscadd: + Mura space banjos are now in stock at your local NT instrument supplier! + Start picking today! Anonmare: - - balance: Nanotrasen have refined instabitaluri's formula to be less toxic to living - tissue. + - balance: + Nanotrasen have refined instabitaluri's formula to be less toxic to living + tissue. Arkatos: - - bugfix: Skill levels will now show properly. + - bugfix: Skill levels will now show properly. Couls: - - rscadd: Custom keybinds will now check what style (classic / hotkey) you prefer - when resetting if you use classic mode make sure to reset your keybinds to default! - - rscadd: multiple keybind support - - tweak: non-hotkey mode keeps focus on chat - - bugfix: pressing 4 as cyborg now properly cycles - - bugfix: AI location hotkeys now work again + - rscadd: + Custom keybinds will now check what style (classic / hotkey) you prefer + when resetting if you use classic mode make sure to reset your keybinds to default! + - rscadd: multiple keybind support + - tweak: non-hotkey mode keeps focus on chat + - bugfix: pressing 4 as cyborg now properly cycles + - bugfix: AI location hotkeys now work again EdgeLordExe: - - rscadd: 'Added new toxin: Nitric Acid' - - rscadd: 'Added new explosive: TaTP <-have fun with that one' - - rscadd: 'Added new explosive: RDX , don''t mix it with electricity!' - - rscadd: 'Added new explosive/medical : Penthrite' - - rscadd: 'Added chem: Hydrogen peroxide' - - rscadd: 'Added chem: Acetone oxide' - - rscadd: 'Added chem: Acetaldehyde' - - rscadd: 'Added chem: Pentaerythritol' - - balance: Removed the heart stabilizing effect of Corazone, look at Penthrite for - that effect - - balance: Nerfed Water+Potassium explosion so it is harder to gib someone + - rscadd: "Added new toxin: Nitric Acid" + - rscadd: "Added new explosive: TaTP <-have fun with that one" + - rscadd: "Added new explosive: RDX , don't mix it with electricity!" + - rscadd: "Added new explosive/medical : Penthrite" + - rscadd: "Added chem: Hydrogen peroxide" + - rscadd: "Added chem: Acetone oxide" + - rscadd: "Added chem: Acetaldehyde" + - rscadd: "Added chem: Pentaerythritol" + - balance: + Removed the heart stabilizing effect of Corazone, look at Penthrite for + that effect + - balance: Nerfed Water+Potassium explosion so it is harder to gib someone Firecage: - - rscadd: Ports carbon paper from Bay. They can be found in carbon paper bins in - the HoP's office, QM's office, and Detective's office on every map. Additionally - they can be ordered via cargo in the bureaucracy crate. - - bugfix: Hydroponics trays which are fully upgraded with Earthsblood can no longer - be taken over by weeds. - - bugfix: Research servers are no longer invisible after a screwdriver is applied. + - rscadd: + Ports carbon paper from Bay. They can be found in carbon paper bins in + the HoP's office, QM's office, and Detective's office on every map. Additionally + they can be ordered via cargo in the bureaucracy crate. + - bugfix: + Hydroponics trays which are fully upgraded with Earthsblood can no longer + be taken over by weeds. + - bugfix: Research servers are no longer invisible after a screwdriver is applied. Indie-ana Jones: - - bugfix: Fixed the Lavaland Elites never spawning in when boosted. + - bugfix: Fixed the Lavaland Elites never spawning in when boosted. Krysonism: - - rscadd: Fancy drink bottles can now be crafted. - - rscadd: Blank drink bottles are now available in the booze-o-mat. - - rscadd: Hooch & moonshine have their own bottles. - - tweak: moonshine is now clear, rather than brown. + - rscadd: Fancy drink bottles can now be crafted. + - rscadd: Blank drink bottles are now available in the booze-o-mat. + - rscadd: Hooch & moonshine have their own bottles. + - tweak: moonshine is now clear, rather than brown. Mickyan: - - code_imp: Added a simple framework for taming mobs, feed them their favorite food - for a chance to tame them. - - rscadd: Feed some wheat to a cow and then ride it around, yeehaw cowboy! + - code_imp: + Added a simple framework for taming mobs, feed them their favorite food + for a chance to tame them. + - rscadd: Feed some wheat to a cow and then ride it around, yeehaw cowboy! Okand37: - - rscadd: Central Command has commissioned a new brand of Kilo-class stations. Rumours - report the station design will be used in the up and coming Space Station 13 - plasma research station. + - rscadd: + Central Command has commissioned a new brand of Kilo-class stations. Rumours + report the station design will be used in the up and coming Space Station 13 + plasma research station. PepperPrepper: - - tweak: Hulks have a delay before they can scream again + - tweak: Hulks have a delay before they can scream again Skoglol: - - spellcheck: Genetics scanner linking feedback made clearer. - - rscadd: Ghosts can now turn using the ctrl + direction hotkeys. - - bugfix: The "Restore Ghost Character" verb now changes the name of your ghost - mob as well. - - bugfix: Lava no longer slows you down. - - bugfix: Getting hurt no longer adds a move delay. - - bugfix: Lava will no longer prevent you from ghosting out of your dead body. + - spellcheck: Genetics scanner linking feedback made clearer. + - rscadd: Ghosts can now turn using the ctrl + direction hotkeys. + - bugfix: + The "Restore Ghost Character" verb now changes the name of your ghost + mob as well. + - bugfix: Lava no longer slows you down. + - bugfix: Getting hurt no longer adds a move delay. + - bugfix: Lava will no longer prevent you from ghosting out of your dead body. SteelSlayer: - - tweak: Upon becoming a species that is rad immune, you will lose any mutations - you have - - tweak: When you suicide using an internals tank, you're character will now inflate, - and grow in size before you gib. - - code_imp: Adds a safe_gib argument to the carbon gib proc. Allows you to specifiy - if you want to preserve the items on the mob you're gibbing. + - tweak: + Upon becoming a species that is rad immune, you will lose any mutations + you have + - tweak: + When you suicide using an internals tank, you're character will now inflate, + and grow in size before you gib. + - code_imp: + Adds a safe_gib argument to the carbon gib proc. Allows you to specifiy + if you want to preserve the items on the mob you're gibbing. TheVekter: - - rscdel: Removed items from maintenance on Metastation that were placed there erroneously. + - rscdel: Removed items from maintenance on Metastation that were placed there erroneously. XDTM: - - tweak: Nanite Race Sensor was renamed to Species Sensor. - - tweak: Timestop effects now prevent speech. + - tweak: Nanite Race Sensor was renamed to Species Sensor. + - tweak: Timestop effects now prevent speech. actioninja: - - bugfix: Chat is properly sent to legacy window if goonchat fails to load again. - - bugfix: Personal crafting menus now work properly on categories without subcategories + - bugfix: Chat is properly sent to legacy window if goonchat fails to load again. + - bugfix: Personal crafting menus now work properly on categories without subcategories ninjanomnom: - - bugfix: The slowdown from grabbing someone no longer applies when you're floating - - bugfix: Chopping off all your legs and growing a few dozen arms no longer turns - you into the fastest monstrosity this side of the milky way - - bugfix: Lacking legs/arms no longer slows you down if you're weren't using them - to move anyway + - bugfix: The slowdown from grabbing someone no longer applies when you're floating + - bugfix: + Chopping off all your legs and growing a few dozen arms no longer turns + you into the fastest monstrosity this side of the milky way + - bugfix: + Lacking legs/arms no longer slows you down if you're weren't using them + to move anyway py01: - - code_imp: Fixed changeling tentacle runtime. - - bugfix: Chef's table slams do not break tables when outside of the kitchen. + - code_imp: Fixed changeling tentacle runtime. + - bugfix: Chef's table slams do not break tables when outside of the kitchen. stylemistake: - - bugfix: Personal Crafting UI will no longer reset its state when crafing an item. - - bugfix: Improved table layout of Smart Fridge and Crew Console. - - bugfix: Fix ORM not smelting alloys. - - bugfix: Fix Computer Fabricator. - - refactor: Tgui CSS got a massive rework. + - bugfix: Personal Crafting UI will no longer reset its state when crafing an item. + - bugfix: Improved table layout of Smart Fridge and Crew Console. + - bugfix: Fix ORM not smelting alloys. + - bugfix: Fix Computer Fabricator. + - refactor: Tgui CSS got a massive rework. zxaber: - - rscadd: RCS Thrusters for mechs can now be printed from an exosuit fabricator - after the relevant research has been done. They'll eat up the gas in your mech's - air tank, though, so don't go overboard with their use! - - tweak: Mechs that use built-in thrusters (Dark Gygax, Marauder, etc) will now - start with the thrusters enabled. The thruster action button is gone, but you - can still toggle them in the View Status popout if you feel the need to. Note - that these built-in thrusters are still ion-based, and will not deplete your - air supply. - - tweak: Mechs using thrusters to move will no longer make stomp sounds. + - rscadd: + RCS Thrusters for mechs can now be printed from an exosuit fabricator + after the relevant research has been done. They'll eat up the gas in your mech's + air tank, though, so don't go overboard with their use! + - tweak: + Mechs that use built-in thrusters (Dark Gygax, Marauder, etc) will now + start with the thrusters enabled. The thruster action button is gone, but you + can still toggle them in the View Status popout if you feel the need to. Note + that these built-in thrusters are still ion-based, and will not deplete your + air supply. + - tweak: Mechs using thrusters to move will no longer make stomp sounds. 2019-11-15: Ryll/Shaps: - - rscadd: You can now attach knives to cleanbots! Laugh as Officer Stabby sneaks - up and jabs the HoS! Sigh because you are now outranked by a cleanbot! Fun for - everyone! + - rscadd: + You can now attach knives to cleanbots! Laugh as Officer Stabby sneaks + up and jabs the HoS! Sigh because you are now outranked by a cleanbot! Fun for + everyone! kriskog: - - balance: Toolbelt and medical belt can now hold more total weight. + - balance: Toolbelt and medical belt can now hold more total weight. nianjiilical: - - bugfix: Properly removes an unused plant. + - bugfix: Properly removes an unused plant. ninjanomnom: - - rscadd: You can keybind any emote + - rscadd: You can keybind any emote py01: - - bugfix: Used mime books won't give vow of silence. + - bugfix: Used mime books won't give vow of silence. 2019-11-17: ATHATH: - - tweak: The additional effects of the coughing symptom (including its ability to - spread viruses) don't trigger in hosts who have the TRAIT_SOOTHED_THROAT trait - (which normally keeps you from coughing). + - tweak: + The additional effects of the coughing symptom (including its ability to + spread viruses) don't trigger in hosts who have the TRAIT_SOOTHED_THROAT trait + (which normally keeps you from coughing). ArcaneMusic: - - rscadd: Medical Kiosks now have more functionality available, including showing - blood levels, virus information, and cumulative total health. - - rscadd: You now now alt-click a Medical Kiosk to remove a medical scanner wand, - so that you can scan someone else. - - rscadd: Medical Kiosks now use TGUI-next. - - tweak: Now, the information in the medical kiosk is split up between 4 different - scan types, General, Symptom based, Neuro/Radiologic, and Chemical Analysis - scans. - - balance: Each medical kiosk scan costs a base 10 credits minimum. - - bugfix: Medical Kiosks don't runtime on ghosts and borgs anymore. + - rscadd: + Medical Kiosks now have more functionality available, including showing + blood levels, virus information, and cumulative total health. + - rscadd: + You now now alt-click a Medical Kiosk to remove a medical scanner wand, + so that you can scan someone else. + - rscadd: Medical Kiosks now use TGUI-next. + - tweak: + Now, the information in the medical kiosk is split up between 4 different + scan types, General, Symptom based, Neuro/Radiologic, and Chemical Analysis + scans. + - balance: Each medical kiosk scan costs a base 10 credits minimum. + - bugfix: Medical Kiosks don't runtime on ghosts and borgs anymore. Couls: - - bugfix: keybindings should now update properly - - tweak: hotkey mode is the new default preference + - bugfix: keybindings should now update properly + - tweak: hotkey mode is the new default preference Denton: - - admin: Added logging for portable atmos wrenching and tank swapping. - - bugfix: Kilostation's teleporter airlocks now use the correct access check. + - admin: Added logging for portable atmos wrenching and tank swapping. + - bugfix: Kilostation's teleporter airlocks now use the correct access check. Dingo-Dongler: - - tweak: Adding a genetics disk to a dna console that already contains a disk will - remove the old disk. + - tweak: + Adding a genetics disk to a dna console that already contains a disk will + remove the old disk. Firecage: - - bugfix: The charge overlays of m1911 pulse pistols, scatter shot laser rifles, - and instakill rifles now works as intended. - - bugfix: The mini flashlight overlay of the mini energy gun now works properly. + - bugfix: + The charge overlays of m1911 pulse pistols, scatter shot laser rifles, + and instakill rifles now works as intended. + - bugfix: The mini flashlight overlay of the mini energy gun now works properly. ShizCalev: - - bugfix: Fixed floodlights not turning off properly when they're underpowered. - - bugfix: Fixed emitters not changing icons properly when they're underpowered. - - bugfix: Fixed liquid pumps turning on unintentionally when underpowered. - - bugfix: Fixed the surgery APC on donut station. - - bugfix: Fixed an exploit allowing you to adjust the explosion delay of IED's. - - bugfix: The carp space suit will no longer make the carp face mask invisible. + - bugfix: Fixed floodlights not turning off properly when they're underpowered. + - bugfix: Fixed emitters not changing icons properly when they're underpowered. + - bugfix: Fixed liquid pumps turning on unintentionally when underpowered. + - bugfix: Fixed the surgery APC on donut station. + - bugfix: Fixed an exploit allowing you to adjust the explosion delay of IED's. + - bugfix: The carp space suit will no longer make the carp face mask invisible. Skoglol: - - rscadd: PDA can now sort by owner name or job instead of item name. - - bugfix: Dynamic midround rulesets should now respect the repeatable setting. - - bugfix: Dynamic midround/latejoin rulesets now look for enemy roles in the right - place. - - bugfix: Split personalities will no longer steal your body when cloned. + - rscadd: PDA can now sort by owner name or job instead of item name. + - bugfix: Dynamic midround rulesets should now respect the repeatable setting. + - bugfix: + Dynamic midround/latejoin rulesets now look for enemy roles in the right + place. + - bugfix: Split personalities will no longer steal your body when cloned. TheChosenEvilOne: - - admin: Added an option to set the next map to a custom map. + - admin: Added an option to set the next map to a custom map. Tlaltecuhtli: - - bugfix: turret tasers cant be fired anymore + - bugfix: turret tasers cant be fired anymore XDTM: - - balance: Nanite research-boosting programs are now available in the Basic Nanite - Programming techweb node. - - rscadd: Nanite public chambers can now swap Cloud IDs on existing nanites. + - balance: + Nanite research-boosting programs are now available in the Basic Nanite + Programming techweb node. + - rscadd: Nanite public chambers can now swap Cloud IDs on existing nanites. carlarctg: - - tweak: As corazone no longer stabilizes the heart, It's been renamed to Higadrite. - - bugfix: Fixes heart disease telling you to utilize corazone, and injecting you - with it during its final stages. It now injects Penthrite. - - bugfix: Abductor surgery table injects a replacement chemical for old Corazone. + - tweak: As corazone no longer stabilizes the heart, It's been renamed to Higadrite. + - bugfix: + Fixes heart disease telling you to utilize corazone, and injecting you + with it during its final stages. It now injects Penthrite. + - bugfix: Abductor surgery table injects a replacement chemical for old Corazone. ninjanomnom: - - bugfix: Held items that slow you down now affect all mobs instead of just humanoids - - bugfix: Equipment with slowdown now affects you from any slot instead of just - suits, shoes, and back slots - - balance: Items that slow you down no longer only apply when there's gravity, they - now apply any time you aren't floating. This means your inconvenient suit will - slow you down in 0 gravity as long as you're using magboots - - bugfix: Gravity slowdown applies to all mobs instead of just humanoids - - tweak: If you're floating in high gravity somehow you're no longer slowed down + - bugfix: Held items that slow you down now affect all mobs instead of just humanoids + - bugfix: + Equipment with slowdown now affects you from any slot instead of just + suits, shoes, and back slots + - balance: + Items that slow you down no longer only apply when there's gravity, they + now apply any time you aren't floating. This means your inconvenient suit will + slow you down in 0 gravity as long as you're using magboots + - bugfix: Gravity slowdown applies to all mobs instead of just humanoids + - tweak: If you're floating in high gravity somehow you're no longer slowed down stylemistake: - - rscadd: Improved tgui error reporting. - - rscadd: You can now control your character and use hotkeys while tgui windows - are open. - - rscadd: New Rapid Pipe Dispenser interface. - - rscadd: New NtOS theme. - - rscadd: New NtOS Menu interface. - - rscadd: New Power Monitor interface. - - rscadd: New Supermatter Monitor interface. + - rscadd: Improved tgui error reporting. + - rscadd: + You can now control your character and use hotkeys while tgui windows + are open. + - rscadd: New Rapid Pipe Dispenser interface. + - rscadd: New NtOS theme. + - rscadd: New NtOS Menu interface. + - rscadd: New Power Monitor interface. + - rscadd: New Supermatter Monitor interface. 2019-11-19: ATHATH: - - balance: 'Two steps have been cut out from the augmentation surgery, making it - much less tedious/time-intensive to perform a full-augging on someone. The new - sequence of tool usages that you should perform on someone after you''ve started - an augmentation surgery on them is: scalpel -> hemostat -> retractor -> robotic - limb.' + - balance: + "Two steps have been cut out from the augmentation surgery, making it + much less tedious/time-intensive to perform a full-augging on someone. The new + sequence of tool usages that you should perform on someone after you've started + an augmentation surgery on them is: scalpel -> hemostat -> retractor -> robotic + limb." Firecage: - - bugfix: Female employees on Charlie Station no longer wears facial hair. + - bugfix: Female employees on Charlie Station no longer wears facial hair. Gamer025: - - bugfix: The sonic jackhammers description now no longer states that it could destroy - walls, which in fact it couldn't since quite some time. + - bugfix: + The sonic jackhammers description now no longer states that it could destroy + walls, which in fact it couldn't since quite some time. MrPerson: - - rscadd: If you shoot the supermatter crystal with bluespace artillery, you're - gonna have a bad time. - - bugfix: Bluespace artillery will blow its targets up properly instead of doing - nothing. + - rscadd: + If you shoot the supermatter crystal with bluespace artillery, you're + gonna have a bad time. + - bugfix: + Bluespace artillery will blow its targets up properly instead of doing + nothing. Skoglol: - - rscadd: tgui-next turbine computer and station alert console - - bugfix: Ghosting, suiciding, DNR and admins reassigning control now properly removes - your mind. Resolves some issues with admins respawning ghosts, and prevents - stuff like wand of healing bringing back the mind of suicides. - - bugfix: Status tab will no longer get misaligned if changeling or internals are - on. - - bugfix: Fake changeling clothes no longer drop on dismember. - - balance: Changeling biodegrade now dissolves legcuffs. + - rscadd: tgui-next turbine computer and station alert console + - bugfix: + Ghosting, suiciding, DNR and admins reassigning control now properly removes + your mind. Resolves some issues with admins respawning ghosts, and prevents + stuff like wand of healing bringing back the mind of suicides. + - bugfix: + Status tab will no longer get misaligned if changeling or internals are + on. + - bugfix: Fake changeling clothes no longer drop on dismember. + - balance: Changeling biodegrade now dissolves legcuffs. TheVekter: - - tweak: Removed the ability to unlock illegal tech using the Syndicate thrown weapons - (Paper plane, throwing star, bola) - - rscadd: Added a fun little surprise to maintenance loot! + - tweak: + Removed the ability to unlock illegal tech using the Syndicate thrown weapons + (Paper plane, throwing star, bola) + - rscadd: Added a fun little surprise to maintenance loot! Thebleh: - - bugfix: Radio implant no longer prevents the headset from sending messages + - bugfix: Radio implant no longer prevents the headset from sending messages actioninja/pubby: - - imageadd: new id icons + - imageadd: new id icons imsxz: - - balance: borgs buckling humans to themselves takes 0.5 seconds instead of being - instant. + - balance: + borgs buckling humans to themselves takes 0.5 seconds instead of being + instant. mrhugo13: - - bugfix: You can no longer put megafauna into bluespace body bags. + - bugfix: You can no longer put megafauna into bluespace body bags. ninjanomnom: - - bugfix: Pockets are no longer a valid slot for slowdown - - bugfix: Bola slowdown works again + - bugfix: Pockets are no longer a valid slot for slowdown + - bugfix: Bola slowdown works again optimumtact: - - rscadd: International garbage day is added, say thanks to your local janitor + - rscadd: International garbage day is added, say thanks to your local janitor py01: - - bugfix: You can only draw one blood rune at a time. - - balance: New junk is being found in the station's maintenance tunnels. + - bugfix: You can only draw one blood rune at a time. + - balance: New junk is being found in the station's maintenance tunnels. tmtmtl30: - - bugfix: Nanotransen cyborgs have recovered from butchering-induced trauma and - are now able to joust again. + - bugfix: + Nanotrasen cyborgs have recovered from butchering-induced trauma and + are now able to joust again. 2019-11-20: actioninja: - - balance: cyborgs spinning off riders now knocks down for 3 seconds instead of - stunning for 6 + - balance: + cyborgs spinning off riders now knocks down for 3 seconds instead of + stunning for 6 ninjanomnom: - - bugfix: Keybound emotes now count as intentional. This means emotes that don't - play a sound when you type the emote also don't play a sound when you use the - keybinding. - - bugfix: Emotes can no longer be stacked on one key. - - tweak: Emotes have been given cooldowns. Each emote has their own cooldown so - you can still do your flip and scream. - - tweak: You can fall over if you try to flip too much. + - bugfix: + Keybound emotes now count as intentional. This means emotes that don't + play a sound when you type the emote also don't play a sound when you use the + keybinding. + - bugfix: Emotes can no longer be stacked on one key. + - tweak: + Emotes have been given cooldowns. Each emote has their own cooldown so + you can still do your flip and scream. + - tweak: You can fall over if you try to flip too much. 2019-11-21: Skillby: - - rscadd: 'Medical Skill: Improves the amount healed per suture/mesh as well as - increases surgery speed.' - - balance: advanced surgeries provide more XP + - rscadd: + "Medical Skill: Improves the amount healed per suture/mesh as well as + increases surgery speed." + - balance: advanced surgeries provide more XP SteelSlayer: - - rscadd: 'Adds a new server restart option: regular restart with a custom delay - time that the user can specify' + - rscadd: + "Adds a new server restart option: regular restart with a custom delay + time that the user can specify" TheVekter: - - rscadd: Added "National Hot Dog Day" to the list of holidays, to be celebrated - on July 17th. + - rscadd: + Added "National Hot Dog Day" to the list of holidays, to be celebrated + on July 17th. XDTM: - - tweak: The hypnosis text color now changes more smoothly. + - tweak: The hypnosis text color now changes more smoothly. actioninja: - - rscadd: DNA vault, holodeck, spawners, and engraved message tgui-next - - rscadd: tgui-next Syndicate Uplink - - bugfix: Uplinks have the syndicate theme again - - bugfix: Traitor uplinks now render again when traitors don't have any species - or role + - rscadd: DNA vault, holodeck, spawners, and engraved message tgui-next + - rscadd: tgui-next Syndicate Uplink + - bugfix: Uplinks have the syndicate theme again + - bugfix: + Traitor uplinks now render again when traitors don't have any species + or role peoplearestrange: - - soundadd: Returns Endless space track to its glorious position in the repository - (listed as title0.ogg) + - soundadd: + Returns Endless space track to its glorious position in the repository + (listed as title0.ogg) stylemistake: - - rscadd: New NtOS Net Downloader interface. - - tweak: UIs will not be greyed out if you're a ghost, for better observing experience. - - bugfix: Fix the sheet progress bar in Portable Generator. + - rscadd: New NtOS Net Downloader interface. + - tweak: UIs will not be greyed out if you're a ghost, for better observing experience. + - bugfix: Fix the sheet progress bar in Portable Generator. tmtmtl30: - - balance: nitric acid no longer has the corrosive capability of an armor-piercing - sniper bullet + - balance: + nitric acid no longer has the corrosive capability of an armor-piercing + sniper bullet zxaber: - - bugfix: Splitting a stack of mats no longer double-decreases the material unit - count of the parent stack. + - bugfix: + Splitting a stack of mats no longer double-decreases the material unit + count of the parent stack. 2019-11-26: ATHATH: - - rscadd: You can now "mulligan" a possessed blade by using a bible on it, killing - its previous inhabitant and allowing you to open the blade up for re-possession - by a (hopefully different) ghost. + - rscadd: + You can now "mulligan" a possessed blade by using a bible on it, killing + its previous inhabitant and allowing you to open the blade up for re-possession + by a (hopefully different) ghost. ArcaneMusic: - - rscadd: Adds 2 new forms of suspenders, for purchase at the clothesmate. - - rscadd: Adds the Mystic Robe, for purchase at the autodrobe. - - tweak: Suspenders can now be toggled to have an X or a Y back. - - rscadd: The Keycard Authentication Device and Implanter Chairs now have TGUI-Next - interfaces. + - rscadd: Adds 2 new forms of suspenders, for purchase at the clothesmate. + - rscadd: Adds the Mystic Robe, for purchase at the autodrobe. + - tweak: Suspenders can now be toggled to have an X or a Y back. + - rscadd: + The Keycard Authentication Device and Implanter Chairs now have TGUI-Next + interfaces. Arkatos: - - rscadd: Added generic living mob HUD, which contains health and pull indicators. - - rscadd: Added pull indicator for Revenant, Lavaland Elite, Slime and Guardian. + - rscadd: Added generic living mob HUD, which contains health and pull indicators. + - rscadd: Added pull indicator for Revenant, Lavaland Elite, Slime and Guardian. Firecage: - - bugfix: Adds back slot icons for the Particle Acceleration Rifle, Surplus Rifle, - Mosin Nagant(which can now be worn on the back as well), and Compact Combat - Shotgun. Also updates the back slot icons for the Riot Shotgun and Combat Shotgun. - - bugfix: Changelings are now able to cure themselves of most traumas via Anatomic - Panacea, except magical and permanent traumas. + - bugfix: + Adds back slot icons for the Particle Acceleration Rifle, Surplus Rifle, + Mosin Nagant(which can now be worn on the back as well), and Compact Combat + Shotgun. Also updates the back slot icons for the Riot Shotgun and Combat Shotgun. + - bugfix: + Changelings are now able to cure themselves of most traumas via Anatomic + Panacea, except magical and permanent traumas. Ghommie: - - bugfix: Mechs can now go down (stairs) - - bugfix: Mechs can't push (non-anchored) objects and mobs with move resistance - greater than "very strong" anymore. + - bugfix: Mechs can now go down (stairs) + - bugfix: + Mechs can't push (non-anchored) objects and mobs with move resistance + greater than "very strong" anymore. Krysonism: - - balance: formaldehyde prevents post mortem organ decay. - - balance: epinepherine pens now contain 3u formaldehyde preservative. + - balance: formaldehyde prevents post mortem organ decay. + - balance: epinepherine pens now contain 3u formaldehyde preservative. LemonInTheDark: - - bugfix: Fixed negative power being generated by the supermatter engine. Some math - has changed, time to find your new autism setup balance. + - bugfix: + Fixed negative power being generated by the supermatter engine. Some math + has changed, time to find your new autism setup balance. Ryll/Shaps: - - balance: Cleanbots with knives will do full damage rather than half if emagged - - bugfix: Cleanbots will no longer lose their name when given knives + - balance: Cleanbots with knives will do full damage rather than half if emagged + - bugfix: Cleanbots will no longer lose their name when given knives ShizCalev: - - bugfix: Ion rifle inhand sprites no longer have an incorrectly colored scope when - empty. - - imageadd: Tweaked the colors of the charge indicators on a number of energy weapons - to allow for easier identification of the remaining charge percentage. - - imageadd: Ion rifle inhand sprite now more closely reflects it's normal sprite. - - bugfix: Fixed a couple of laser / energy guns never switching to the empty icon - despite being unable to fire. + - bugfix: + Ion rifle inhand sprites no longer have an incorrectly colored scope when + empty. + - imageadd: + Tweaked the colors of the charge indicators on a number of energy weapons + to allow for easier identification of the remaining charge percentage. + - imageadd: Ion rifle inhand sprite now more closely reflects it's normal sprite. + - bugfix: + Fixed a couple of laser / energy guns never switching to the empty icon + despite being unable to fire. Skoglol: - - bugfix: Hivemind Link now properly requires you to keep holding on to the target, - and lasts indefinetely. - - rscadd: Space heater and tanks now have tgui-next ui's. Some touchups of mint, - vault controller and station alert console. - - bugfix: Reattached limbs will no longer take on the appearance of the new owner. - Better keep an eye on the surgeon. + - bugfix: + Hivemind Link now properly requires you to keep holding on to the target, + and lasts indefinetely. + - rscadd: + Space heater and tanks now have tgui-next ui's. Some touchups of mint, + vault controller and station alert console. + - bugfix: + Reattached limbs will no longer take on the appearance of the new owner. + Better keep an eye on the surgeon. TheMythicGhost: - - rscadd: Adds a self knockback (recoil) element that can be applied currently to - items and projectiles. + - rscadd: + Adds a self knockback (recoil) element that can be applied currently to + items and projectiles. Tlaltecuhtli: - - bugfix: medical wrench no longer dupes on suicide + - bugfix: medical wrench no longer dupes on suicide XDTM: - - rscadd: 'Nanite timers have been changed into four separate timers: Restart Timer, - Shutdown Timer, Trigger Repeat, and Trigger Delay. See the wiki or github for - more information.' - - tweak: Stasis now prevents nanites from processing and syncing. + - rscadd: + "Nanite timers have been changed into four separate timers: Restart Timer, + Shutdown Timer, Trigger Repeat, and Trigger Delay. See the wiki or github for + more information." + - tweak: Stasis now prevents nanites from processing and syncing. actioninja: - - rscadd: The public mining shuttle now has a dedicated dock on Box, Delta, and - Meta. - - rscadd: Nuke UI has been completely reworked for tgui-next - - bugfix: Chem Filter ui loads properly again - - bugfix: Traitor uplink no longer bluescreens when trying to search - - bugfix: Announcements in dark mode are no longer solid black and borderline unreadable + - rscadd: + The public mining shuttle now has a dedicated dock on Box, Delta, and + Meta. + - rscadd: Nuke UI has been completely reworked for tgui-next + - bugfix: Chem Filter ui loads properly again + - bugfix: Traitor uplink no longer bluescreens when trying to search + - bugfix: Announcements in dark mode are no longer solid black and borderline unreadable tralezab: - - balance: shapeshifting in pipes are dangerous now. + - balance: shapeshifting in pipes are dangerous now. 2019-11-27: ArcaneMusic: - - rscadd: Nanotrasen's software development team has finally finished a port if - their hit, battle arcade game, available now on tablets, laptops, and modular - computers. - - rscadd: Printer-enabled modular computers are now capable of printing arcade tickets, - which can be redeemed for regular prizes at standard arcade computers. + - rscadd: + Nanotrasen's software development team has finally finished a port if + their hit, battle arcade game, available now on tablets, laptops, and modular + computers. + - rscadd: + Printer-enabled modular computers are now capable of printing arcade tickets, + which can be redeemed for regular prizes at standard arcade computers. Arkatos: - - rscadd: Equipment reclaimer station now uses tgui-next UI. + - rscadd: Equipment reclaimer station now uses tgui-next UI. TheVekter: - - tweak: The Detective should now actually have access to the Security Office on - Boxstation, Kilostation, and Pubbystation. + - tweak: + The Detective should now actually have access to the Security Office on + Boxstation, Kilostation, and Pubbystation. Tlaltecuhtli: - - tweak: conveyor belt now are stacks instead of single item - - tweak: conveyor crate has 30 belts - - tweak: printing a conveyor costs 3000 metal + - tweak: conveyor belt now are stacks instead of single item + - tweak: conveyor crate has 30 belts + - tweak: printing a conveyor costs 3000 metal actioninja: - - bugfix: Interfaces featuring the Input component (such as the syndicate uplink) - on tgui-next now properly function on IE8/WINE again. + - bugfix: + Interfaces featuring the Input component (such as the syndicate uplink) + on tgui-next now properly function on IE8/WINE again. ghost: - - admin: Aheal removes losebreath now. - - bugfix: Cyborg buckling now waits to add to inhands until the buckling is complete + - admin: Aheal removes losebreath now. + - bugfix: Cyborg buckling now waits to add to inhands until the buckling is complete pireamaineach: - - rscdel: cat gone + - rscdel: cat gone 2019-11-29: Arkatos: - - bugfix: Holodeck buttons now work properly. Fire the torpedos right away! + - bugfix: Holodeck buttons now work properly. Fire the torpedos right away! MrDoomBringer: - - imageadd: RCDs have cool animations now. Check it out! + - imageadd: RCDs have cool animations now. Check it out! Ryll/Shaps: - - rscadd: You can now hold people at gunpoint! Attack someone at point blank with - a gun on GRAB intent to initiate the stickup. You will automatically fire at - your target if they move or attack, though they can still rummage through their - (or your!) inventory, speak (including on the radio), and throw things. Go let - loose your inner Omar! + - rscadd: + You can now hold people at gunpoint! Attack someone at point blank with + a gun on GRAB intent to initiate the stickup. You will automatically fire at + your target if they move or attack, though they can still rummage through their + (or your!) inventory, speak (including on the radio), and throw things. Go let + loose your inner Omar! RyverStyx: - - tweak: tweaked the sprite of grilling shorts + - tweak: tweaked the sprite of grilling shorts Skoglol: - - bugfix: Strobe shield can no longer be crafted using a strobe shield. + - bugfix: Strobe shield can no longer be crafted using a strobe shield. TheVekter: - - bugfix: The lock for the shower door in the auxiliary bathrooms now actually works. + - bugfix: The lock for the shower door in the auxiliary bathrooms now actually works. carlarctg: - - balance: Emagged defillibrators now knock people down for 7.5 seconds, deal 55 - stamina damage, and convulse for 15 seconds, They don't stun borgs anymore. - - rscadd: 'New status effect: Convulsions. 40% chance to drop your inhand item every - tick.' - - balance: Harm intent defillibrator heart attack takes half as much time. - - bugfix: ERT preproom no longer has a syndicate defillibrator. - - rscadd: It now has a nanotrasen elite defillibrator, extremely high quality and - definitely not a repaint of a syndicate defib. + - balance: + Emagged defillibrators now knock people down for 7.5 seconds, deal 55 + stamina damage, and convulse for 15 seconds, They don't stun borgs anymore. + - rscadd: + "New status effect: Convulsions. 40% chance to drop your inhand item every + tick." + - balance: Harm intent defillibrator heart attack takes half as much time. + - bugfix: ERT preproom no longer has a syndicate defillibrator. + - rscadd: + It now has a nanotrasen elite defillibrator, extremely high quality and + definitely not a repaint of a syndicate defib. nightred: - - rscadd: Ore Box uses tgui-next now + - rscadd: Ore Box uses tgui-next now 2019-12-03: Bumtickley00: - - balance: Buffed granibitaluri to be a better top-off healer - - tweak: Changed granibitaluri's recipe to be easier to make + - balance: Buffed granibitaluri to be a better top-off healer + - tweak: Changed granibitaluri's recipe to be easier to make Couls: - - rscadd: Birdboat can eat anything with plastic, but he'll choke on it! Keep him - away from plastic. - - bugfix: (admin-spawned) mysterious water bottles now correctly have random reagent - contents and show markings without runtiming + - rscadd: + Birdboat can eat anything with plastic, but he'll choke on it! Keep him + away from plastic. + - bugfix: + (admin-spawned) mysterious water bottles now correctly have random reagent + contents and show markings without runtiming Firecage: - - rscadd: Mining Cyborgs are now able to choose which icon they want upon picking - their module. Either the Lavaland Mining Cyborg icon, the Asteroid Mining Cyborg - icon, or the Spider Mining Cyborg icon. - - tweak: Mining Cyborg Lavaproof Tracks upgrade is renamed to Mining Cyborg Lavaproof - Chassis. - - bugfix: Dead Goliath Broodmother no longer constantly spawns tentacles around - them. - - bugfix: Mobs which can metabolize reagents can now properly metabolize crayon - powder. + - rscadd: + Mining Cyborgs are now able to choose which icon they want upon picking + their module. Either the Lavaland Mining Cyborg icon, the Asteroid Mining Cyborg + icon, or the Spider Mining Cyborg icon. + - tweak: + Mining Cyborg Lavaproof Tracks upgrade is renamed to Mining Cyborg Lavaproof + Chassis. + - bugfix: + Dead Goliath Broodmother no longer constantly spawns tentacles around + them. + - bugfix: + Mobs which can metabolize reagents can now properly metabolize crayon + powder. GuillaumePrata: - - rscadd: The pimpin ride hook now holds the trashbag open for easier trash disposal. + - rscadd: The pimpin ride hook now holds the trashbag open for easier trash disposal. Indie-ana Jones: - - tweak: Xenobiologists have noted a change in results from the gold slime core's - reaction. Creatures previously thought to be useless are also notably more - unique than before. + - tweak: + Xenobiologists have noted a change in results from the gold slime core's + reaction. Creatures previously thought to be useless are also notably more + unique than before. Ryll/Shaps: - - rscadd: You can now beat on vending machines to try and knock loose free stuff! - You can also almost kill yourself doing it, so it's your call if your life is - worth ten bucks. + - rscadd: + You can now beat on vending machines to try and knock loose free stuff! + You can also almost kill yourself doing it, so it's your call if your life is + worth ten bucks. Skoglol: - - tweak: Bureaucratic error event has new effects! - - admin: Admins can now pick solo abductor in traitor panel. - - bugfix: Ian has found a comfier spawnpoint on metastation. + - tweak: Bureaucratic error event has new effects! + - admin: Admins can now pick solo abductor in traitor panel. + - bugfix: Ian has found a comfier spawnpoint on metastation. TheVekter: - - tweak: Reworked the entrance to Engineering on PubbyStation to give Atmos techs - access to the techfab on non-skeleton shift rounds. + - tweak: + Reworked the entrance to Engineering on PubbyStation to give Atmos techs + access to the techfab on non-skeleton shift rounds. actioninja: - - rscadd: All nanite interfaces have been completely reworked for tgui-next - - rscadd: Plumbing Reaction Chamber uses tgui-next - - tweak: A couple of the other plumbing uis now use the Input component of tgui-next - instead of having popup windows - - bugfix: fixes some drinks such as lizard wine being uncraftable + - rscadd: All nanite interfaces have been completely reworked for tgui-next + - rscadd: Plumbing Reaction Chamber uses tgui-next + - tweak: + A couple of the other plumbing uis now use the Input component of tgui-next + instead of having popup windows + - bugfix: fixes some drinks such as lizard wine being uncraftable bobbahbrown: - - refactor: References to IRC now better describe TGS' and Discord's existence. - - admin: Players will now be better informed that messages are sent through TGS - to IRC/Discord/etc when attempting to adminhelp with no available admins/use - adminwho verb. + - refactor: References to IRC now better describe TGS' and Discord's existence. + - admin: + Players will now be better informed that messages are sent through TGS + to IRC/Discord/etc when attempting to adminhelp with no available admins/use + adminwho verb. fludd12: - - tweak: The pestle for the mortar and pestle now needs metal to craft, not plasteel. - - bugfix: The mortar and pestle can now grind food and such. + - tweak: The pestle for the mortar and pestle now needs metal to craft, not plasteel. + - bugfix: The mortar and pestle can now grind food and such. nemvar: - - bugfix: Wormhole jaunters work again. + - bugfix: Wormhole jaunters work again. nightred: - - rscadd: Scanner Gate uses TGUI-NEXT now + - rscadd: Scanner Gate uses TGUI-NEXT now oranges: - - rscdel: Budget payouts are gone - - rscdel: Felinids no longer react to cocoa + - rscdel: Budget payouts are gone + - rscdel: Felinids no longer react to cocoa plapatin: - - rscadd: adds glockroaches, try getting them from gold slime reactions. if that - guy from event hall i was talking with is reading this, i made this for you. + - rscadd: + adds glockroaches, try getting them from gold slime reactions. if that + guy from event hall i was talking with is reading this, i made this for you. spookydonut: - - bugfix: jungle fever monkeys now speak monkey - - bugfix: TRAIT_NOMETABOLISM species are now immune to clone damage + - bugfix: jungle fever monkeys now speak monkey + - bugfix: TRAIT_NOMETABOLISM species are now immune to clone damage zxaber: - - rscadd: Heads of staff can now connect to holopads without the other side answering - the call. - - rscadd: Secure holopads, which do not allow auto-connect, have replaced holopads - in a very small number of places. - - tweak: Placements of holopads in various areas on various stations have been slightly - adjusted. - - tweak: Holopads now ping when a connection from another pad is established. + - rscadd: + Heads of staff can now connect to holopads without the other side answering + the call. + - rscadd: + Secure holopads, which do not allow auto-connect, have replaced holopads + in a very small number of places. + - tweak: + Placements of holopads in various areas on various stations have been slightly + adjusted. + - tweak: Holopads now ping when a connection from another pad is established. 2019-12-07: Arkatos: - - rscadd: Gravity Generator now uses tgui-next UI. + - rscadd: Gravity Generator now uses tgui-next UI. Denton: - - rscadd: Added an (admin only) amputation arcade subtype that dispenses wrapped - gifts instead of arcade prizes. + - rscadd: + Added an (admin only) amputation arcade subtype that dispenses wrapped + gifts instead of arcade prizes. EdgeLordExe: - - rscadd: 'New room: Medbay Clinic , found in between lobby and mebday ''proper'' - on metastation' - - rscdel: Removed the office near medbay entrance - - tweak: Increased the size of security office in medbay del:public chem fridge - removed, as the old 'private' one is in now public area + - rscadd: + "New room: Medbay Clinic , found in between lobby and mebday 'proper' + on metastation" + - rscdel: Removed the office near medbay entrance + - tweak: + Increased the size of security office in medbay del:public chem fridge + removed, as the old 'private' one is in now public area Firecage: - - balance: Updates the energy resistance armour values on several armours and helmets. - - refactor: Absolute pathing inserted into timsorts. + - balance: Updates the energy resistance armour values on several armours and helmets. + - refactor: Absolute pathing inserted into timsorts. Krysonism: - - rscadd: Several new burgers. - - rscadd: Fiesta skewer, corn chips & chicken meat. - - rscdel: some old burger sprites have been replaced. - - tweak: The ghost burger is much spookier. - - balance: some burger recipes have been tweaked. + - rscadd: Several new burgers. + - rscadd: Fiesta skewer, corn chips & chicken meat. + - rscdel: some old burger sprites have been replaced. + - tweak: The ghost burger is much spookier. + - balance: some burger recipes have been tweaked. PepperPrepper: - - bugfix: Nightmares/Shadowpeople can be flashed + - bugfix: Nightmares/Shadowpeople can be flashed Ryll/Shaps: - - rscadd: Adds a new admin punishment, full immersion! Full immersion means having - to manually *blink, *inhale, and *exhale, or else! Are you having fun yet? + - rscadd: + Adds a new admin punishment, full immersion! Full immersion means having + to manually *blink, *inhale, and *exhale, or else! Are you having fun yet? Skoglol: - - admin: The "Start Now" verb can now be cancelled by using it again or setting - a custom pre-game delay. - - rscadd: 'tgui-next: Meteor shield controller' - - bugfix: Mindswap no longer force ghosts the target. + - admin: + The "Start Now" verb can now be cancelled by using it again or setting + a custom pre-game delay. + - rscadd: "tgui-next: Meteor shield controller" + - bugfix: Mindswap no longer force ghosts the target. TheVekter: - - rscadd: Converted the smoke machine over to tgui-next. + - rscadd: Converted the smoke machine over to tgui-next. Tlaltecuhtli: - - rscadd: plumbing machine to grind/juice objects and put it on duct net + - rscadd: plumbing machine to grind/juice objects and put it on duct net actioninja: - - tweak: Glide size now scales with movespeed. 60 fps won't jitter your camera around - and slower moving mobs will appear to actually be slower. - - tweak: 60 fps is now the client default - - bugfix: research director id properly gets overlays - - tweak: Nanite extra settings display a bit better on the cloud controller - - bugfix: Boolean extra settings on nanites function properly - - bugfix: Extra settings on nanites copy properly instead of copying a literal ref + - tweak: + Glide size now scales with movespeed. 60 fps won't jitter your camera around + and slower moving mobs will appear to actually be slower. + - tweak: 60 fps is now the client default + - bugfix: research director id properly gets overlays + - tweak: Nanite extra settings display a bit better on the cloud controller + - bugfix: Boolean extra settings on nanites function properly + - bugfix: Extra settings on nanites copy properly instead of copying a literal ref stylemistake: - - bugfix: Fixed recipe button layout in Chem Dispenser. - - bugfix: Fixed the icon on the "Save" button in Chem Dispenser. - - bugfix: ChemMaster no longer rounds volume of chemicals, allowing to package 0.1 - unit pills. - - bugfix: Air Alarm layout will no longer jump around when microscopic amounts of - gases are present (less than 0.01%). + - bugfix: Fixed recipe button layout in Chem Dispenser. + - bugfix: Fixed the icon on the "Save" button in Chem Dispenser. + - bugfix: + ChemMaster no longer rounds volume of chemicals, allowing to package 0.1 + unit pills. + - bugfix: + Air Alarm layout will no longer jump around when microscopic amounts of + gases are present (less than 0.01%). 2019-12-20: 4dplanner: - - bugfix: herald cloak now works + - bugfix: herald cloak now works Angustmeta: - - bugfix: fixed the sugar sack to stop looking like the rice sack + - bugfix: fixed the sugar sack to stop looking like the rice sack ArcaneMusic: - - bugfix: Stacks of plumbing duct can now be recycled in the autolathe. + - bugfix: Stacks of plumbing duct can now be recycled in the autolathe. Buggy123: - - tweak: Moved the "Observe" verb to ghost tab + - tweak: Moved the "Observe" verb to ghost tab Bumtickley00: - - tweak: Pills found in medkits now have their own unique colors + - tweak: Pills found in medkits now have their own unique colors Coconutwarrior97: - - rscadd: Added several new donk pocket types, and boxes, including sprites for - each of course. Spicy-Pocket,Teriyaki-Pocket, Pizza-Pocket,Honk-Pocket,Gondola-Pocket - and Berry-Pocket. This includes re-organizing them from the OTHER section in - snacks_pastry.dm to a donk pocket section. Thanks to Farquaar for the box icons - and some of the code! As well as latots for the donk pocket icons. - - rscadd: Added a Donk Pocket Variety crate, for 2000 credits, which includes 3 - randomly selected donk pocket box types, excluding Gondola-Pocket. - - rscadd: Added a recipe for each new Donk Pocket type. - - rscadd: Added the new Donk Pocket types to the maint loot table. - - rscadd: Donk Pocket loot spawner object, credit to TheVekter for that, which was - then added into the kitchens of all the main maps. - - tweak: All Donk Pockets now follow the same naming scheme of X-Pocket. - - rscadd: Added craftable Donk Pocket boxes. + - rscadd: + Added several new donk pocket types, and boxes, including sprites for + each of course. Spicy-Pocket,Teriyaki-Pocket, Pizza-Pocket,Honk-Pocket,Gondola-Pocket + and Berry-Pocket. This includes re-organizing them from the OTHER section in + snacks_pastry.dm to a donk pocket section. Thanks to Farquaar for the box icons + and some of the code! As well as latots for the donk pocket icons. + - rscadd: + Added a Donk Pocket Variety crate, for 2000 credits, which includes 3 + randomly selected donk pocket box types, excluding Gondola-Pocket. + - rscadd: Added a recipe for each new Donk Pocket type. + - rscadd: Added the new Donk Pocket types to the maint loot table. + - rscadd: + Donk Pocket loot spawner object, credit to TheVekter for that, which was + then added into the kitchens of all the main maps. + - tweak: All Donk Pockets now follow the same naming scheme of X-Pocket. + - rscadd: Added craftable Donk Pocket boxes. Ecobbomy: - - tweak: Paystands have a few new functions. Examine your paystand with the registered - card in hand to view these options! - - admin: there is a bling necklace subtype that allows you to sell items for credits, - hassle-free (search "merchant" in the spawn menu)! Useful for merchant-based - events. + - tweak: + Paystands have a few new functions. Examine your paystand with the registered + card in hand to view these options! + - admin: + there is a bling necklace subtype that allows you to sell items for credits, + hassle-free (search "merchant" in the spawn menu)! Useful for merchant-based + events. Fury McFlurry: - - imageadd: Adds three new moth wings and markings! - - imageadd: 'They are named: Oakworm, Witchwing, Jungle.' + - imageadd: Adds three new moth wings and markings! + - imageadd: "They are named: Oakworm, Witchwing, Jungle." JDHoffmann3: - - bugfix: Vampires maintain blood volume when shapeshifting. + - bugfix: Vampires maintain blood volume when shapeshifting. Jdawg1290: - - bugfix: field generator floor shields should stay still now + - bugfix: field generator floor shields should stay still now Kerbin-Fiber: - - tweak: Plumbing pipes aren't as clunky anymore. + - tweak: Plumbing pipes aren't as clunky anymore. LemonInTheDark: - - code_imp: Documented all of the supermatters's function process_atmos(). Check - it out, it's dope - - code_imp: Fixed my 12am comments and a few spelling errors. + - code_imp: + Documented all of the supermatters's function process_atmos(). Check + it out, it's dope + - code_imp: Fixed my 12am comments and a few spelling errors. Mickyan: - - balance: Payouts and vending machine prices have been completely rebalanced + - balance: Payouts and vending machine prices have been completely rebalanced MrPerson: - - rscadd: Solar panels will visually rotate a lot more smoothly instead of being - locked to only 8 directions. - - rscadd: Timed solar tracking is in degrees per minute. You're still not gonna - use it though. + - rscadd: + Solar panels will visually rotate a lot more smoothly instead of being + locked to only 8 directions. + - rscadd: + Timed solar tracking is in degrees per minute. You're still not gonna + use it though. OnlineGirlfriend: - - bugfix: hot coco glass name and description - - bugfix: hot coco, tea, and coffee are now drink recipes (not food) - - tweak: hot coco now has 20% chance of healing brute damage + - bugfix: hot coco glass name and description + - bugfix: hot coco, tea, and coffee are now drink recipes (not food) + - tweak: hot coco now has 20% chance of healing brute damage PKPenguin321: - - rscadd: Surgical drills have a fun new suicide. - - rscadd: Having waaay too much blood now makes you explode. Realistic! - - code_imp: Cleaned some very confusing code in subsystem/job.dm + - rscadd: Surgical drills have a fun new suicide. + - rscadd: Having waaay too much blood now makes you explode. Realistic! + - code_imp: Cleaned some very confusing code in subsystem/job.dm RaveRadbury: - - rscadd: Space Mountain Wind Snowcones - - tweak: snow cones do not require water to make - - tweak: honey snow cones have more of an amber color - - tweak: the mime snow cone has a grey straw so you can actually see it. - - tweak: apple snow cones are also amber now - - tweak: sodawater snow cones are actually Space Cola snow cones. - - tweak: fruit salad snowcone tastes changed - - tweak: mixed berry is now just berry - - tweak: all snow cones can now taste of ice and water - - tweak: clown snow cones recipe changed to require laughter, output 5u of their - reagent like almost all other snow cones. - - tweak: berry snow cones require and output 5u of berry juice - - bugfix: clown and pwrgame snowcones now contain the appropriate reagents - - bugfix: removed stray pixel on mime snowcone - - spellcheck: Misspellings in snowcone titles and descriptions - - tweak: Baguettes now have an attack verb. Try hitting somebody with one! - - balance: Meat donut recipe uses raw meat cutlets instead of raw meat slabs + - rscadd: Space Mountain Wind Snowcones + - tweak: snow cones do not require water to make + - tweak: honey snow cones have more of an amber color + - tweak: the mime snow cone has a grey straw so you can actually see it. + - tweak: apple snow cones are also amber now + - tweak: sodawater snow cones are actually Space Cola snow cones. + - tweak: fruit salad snowcone tastes changed + - tweak: mixed berry is now just berry + - tweak: all snow cones can now taste of ice and water + - tweak: + clown snow cones recipe changed to require laughter, output 5u of their + reagent like almost all other snow cones. + - tweak: berry snow cones require and output 5u of berry juice + - bugfix: clown and pwrgame snowcones now contain the appropriate reagents + - bugfix: removed stray pixel on mime snowcone + - spellcheck: Misspellings in snowcone titles and descriptions + - tweak: Baguettes now have an attack verb. Try hitting somebody with one! + - balance: Meat donut recipe uses raw meat cutlets instead of raw meat slabs Robotby: - - rscadd: borgs can now unbuckle users safely by clicking on themselves with help - intent and no selected module OR by using the resist verb in the command bar/IC - tab. + - rscadd: + borgs can now unbuckle users safely by clicking on themselves with help + intent and no selected module OR by using the resist verb in the command bar/IC + tab. Ryll/Shaps: - - rscadd: A bunch of new achievements have been added! To name a few, there are - achievements for holding up the captain with a rocket launcher as a nuclear - operative, dying to inanimate objects, dying in a toilet, and getting watchlisted! - Go do some dumb stuff! - - bugfix: AI's are no longer able to right tipped vending machines - - bugfix: 'Borgies can now attack and be attacked by vending machines! spelling: - Untipping vending machines no longer shoes an errant /the' + - rscadd: + A bunch of new achievements have been added! To name a few, there are + achievements for holding up the captain with a rocket launcher as a nuclear + operative, dying to inanimate objects, dying in a toilet, and getting watchlisted! + Go do some dumb stuff! + - bugfix: AI's are no longer able to right tipped vending machines + - bugfix: + "Borgies can now attack and be attacked by vending machines! spelling: + Untipping vending machines no longer shoes an errant /the" Skoglol: - - bugfix: All human intent suicides now work properly - - rscadd: New disarm intent suicide - - refactor: Refactored language holders. Fixes a bunch of language related bugs - and inconsistencies. - - bugfix: Transforms now apply new languages properly. Monkeys can no longer speak - common. - - rscadd: Species changes will now give you the relevant languages. - - bugfix: PDA sorting mode is no longer inverted. - - bugfix: Some dynamic mode threat spending/refunding and threat logging fixes. - - bugfix: Fixed a bug causing some midround antag ghost rolls to fail. Dynamic midround - nightmare should now spawn again. - - bugfix: Soul stones can once again be used on catatonics. - - bugfix: AI will now only be notified of new shells once. - - bugfix: Abandoned crates will no longer explode roundstart. Some loot has been - fixed. + - bugfix: All human intent suicides now work properly + - rscadd: New disarm intent suicide + - refactor: + Refactored language holders. Fixes a bunch of language related bugs + and inconsistencies. + - bugfix: + Transforms now apply new languages properly. Monkeys can no longer speak + common. + - rscadd: Species changes will now give you the relevant languages. + - bugfix: PDA sorting mode is no longer inverted. + - bugfix: Some dynamic mode threat spending/refunding and threat logging fixes. + - bugfix: + Fixed a bug causing some midround antag ghost rolls to fail. Dynamic midround + nightmare should now spawn again. + - bugfix: Soul stones can once again be used on catatonics. + - bugfix: AI will now only be notified of new shells once. + - bugfix: + Abandoned crates will no longer explode roundstart. Some loot has been + fixed. TheChosenEvilOne: - - bugfix: Arrival deadchat message will no longer colour other text in the deadchat - colour. + - bugfix: + Arrival deadchat message will no longer colour other text in the deadchat + colour. TheVekter: - - bugfix: The Cult should now actually be able to draw runes in the Library. - - tweak: Added brass sheets to the Sheet Snatcher's whitelist. - - rscadd: Added Chili con Carnival, a new chili dish that requires the clown's shoes - to make! (Sprite by ArcaneMusic) - - tweak: Apothecary access should now work correctly on all maps. - - bugfix: Fixed the crafting menu. - - rscadd: Due to its age, the E.X.P.E.R.I-Mentor might be prone to exploding in - very, very rare scenarios. Please take care in its use. - - tweak: Increased the amount of research gained for discovering a strange object's - true nature. - - tweak: The E.X.P.E.R.I-Mentor will now produce research notes instead of feeding - points directly into the server. - - tweak: Strange objects have a more informational examine string. - - balance: Reduced the overall amount of passive research generation by a small - amount. - - tweak: Adds a cooldown to the Deathgasp emote + - bugfix: The Cult should now actually be able to draw runes in the Library. + - tweak: Added brass sheets to the Sheet Snatcher's whitelist. + - rscadd: + Added Chili con Carnival, a new chili dish that requires the clown's shoes + to make! (Sprite by ArcaneMusic) + - tweak: Apothecary access should now work correctly on all maps. + - bugfix: Fixed the crafting menu. + - rscadd: + Due to its age, the E.X.P.E.R.I-Mentor might be prone to exploding in + very, very rare scenarios. Please take care in its use. + - tweak: + Increased the amount of research gained for discovering a strange object's + true nature. + - tweak: + The E.X.P.E.R.I-Mentor will now produce research notes instead of feeding + points directly into the server. + - tweak: Strange objects have a more informational examine string. + - balance: + Reduced the overall amount of passive research generation by a small + amount. + - tweak: Adds a cooldown to the Deathgasp emote Yenwodyah: - - bugfix: Bear traps and bolas apply slowdown correctly again - - bugfix: Blood-red hardsuits now properly update their slowdown when you toggle - helmet modes + - bugfix: Bear traps and bolas apply slowdown correctly again + - bugfix: + Blood-red hardsuits now properly update their slowdown when you toggle + helmet modes actioninja: - - rscadd: pandemic now uses tgui-next - - rscadd: tgui-next portable atmos - - bugfix: Nanite damage sensor have extra settings again + - rscadd: pandemic now uses tgui-next + - rscadd: tgui-next portable atmos + - bugfix: Nanite damage sensor have extra settings again bobbahbrown: - - refactor: Removed some stinky smells from hailer mask code. + - refactor: Removed some stinky smells from hailer mask code. carshalash: - - bugfix: Makes Hot Coco actually consumable + - bugfix: Makes Hot Coco actually consumable fludd12: - - rscadd: You can now craft something vaguely like a pen out of some wood and ash. + - rscadd: You can now craft something vaguely like a pen out of some wood and ash. nightred: - - tweak: Moved the Biogenerator to be shared with the kitchen - - rscadd: Hallway counter to the kitchen - - tweak: Changed the layout of the kitchen + - tweak: Moved the Biogenerator to be shared with the kitchen + - rscadd: Hallway counter to the kitchen + - tweak: Changed the layout of the kitchen stylemistake: - - rscadd: Fancy tgui mode now works on IE8 (not perfect. but certainly usable). + - rscadd: Fancy tgui mode now works on IE8 (not perfect. but certainly usable). swindly: - - bugfix: Assemblies in chemical grenades are removed when wrenched while there - are no beakers inside instead of only when there is a beaker inside - - tweak: Makes encryption keys be put in the hands of the user when able instead - of being dropped on the floor when removed from headsets + - bugfix: + Assemblies in chemical grenades are removed when wrenched while there + are no beakers inside instead of only when there is a beaker inside + - tweak: + Makes encryption keys be put in the hands of the user when able instead + of being dropped on the floor when removed from headsets tralezab: - - rscadd: The Plasma Fist now builds energy up for a new explosive move! - - admin: drones are no longer allowed to leave their station, they will die upon - doing so - - tweak: renamed boring ice peppers to chilly peppers + - rscadd: The Plasma Fist now builds energy up for a new explosive move! + - admin: + drones are no longer allowed to leave their station, they will die upon + doing so + - tweak: renamed boring ice peppers to chilly peppers zxaber: - - admin: Added logging for when an Exosuit Console is used to EMP a mech. + - admin: Added logging for when an Exosuit Console is used to EMP a mech. 2019-12-21: Ty the Smonk: - - bugfix: '#48245 Wizards can no longer input just spaces and have that as their - name' + - bugfix: + "#48245 Wizards can no longer input just spaces and have that as their + name" Ty-the-Smonk: - - bugfix: '#48281 Bees can now vent crawl' + - bugfix: "#48281 Bees can now vent crawl" 2019-12-22: Arkatos: - - rscadd: Bank Machine now uses tgui-next UI. - - tweak: Small UI tweaks for Gravity Generator and Equipment Reclaimer Console. + - rscadd: Bank Machine now uses tgui-next UI. + - tweak: Small UI tweaks for Gravity Generator and Equipment Reclaimer Console. Buggy123: - - tweak: An intern at Nanotrasen noticed that their shift timer was running about - 3 minutes fast, misleading employees about how long they had been clocked in. - The timer has been fixed, and anyone who clocked out early has had their pay - docked. + - tweak: + An intern at Nanotrasen noticed that their shift timer was running about + 3 minutes fast, misleading employees about how long they had been clocked in. + The timer has been fixed, and anyone who clocked out early has had their pay + docked. Miningby: - - balance: Mining skill only affects tools like pickaxe/drill, and the skill can - only be gained by using such tools - - balance: Mining tools have been returned to their previous speed, and mining skill - boosts this speed further. Previously mining skill lowered the speed and brought - it back to normal after reaching certain levels. + - balance: + Mining skill only affects tools like pickaxe/drill, and the skill can + only be gained by using such tools + - balance: + Mining tools have been returned to their previous speed, and mining skill + boosts this speed further. Previously mining skill lowered the speed and brought + it back to normal after reaching certain levels. Skoglol: - - bugfix: Santas bag should once again regen gifts. A bit faster than before, too. + - bugfix: Santas bag should once again regen gifts. A bit faster than before, too. TetraK1: - - bugfix: SM radiation no longer kills you in 12 seconds without rad protection. + - bugfix: SM radiation no longer kills you in 12 seconds without rad protection. Thebleh: - - rscadd: Freezers and Heaters can now connect on multiple layers. Use a multitool - on their boards to change layers. - - bugfix: Clown and Mime traitors don't get a pen unless it's their uplink choice + - rscadd: + Freezers and Heaters can now connect on multiple layers. Use a multitool + on their boards to change layers. + - bugfix: Clown and Mime traitors don't get a pen unless it's their uplink choice actioninja: - - bugfix: You can rename diseases in the pandemic + - bugfix: You can rename diseases in the pandemic nightred: - - bugfix: kitchen counter on meta - - bugfix: replaced donk-pocket boxes in kitchen with new donk-pocket spawner + - bugfix: kitchen counter on meta + - bugfix: replaced donk-pocket boxes in kitchen with new donk-pocket spawner swindly: - - bugfix: Fixed crafting items using blacklisted subtypes of required items. - - bugfix: Fixed bonfires not returning the logs used to build them when deconstructed - - tweak: Steel-cap logs can not be used to build bonfires + - bugfix: Fixed crafting items using blacklisted subtypes of required items. + - bugfix: Fixed bonfires not returning the logs used to build them when deconstructed + - tweak: Steel-cap logs can not be used to build bonfires wesoda25: - - tweak: Cargo Item Requisition forms now display what time they were ordered + - tweak: Cargo Item Requisition forms now display what time they were ordered 2019-12-24: Arkatos: - - tweak: Sentient Lavaland Elites will now give a ghost orbit notification. ARE - YOU NOT ENTERTAINED?! + - tweak: + Sentient Lavaland Elites will now give a ghost orbit notification. ARE + YOU NOT ENTERTAINED?! Bawhoppen: - - tweak: Filing cabinets can now hold any small or below object, rather than just - papers/folders/photos. + - tweak: + Filing cabinets can now hold any small or below object, rather than just + papers/folders/photos. CRITAWAKETS: - - imageadd: The action button sprites for implants look better and less placeholder-y - now. + - imageadd: + The action button sprites for implants look better and less placeholder-y + now. Coconutwarrior97: - - bugfix: Fixed door access requirements on meta, for northern club maint door, - and northern maint door between toxins/toxins launch. - - bugfix: Fixed typo changing jellly_homer to jelly_homer under donuts.dmi . + - bugfix: + Fixed door access requirements on meta, for northern club maint door, + and northern maint door between toxins/toxins launch. + - bugfix: Fixed typo changing jellly_homer to jelly_homer under donuts.dmi . Denton: - - bugfix: Fixed the command report that pops up when an admin sets the game mode - to monkey/jungle fever - the jungle fever infection hasn't been curable for - the last two years. - - admin: Added deadmin/readmin keybindings - - tweak: Christmas trees can no longer be cut down like regular trees. They can - however still be destroyed with enough effort. + - bugfix: + Fixed the command report that pops up when an admin sets the game mode + to monkey/jungle fever - the jungle fever infection hasn't been curable for + the last two years. + - admin: Added deadmin/readmin keybindings + - tweak: + Christmas trees can no longer be cut down like regular trees. They can + however still be destroyed with enough effort. EOBGames: - - rscadd: Following a recent incident involving the Rosetta Stone and an assistant, - a flood of new languages have hit the station! Most roundstart races, as well - as several special races, have been given their own languages to secretly chat - with one another. Beware though, since the AI can understand the roundstart - languages! - - rscadd: Voltaic, a new language for ethereals. - - rscadd: Moffic, a new language for moths. - - rscadd: Calcic, a chattery new language for plasmamen and skeletons. Bone golems - get this one too. - - rscadd: Terrum, a new language for golems. - - rscadd: Shadowtongue, a new language for shadowlings and nightmares. (You n'wah!) - - rscadd: Sylvan, a new language for podpeople. - - rscadd: Buzzwords, a new "language" for flypeople. - - rscadd: the electric discharger, a new tongue for ethereals. - - tweak: made a few changes to tongues for flies and skeletons. - - tweak: Runic golems now get to speak Nar'sien. - - imageadd: added icons for the new languages, and the electric discharger. + - rscadd: + Following a recent incident involving the Rosetta Stone and an assistant, + a flood of new languages have hit the station! Most roundstart races, as well + as several special races, have been given their own languages to secretly chat + with one another. Beware though, since the AI can understand the roundstart + languages! + - rscadd: Voltaic, a new language for ethereals. + - rscadd: Moffic, a new language for moths. + - rscadd: + Calcic, a chattery new language for plasmamen and skeletons. Bone golems + get this one too. + - rscadd: Terrum, a new language for golems. + - rscadd: Shadowtongue, a new language for shadowlings and nightmares. (You n'wah!) + - rscadd: Sylvan, a new language for podpeople. + - rscadd: Buzzwords, a new "language" for flypeople. + - rscadd: the electric discharger, a new tongue for ethereals. + - tweak: made a few changes to tongues for flies and skeletons. + - tweak: Runic golems now get to speak Nar'sien. + - imageadd: added icons for the new languages, and the electric discharger. Iatots: - - bugfix: cult revive rune now displays how much sacrifice "credit" the cult has - with nar-sie. Remember, each revive costs 3 sacrifices, and the cult starts - with 1 free revive (that is, drawing the revive rune with no sacrifices made - the entire round displays 3 unredeemed sacrifices). + - bugfix: + cult revive rune now displays how much sacrifice "credit" the cult has + with nar-sie. Remember, each revive costs 3 sacrifices, and the cult starts + with 1 free revive (that is, drawing the revive rune with no sacrifices made + the entire round displays 3 unredeemed sacrifices). JJRcop: - - admin: SDQL2 now supports all subsystems. - - rscdel: Errant APC in Derelict ruin was removed. + - admin: SDQL2 now supports all subsystems. + - rscdel: Errant APC in Derelict ruin was removed. RaveRadbury: - - bugfix: mime fan pins work now, also updated the clown and mime fan description. + - bugfix: mime fan pins work now, also updated the clown and mime fan description. Skoglol: - - bugfix: The mind reader mutation should now always tell you the correct true name. - - admin: Stealth mode should reset ghost name correctly. - - admin: Cutting down (xmas) trees is now logged. + - bugfix: The mind reader mutation should now always tell you the correct true name. + - admin: Stealth mode should reset ghost name correctly. + - admin: Cutting down (xmas) trees is now logged. That REALLY Good Soda Flavor: - - rscadd: Hanukkah and Passover are now celebrated on the station. + - rscadd: Hanukkah and Passover are now celebrated on the station. genessee596: - - bugfix: Generic Gas Tanks (the grey ones) can now be built in the Engineering - and Cargo Protolathes like they're supposed to. + - bugfix: + Generic Gas Tanks (the grey ones) can now be built in the Engineering + and Cargo Protolathes like they're supposed to. nightred: - - bugfix: Fixes an issue with spiders losing exit vent - - tweak: Your breath out now interacts with your body temperature. + - bugfix: Fixes an issue with spiders losing exit vent + - tweak: Your breath out now interacts with your body temperature. wesoda25: - - bugfix: RCD animations are now anchored + - bugfix: RCD animations are now anchored 2019-12-26: ArcaneMusic: - - rscadd: The RnD department has been gifted a state-of-the-art new research tool, - the B.E.P.I.S. by Nanotrasen's Venture Capital Labs, after repeatedly wasting - all of their funds. Hopefully you'll find a... wiser use for it. - - rscadd: A new Tech Node can be unlocked through proper investment with the B.E.P.I.S. - - rscadd: In an unrelated piece of news, a deer was recently found to be the culprit - of Nanotrasen Venture Capital Labs's onboard nuclear failsafe device detonating. - Yes, we're sure it wasn't the Syndicate this time. Yes, we wish we were joking - too. - - bugfix: Fixes a small bug with tech disks containing hidden nodes not researching. + - rscadd: + The RnD department has been gifted a state-of-the-art new research tool, + the B.E.P.I.S. by Nanotrasen's Venture Capital Labs, after repeatedly wasting + all of their funds. Hopefully you'll find a... wiser use for it. + - rscadd: A new Tech Node can be unlocked through proper investment with the B.E.P.I.S. + - rscadd: + In an unrelated piece of news, a deer was recently found to be the culprit + of Nanotrasen Venture Capital Labs's onboard nuclear failsafe device detonating. + Yes, we're sure it wasn't the Syndicate this time. Yes, we wish we were joking + too. + - bugfix: Fixes a small bug with tech disks containing hidden nodes not researching. CAPTTLasky: - - rscadd: Major renovations to the MetaStation Brig - - rscadd: Donut Station Grenade Launcher added to Armory Equipment - - rscadd: A public-facing desk for the Warden - - tweak: The Secway Key has been moved to the Warden's Office + - rscadd: Major renovations to the MetaStation Brig + - rscadd: Donut Station Grenade Launcher added to Armory Equipment + - rscadd: A public-facing desk for the Warden + - tweak: The Secway Key has been moved to the Warden's Office Cyberboss: - - bugfix: If multiple holidays are active, the station name may be derived from - any of them instead of a single one. + - bugfix: + If multiple holidays are active, the station name may be derived from + any of them instead of a single one. 2019-12-31: AnturK: - - bugfix: Fixed byond build detection issues with adjacent major versions + - bugfix: Fixed byond build detection issues with adjacent major versions Arkatos: - - rscadd: Point Claim Console now uses tgui-next UI. - - bugfix: Spread Infestation changeling ability now correctly requires you to have - 3 absorptions before using it. No more freebie spiders! + - rscadd: Point Claim Console now uses tgui-next UI. + - bugfix: + Spread Infestation changeling ability now correctly requires you to have + 3 absorptions before using it. No more freebie spiders! BadSS13Player: - - rscadd: Silicon law changes are now reported in deadchat. - - rscadd: The creation of new AIs is now reported in deadchat. + - rscadd: Silicon law changes are now reported in deadchat. + - rscadd: The creation of new AIs is now reported in deadchat. CAPTTLasky: - - rscadd: Loom, soap, restocking parts, water tanks to the seed vault - - rscadd: An entirely re-designed seed vault - - rscdel: Removed the old seed vault - - tweak: gave the seed vault more seeds to play around with - - bugfix: Fixed some problems with the warden's office and shutters where they weren't - supposed to be - - bugfix: Disposal chutes to virology and xenobiology now actually go to space as - intended. - - balance: Abductors were given a recharger for their ship - - bugfix: fixed poor area work on clown planet lavaland ruin. + - rscadd: Loom, soap, restocking parts, water tanks to the seed vault + - rscadd: An entirely re-designed seed vault + - rscdel: Removed the old seed vault + - tweak: gave the seed vault more seeds to play around with + - bugfix: + Fixed some problems with the warden's office and shutters where they weren't + supposed to be + - bugfix: + Disposal chutes to virology and xenobiology now actually go to space as + intended. + - balance: Abductors were given a recharger for their ship + - bugfix: fixed poor area work on clown planet lavaland ruin. Chessus: - - tweak: tweaked Sandbox Panel + - tweak: tweaked Sandbox Panel Coconutwarrior97: - - bugfix: Fixes magspears not embedding when fired from speargun. + - bugfix: Fixes magspears not embedding when fired from speargun. Cyberboss: - - bugfix: Fixed being able to instantly delete carded AIs by crafting an intelliTater. - - bugfix: You are no longer prevented from selecting more neutral/negative quirks - once you have reached the limit of 6 positive ones. + - bugfix: Fixed being able to instantly delete carded AIs by crafting an intelliTater. + - bugfix: + You are no longer prevented from selecting more neutral/negative quirks + once you have reached the limit of 6 positive ones. Denton: - - rscadd: Added directional subtypes for stairs (like /obj/structure/stairs/north) - - bugfix: Added missing directional sprites for stairs - - rscadd: Added a new chemical called Baldium. Mix radium, sulphuric acid and lye - at 395 degrees, and you'll receive a chemical that removes hair when sprayed - or splashed on. - - admin: Moved shuttle related logs into a new log file called shuttle.log. - - admin: Added logging for shuttle consoles, aux bases/beacons and shuttle gibbing - (last one is in the attack log). - - tweak: Deleted the empty/unused extra Z level from Kilostation. + - rscadd: Added directional subtypes for stairs (like /obj/structure/stairs/north) + - bugfix: Added missing directional sprites for stairs + - rscadd: + Added a new chemical called Baldium. Mix radium, sulphuric acid and lye + at 395 degrees, and you'll receive a chemical that removes hair when sprayed + or splashed on. + - admin: Moved shuttle related logs into a new log file called shuttle.log. + - admin: + Added logging for shuttle consoles, aux bases/beacons and shuttle gibbing + (last one is in the attack log). + - tweak: Deleted the empty/unused extra Z level from Kilostation. Denton, sprites by Twaticus and JJRcop: - - rscadd: 'Added a new job: The Paramedic! Paramedics stabilize patients and haul - them to medbay for further treatment by medical doctors. They have access to - maintenance, EVA and department lobbies like engineering and R&D, but not to - surgery and chemistry.' + - rscadd: + "Added a new job: The Paramedic! Paramedics stabilize patients and haul + them to medbay for further treatment by medical doctors. They have access to + maintenance, EVA and department lobbies like engineering and R&D, but not to + surgery and chemistry." EdgeLordExe: - - rscadd: CMC back on meta! - - bugfix: first aid kits found in medbay clinic actually contain stuff now + - rscadd: CMC back on meta! + - bugfix: first aid kits found in medbay clinic actually contain stuff now Fikou: - - tweak: the char overdose threshhold is now lower, also the lines have been changed + - tweak: the char overdose threshhold is now lower, also the lines have been changed JJRcop: - - bugfix: Fixed vending machines showing premium products as free to workers of - their department. + - bugfix: + Fixed vending machines showing premium products as free to workers of + their department. Paxilmaniac: - - rscadd: overdose effect to monkey energy + - rscadd: overdose effect to monkey energy Skoglol: - - admin: New sound verb, Play Direct Mob Sound. Can also be found in the player - panel. - - admin: 'New mob VV option: Give direct control. Lets you pick a player to put - in control of the mob.' - - admin: Soft resets on live servers will now ask for additional confirmation. - - bugfix: A few suits without adjusted sprites are no longer adjustable, the two - piece black suit returns. - - bugfix: Lavaland mining base security wing should now recharge power again. - - tweak: Map vote now only allows one map vote/rotation per round. Maps that have - been played twice in the last three rounds including current are not available - for voting. + - admin: + New sound verb, Play Direct Mob Sound. Can also be found in the player + panel. + - admin: + "New mob VV option: Give direct control. Lets you pick a player to put + in control of the mob." + - admin: Soft resets on live servers will now ask for additional confirmation. + - bugfix: + A few suits without adjusted sprites are no longer adjustable, the two + piece black suit returns. + - bugfix: Lavaland mining base security wing should now recharge power again. + - tweak: + Map vote now only allows one map vote/rotation per round. Maps that have + been played twice in the last three rounds including current are not available + for voting. Tharcoonvagh: - - spellcheck: insuls description + - spellcheck: insuls description TheChosenEvilOne: - - bugfix: Dynamic revolution ruleset no longer makes multiple revolution teams when - first assigned revhead is invalid. + - bugfix: + Dynamic revolution ruleset no longer makes multiple revolution teams when + first assigned revhead is invalid. Time-Green: - - bugfix: The plumbing demander duct sprite has been corrected + - bugfix: The plumbing demander duct sprite has been corrected V2LenKagamine: - - rscadd: Instructive line to transit tube pod. + - rscadd: Instructive line to transit tube pod. cacogen: - - rscadd: Adds Kong and candy corn whiskey. Craftable with whiskey, a bottle and - either a piece of candy corn or a monkey cube - - rscadd: Ctrl+shift+click PDA to eject cartridge - - rscadd: Clicking PDA with cartridge swaps out current cartridge - - rscadd: Remove Cartridge verb for people using the right-click menu or the Object - tab - - rscadd: PDA toggle light action button - - bugfix: PDA UI now updates when ejecting or inserting cartridge or ejecting ID - - tweak: Luxury shuttle is a little more sophisticated - - spellcheck: Changed $1 to 1 cr - - spellcheck: Payday messages use the blue 'notice' span instead of asterisks + - rscadd: + Adds Kong and candy corn whiskey. Craftable with whiskey, a bottle and + either a piece of candy corn or a monkey cube + - rscadd: Ctrl+shift+click PDA to eject cartridge + - rscadd: Clicking PDA with cartridge swaps out current cartridge + - rscadd: + Remove Cartridge verb for people using the right-click menu or the Object + tab + - rscadd: PDA toggle light action button + - bugfix: PDA UI now updates when ejecting or inserting cartridge or ejecting ID + - tweak: Luxury shuttle is a little more sophisticated + - spellcheck: Changed $1 to 1 cr + - spellcheck: Payday messages use the blue 'notice' span instead of asterisks carshalash: - - tweak: Removes the gross attribute of 'milo' soup + - tweak: Removes the gross attribute of 'milo' soup iain0: - - bugfix: Alarm Monitoring program changed to avoid always-on unclearable fire alarms + - bugfix: Alarm Monitoring program changed to avoid always-on unclearable fire alarms nightred: - - rscadd: Engineering security checkpoint has better view of who is running around. - - rscadd: Engineering service desk - - tweak: Engineering shared storage has been revamped + - rscadd: Engineering security checkpoint has better view of who is running around. + - rscadd: Engineering service desk + - tweak: Engineering shared storage has been revamped spookydonut: - - code_imp: adds selective duplicate component mode + - code_imp: adds selective duplicate component mode steamport/actioninja: - - rscadd: Vending machine tgui-next + - rscadd: Vending machine tgui-next wesoda25: - - tweak: condensed capsaicin is spicier now + - tweak: condensed capsaicin is spicier now 2020-01-01: Cyberboss: - - bugfix: Fixed crafting not working in most scenarios + - bugfix: Fixed crafting not working in most scenarios Fikou: - - admin: the debug outfit now has an omnitool - - imageadd: Adjusted hypertool sprite. + - admin: the debug outfit now has an omnitool + - imageadd: Adjusted hypertool sprite. Krysonism: - - rscadd: A set of amputation shears have been added to the medivend. - - rscadd: Added sparklers and firecrackers to the HoP's office during new years - eve. - - rscadd: Ian can now wear the festive hat, one is provided to him at the end of - the year. + - rscadd: A set of amputation shears have been added to the medivend. + - rscadd: + Added sparklers and firecrackers to the HoP's office during new years + eve. + - rscadd: + Ian can now wear the festive hat, one is provided to him at the end of + the year. ShizCalev: - - bugfix: Fixed firing pins not dropping while being replaced when the gun containing - it is held by a mob. - - tweak: Hacking a firing pin out of a gun is no longer done via a crafting menu - - you can now do it by simply holding the gun in your hand and clicking it with - a welder/screwdriver/wirecutters. + - bugfix: + Fixed firing pins not dropping while being replaced when the gun containing + it is held by a mob. + - tweak: + Hacking a firing pin out of a gun is no longer done via a crafting menu + - you can now do it by simply holding the gun in your hand and clicking it with + a welder/screwdriver/wirecutters. Skoglol: - - bugfix: Orion trail will no longer give you a radio for winning. Arcades have - vending sound. - - bugfix: Syndicate codewords can now be locations. - - bugfix: Voice of god no longer causes you to get muted. - - bugfix: Blood contract can no longer target someone on the centcom z-level. + - bugfix: + Orion trail will no longer give you a radio for winning. Arcades have + vending sound. + - bugfix: Syndicate codewords can now be locations. + - bugfix: Voice of god no longer causes you to get muted. + - bugfix: Blood contract can no longer target someone on the centcom z-level. StonebayKyle: - - tweak: Plumbing-surgery connection on Meta is now not considered maintenance. - - tweak: Viro-medbay connection on Delta is now not considered maintenance. - - rscdel: Nanotrasen has removed expensive maintenance-exclusive radiation shields - in specific areas on two of their research stations. + - tweak: Plumbing-surgery connection on Meta is now not considered maintenance. + - tweak: Viro-medbay connection on Delta is now not considered maintenance. + - rscdel: + Nanotrasen has removed expensive maintenance-exclusive radiation shields + in specific areas on two of their research stations. WarlockD: - - rscadd: Crafting recipe for construction bags. + - rscadd: Crafting recipe for construction bags. actioninja: - - bugfix: Offstation vending machines are free again - - bugfix: Cargo ui has tooltip descriptions again + - bugfix: Offstation vending machines are free again + - bugfix: Cargo ui has tooltip descriptions again cacogen: - - tweak: Ian's birthday is now the date of his creation in 2011, not the date he - was given age - - rscadd: Adds a couple of relevant station prefixes to Ian's birthday holiday - - tweak: MetaStation and KiloStation doctors can turn on and modify behaviour of - Scrubs, MD + - tweak: + Ian's birthday is now the date of his creation in 2011, not the date he + was given age + - rscadd: Adds a couple of relevant station prefixes to Ian's birthday holiday + - tweak: + MetaStation and KiloStation doctors can turn on and modify behaviour of + Scrubs, MD iain0: - - bugfix: MetaStation Port Aft Solar Control SMES input isolated from main power - line, like all other solar control rooms. + - bugfix: + MetaStation Port Aft Solar Control SMES input isolated from main power + line, like all other solar control rooms. nightred: - - rscadd: Species body temperature handling - - balance: Plasmamen, Lizardpeople, Ethereal have custom body temperatures to deal - with - - refactor: clean up of the environment handles for mobs and species + - rscadd: Species body temperature handling + - balance: + Plasmamen, Lizardpeople, Ethereal have custom body temperatures to deal + with + - refactor: clean up of the environment handles for mobs and species 2020-01-04: ArcaneMusic: - - rscadd: Nanotrasen Plastic Labs has sat down and developed new designs exclusively - using plastic for station use. Station productivity has dropped by 2.7 percent. - - rscadd: Adds Plastic Potted Trees, Plastic Can holders, Plastic Bead Necklaces, - and Plastic Boxes. - - tweak: Space Carp have been noticed to actively lunge after and attack Plastic - Can holders, as though they were Space Jellyfish, leading to incremental population - decline. - - tweak: Adds 6 packs of cola and beer to the Party Crate, increasing the price - to 2500. - - bugfix: The Polycircuit Stack item no longer leaps through space and time until - a circuit is removed. + - rscadd: + Nanotrasen Plastic Labs has sat down and developed new designs exclusively + using plastic for station use. Station productivity has dropped by 2.7 percent. + - rscadd: + Adds Plastic Potted Trees, Plastic Can holders, Plastic Bead Necklaces, + and Plastic Boxes. + - tweak: + Space Carp have been noticed to actively lunge after and attack Plastic + Can holders, as though they were Space Jellyfish, leading to incremental population + decline. + - tweak: + Adds 6 packs of cola and beer to the Party Crate, increasing the price + to 2500. + - bugfix: + The Polycircuit Stack item no longer leaps through space and time until + a circuit is removed. Arkatos (original by kevinz000): - - bugfix: Megafauna mobs are no longer deaf. + - bugfix: Megafauna mobs are no longer deaf. Bumtickley00: - - tweak: Slightly adjusted the dosage of brute/burn medigels - - tweak: Changed description of instabitaluri sprays/patches to reflect the medicine's - toxicity + - tweak: Slightly adjusted the dosage of brute/burn medigels + - tweak: + Changed description of instabitaluri sprays/patches to reflect the medicine's + toxicity CitrusGender: - - rscadd: Added hedges as fluff - - imageadd: added hedge sprites + - rscadd: Added hedges as fluff + - imageadd: added hedge sprites Cobby Touches Medical Again: - - balance: Ups a variety of surgeries to give more XP - - bugfix: Surgeries not giving XP - - bugfix: Failing surgeries causing the rest of the surgery (specifically TW) to - act up. + - balance: Ups a variety of surgeries to give more XP + - bugfix: Surgeries not giving XP + - bugfix: + Failing surgeries causing the rest of the surgery (specifically TW) to + act up. EOBGames: - - tweak: modernised the brain damage strings + - tweak: modernised the brain damage strings JMoldy: - - bugfix: Fixed wand recharge to prevent recharge counter increasing when full + - bugfix: Fixed wand recharge to prevent recharge counter increasing when full Mickyan: - - imageadd: Added new trim floor decal styles for mapping + - imageadd: Added new trim floor decal styles for mapping OnlineGirlfriend: - - rscadd: Sol Dry - - rscadd: Moscow Mule - - balance: Drinking Sol Dry slightly reduces disgust - - imageadd: Sprites for Sol Dry, Moscow Mule + - rscadd: Sol Dry + - rscadd: Moscow Mule + - balance: Drinking Sol Dry slightly reduces disgust + - imageadd: Sprites for Sol Dry, Moscow Mule ShizCalev: - - bugfix: Fixed humans stepping on and getting hurt by glass shards when they're - thrown past them. - - bugfix: Fixed humans stepping on, getting hurt by, and shattering lightbulbs when - they're thrown past them. - - bugfix: Fixed lightbulbs shattering when a buckled mob passes over them. - - bugfix: Fixed lightbulbs shattering when a flying mob (including revenants) flies - over them. - - bugfix: Fixed glass shards and light bulbs playing sounds when a flying mob (including - revenants) flies over them. - - bugfix: Fixed lightbulbs and glass shards not triggering their effects in low - gravity when a human wearing activated magboots walks over them. - - bugfix: Fixed glass shards and lightbulbs playing stepping sounds when a buckled - mob passes over them. + - bugfix: + Fixed humans stepping on and getting hurt by glass shards when they're + thrown past them. + - bugfix: + Fixed humans stepping on, getting hurt by, and shattering lightbulbs when + they're thrown past them. + - bugfix: Fixed lightbulbs shattering when a buckled mob passes over them. + - bugfix: + Fixed lightbulbs shattering when a flying mob (including revenants) flies + over them. + - bugfix: + Fixed glass shards and light bulbs playing sounds when a flying mob (including + revenants) flies over them. + - bugfix: + Fixed lightbulbs and glass shards not triggering their effects in low + gravity when a human wearing activated magboots walks over them. + - bugfix: + Fixed glass shards and lightbulbs playing stepping sounds when a buckled + mob passes over them. Skoglol: - - balance: Metastation maint loot overhauled. Most static loot spawns have been - replaced with random spawners instead. - - rscadd: Maint loot table has been adjusted, may now contain some special stuff. - Get hunting! - - bugfix: Waddling works again. + - balance: + Metastation maint loot overhauled. Most static loot spawns have been + replaced with random spawners instead. + - rscadd: + Maint loot table has been adjusted, may now contain some special stuff. + Get hunting! + - bugfix: Waddling works again. TheChosenEvilOne: - - tweak: Border firelocks no longer crush mobs. + - tweak: Border firelocks no longer crush mobs. TheVekter: - - tweak: Geneticists are now purely under the purview of the Science department. - They will report directly to the Research Director. - - tweak: Moved the Genetics lab to the Science wing, replacing the Experimentor - and associated lab. This is a change on Metastation, Boxstation, Pubbystation, - Deltastation, and Kilostation. - - tweak: Geneticist access updated to grant access to the Science wing. - - tweak: Changed the Geneticist's outfit item sprites and bags to match their correct - color. - - rscdel: Removed the Experimentor from all labs as part of a full R&D rework. - - bugfix: Relocated the B.E.P.I.S. on both Delta and Metastation + - tweak: + Geneticists are now purely under the purview of the Science department. + They will report directly to the Research Director. + - tweak: + Moved the Genetics lab to the Science wing, replacing the Experimentor + and associated lab. This is a change on Metastation, Boxstation, Pubbystation, + Deltastation, and Kilostation. + - tweak: Geneticist access updated to grant access to the Science wing. + - tweak: + Changed the Geneticist's outfit item sprites and bags to match their correct + color. + - rscdel: Removed the Experimentor from all labs as part of a full R&D rework. + - bugfix: Relocated the B.E.P.I.S. on both Delta and Metastation Thebleh: - - bugfix: Public Nanite Chamber cloud IDs can be changed again. - - bugfix: Tank Dispensers, Ore Boxes and Coin Presses are no longer usable by ghosts + - bugfix: Public Nanite Chamber cloud IDs can be changed again. + - bugfix: Tank Dispensers, Ore Boxes and Coin Presses are no longer usable by ghosts actioninja: - - rscadd: Reworked the Contractor Uplink for tgui-next - - rscadd: Emergency Shuttle Console tgui-next - - rscadd: Intellicard tgui-next - - rscadd: Slime Body Swapper tgui-next - - rscadd: Gulag Teleporter Console tgui-next - - rscadd: Notification Preferences tgui-next - - rscadd: MULEbot tgui-next - - rscadd: Sleeper tgui-next - - rscadd: tgui next hardware confguration and ntnet relay - - rscadd: tgui-next magic eight ball - - tweak: haunted eight ball is now shook for 30 seconds, which gives it a 30 second - ghost vote time instead of 15 - - bugfix: Haunted eight ball actually clears its vote list after counting votes, - so it functions after over two years. - - rscadd: briefcase launchpad and launchpad console tgui-next - - bugfix: Nuke console updates when you click arm, making the ui slightly more responsive. + - rscadd: Reworked the Contractor Uplink for tgui-next + - rscadd: Emergency Shuttle Console tgui-next + - rscadd: Intellicard tgui-next + - rscadd: Slime Body Swapper tgui-next + - rscadd: Gulag Teleporter Console tgui-next + - rscadd: Notification Preferences tgui-next + - rscadd: MULEbot tgui-next + - rscadd: Sleeper tgui-next + - rscadd: tgui next hardware confguration and ntnet relay + - rscadd: tgui-next magic eight ball + - tweak: + haunted eight ball is now shook for 30 seconds, which gives it a 30 second + ghost vote time instead of 15 + - bugfix: + Haunted eight ball actually clears its vote list after counting votes, + so it functions after over two years. + - rscadd: briefcase launchpad and launchpad console tgui-next + - bugfix: Nuke console updates when you click arm, making the ui slightly more responsive. swindly: - - bugfix: Fixed being able to craft with blacklisted items + - bugfix: Fixed being able to craft with blacklisted items 2020-01-07: Anonmare: - - rscadd: Adds champagne to the service borg shaker - - bugfix: Returns two reagents back to the service borg shaker + - rscadd: Adds champagne to the service borg shaker + - bugfix: Returns two reagents back to the service borg shaker ArcaneMusic: - - rscadd: Mice will now eat cheese, and multiply. + - rscadd: Mice will now eat cheese, and multiply. Arkatos: - - bugfix: Borg shells, mechs and AI cores will now only accept MMI brains in a pristine - condition, which means they are active, healthy and are not a product of a suicide. - - bugfix: Head Revolutionary implanted cybernetic HUD vision is now properly removed - upon surgery, demotion or antagonist status removal. + - bugfix: + Borg shells, mechs and AI cores will now only accept MMI brains in a pristine + condition, which means they are active, healthy and are not a product of a suicide. + - bugfix: + Head Revolutionary implanted cybernetic HUD vision is now properly removed + upon surgery, demotion or antagonist status removal. MMMiracles (Donutstation): - - rscadd: Added a plumbing section below Medical - - rscadd: Several waypoint markers have been adding around key locations to help - alleviate trouble when exploring the map. - - rscdel: To make room for plumbing, the lower section of Medical's maintenance - was stripped to an extent. - - tweak: Original chemistry has been rebranded to the Pharmacy with access levels - adjusted - - tweak: Chapel now has pews instead of stools for proper communion - - tweak: Genetics is slightly more science-y colored. - - bugfix: Fixes a few spots that was missing disposal/piping in the main loop - - bugfix: Surgery B now has a camera + - rscadd: Added a plumbing section below Medical + - rscadd: + Several waypoint markers have been adding around key locations to help + alleviate trouble when exploring the map. + - rscdel: + To make room for plumbing, the lower section of Medical's maintenance + was stripped to an extent. + - tweak: + Original chemistry has been rebranded to the Pharmacy with access levels + adjusted + - tweak: Chapel now has pews instead of stools for proper communion + - tweak: Genetics is slightly more science-y colored. + - bugfix: Fixes a few spots that was missing disposal/piping in the main loop + - bugfix: Surgery B now has a camera Skoglol: - - balance: EVA RCD replaced with four smart metal foam grenades. - - tweak: Foam now spreads properly on space tiles. - - balance: Engineering vendor RCD's are now premium at 1700 cr with 2 stock. Reminder - that these can be printed in the engineering lathe with the relevant tech. - - bugfix: You can now only craft strobe shields using proper riot shields. - - bugfix: Shadowshrooms now emit shadows again. - - bugfix: Floodlights can no longer be run in wireless power mode. - - bugfix: Floodlights now accept light tubes from light replacers. - - bugfix: Floodlights now only requires a single wrenching after construction to - connect. - - tweak: Map votes and rotation tweaked further. Map vote will automatically run - as the shuttle leaves, and if no map vote has been run by round end map rotation - will trigger. - - tweak: The last 3 maps are now stored, up from 2. This means any map run twice - in the last four (including current) rounds are disqualified from map vote and - map rotation. - - bugfix: Various ruin mapping fixes. Stray pipes, double cables gone. - - bugfix: Fixed some metastation mapping issues. Mostly double cables, dead end - atmos. Added two new APC's, Medbay Central and Kitchen Cold Room. - - bugfix: Various Kilo Station mapping fixes. Station connected caves are now properly - low pressure. - - balance: Kilo Station solars are no longer connected roundstart. - - bugfix: Fixed some DeltaStation mapping issues. Removed a couple duplicate APC's, - some cables, some dead end pipes. - - bugfix: PubbyStation mapping fixes. Replaced emp-proof cams in engine room with - normal ones, fixed a scrubber, some doubled cables. - - bugfix: Removed stray pixel from bot path icon. - - rscadd: Ghost rolls failing to spawn due to too few candidates now report this - to deadchat. + - balance: EVA RCD replaced with four smart metal foam grenades. + - tweak: Foam now spreads properly on space tiles. + - balance: + Engineering vendor RCD's are now premium at 1700 cr with 2 stock. Reminder + that these can be printed in the engineering lathe with the relevant tech. + - bugfix: You can now only craft strobe shields using proper riot shields. + - bugfix: Shadowshrooms now emit shadows again. + - bugfix: Floodlights can no longer be run in wireless power mode. + - bugfix: Floodlights now accept light tubes from light replacers. + - bugfix: + Floodlights now only requires a single wrenching after construction to + connect. + - tweak: + Map votes and rotation tweaked further. Map vote will automatically run + as the shuttle leaves, and if no map vote has been run by round end map rotation + will trigger. + - tweak: + The last 3 maps are now stored, up from 2. This means any map run twice + in the last four (including current) rounds are disqualified from map vote and + map rotation. + - bugfix: Various ruin mapping fixes. Stray pipes, double cables gone. + - bugfix: + Fixed some metastation mapping issues. Mostly double cables, dead end + atmos. Added two new APC's, Medbay Central and Kitchen Cold Room. + - bugfix: + Various Kilo Station mapping fixes. Station connected caves are now properly + low pressure. + - balance: Kilo Station solars are no longer connected roundstart. + - bugfix: + Fixed some DeltaStation mapping issues. Removed a couple duplicate APC's, + some cables, some dead end pipes. + - bugfix: + PubbyStation mapping fixes. Replaced emp-proof cams in engine room with + normal ones, fixed a scrubber, some doubled cables. + - bugfix: Removed stray pixel from bot path icon. + - rscadd: + Ghost rolls failing to spawn due to too few candidates now report this + to deadchat. TheChosenEvilOne: - - rscadd: The black market, craft yourself an uplink from a subspace amplifier, - some cable, a radio and an analyzer. + - rscadd: + The black market, craft yourself an uplink from a subspace amplifier, + some cable, a radio and an analyzer. Thebleh: - - bugfix: Cyborgs now receive proper text feedback when attempting to cancel a surgery. + - bugfix: Cyborgs now receive proper text feedback when attempting to cancel a surgery. Vondiech: - - tweak: The armory now no longer has 2 air alarms + - tweak: The armory now no longer has 2 air alarms WarlockD: - - bugfix: Fixed nanite damage sensor and rule for sesnsor + - bugfix: Fixed nanite damage sensor and rule for sesnsor actioninja: - - bugfix: repeal button on emergency shuttle console works again + - bugfix: repeal button on emergency shuttle console works again bandit: - - tweak: Clicking a sign examines it. + - tweak: Clicking a sign examines it. cacogen: - - rscadd: Struggling to find your way around Kilo, Delta, Donut or even Box and - Meta? Look for the pinpointer dispenser at arrivals. - - bugfix: Modifying a navigation beacon's codes list or location name now correctly - updates the associated global lists (this is an IC thing, try it) + - rscadd: + Struggling to find your way around Kilo, Delta, Donut or even Box and + Meta? Look for the pinpointer dispenser at arrivals. + - bugfix: + Modifying a navigation beacon's codes list or location name now correctly + updates the associated global lists (this is an IC thing, try it) floyd: - - code_imp: skills now use dictionaries for modifiers + - code_imp: skills now use dictionaries for modifiers nemvar: - - bugfix: Fixes a material duplication bug. + - bugfix: Fixes a material duplication bug. wesoda25: - - balance: The speed buffs from Nuka Cola, Monkey Energy, Speed DNA Vault Option, - Thruster Implant, Ephedrine, Meth, Nitryl, and Stabilized Light Pink and Sepia - cores have been reduced. Gas powered Jetpacks have been sped up. + - balance: + The speed buffs from Nuka Cola, Monkey Energy, Speed DNA Vault Option, + Thruster Implant, Ephedrine, Meth, Nitryl, and Stabilized Light Pink and Sepia + cores have been reduced. Gas powered Jetpacks have been sped up. 2020-01-08: Skoglol: - - admin: Admin basic disease trigger and custom disease renaming should now work - properly. + - admin: + Admin basic disease trigger and custom disease renaming should now work + properly. floyd: - - bugfix: Everything made from glass in the game has a little more tegridy and doesnt - break from a single punch + - bugfix: + Everything made from glass in the game has a little more tegridy and doesnt + break from a single punch 2020-01-18: ArcaneMusic: - - rscadd: A new Technology has been implemented as a major reward in the B.E.P.I.S., - Specialized Engineering, to appeal to engineering utility and new construction - horizons. - - tweak: Watchers will now actively consume diamond ore left lying around, alongside - the new survival pens. - - rscadd: Adds a new surgery, Stomach Pump, which allows you to purge a patient's - stomach via surgery while surgically dead. + - rscadd: + A new Technology has been implemented as a major reward in the B.E.P.I.S., + Specialized Engineering, to appeal to engineering utility and new construction + horizons. + - tweak: + Watchers will now actively consume diamond ore left lying around, alongside + the new survival pens. + - rscadd: + Adds a new surgery, Stomach Pump, which allows you to purge a patient's + stomach via surgery while surgically dead. Arkatos: - - rscadd: Simple mobs will now receive an alert about being in too hot/cold environment. - - rscadd: Simple mobs will now receive an alert about choking to death. - - imageadd: Added sprites to a several clothing items that were missing them. - - tweak: Silencer, Blank paper and Nothing reagents will now only heal you if are - keeping your Vow of Silence. Better not break it, mimes! - - rscadd: Teleporter Control Console now uses tgui-next. + - rscadd: Simple mobs will now receive an alert about being in too hot/cold environment. + - rscadd: Simple mobs will now receive an alert about choking to death. + - imageadd: Added sprites to a several clothing items that were missing them. + - tweak: + Silencer, Blank paper and Nothing reagents will now only heal you if are + keeping your Vow of Silence. Better not break it, mimes! + - rscadd: Teleporter Control Console now uses tgui-next. Atlanta Ned: - - server: Your ahelps are now stored in the database! + - server: Your ahelps are now stored in the database! Bawhoppen: - - rscadd: Luxury shuttle has been even further adjusted. + - rscadd: Luxury shuttle has been even further adjusted. Buggy123: - - rscadd: Centcomm has updated their emergency temporal response protocols, and - will now correctly stand down if a major threat is destroyed before countermeasures - can be deployed. + - rscadd: + Centcomm has updated their emergency temporal response protocols, and + will now correctly stand down if a major threat is destroyed before countermeasures + can be deployed. Dennok: - - tweak: You do not lose the storage window on storage pickup. + - tweak: You do not lose the storage window on storage pickup. Denton: - - tweak: Added an air tank and vents to the seed vault lavaland ruin - - bugfix: Fixed active turfs in the seed vault lavaland ruin - - bugfix: Fixed shield wall generators in the abandoned space zoo ruin attempting - to spawn powered - - tweak: Replaced the magical infinite charge SMES in the abandoned space zoo ruin - with a regular one - - bugfix: 'Boxstation: Roundstart Paramedics now properly start in medbay.' + - tweak: Added an air tank and vents to the seed vault lavaland ruin + - bugfix: Fixed active turfs in the seed vault lavaland ruin + - bugfix: + Fixed shield wall generators in the abandoned space zoo ruin attempting + to spawn powered + - tweak: + Replaced the magical infinite charge SMES in the abandoned space zoo ruin + with a regular one + - bugfix: "Boxstation: Roundstart Paramedics now properly start in medbay." Dorsidwarf: - - tweak: Added ethereals & tails to the limbgrower and removed flypeople - - rscadd: Limbgrower limbs are now appropriately randomly coloured instead of plain - white. + - tweak: Added ethereals & tails to the limbgrower and removed flypeople + - rscadd: + Limbgrower limbs are now appropriately randomly coloured instead of plain + white. EOBGames: - - imageadd: added resting sprites for the corgi pAI. - - balance: removed gas miners from Kilo and Donut + - imageadd: added resting sprites for the corgi pAI. + - balance: removed gas miners from Kilo and Donut ExcessiveUseOfCobblestone: - - bugfix: Players who are old (and wrinkly) will no longer receive the waypoint - unless they have the quirk now. + - bugfix: + Players who are old (and wrinkly) will no longer receive the waypoint + unless they have the quirk now. Fhaxaris: - - bugfix: flying and floating mobs are no longer affected by the turf under them. - - bugfix: the bluespace randomness generator is no longer being used incorrectly - - bugfix: nanites getting removed all at once when you get shocked, heavy sleeping - being really random if it actually increases the time you sleep, the scary cloning - sound (???), and lightbulbs randomly pretending you have insulated gloves are - all fixed. + - bugfix: flying and floating mobs are no longer affected by the turf under them. + - bugfix: the bluespace randomness generator is no longer being used incorrectly + - bugfix: + nanites getting removed all at once when you get shocked, heavy sleeping + being really random if it actually increases the time you sleep, the scary cloning + sound (???), and lightbulbs randomly pretending you have insulated gloves are + all fixed. Fikou: - - rscadd: The limb grower now grows a bunch of organella - - rscadd: Added ERP - - bugfix: champion belt sprite now shows again - - bugfix: centcom commanders and officials have mindshield implants - - imageadd: a couple of ert related sprites have been added - - tweak: ert members start with hailers on instead of them being in backpack - - balance: colossus now enrages on sandstone golems + - rscadd: The limb grower now grows a bunch of organella + - rscadd: Added ERP + - bugfix: champion belt sprite now shows again + - bugfix: centcom commanders and officials have mindshield implants + - imageadd: a couple of ert related sprites have been added + - tweak: ert members start with hailers on instead of them being in backpack + - balance: colossus now enrages on sandstone golems Ghommie: - - rscadd: ':b: emoji.' - - bugfix: Fixed shock paddles being insertable in BoHs + - rscadd: ":b: emoji." + - bugfix: Fixed shock paddles being insertable in BoHs JJRcop: - - rscadd: New proximity crew pinpointer. - - balance: Paramedic's crew pinpointer replaced with proximity crew pinpointer. - - balance: The crew monitor was moved to premium items in nanomed, same with the - handheld crew pinpointer - - bugfix: Fixed unwanted behavior with pinpointer icons. - - rscadd: Intercom description tells you about the :i radio key. + - rscadd: New proximity crew pinpointer. + - balance: Paramedic's crew pinpointer replaced with proximity crew pinpointer. + - balance: + The crew monitor was moved to premium items in nanomed, same with the + handheld crew pinpointer + - bugfix: Fixed unwanted behavior with pinpointer icons. + - rscadd: Intercom description tells you about the :i radio key. JMoldy: - - balance: Removes hitstun on meathook - - balance: Changes meathook's damage from 25 brute at 100 armor penetration to 20 - brute, 20 stamina at 60 armor penetration - - balance: Changes the bounty hunter's meathook to do 40 stamina damage instead - of a stun, adds a half-second knockdown. + - balance: Removes hitstun on meathook + - balance: + Changes meathook's damage from 25 brute at 100 armor penetration to 20 + brute, 20 stamina at 60 armor penetration + - balance: + Changes the bounty hunter's meathook to do 40 stamina damage instead + of a stun, adds a half-second knockdown. Krysonism: - - balance: 5u+ rezadone now unhusks bodies. + - balance: 5u+ rezadone now unhusks bodies. LemonInTheDark: - - balance: See the below, optimal power setups may have changed, try out those 100% - plasma hell setups of yours, it should actually give you a power benefit now. - Oh and Pluoxium should be a bit more of a safety gas now. - - bugfix: Fixed the SM not increasing/decreasing rad output with most gasses. + - balance: + See the below, optimal power setups may have changed, try out those 100% + plasma hell setups of yours, it should actually give you a power benefit now. + Oh and Pluoxium should be a bit more of a safety gas now. + - bugfix: Fixed the SM not increasing/decreasing rad output with most gasses. OnlineGirlfriend: - - rscadd: Sausages can be sliced into salami + - rscadd: Sausages can be sliced into salami Paxilmaniac: - - bugfix: many masks, mostly clown masks, are now the same height all around + - bugfix: many masks, mostly clown masks, are now the same height all around ShizCalev: - - bugfix: Fixed tesla immunity being lost if you have reactive armor and refund - the lighting bolt spell / vice versa - - admin: Added missing traits to the admin trait panel. + - bugfix: + Fixed tesla immunity being lost if you have reactive armor and refund + the lighting bolt spell / vice versa + - admin: Added missing traits to the admin trait panel. Skoglol: - - balance: Reduced heart decay, effectively extending the defib timer slightly to - a little under four minutes before requiring heart surgery. - - balance: Slightly reduced the probability of ear damage causing you to intermittently - go deaf. - - tweak: Defib timer is gone, its all organ decay now. The defib hud icon is also - gone since any corpse is now defibbable, also making fakedeath a bit more convincing. - - bugfix: Fugitives now reports the correct amount minimum candidates to deadchat - if it fails. - - bugfix: Straight jackets can now be broken out of - - tweak: Metastation hydroponics entrance back to its old version. No more bushes - and directional windows. + - balance: + Reduced heart decay, effectively extending the defib timer slightly to + a little under four minutes before requiring heart surgery. + - balance: + Slightly reduced the probability of ear damage causing you to intermittently + go deaf. + - tweak: + Defib timer is gone, its all organ decay now. The defib hud icon is also + gone since any corpse is now defibbable, also making fakedeath a bit more convincing. + - bugfix: + Fugitives now reports the correct amount minimum candidates to deadchat + if it fails. + - bugfix: Straight jackets can now be broken out of + - tweak: + Metastation hydroponics entrance back to its old version. No more bushes + and directional windows. SteelSlayer: - - imageadd: Changes the look of the supermatter's electricity arcs to appear more - like electricity. - - rscadd: Remote signalers now use tgui-next + - imageadd: + Changes the look of the supermatter's electricity arcs to appear more + like electricity. + - rscadd: Remote signalers now use tgui-next TheChosenEvilOne: - - bugfix: Fixed codex gigas, you can now properly input devil names. - - bugfix: fixed SM arcs using the old icon as it was accidentally reverted in a - recent change. + - bugfix: Fixed codex gigas, you can now properly input devil names. + - bugfix: + fixed SM arcs using the old icon as it was accidentally reverted in a + recent change. Twaticus: - - imageadd: lizard/cat tailwhip inhand sprites - - imageadd: meathook inhand sprite + - imageadd: lizard/cat tailwhip inhand sprites + - imageadd: meathook inhand sprite Vondiech: - - bugfix: Metastation medical lobby vent no longer over-pressurizes the lobby room. + - bugfix: Metastation medical lobby vent no longer over-pressurizes the lobby room. WarlockD: - - bugfix: Fixed nanite damage sensor, verified it worked in game this time around. + - bugfix: Fixed nanite damage sensor, verified it worked in game this time around. actioninja: - - rscadd: tgui-next roulette - - bugfix: mule bot interface not working properly - - rscadd: tgui-next ntos chat - - bugfix: Corrected a cable loop on kilo that was likely preventing proper power + - rscadd: tgui-next roulette + - bugfix: mule bot interface not working properly + - rscadd: tgui-next ntos chat + - bugfix: Corrected a cable loop on kilo that was likely preventing proper power bandit: - - rscadd: New valentines and Valentines-themed arcade machines will arrive next - month. Y-you have a valentine, right? + - rscadd: + New valentines and Valentines-themed arcade machines will arrive next + month. Y-you have a valentine, right? cacogen: - - tweak: The wayfinding pinpointer dispenser is different who cares. Recycle discarded - pinpointers at the dispenser for 40 cr. - - bugfix: Decapitated heads with destroyed brains no longer mislead you into thinking - they're unrevivable when examined + - tweak: + The wayfinding pinpointer dispenser is different who cares. Recycle discarded + pinpointers at the dispenser for 40 cr. + - bugfix: + Decapitated heads with destroyed brains no longer mislead you into thinking + they're unrevivable when examined carshalash: - - bugfix: Hex color typo fix + - bugfix: Hex color typo fix kevinz000: - - bugfix: Mobs without MOBILITY_MOVE can no longer move by users trying to ride - them around. + - bugfix: + Mobs without MOBILITY_MOVE can no longer move by users trying to ride + them around. mrhugo13: - - tweak: Cleaned up medbay slighty on Metastation. - - balance: Electrified the grilles into the Medbay Security post on Metastation. + - tweak: Cleaned up medbay slighty on Metastation. + - balance: Electrified the grilles into the Medbay Security post on Metastation. nemvar: - - admin: 'Added another SDQL option. Using "UPDATE selectors SET #null=value" will - now resolve value and discard the return. This is useful if you only care about - the side effect of a proc.' - - bugfix: Fixed an edge case where the mining vendor wouldn't vend your gamer gear. + - admin: + 'Added another SDQL option. Using "UPDATE selectors SET #null=value" will + now resolve value and discard the return. This is useful if you only care about + the side effect of a proc.' + - bugfix: Fixed an edge case where the mining vendor wouldn't vend your gamer gear. nightred: - - rscadd: Species body temperature handling - - balance: Plasmamen, Lizardpeople, Ethereal have custom body temperatures to deal - with - - bugfix: natural body temp stabilization now returns proper values - - refactor: clean up of the environment handles for mobs and species + - rscadd: Species body temperature handling + - balance: + Plasmamen, Lizardpeople, Ethereal have custom body temperatures to deal + with + - bugfix: natural body temp stabilization now returns proper values + - refactor: clean up of the environment handles for mobs and species ninjanomnom: - - bugfix: Blob structures and hierophant barriers should no longer let the wrong - things just walk through them + - bugfix: + Blob structures and hierophant barriers should no longer let the wrong + things just walk through them wesoda25: - - rscadd: You can now charge through APC's and Energy Cells as an Ethereal! Click - an APC on harm intent to drain its energy, or on grab intent to give it your - own energy! Click the energy cell while its in your hand to siphon its energy. - - balance: You now receive less charge from light as an Ethereal. + - rscadd: + You can now charge through APC's and Energy Cells as an Ethereal! Click + an APC on harm intent to drain its energy, or on grab intent to give it your + own energy! Click the energy cell while its in your hand to siphon its energy. + - balance: You now receive less charge from light as an Ethereal. zxaber: - - bugfix: Law 0 for emagged borgs is no longer being suppressed. + - bugfix: Law 0 for emagged borgs is no longer being suppressed. 2020-01-20: AnturK: - - rscadd: Canvases are now available again. - - rscadd: Painting frames can be built from wood. Use a pen to name your masterpiece. + - rscadd: Canvases are now available again. + - rscadd: Painting frames can be built from wood. Use a pen to name your masterpiece. ArcaneMusic: - - imageadd: the Rapid Service Fabricator now actually has and uses it's own sprite - instead of the RCD. + - imageadd: + the Rapid Service Fabricator now actually has and uses it's own sprite + instead of the RCD. Couls: - - tweak: hardsuit helmets are now repairable by using a lightbulb on the hardsuit + - tweak: hardsuit helmets are now repairable by using a lightbulb on the hardsuit Fikou: - - tweak: highlanders can no longer be dismembered - - tweak: you can no longer put broken chameleon hats or any space helmets on borgs + - tweak: highlanders can no longer be dismembered + - tweak: you can no longer put broken chameleon hats or any space helmets on borgs Improvedname: - - rscadd: Adds a sprite for the way-finding pinpointer. + - rscadd: Adds a sprite for the way-finding pinpointer. JJRcop: - - bugfix: Jobs missing spawns will spawn on the arrivals shuttle. + - bugfix: Jobs missing spawns will spawn on the arrivals shuttle. Mickyan: - - rscadd: 'Added Thocks socks: dress to impress with thongs for your feet' + - rscadd: "Added Thocks socks: dress to impress with thongs for your feet" Paxilmaniac: - - rscadd: "new Nanotrasen\u2122 Space Pods" - - bugfix: earmuffs actually make you deaf now + - rscadd: "new Nanotrasen\u2122 Space Pods" + - bugfix: earmuffs actually make you deaf now Skoglol: - - balance: Husking now requires more burn damage before it happens. - - balance: 100u instabitaluri (synthflesh) can now cure husking when burn damage - is below 50. - - balance: Roundstart beaker of instabitaluri removed from all stations. - - bugfix: Atmospherics, janitors closet and virology areas no longer block cult - runes. - - bugfix: Kilo and Donut now has the right amount of gas in the atmos gas tanks. + - balance: Husking now requires more burn damage before it happens. + - balance: + 100u instabitaluri (synthflesh) can now cure husking when burn damage + is below 50. + - balance: Roundstart beaker of instabitaluri removed from all stations. + - bugfix: + Atmospherics, janitors closet and virology areas no longer block cult + runes. + - bugfix: Kilo and Donut now has the right amount of gas in the atmos gas tanks. Skoglol, sprites by ArcaneMusic: - - rscadd: New basic tier of cybernetic organs, available roundstart. Worse than - bio organs, but printable en masse. - - balance: Changed emp effect on cybernetic heart, lungs, liver. Now applies an - instant (on cooldown) effect, and has a chance to trigger organ decay. + - rscadd: + New basic tier of cybernetic organs, available roundstart. Worse than + bio organs, but printable en masse. + - balance: + Changed emp effect on cybernetic heart, lungs, liver. Now applies an + instant (on cooldown) effect, and has a chance to trigger organ decay. TheChosenEvilOne: - - balance: Dry Heat Sterilization (converting miasma to oxygen with heat) no longer - generates research points. + - balance: + Dry Heat Sterilization (converting miasma to oxygen with heat) no longer + generates research points. armhulen: - - rscadd: 'new genetic powers are in the pool: tongue spike, chem spike, stimmed, - and web laying' + - rscadd: + "new genetic powers are in the pool: tongue spike, chem spike, stimmed, + and web laying" carshalash: - - tweak: Adds flavor text to spider meat + - tweak: Adds flavor text to spider meat 2020-01-28: ATHATH: - - bugfix: You can no longer use growth serum and a stasis bed to enter the quantum - realm. - - bugfix: You also can no longer use the red queen drink and a stasis bed to enter - the quantum realm or to become much, much larger than you're supposed to be. - - bugfix: Increases the amount of shadowperson mutation toxin found in each of the - black pills that legion corpses sometimes have in their pockets from 1u to 5u. - They should actually turn you into a shadowperson if you eat them now. + - bugfix: + You can no longer use growth serum and a stasis bed to enter the quantum + realm. + - bugfix: + You also can no longer use the red queen drink and a stasis bed to enter + the quantum realm or to become much, much larger than you're supposed to be. + - bugfix: + Increases the amount of shadowperson mutation toxin found in each of the + black pills that legion corpses sometimes have in their pockets from 1u to 5u. + They should actually turn you into a shadowperson if you eat them now. AcapitalA: - - tweak: BoxStation's abandoned bar has gotten some love from the local assistants. + - tweak: BoxStation's abandoned bar has gotten some love from the local assistants. Anonmare: - - balance: AI and Cyborg Upload consoles require bluespace crystals and diamond - to print now - - balance: Law modules now require bluespace crystals to print now + - balance: + AI and Cyborg Upload consoles require bluespace crystals and diamond + to print now + - balance: Law modules now require bluespace crystals to print now ArcaneMusic: - - tweak: Wood is now a datum material, and behaves like other datum materials. - - rscadd: Adds a new weight loss bar to the contraband on snack vending machines. - - bugfix: The B.E.P.I.S. no longer shunts rewards into the walls and windows of - the station. - - tweak: The BEPIS now shows the odds of success of obtaining a tech in the UI. + - tweak: Wood is now a datum material, and behaves like other datum materials. + - rscadd: Adds a new weight loss bar to the contraband on snack vending machines. + - bugfix: + The B.E.P.I.S. no longer shunts rewards into the walls and windows of + the station. + - tweak: The BEPIS now shows the odds of success of obtaining a tech in the UI. Archanial: - - rscadd: Operation tables and stasis beds now link to operation computer when built - - tweak: Stasis beds needs to be placed on the next tile to a computer - - bugfix: Stasis bed will now display patient's data onto the computer + - rscadd: Operation tables and stasis beds now link to operation computer when built + - tweak: Stasis beds needs to be placed on the next tile to a computer + - bugfix: Stasis bed will now display patient's data onto the computer Arkatos: - - bugfix: Removed rogue pixel on salbutamol pen inhand sprite. - - rscadd: Timer assembly now uses tgui-next. - - bugfix: Trashbag will now properly update its icon. + - bugfix: Removed rogue pixel on salbutamol pen inhand sprite. + - rscadd: Timer assembly now uses tgui-next. + - bugfix: Trashbag will now properly update its icon. Buggy123: - - tweak: Be advised, the Nanotrasen Weaponized Experimental E-graculture Deparment - has discovered a series of mutations in space-born vine clusters. Stations in - the cluster are advised to keep a eye out for any germinating vine spores, as - they may be unusually potent and dangerous! + - tweak: + Be advised, the Nanotrasen Weaponized Experimental E-graculture Deparment + has discovered a series of mutations in space-born vine clusters. Stations in + the cluster are advised to keep a eye out for any germinating vine spores, as + they may be unusually potent and dangerous! Dennok: - - bugfix: Now closets, crates, bodybags block interaction with storages in contents. + - bugfix: Now closets, crates, bodybags block interaction with storages in contents. Denton: - - tweak: Plant analyzers can now scan replica pods for the blood DNA (also known - as UE) of any blood samples inside. The blood DNA is listed in the medical records - and verifiable with forensics scanners. - - bugfix: Stasis beds now show messages when they're turned on/off. + - tweak: + Plant analyzers can now scan replica pods for the blood DNA (also known + as UE) of any blood samples inside. The blood DNA is listed in the medical records + and verifiable with forensics scanners. + - bugfix: Stasis beds now show messages when they're turned on/off. Dingo-Dongler: - - rscadd: The CMO's suit storage unit now starts with an oxygen tank. + - rscadd: The CMO's suit storage unit now starts with an oxygen tank. Fikou: - - imageadd: new hud icons for ert, service hud icons recolored, some hud icons simplified - or small recolors, some job id card icons recolored and changed job id cards - for ert - - rscadd: you can now craft canvases with cloth! - - bugfix: genetics scanner is now available in the science lathe - - imageadd: oranges now have stems and leaves - - tweak: security and medical inquisition ert are now holy - - bugfix: fixes category on easter foods + - imageadd: + new hud icons for ert, service hud icons recolored, some hud icons simplified + or small recolors, some job id card icons recolored and changed job id cards + for ert + - rscadd: you can now craft canvases with cloth! + - bugfix: genetics scanner is now available in the science lathe + - imageadd: oranges now have stems and leaves + - tweak: security and medical inquisition ert are now holy + - bugfix: fixes category on easter foods FlufflyCthulu: - - bugfix: PubbyStation fixes + - bugfix: PubbyStation fixes Kryson & Qustinnus: - - rscadd: New BEPIS design; a self heating mug + - rscadd: New BEPIS design; a self heating mug Mickyan: - - balance: Xenobio-spawned magicarps can no longer cast resurrection bolt + - balance: Xenobio-spawned magicarps can no longer cast resurrection bolt Mopby: - - rscadd: The Cleaning Skill + - rscadd: The Cleaning Skill Names-Are-Hard: - - bugfix: phobia quirk properly saves now - - bugfix: Fixed moth markings not saving properly - - bugfix: borgs can go through medical holobarriers - - bugfix: pAIs can get additional laws again + - bugfix: phobia quirk properly saves now + - bugfix: Fixed moth markings not saving properly + - bugfix: borgs can go through medical holobarriers + - bugfix: pAIs can get additional laws again OnlineGirlfriend: - - rscadd: changshan, cheongsam available in Autodrobe - - imageadd: sprites for red and blue changshan/cheongsam + - rscadd: changshan, cheongsam available in Autodrobe + - imageadd: sprites for red and blue changshan/cheongsam QualityVan: - - rscadd: Smoking damages your lungs - - bugfix: Junkie relapses don't disappear any more. + - rscadd: Smoking damages your lungs + - bugfix: Junkie relapses don't disappear any more. Ryll/Shaps: - - tweak: Clowns are now unable to conceptualize death and think corpses of people - are simply sleeping. - - bugfix: You can now shove people into the trash (disposal bins) like God (actionninja) - intended + - tweak: + Clowns are now unable to conceptualize death and think corpses of people + are simply sleeping. + - bugfix: + You can now shove people into the trash (disposal bins) like God (actionninja) + intended Skoglol: - - admin: Podlauncher now supports sending a single random item instead of the entire - turfs contents. - - bugfix: 'Various donut station fixes: Toxins igniter works, distro pipe moved. - Sinks flipped. Genetics access. Hydroponics disposals. Brig double window.' - - rscadd: Added alt click actions to the All-In-One Grinder and Biogenerator, ejects - beaker and puts it in your hand. - - tweak: OOC and Boh bomb confirmation buttons swapped around, now in the OK / Cancel - order. - - bugfix: After murmurs about "health and safety" and "who the fuck designed this - shit" the APC in delta station surgery B is now wired and will recharge. - - bugfix: Mulebot ui on button now works again. + - admin: + Podlauncher now supports sending a single random item instead of the entire + turfs contents. + - bugfix: + "Various donut station fixes: Toxins igniter works, distro pipe moved. + Sinks flipped. Genetics access. Hydroponics disposals. Brig double window." + - rscadd: + Added alt click actions to the All-In-One Grinder and Biogenerator, ejects + beaker and puts it in your hand. + - tweak: + OOC and Boh bomb confirmation buttons swapped around, now in the OK / Cancel + order. + - bugfix: + After murmurs about "health and safety" and "who the fuck designed this + shit" the APC in delta station surgery B is now wired and will recharge. + - bugfix: Mulebot ui on button now works again. TheChosenEvilOne: - - tweak: passive vent now shares temperature too, this stops it from getting stuck - when heating/cooling. + - tweak: + passive vent now shares temperature too, this stops it from getting stuck + when heating/cooling. TheVekter: - - rscadd: Added the ability for Xenobiologists to spend slime extracts for research - points. Only one of each extract can be used for points. - - bugfix: Fixes the Mauna Mug research being available from roundstart. + - rscadd: + Added the ability for Xenobiologists to spend slime extracts for research + points. Only one of each extract can be used for points. + - bugfix: Fixes the Mauna Mug research being available from roundstart. Thebleh: - - bugfix: Roundstart implant cases now properly display their content - - bugfix: Wallets icons work again + - bugfix: Roundstart implant cases now properly display their content + - bugfix: Wallets icons work again Time-Green: - - bugfix: fixes plumbing ducts usually appearing disconnected + - bugfix: fixes plumbing ducts usually appearing disconnected Tlaltecuhtli: - - rscadd: contraband crate with british police outfit - - bugfix: chem tongue is now only available by combo'ing + - rscadd: contraband crate with british police outfit + - bugfix: chem tongue is now only available by combo'ing itseasytosee: - - tweak: droppers are now available at autolathes and medical protolathes - - tweak: pill bottles now require plastic instead of metal to print + - tweak: droppers are now available at autolathes and medical protolathes + - tweak: pill bottles now require plastic instead of metal to print kevinz000: - - admin: harm alarm logging now goes into user attack logs instead of game logs + - admin: harm alarm logging now goes into user attack logs instead of game logs kittymaster0: - - bugfix: fixes missing floor under window in plumbing area on box + - bugfix: fixes missing floor under window in plumbing area on box nightred: - - balance: Temperature based projectiles respect insulation + - balance: Temperature based projectiles respect insulation tralezab: - - rscadd: new health hud for simple critters! + - rscadd: new health hud for simple critters! wesoda25: - - bugfix: Removed duplicate morgue trays on meta + - bugfix: Removed duplicate morgue trays on meta 2020-02-02: AffectedArc07: - - rscadd: The crew manifest on the PDA is now bearable to use. + - rscadd: The crew manifest on the PDA is now bearable to use. ArcaneMusic: - - rscadd: Recent graduates of the Rat'var Academy of Trapmaking and Puzzlecraft - have begun giving lectures in your local area about how to make more interesting - puzzle systems, before they were all arrested for heresy. - - bugfix: Pressure Plates can now be activated On/Off by Ctrl-Clicking them, so - they can actually be used. - - balance: B.E.P.I.S. Major reward techs are now slightly cheaper to offset the - addition of new techs. - - code_imp: It's now easier to make things B.E.P.I.S. minor rewards. + - rscadd: + Recent graduates of the Rat'var Academy of Trapmaking and Puzzlecraft + have begun giving lectures in your local area about how to make more interesting + puzzle systems, before they were all arrested for heresy. + - bugfix: + Pressure Plates can now be activated On/Off by Ctrl-Clicking them, so + they can actually be used. + - balance: + B.E.P.I.S. Major reward techs are now slightly cheaper to offset the + addition of new techs. + - code_imp: It's now easier to make things B.E.P.I.S. minor rewards. Bawhoppen: - - bugfix: Drawers & filing cabinets may now unwrench once again. + - bugfix: Drawers & filing cabinets may now unwrench once again. Dennok: - - tweak: Now space heater can be anchored. - - bugfix: Dna machine can be controlled by telekinesis now. + - tweak: Now space heater can be anchored. + - bugfix: Dna machine can be controlled by telekinesis now. EOBGames: - - rscadd: The crew has finally remembered how to sing. Simply use % to start singing - your favourite tune! + - rscadd: + The crew has finally remembered how to sing. Simply use % to start singing + your favourite tune! Fikou: - - tweak: neck slices no longer work on critical/dead/sleeping people, but they now - require just an aggressive grab + - tweak: + neck slices no longer work on critical/dead/sleeping people, but they now + require just an aggressive grab Mickyan: - - bugfix: Fixed sanity not decreasing after reaching a positive threshold + - bugfix: Fixed sanity not decreasing after reaching a positive threshold OnlineGirlfriend: - - rscadd: pineapple juice, creme de coconut - - rscadd: Pina Colada cocktail - - rscadd: Painkiller cocktail - - rscadd: pineapples and pineapple slices can be juiced - - tweak: Bahama Mama recipe, pineapple snowcone recipe - - imageadd: pineapple juicebox sprite, pineapple juice carton sprite, Painkiller - sprite, Pina Colada sprite + - rscadd: pineapple juice, creme de coconut + - rscadd: Pina Colada cocktail + - rscadd: Painkiller cocktail + - rscadd: pineapples and pineapple slices can be juiced + - tweak: Bahama Mama recipe, pineapple snowcone recipe + - imageadd: + pineapple juicebox sprite, pineapple juice carton sprite, Painkiller + sprite, Pina Colada sprite RaveRadbury: - - rscadd: Adds prisoner role + - rscadd: Adds prisoner role ShizCalev: - - bugfix: Corrected a number of biohazard lockers to be their respective department - subtypes across a couple maps. + - bugfix: + Corrected a number of biohazard lockers to be their respective department + subtypes across a couple maps. Skoglol: - - balance: Meta, Delta and Kilo tool storage insuls replaced with budgets. - - balance: All stations have had their dorms toolboxes removed. - - balance: Tool storage multitools removed, two added to the youtool premium section - at 450cr each. - - balance: Light step no longer prevents bloody/oily footprints, instead gives you - quieter footsteps. - - bugfix: Removed an invisible maint trash spawn. - - bugfix: Bureaucratic error now always leaves overflow job slots open. - - admin: Plants with hypodermic prickles now attack log when they prick someone, - and who touched them last. + - balance: Meta, Delta and Kilo tool storage insuls replaced with budgets. + - balance: All stations have had their dorms toolboxes removed. + - balance: + Tool storage multitools removed, two added to the youtool premium section + at 450cr each. + - balance: + Light step no longer prevents bloody/oily footprints, instead gives you + quieter footsteps. + - bugfix: Removed an invisible maint trash spawn. + - bugfix: Bureaucratic error now always leaves overflow job slots open. + - admin: + Plants with hypodermic prickles now attack log when they prick someone, + and who touched them last. SweptWasTaken: - - bugfix: Rewords the "Sleeping Carp Wrist Wrench" userdanger class messsage. + - bugfix: Rewords the "Sleeping Carp Wrist Wrench" userdanger class messsage. TheChosenEvilOne: - - bugfix: Atmospheric reaction priority works correctly now, this means hypernob - will stop all reactions and reactions should generally be more consistent between - rounds. + - bugfix: + Atmospheric reaction priority works correctly now, this means hypernob + will stop all reactions and reactions should generally be more consistent between + rounds. Time-Green: - - bugfix: fixes reaction chamber breaking with flour-like reactions + - bugfix: fixes reaction chamber breaking with flour-like reactions XDTM: - - rscadd: Added the Nanite Replication Protocols node to the B.E.P.I.S. - - rscadd: It contains 4 Nanite Protocols, i.e. Nanite Programs that cannot be active - at the same time in a host. These programs boost Nanite replication rate in - different scenarios. + - rscadd: Added the Nanite Replication Protocols node to the B.E.P.I.S. + - rscadd: + It contains 4 Nanite Protocols, i.e. Nanite Programs that cannot be active + at the same time in a host. These programs boost Nanite replication rate in + different scenarios. actioninja: - - rscadd: tgui-next NTOS card console, job manager, and crew manifest - - tweak: airlock electronics interface is a little fancier + - rscadd: tgui-next NTOS card console, job manager, and crew manifest + - tweak: airlock electronics interface is a little fancier blessedmulligan: - - rscadd: The behavior of cyborg's *spin emote now changes with intent; on harm - intent, it will throw its passenger farther and damage and stun them if they - hit a wall or another person. + - rscadd: + The behavior of cyborg's *spin emote now changes with intent; on harm + intent, it will throw its passenger farther and damage and stun them if they + hit a wall or another person. cacogen: - - tweak: Pubby has wayfinding now - - spellcheck: Being fed a pacification potion no longer refers to it as "a pacification" - - rscadd: Clicking a pack of seeds with a pen allows you to set the plant's name, - description and the pack of seeds' description. Useful for differentiating genetically - modified plants. These changes will persist through different generations of - the plant. - - rscadd: Hydroponics trays update their name and description to reflect the plant - inside them. They revert to default when emptied. + - tweak: Pubby has wayfinding now + - spellcheck: Being fed a pacification potion no longer refers to it as "a pacification" + - rscadd: + Clicking a pack of seeds with a pen allows you to set the plant's name, + description and the pack of seeds' description. Useful for differentiating genetically + modified plants. These changes will persist through different generations of + the plant. + - rscadd: + Hydroponics trays update their name and description to reflect the plant + inside them. They revert to default when emptied. danxensen: - - bugfix: fixed late join menu to work when AI is disabled + - bugfix: fixed late join menu to work when AI is disabled floyd: - - bugfix: You can no longer dupe mats by making tables from rods + - bugfix: You can no longer dupe mats by making tables from rods itseasytosee: - - rscadd: Nanotracen is beginning to dabble in toy-making technologies. Clown tech - now adds a design for a cheap alternative to rubbers ducks made from plastic. + - rscadd: + Nanotracen is beginning to dabble in toy-making technologies. Clown tech + now adds a design for a cheap alternative to rubbers ducks made from plastic. ma44: - - refactor: Crafting has now been refactored and allows non mobs to have the ability - to craft, at least that's what would come out of it if someone further developed - the idea. + - refactor: + Crafting has now been refactored and allows non mobs to have the ability + to craft, at least that's what would come out of it if someone further developed + the idea. tralezab: - - tweak: lawyer's department backpack... is no backpack! - - imageadd: fugu background fugu background + - tweak: lawyer's department backpack... is no backpack! + - imageadd: fugu background fugu background zxaber: - - bugfix: Positronics no longer have MMIs visually spawn on them. + - bugfix: Positronics no longer have MMIs visually spawn on them. 2020-02-11: ArcaneMusic: - - rscadd: Nanotrasen's research division has gone ahead and scratched all possible - plans of building new sleepers for the station, due to the discovery of old - sleepers injecting crew with lead acetate. - - rscadd: In unrelated news, the research division is proud to announce the all - new, "party pods"! Available at your local station B.E.P.I.S. platform as a - minor reward. - - bugfix: Wooden Plank Floors no longer runtime. + - rscadd: + Nanotrasen's research division has gone ahead and scratched all possible + plans of building new sleepers for the station, due to the discovery of old + sleepers injecting crew with lead acetate. + - rscadd: + In unrelated news, the research division is proud to announce the all + new, "party pods"! Available at your local station B.E.P.I.S. platform as a + minor reward. + - bugfix: Wooden Plank Floors no longer runtime. Arkatos: - - rscadd: Mining Vendor now uses tgui-next. + - rscadd: Mining Vendor now uses tgui-next. Bokkiewokkie: - - imageadd: adds box icons for tons of boxes. - - imageadd: changes the toy and shotgun ammo boxes so they're in the new art style. + - imageadd: adds box icons for tons of boxes. + - imageadd: changes the toy and shotgun ammo boxes so they're in the new art style. Cloneby: - - balance: Strange Reagent now requires a set amount to revive dependent on patient - wellbeing and requires an excess to heal blood and organs. Does more damage - on life. Basically loses one-click wonder status UNLESS you give a considerable - amount and deal with the consequences. + - balance: + Strange Reagent now requires a set amount to revive dependent on patient + wellbeing and requires an excess to heal blood and organs. Does more damage + on life. Basically loses one-click wonder status UNLESS you give a considerable + amount and deal with the consequences. Coconutwarrior97: - - bugfix: Fixes meta armory external camera by naming it properly. - - bugfix: AI can use the carp hologram again. - - bugfix: Fixes a typo in mind.dm . + - bugfix: Fixes meta armory external camera by naming it properly. + - bugfix: AI can use the carp hologram again. + - bugfix: Fixes a typo in mind.dm . Dennok: - - bugfix: Now nanites don't die from illusions and placing unpowered cable by bare - hands. - - bugfix: Now MultiZ Debug map has open space under floor instead of space. + - bugfix: + Now nanites don't die from illusions and placing unpowered cable by bare + hands. + - bugfix: Now MultiZ Debug map has open space under floor instead of space. Denton: - - tweak: Constructed display cases no longer spawn with an alarm that bolts all - nearby doors. + - tweak: + Constructed display cases no longer spawn with an alarm that bolts all + nearby doors. EOBGames: - - rscadd: The Beach Biodome Lavaland ruin has been revamped. Hit the beach and catch - some waves, brah! - - bugfix: Fixed a few minor map problems. + - rscadd: + The Beach Biodome Lavaland ruin has been revamped. Hit the beach and catch + some waves, brah! + - bugfix: Fixed a few minor map problems. Fikou: - - rscadd: You can now make lassos with a bone and 5 sinew and make saddles from - 5 leather sheets, you can also tame goliaths with lavaland food (I think you - know what those 3 things mean together) - - tweak: xenos now keep their name consistent through evolutions - - bugfix: fixes humanoid xeno numbers being 0 - - tweak: royal xenos also get numbers + - rscadd: + You can now make lassos with a bone and 5 sinew and make saddles from + 5 leather sheets, you can also tame goliaths with lavaland food (I think you + know what those 3 things mean together) + - tweak: xenos now keep their name consistent through evolutions + - bugfix: fixes humanoid xeno numbers being 0 + - tweak: royal xenos also get numbers JJRcop: - - refactor: Defibs and Defibbing Nanites act the same way again. - - bugfix: Fixed removing brains from changeling husks. + - refactor: Defibs and Defibbing Nanites act the same way again. + - bugfix: Fixed removing brains from changeling husks. Krysonism: - - rscadd: 4 new ice creams created using the crafting menu, - - rscadd: You can now make popsicle sticks by sticking logs in the processor. + - rscadd: 4 new ice creams created using the crafting menu, + - rscadd: You can now make popsicle sticks by sticking logs in the processor. Mickyan: - - tweak: Blood dripping frequency now scales with blood loss - - bugfix: Fixed blood decals occasionally containing more blood than they should - - tweak: The Delta Station stasis room has received a makeover + - tweak: Blood dripping frequency now scales with blood loss + - bugfix: Fixed blood decals occasionally containing more blood than they should + - tweak: The Delta Station stasis room has received a makeover NoxVS: - - bugfix: Nanotrasen has properly relabeled all cyborg limbs following their rediscovery - of which direction is left and which is right + - bugfix: + Nanotrasen has properly relabeled all cyborg limbs following their rediscovery + of which direction is left and which is right OnlineGirlfriend: - - imageadd: crushed can sprite for Sol Dry - - bugfix: Sol Dry cans can be crushed - - bugfix: salami filling color - - tweak: salami taste + - imageadd: crushed can sprite for Sol Dry + - bugfix: Sol Dry cans can be crushed + - bugfix: salami filling color + - tweak: salami taste Qustinnus: - - code_imp: there is now an edible component which will allow us to deprecate our - hacky methods of making things such as organs edible + - code_imp: + there is now an edible component which will allow us to deprecate our + hacky methods of making things such as organs edible RaveRadbury: - - bugfix: Removed latejoin prisoner option + - bugfix: Removed latejoin prisoner option ShizCalev: - - bugfix: Emitters will now remain anchored when being constructed from an anchored - machine frame. - - bugfix: Emitters will now properly turn off and be unwelded if unanchored via - varediting. - - bugfix: Unanchored emitters will no longer be pulled towards non-harmful simple - animals (ie butterflies, cats, ect) if they click on them. - - bugfix: Fixed a scenario where emitters could start welded and be turned on, but - were not properly anchored to the ground. - - bugfix: Fixed a scenario where emitters could start anchored to the ground, but - had to be resecured with a wrench to get them to work properly. - - code_imp: Emitters now properly use the anchored var. The state var has been renamed - to welded, and only tracks welded status. - - code_imp: The anchored emitter map subtype has been changed to a fully welded - one, since all utilized instances were editted to be welded as well anyway. - - rscadd: Added a bit more examine feedback to emitters. - - bugfix: Emitters will now show how often they fire a little more accurately. - - bugfix: Attacking the Supermatter crystal with a NODROP item (ie cyborgs with - literally any item, ninjas, highlanders, ect) will now dust the user. - - bugfix: Fixed spell books becoming unreadable if you moved while reading them. - - bugfix: Fixed progress bars not showing up for spell books. - - bugfix: Fixed an exploit where spell books didn't always have to be in your hand - to finish reading them. + - bugfix: + Emitters will now remain anchored when being constructed from an anchored + machine frame. + - bugfix: + Emitters will now properly turn off and be unwelded if unanchored via + varediting. + - bugfix: + Unanchored emitters will no longer be pulled towards non-harmful simple + animals (ie butterflies, cats, ect) if they click on them. + - bugfix: + Fixed a scenario where emitters could start welded and be turned on, but + were not properly anchored to the ground. + - bugfix: + Fixed a scenario where emitters could start anchored to the ground, but + had to be resecured with a wrench to get them to work properly. + - code_imp: + Emitters now properly use the anchored var. The state var has been renamed + to welded, and only tracks welded status. + - code_imp: + The anchored emitter map subtype has been changed to a fully welded + one, since all utilized instances were editted to be welded as well anyway. + - rscadd: Added a bit more examine feedback to emitters. + - bugfix: Emitters will now show how often they fire a little more accurately. + - bugfix: + Attacking the Supermatter crystal with a NODROP item (ie cyborgs with + literally any item, ninjas, highlanders, ect) will now dust the user. + - bugfix: Fixed spell books becoming unreadable if you moved while reading them. + - bugfix: Fixed progress bars not showing up for spell books. + - bugfix: + Fixed an exploit where spell books didn't always have to be in your hand + to finish reading them. Skoglol: - - rscdel: Removes cloning from the codebase. Cloning rooms have been converted to - temporary wards and storage. Experimental cloner and its ruin is also gone. - - balance: Replica pod seed availability reduced. No longer available in megaseed - vendors, seed crate contains one seed down from three. Mutate some cabbages - if you want these. - - bugfix: Say should be less likely to break when under heavy server strain. - - balance: Brain death is no longer a thing, no arbitrary unhealable death. Uses - organ damage like the rest. - - bugfix: Brains can now be attacked again. - - bugfix: Brains no longer report you SSD if you are in the brain and not ghosted - out. - - balance: Brains healed with mannitol now heal 2 damage per unit at a 10 unit minimum, - instead of a flat 10 damage for any amount over 10 units. - - spellcheck: Defib faliure feedback is now more clear and hints at how to fix it. - - tweak: Defibs now force the ghost back. - - spellcheck: Improved brain feedback, no longer reports SSD. - - balance: Stomach pump and brain surgery are now repeatable surgeries. - - code_imp: Removed some forgotten references to defib time of death restrictions. - - bugfix: Beakers should no longer nullspace when quick swapped or alt clicked out - of certain pieces of machinery. - - balance: Traitor adrenals buffed slightly. Now removes knockdown on activation, - increases speed slightly more and has no oxyloss damage. - - balance: Changeling adrenals now last 20 seconds, up from 15 seconds. - - bugfix: Dynamic revs runtime and infinite loss announcement fixed. + - rscdel: + Removes cloning from the codebase. Cloning rooms have been converted to + temporary wards and storage. Experimental cloner and its ruin is also gone. + - balance: + Replica pod seed availability reduced. No longer available in megaseed + vendors, seed crate contains one seed down from three. Mutate some cabbages + if you want these. + - bugfix: Say should be less likely to break when under heavy server strain. + - balance: + Brain death is no longer a thing, no arbitrary unhealable death. Uses + organ damage like the rest. + - bugfix: Brains can now be attacked again. + - bugfix: + Brains no longer report you SSD if you are in the brain and not ghosted + out. + - balance: + Brains healed with mannitol now heal 2 damage per unit at a 10 unit minimum, + instead of a flat 10 damage for any amount over 10 units. + - spellcheck: Defib faliure feedback is now more clear and hints at how to fix it. + - tweak: Defibs now force the ghost back. + - spellcheck: Improved brain feedback, no longer reports SSD. + - balance: Stomach pump and brain surgery are now repeatable surgeries. + - code_imp: Removed some forgotten references to defib time of death restrictions. + - bugfix: + Beakers should no longer nullspace when quick swapped or alt clicked out + of certain pieces of machinery. + - balance: + Traitor adrenals buffed slightly. Now removes knockdown on activation, + increases speed slightly more and has no oxyloss damage. + - balance: Changeling adrenals now last 20 seconds, up from 15 seconds. + - bugfix: Dynamic revs runtime and infinite loss announcement fixed. SteelSlayer: - - code_imp: Adds the dunkable element. Converts items who were using the dunkable - var to instead use this element and removes the dunkable var. - - code_imp: Adds a new "DUNKABLE" reagent flag for reagent containers. This determines - whether or not the container can have items dunked into it. + - code_imp: + Adds the dunkable element. Converts items who were using the dunkable + var to instead use this element and removes the dunkable var. + - code_imp: + Adds a new "DUNKABLE" reagent flag for reagent containers. This determines + whether or not the container can have items dunked into it. TheChosenEvilOne: - - bugfix: Foamy beer stationwide event works again. + - bugfix: Foamy beer stationwide event works again. Thebleh: - - tweak: Bodies with souls show the defib icon on medhuds. + - tweak: Bodies with souls show the defib icon on medhuds. Tlaltecuhtli: - - bugfix: grinder chem not grinding - - bugfix: dir of grinder chem + - bugfix: grinder chem not grinding + - bugfix: dir of grinder chem Vondiech: - - tweak: There is no longer a light fixture attached to an airlock in the Experimentation - Lab on Metastation. + - tweak: + There is no longer a light fixture attached to an airlock in the Experimentation + Lab on Metastation. armhulen fikou gang: - - imageadd: a lot of >32x32 mobs now have icons for their health dolls + - imageadd: a lot of >32x32 mobs now have icons for their health dolls cacogen: - - refactor: The abductor baton is now a child of the regular stun baton. There shouldn't - be a functional difference. - - tweak: You need to be an abductor to change baton modes. Seemed like an oversight - - spellcheck: Fixes some typos in the abductor baton's messages - - admin: Both regular stun baton and abductor baton have had a lot of vars exposed - pertaining to their functionality so that could come in handy I guess - - spellcheck: Cybernetic implant readouts on medHUD and health analyzer are more - compact and show an icon of each + - refactor: + The abductor baton is now a child of the regular stun baton. There shouldn't + be a functional difference. + - tweak: You need to be an abductor to change baton modes. Seemed like an oversight + - spellcheck: Fixes some typos in the abductor baton's messages + - admin: + Both regular stun baton and abductor baton have had a lot of vars exposed + pertaining to their functionality so that could come in handy I guess + - spellcheck: + Cybernetic implant readouts on medHUD and health analyzer are more + compact and show an icon of each improvedname: - - tweak: Chamkits now include an chameleon belt + - tweak: Chamkits now include an chameleon belt imsxz: - - tweak: skateboards now buckle you after activating them in hand. + - tweak: skateboards now buckle you after activating them in hand. itseasytosee: - - rscadd: Three more toys to find in your local arcade cabinet! Squeaky brain, trick - blindfold, and a broken radio. Collect em all! - - bugfix: Plasmamen prisoners now use the proper helmet sprite. - - bugfix: Pacifists can now use the wand of nothing. - - bugfix: Shotgun in hands are no longer broken. - - rscadd: An ancient recipe for the ultimate soap can be had by janitors that carry - family heirlooms and those who crawl maintenance. + - rscadd: + Three more toys to find in your local arcade cabinet! Squeaky brain, trick + blindfold, and a broken radio. Collect em all! + - bugfix: Plasmamen prisoners now use the proper helmet sprite. + - bugfix: Pacifists can now use the wand of nothing. + - bugfix: Shotgun in hands are no longer broken. + - rscadd: + An ancient recipe for the ultimate soap can be had by janitors that carry + family heirlooms and those who crawl maintenance. nightred: - - bugfix: plastic water bottles can now spash - - bugfix: plastic water bottle caps render properly the first time - - bugfix: Fixes pulling button location on simple mobs - - bugfix: Polymorph kicks AI's out of shells - - refactor: Changed custom material output on examine to be on a single line + - bugfix: plastic water bottles can now spash + - bugfix: plastic water bottle caps render properly the first time + - bugfix: Fixes pulling button location on simple mobs + - bugfix: Polymorph kicks AI's out of shells + - refactor: Changed custom material output on examine to be on a single line optimumtact: - - tweak: lawyer's department backpack... is a backpack again + - tweak: lawyer's department backpack... is a backpack again peoplearestrange: - - rscdel: Removed Special Verbs Tab - - admin: New admin button Tabs + - rscdel: Removed Special Verbs Tab + - admin: New admin button Tabs wesoda25: - - tweak: You will now cough if you have lung damage (no stun). + - tweak: You will now cough if you have lung damage (no stun). zxaber: - - balance: It is now possible to use an actual defibrillator unit as a stand-in - for the borg defib upgrade, allowing medical borgs to revive crew without cloning - at shift start. - - spellcheck: Borgs now get a message when receiving any upgrade. + - balance: + It is now possible to use an actual defibrillator unit as a stand-in + for the borg defib upgrade, allowing medical borgs to revive crew without cloning + at shift start. + - spellcheck: Borgs now get a message when receiving any upgrade. 2020-02-13: Arkatos: - - tweak: HUDs for various simple mobs are now cleaner and consistent with each other. + - tweak: HUDs for various simple mobs are now cleaner and consistent with each other. Buggy123: - - tweak: Beware! The Syndicate have upgraded their stolen teleportation machinery, - they are now capable of providing reinforcements to their elite operatives nearly - anywhere, even in the middle of combat! Not that that would be wise, to say - the least. + - tweak: + Beware! The Syndicate have upgraded their stolen teleportation machinery, + they are now capable of providing reinforcements to their elite operatives nearly + anywhere, even in the middle of combat! Not that that would be wise, to say + the least. Dennok: - - bugfix: After rigorous training, Nanotrasen zoologists have observed a rise in - the level of effectiveness with which non-sentient monkeys utilise certain hand-to-hand - weapons. + - bugfix: + After rigorous training, Nanotrasen zoologists have observed a rise in + the level of effectiveness with which non-sentient monkeys utilise certain hand-to-hand + weapons. Denton: - - admin: Moved duplicate CID/IP logging from log_access to log_admin_private. + - admin: Moved duplicate CID/IP logging from log_access to log_admin_private. Dingo-Dongler: - - rscadd: Examining people with sechuds will let you give someone an on the spot - citation. + - rscadd: + Examining people with sechuds will let you give someone an on the spot + citation. MMMiracles: - - tweak: Multi-Z power relays can repaired but must be manually updated with a multi-tool - when reinstalling/moving around. + - tweak: + Multi-Z power relays can repaired but must be manually updated with a multi-tool + when reinstalling/moving around. PKPenguin321: - - rscadd: Salt piles now get kicked around and eventually scattered to the wind - when ran over too much. + - rscadd: + Salt piles now get kicked around and eventually scattered to the wind + when ran over too much. Skoglol: - - admin: Initial ahelps are now multiline too. - - bugfix: Contractor tablet should now properly let you shop for rep. + - admin: Initial ahelps are now multiline too. + - bugfix: Contractor tablet should now properly let you shop for rep. Tlaltecuhtli: - - rscadd: adds medipen refiller machine + - rscadd: adds medipen refiller machine cacogen: - - tweak: Swapped positions of Meta Morgue and chem factory - - tweak: Resized the space now taken up by Meta chem factory to be slightly larger - - tweak: Made Meta Morgue smaller - - tweak: Moved Meta maint bar above the new Morgue where rest of the chem factory - was - - tweak: Moved Meta medbay alcove with NanoMed to opposite side of hall - - tweak: Moved Meta Medical Surplus Storeroom above Virology, off maint across from - alcove - - rscadd: Two new Meta maint Storage Rooms beneath robotics - - tweak: Unanchored solar assemblies go off-centre to indicate they need securing. - Secured ones centre themselves + - tweak: Swapped positions of Meta Morgue and chem factory + - tweak: Resized the space now taken up by Meta chem factory to be slightly larger + - tweak: Made Meta Morgue smaller + - tweak: + Moved Meta maint bar above the new Morgue where rest of the chem factory + was + - tweak: Moved Meta medbay alcove with NanoMed to opposite side of hall + - tweak: + Moved Meta Medical Surplus Storeroom above Virology, off maint across from + alcove + - rscadd: Two new Meta maint Storage Rooms beneath robotics + - tweak: + Unanchored solar assemblies go off-centre to indicate they need securing. + Secured ones centre themselves ike709: - - bugfix: Taking pictures of openspace turfs works now. + - bugfix: Taking pictures of openspace turfs works now. itseasytosee: - - bugfix: atmos helmets now properly protect you from pepper spray and face-huggers. + - bugfix: atmos helmets now properly protect you from pepper spray and face-huggers. nemvar: - - bugfix: Fixed an issue where unstable people could regain sanity. + - bugfix: Fixed an issue where unstable people could regain sanity. nightred: - - rscadd: Hugs are warm now - - refactor: natural_bodytemperature_stabilization is now self contained. - - refactor: adjust_bodytemperature to allow the use of insulation and change steps + - rscadd: Hugs are warm now + - refactor: natural_bodytemperature_stabilization is now self contained. + - refactor: adjust_bodytemperature to allow the use of insulation and change steps 2020-02-14: Arkatos: - - rscadd: Infrared emitter now uses tgui-next. - - rscadd: Proximity sensor now uses tgui-next. - - bugfix: Geneticist now uses science selection color in the preferences menu. + - rscadd: Infrared emitter now uses tgui-next. + - rscadd: Proximity sensor now uses tgui-next. + - bugfix: Geneticist now uses science selection color in the preferences menu. Capsandi: - - spellcheck: Fixed grammar in death-nettle attack and pickup messages + - spellcheck: Fixed grammar in death-nettle attack and pickup messages EOBGames: - - rscadd: The Lavaland Gulag has been rebuilt following repeated complaints about - 'human rights violations'. - - rscadd: A hawaiian shirt, currently only in the beach bum ruin. - - tweak: Fixed a couple of issues with the beach bum ruin. + - rscadd: + The Lavaland Gulag has been rebuilt following repeated complaints about + 'human rights violations'. + - rscadd: A hawaiian shirt, currently only in the beach bum ruin. + - tweak: Fixed a couple of issues with the beach bum ruin. Fikou: - - config: the nuke op leader having access to the war declaration item is now a - config + - config: + the nuke op leader having access to the war declaration item is now a + config Mickyan: - - tweak: Headphones can now play custom music - - tweak: Moved headphones to the games vendor in the library - - code_imp: Added support for instruments with custom effects triggered by playing + - tweak: Headphones can now play custom music + - tweak: Moved headphones to the games vendor in the library + - code_imp: Added support for instruments with custom effects triggered by playing Putnam and ninjanomnom: - - balance: Radioactive contamination now has a limited amount of material to be - used to contaminate things. + - balance: + Radioactive contamination now has a limited amount of material to be + used to contaminate things. Ryll/Shaps: - - rscadd: You can now sabotage secways by stuffing a banana in their tailpipe. + - rscadd: You can now sabotage secways by stuffing a banana in their tailpipe. actioninja: - - bugfix: Traitor Uplink buy buttons properly disable when you don't have enough - TC again + - bugfix: + Traitor Uplink buy buttons properly disable when you don't have enough + TC again cacogen: - - bugfix: Soil no longer renames itself hydroponics tray while something is planted - in it - - bugfix: Hydroponics planter names will update when weeds are mutated - - rscdel: Planters no longer change description to match that of what's planted - in them + - bugfix: + Soil no longer renames itself hydroponics tray while something is planted + in it + - bugfix: Hydroponics planter names will update when weeds are mutated + - rscdel: + Planters no longer change description to match that of what's planted + in them necromanceranne: - - rscadd: A mech support bag. - - rscadd: Combat wrench. - - balance: Made the dark gygax significantly better by adjusting equipment and stats. + - rscadd: A mech support bag. + - rscadd: Combat wrench. + - balance: Made the dark gygax significantly better by adjusting equipment and stats. nemvar: - - rscadd: Replaced the effect of the "two left feet" mutation with random knockdowns - while moving. + - rscadd: + Replaced the effect of the "two left feet" mutation with random knockdowns + while moving. 2020-02-15: BadSS13Player: - - tweak: The Exosuit Fabricator's sync with R&D operation is now instant. + - tweak: The Exosuit Fabricator's sync with R&D operation is now instant. Buggy123: - - tweak: Random mineral turfs no longer cause large amounts of turf changes on initialization. + - tweak: Random mineral turfs no longer cause large amounts of turf changes on initialization. Cobby: - - balance: Buffs Surgery XP values + - balance: Buffs Surgery XP values Krysonism: - - rscadd: The Cosa Nostra starter pack has been added to cargo as a contraband - crate. - - rscadd: Added pictures of the virgin mary, burning one of these will let you pick - a mafia nickname. - - rscadd: The beige suit, beige fedora and white fedora clothing items have been - added to the game. - - imageadd: The non-job fedoras and the white suit have been resprited. + - rscadd: + The Cosa Nostra starter pack has been added to cargo as a contraband + crate. + - rscadd: + Added pictures of the virgin mary, burning one of these will let you pick + a mafia nickname. + - rscadd: + The beige suit, beige fedora and white fedora clothing items have been + added to the game. + - imageadd: The non-job fedoras and the white suit have been resprited. Skoglol: - - spellcheck: Unhusking someone with synthflesh will no longer tell everyone they - were the one to fix the corpse. + - spellcheck: + Unhusking someone with synthflesh will no longer tell everyone they + were the one to fix the corpse. XDTM: - - bugfix: Fixed nanite shutdown timer not properly shutting down nanites. + - bugfix: Fixed nanite shutdown timer not properly shutting down nanites. actioninja: - - rscadd: 'tgui-next for NTOS: AI restorer, File Manager, NetDOS, Net Monitor, and - Revelation' - - rscdel: Creation of TXT Files on modular computer has been indefinitely removed - - rscdel: Due to architecture concerns, NTNet Transfer has been indefinitely removed - from NTOS hardware. + - rscadd: + "tgui-next for NTOS: AI restorer, File Manager, NetDOS, Net Monitor, and + Revelation" + - rscdel: Creation of TXT Files on modular computer has been indefinitely removed + - rscdel: + Due to architecture concerns, NTNet Transfer has been indefinitely removed + from NTOS hardware. nianjiilical: - - rscadd: Some weird shit happened in space, and now Ethereals are appearing in - new colors. Scientists are baffled. + - rscadd: + Some weird shit happened in space, and now Ethereals are appearing in + new colors. Scientists are baffled. nightred: - - rscadd: Space Suits warm the wearer, and use Cells - - rscadd: Suit Storage charges Space Suits - - rscadd: EMP's cause Hard Suit's to burn the wearer - - rscadd: Engineering now has emp proof cells with the suits - - rscadd: Hud status for space suit power level - - rscadd: ERT hardsuits get EMP protection AND ONLY THEM + - rscadd: Space Suits warm the wearer, and use Cells + - rscadd: Suit Storage charges Space Suits + - rscadd: EMP's cause Hard Suit's to burn the wearer + - rscadd: Engineering now has emp proof cells with the suits + - rscadd: Hud status for space suit power level + - rscadd: ERT hardsuits get EMP protection AND ONLY THEM 2020-02-19: ATHATH: - - balance: All sharp items that have a force greater than or equal to 10 can be - used to perform the saw bone surgery step with ghetto surgery, but they'll have - a low success rate/step speed when doing so. - - rscadd: The biogenerator can now produce soy milk. + - balance: + All sharp items that have a force greater than or equal to 10 can be + used to perform the saw bone surgery step with ghetto surgery, but they'll have + a low success rate/step speed when doing so. + - rscadd: The biogenerator can now produce soy milk. ArcaneMusic: - - rscadd: A new space ruin has been located in your sector. The previous owners - have dubbed the place "The Hell Factory", despite the region being designated - as an alcohol bottling facility. - - bugfix: Fixes accidentally reverting the puzzles/trapmaking tools PR. - - rscadd: The Syndicate has recently begun targeting a recently declassified piece - of Nanotrasen hardware, the blackbox, located within the blackbox recorder on - each station's telecommunication's array. - - rscadd: Human organs can once again be sold on the black market. + - rscadd: + A new space ruin has been located in your sector. The previous owners + have dubbed the place "The Hell Factory", despite the region being designated + as an alcohol bottling facility. + - bugfix: Fixes accidentally reverting the puzzles/trapmaking tools PR. + - rscadd: + The Syndicate has recently begun targeting a recently declassified piece + of Nanotrasen hardware, the blackbox, located within the blackbox recorder on + each station's telecommunication's array. + - rscadd: Human organs can once again be sold on the black market. Arkatos: - - tweak: Added broken chameleon belt to the broken chameleon kit. - - rscadd: Radioactive Microlaser now uses tgui. + - tweak: Added broken chameleon belt to the broken chameleon kit. + - rscadd: Radioactive Microlaser now uses tgui. Bokkiewokkie: - - bugfix: Fixes writing being on paper bags and some ammo boxes + - bugfix: Fixes writing being on paper bags and some ammo boxes Buggy123: - - bugfix: fuck + - bugfix: fuck Capsandi: - - imageadd: added a new mortar sprite + - imageadd: added a new mortar sprite Dennok: - - bugfix: Now MultiZ Debug connected to neighbor space, in strange way. + - bugfix: Now MultiZ Debug connected to neighbor space, in strange way. EOBGames: - - bugfix: A few minor map fixes. - - tweak: There's now enough medhuds in storage for everyone in med (except you, - chemists). + - bugfix: A few minor map fixes. + - tweak: + There's now enough medhuds in storage for everyone in med (except you, + chemists). Fikou: - - refactor: glockroach - - rscadd: You can now choose your name and color as a holoparasite/guardian/holocarp! - - rscadd: Miner holoparasites are now hivelords! - - bugfix: fixes lings being able to get mechanical holoparasites + - refactor: glockroach + - rscadd: You can now choose your name and color as a holoparasite/guardian/holocarp! + - rscadd: Miner holoparasites are now hivelords! + - bugfix: fixes lings being able to get mechanical holoparasites Iamgoofball: - - tweak: You son of a bitch! I'm in. + - tweak: You son of a bitch! I'm in. Improvedname & JustRandomGuy: - - rscadd: Adds the syndicate laserarm implant to roboticist traitors - - rscadd: Syndicate implants now come in a suspicous autosurgeon + - rscadd: Adds the syndicate laserarm implant to roboticist traitors + - rscadd: Syndicate implants now come in a suspicous autosurgeon JAremko: - - rscadd: Added pyroclastic anomaly slime policy key - - bugfix: Fixed anomaly slime role - - bugfix: Now anomaly slimes can reproduce like other slimes do + - rscadd: Added pyroclastic anomaly slime policy key + - bugfix: Fixed anomaly slime role + - bugfix: Now anomaly slimes can reproduce like other slimes do JDawg1290: - - code_imp: mech construction refactored + - code_imp: mech construction refactored JJRcop: - - refactor: Stasis now supports multiple sources. + - refactor: Stasis now supports multiple sources. Mickyan: - - rscadd: Added the broom. For sweeping. - - tweak: Tweaked paramedic loadout, moved pinpointer to medical belt, moved medipen - to suit storage - - bugfix: Cleaning messes with the mop and soap now correctly awards cleaning experience + - rscadd: Added the broom. For sweeping. + - tweak: + Tweaked paramedic loadout, moved pinpointer to medical belt, moved medipen + to suit storage + - bugfix: Cleaning messes with the mop and soap now correctly awards cleaning experience NecromancerAnne and Kyrsonism: - - imageadd: Redid the claymore sprites to look a little better. + - imageadd: Redid the claymore sprites to look a little better. NikNak: - - balance: The powercrepe has been buffed + - balance: The powercrepe has been buffed RaveRadbury: - - balance: Bottles and Flasks provide 5u on every gulp. + - balance: Bottles and Flasks provide 5u on every gulp. Skoglol: - - bugfix: Forced a basic keybind reset for everyone to fix some inconsistencies - from various savefiles, as well as making the hotkey/classic toggle in game - options work. Your emote keybinds should be untouched. + - bugfix: + Forced a basic keybind reset for everyone to fix some inconsistencies + from various savefiles, as well as making the hotkey/classic toggle in game + options work. Your emote keybinds should be untouched. TheVekter: - - rscadd: Added the Vibebot + - rscadd: Added the Vibebot Thunder12345: - - bugfix: Cult sacrifice objective now tells you to use Offer instead of a non-existent - Sacrifice rune - - imageadd: Added missing attached tank sprites for TTVs + - bugfix: + Cult sacrifice objective now tells you to use Offer instead of a non-existent + Sacrifice rune + - imageadd: Added missing attached tank sprites for TTVs Time-Green: - - rscadd: Adds geysers to lavaland! They can be activated by using a reinforced - plunger found in the medical vendor. They can be harvested by using a new plumbing - device, magically powered liquid pumps! - - rscadd: Adds Hollow Water to geysers, wich can be combined with Holy Water as - catalyst for more Holy Water - - rscadd: Adds Protozine to geyers, a very weak version of Omnizine. Can be used - in Strange Reagent mixing - - rscadd: Adds Wittel, a very rare geyser chem. Can be processed into gravitum, - wich removes gravity. Can also be processed into metalgen, wich has a strange - tendency to transform objects into the imprinted material. + - rscadd: + Adds geysers to lavaland! They can be activated by using a reinforced + plunger found in the medical vendor. They can be harvested by using a new plumbing + device, magically powered liquid pumps! + - rscadd: + Adds Hollow Water to geysers, wich can be combined with Holy Water as + catalyst for more Holy Water + - rscadd: + Adds Protozine to geyers, a very weak version of Omnizine. Can be used + in Strange Reagent mixing + - rscadd: + Adds Wittel, a very rare geyser chem. Can be processed into gravitum, + wich removes gravity. Can also be processed into metalgen, wich has a strange + tendency to transform objects into the imprinted material. XDTM: - - rscadd: Added a new special brain trauma, Quantum Alignment. - - rscadd: Added the Enhanced Interrogation Chamber as a BEPIS researchable tech. - - rscadd: The EIC can be used to implant trigger phrases in subjects that cause - an instant hypnotic trance. + - rscadd: Added a new special brain trauma, Quantum Alignment. + - rscadd: Added the Enhanced Interrogation Chamber as a BEPIS researchable tech. + - rscadd: + The EIC can be used to implant trigger phrases in subjects that cause + an instant hypnotic trance. cacogen: - - rscadd: RCD can now deconstruct airlock assemblies and firelock frames - - bugfix: Stun batons now respect shields again (e.g. riot shields, the wizard's - shielded hardsuit) - - bugfix: Stun baton attacks that should've been stopped by clumsiness no longer - go through + - rscadd: RCD can now deconstruct airlock assemblies and firelock frames + - bugfix: + Stun batons now respect shields again (e.g. riot shields, the wizard's + shielded hardsuit) + - bugfix: + Stun baton attacks that should've been stopped by clumsiness no longer + go through itseasytosee: - - rscadd: Having a holster now allows you to flip a gun on your fingers. Use in - hand. If you want to eject your bullets repeat - - rscadd: The syndicate chameleon holster. Costs 1 tc and can be made to look like - any belt. Stores all your fun shooty sticks - - rscadd: Operative holster, a free alternative to tactical webbing for storing - two guns in a belt slot instead of alot of small items. - - rscadd: New drink! The Hivemind eraser. Can be made with two parts black Russian - one part thirteen-loko and one part grenadine. + - rscadd: + Having a holster now allows you to flip a gun on your fingers. Use in + hand. If you want to eject your bullets repeat + - rscadd: + The syndicate chameleon holster. Costs 1 tc and can be made to look like + any belt. Stores all your fun shooty sticks + - rscadd: + Operative holster, a free alternative to tactical webbing for storing + two guns in a belt slot instead of alot of small items. + - rscadd: + New drink! The Hivemind eraser. Can be made with two parts black Russian + one part thirteen-loko and one part grenadine. necromanceranne: - - balance: Removes the stun from Krav Maga and makes it a high duration knockdown - with stamina damage (20-30), respecting chest armor for the damage. - - rscadd: Disarm intent is now a nonlethal jab that does (5-10) stamina damage. - If used on people who are prone, it does (10-15) stamina damage. It also has - a chance to completely disarm someone based on the amount of stamina damage - they have. - - balance: Krav Maga harm stomps/punches now respect armor and have a variance of - (5-10) for punches and (5-10+5) for stomps. + - balance: + Removes the stun from Krav Maga and makes it a high duration knockdown + with stamina damage (20-30), respecting chest armor for the damage. + - rscadd: + Disarm intent is now a nonlethal jab that does (5-10) stamina damage. + If used on people who are prone, it does (10-15) stamina damage. It also has + a chance to completely disarm someone based on the amount of stamina damage + they have. + - balance: + Krav Maga harm stomps/punches now respect armor and have a variance of + (5-10) for punches and (5-10+5) for stomps. nightred: - - tweak: Turn night mode off or on when the APC is locked - - bugfix: space suit turns off properly when there is no cell inserted - - bugfix: space ninja can now turn on the heater in the suit - - bugfix: space ninja can recharge properly - - bugfix: space suit now uses the cell as intended + - tweak: Turn night mode off or on when the APC is locked + - bugfix: space suit turns off properly when there is no cell inserted + - bugfix: space ninja can now turn on the heater in the suit + - bugfix: space ninja can recharge properly + - bugfix: space suit now uses the cell as intended plapatin: - - tweak: Nanotrasen-brand spacepods can play music just like headphones now. + - tweak: Nanotrasen-brand spacepods can play music just like headphones now. stylemistake: - - rscdel: Removed tgui - - refactor: tgui-next is now the new tgui - - code_imp: Updated "interface not found" screen. + - rscdel: Removed tgui + - refactor: tgui-next is now the new tgui + - code_imp: Updated "interface not found" screen. wesoda25: - - tweak: Gondola Asteroid is grassy now, also has some puddles + - tweak: Gondola Asteroid is grassy now, also has some puddles with thanks to HugBug and Buggy for helping with bug-squashing: - - balance: The effect of gas comp will now spin up and down, rather then jumping. - Play around, don't break anything. - - bugfix: Fixed low pressure hell SMs - - admin: Allows var editing of SM gas rad effects + - balance: + The effect of gas comp will now spin up and down, rather then jumping. + Play around, don't break anything. + - bugfix: Fixed low pressure hell SMs + - admin: Allows var editing of SM gas rad effects yeeyeh: - - rscadd: Nanotrasen's research division's recent science fair has given light to - an amazing, electrically-insulated compound that can be sprayed directly onto - the skin. The initial idea was for footwear, but we all know what you're really - going to do with it. Research can be continued at your station's B.E.P.I.S. - unit. + - rscadd: + Nanotrasen's research division's recent science fair has given light to + an amazing, electrically-insulated compound that can be sprayed directly onto + the skin. The initial idea was for footwear, but we all know what you're really + going to do with it. Research can be continued at your station's B.E.P.I.S. + unit. 2020-02-21: AffectedArc07: - - rscadd: Linking your discord and BYOND accounts will now give you a role in the - discord + - rscadd: + Linking your discord and BYOND accounts will now give you a role in the + discord Anonmare: - - rscadd: AIs can now have their laws manually adjusted - - bugfix: AIs now spark when hit, like they always should've done. + - rscadd: AIs can now have their laws manually adjusted + - bugfix: AIs now spark when hit, like they always should've done. ArcaneMusic: - - bugfix: The boss's health bar on the NTOS Arcade app now properly shows the right - value. + - bugfix: + The boss's health bar on the NTOS Arcade app now properly shows the right + value. Arkatos: - - rscadd: Tank Transfer Valve now uses tgui. - - bugfix: Fixed an issue where TTV assemblies could not be activated. Sorry gamers! - - bugfix: Fixed an issue where remote signaller would not close upon securing. - - bugfix: Added sanity checks to proximity sensor and timer to prevent timers from - being modified while assembly is active. + - rscadd: Tank Transfer Valve now uses tgui. + - bugfix: Fixed an issue where TTV assemblies could not be activated. Sorry gamers! + - bugfix: Fixed an issue where remote signaller would not close upon securing. + - bugfix: + Added sanity checks to proximity sensor and timer to prevent timers from + being modified while assembly is active. Dennok: - - rscadd: Rapid Pipe Dispenser (RPD) now available only in enginering protolathes. + - rscadd: Rapid Pipe Dispenser (RPD) now available only in enginering protolathes. Mickyan: - - rscadd: Added bubble gum! Available in three- wait, two flavors! Regular, and - nicotine flavored. Put it your mask slot to make bubbles! + - rscadd: + Added bubble gum! Available in three- wait, two flavors! Regular, and + nicotine flavored. Put it your mask slot to make bubbles! Qustinnus: - - rscadd: adds a showerbot, it showers people covered in blood, with force if necesary + - rscadd: adds a showerbot, it showers people covered in blood, with force if necesary ShizCalev: - - bugfix: Fixed a typo that was causing helmets to not update icons when worn. + - bugfix: Fixed a typo that was causing helmets to not update icons when worn. XDTM: - - tweak: Sixth sense (hearing deadchat while alive) will now only show player chat - and not the dead-only announcements. + - tweak: + Sixth sense (hearing deadchat while alive) will now only show player chat + and not the dead-only announcements. bobbahbrown: - - code_imp: Cleaned up incomplete span elements + - code_imp: Cleaned up incomplete span elements trollbreeder: - - bugfix: Fixes an issue where Smite and Flesh to Stone were invisible in item form. + - bugfix: Fixes an issue where Smite and Flesh to Stone were invisible in item form. 2020-02-24: AffectedArc07: - - tweak: MetaStation is now no longer internally broken + - tweak: MetaStation is now no longer internally broken Capsandi: - - bugfix: Donk Pocket Pizza is back on the menu + - bugfix: Donk Pocket Pizza is back on the menu ExcessiveUseOfCobblestone: - - balance: Helbital now is more simple to use and is based off not crit/softcrit/hardcrit. - You want to be in hardcrit for the best brute healing. - - tweak: Troph has now been converted into a C2 with tweaks, now named Probital. - Same recipe. Downside is stamina damage - - tweak: Rhig has now been converted into a C2 with tweaks, now named Hercuri. Same - Recipe. Downside is it can cool to dangerous levels. + - balance: + Helbital now is more simple to use and is based off not crit/softcrit/hardcrit. + You want to be in hardcrit for the best brute healing. + - tweak: + Troph has now been converted into a C2 with tweaks, now named Probital. + Same recipe. Downside is stamina damage + - tweak: + Rhig has now been converted into a C2 with tweaks, now named Hercuri. Same + Recipe. Downside is it can cool to dangerous levels. Krysonism: - - rscadd: Added the horticultural waders to the hydrobe. - - imageadd: Resprited the hydroponics jumpsuit & jumpskirt + - rscadd: Added the horticultural waders to the hydrobe. + - imageadd: Resprited the hydroponics jumpsuit & jumpskirt TheVekter: - - rscadd: Each anomaly now produces a specific core depending on what type it is. - (Credit to Partheo for the new sprites!) - - rscadd: Enabled a variant of the Gravitational Anomaly that is much stronger. - Wear magboots. (This does not replace the current variant.) - - tweak: Bluespace Wormhole Projector now requires a bluespace anomaly core to function. - - tweak: One-point gravity manipulator now requires a gravitational anomaly core - to function. - - tweak: The Phazon now specifically requires a bluespace anomaly core - others - will not work. - - tweak: Anomalies can no longer spawn in maintenance. - - tweak: The chance for most anomalies to spawn has been increased. + - rscadd: + Each anomaly now produces a specific core depending on what type it is. + (Credit to Partheo for the new sprites!) + - rscadd: + Enabled a variant of the Gravitational Anomaly that is much stronger. + Wear magboots. (This does not replace the current variant.) + - tweak: Bluespace Wormhole Projector now requires a bluespace anomaly core to function. + - tweak: + One-point gravity manipulator now requires a gravitational anomaly core + to function. + - tweak: + The Phazon now specifically requires a bluespace anomaly core - others + will not work. + - tweak: Anomalies can no longer spawn in maintenance. + - tweak: The chance for most anomalies to spawn has been increased. XDTM: - - rscadd: Added a hypnotic flashbang to the uplink for 12 TC. It can hypnotize people - much like a hypnoflash, and the sound will automatically make victims vulnerable - to the trance. + - rscadd: + Added a hypnotic flashbang to the uplink for 12 TC. It can hypnotize people + much like a hypnoflash, and the sound will automatically make victims vulnerable + to the trance. Yenwodyah: - - bugfix: Recycler doesn't delete people in mechs, cardboard boxes, spells, etc. - anymore + - bugfix: + Recycler doesn't delete people in mechs, cardboard boxes, spells, etc. + anymore bobbahbrown: - - bugfix: Fixed unsanitized input on the DNA console allowing for raw HTML injection + - bugfix: Fixed unsanitized input on the DNA console allowing for raw HTML injection itseasytosee: - - rscadd: Admins can now play around with jailbreak & detain objectives. Which means - help a target escape out of custody or insure a target escapes in custody respectively. + - rscadd: + Admins can now play around with jailbreak & detain objectives. Which means + help a target escape out of custody or insure a target escapes in custody respectively. nightred: - - bugfix: space ninja space suit to warm the wearer now, no more button for that - - bugfix: space ninja cell size is now reverted to original size + - bugfix: space ninja space suit to warm the wearer now, no more button for that + - bugfix: space ninja cell size is now reverted to original size 2020-02-29: ATHATH: - - bugfix: Synthflesh now unhusks a burn husked corpse on reaching 100u instead of - on the next application. Still requires <50 burn damage after application. - - bugfix: Splashing synthflesh on a burn husked corpse will unhusk it if the total - of synthflesh in the body and synthflesh being splashed is 100 or more. Still - requires <50 burn damage after application. - - bugfix: Updates the description of synthflesh to reflect what it actually does - more accurately. The amount of tox damage dealt is 66% of the amount of brute - and burn damage healed, not 75%. + - bugfix: + Synthflesh now unhusks a burn husked corpse on reaching 100u instead of + on the next application. Still requires <50 burn damage after application. + - bugfix: + Splashing synthflesh on a burn husked corpse will unhusk it if the total + of synthflesh in the body and synthflesh being splashed is 100 or more. Still + requires <50 burn damage after application. + - bugfix: + Updates the description of synthflesh to reflect what it actually does + more accurately. The amount of tox damage dealt is 66% of the amount of brute + and burn damage healed, not 75%. ArcaneDefence: - - bugfix: The recipe for Carp Classic cigarettes has been brought up to company - standards. + - bugfix: + The recipe for Carp Classic cigarettes has been brought up to company + standards. ArcaneMusic: - - rscadd: Nanotrasen's Customer Service Division has developed a new, shielded product - cage to better allow for sale of food and drink items on station, called the - "Vend-A-Tray". - - rscadd: Vend-A-Trays are made with display case frames and a Card Reader stock - part, now available at all protolathes. - - rscadd: The Nanotrasen Deliveries and Handling League (NDHL) have been noticing - a decrease in station export profits, and the crate recycling program just isn't - cutting it. New Sales Taggers have been deployed in all station cargo setups. - - rscadd: Wrapped items can be zapped with Sales Taggers in order to give the account - holder a portion of the profit on a sale. - - tweak: Wooden Fermenting barrels now cost 8 wooden planks to craft, down from - 30. - - balance: Wooden Fermenting barrels can now be made in the stack crafting menu, - in addition to the crafting menu. + - rscadd: + Nanotrasen's Customer Service Division has developed a new, shielded product + cage to better allow for sale of food and drink items on station, called the + "Vend-A-Tray". + - rscadd: + Vend-A-Trays are made with display case frames and a Card Reader stock + part, now available at all protolathes. + - rscadd: + The Nanotrasen Deliveries and Handling League (NDHL) have been noticing + a decrease in station export profits, and the crate recycling program just isn't + cutting it. New Sales Taggers have been deployed in all station cargo setups. + - rscadd: + Wrapped items can be zapped with Sales Taggers in order to give the account + holder a portion of the profit on a sale. + - tweak: + Wooden Fermenting barrels now cost 8 wooden planks to craft, down from + 30. + - balance: + Wooden Fermenting barrels can now be made in the stack crafting menu, + in addition to the crafting menu. Arkatos: - - rscadd: Electropack now uses tgui. + - rscadd: Electropack now uses tgui. Arkatos and Skoglol: - - rscadd: Gas Turbine now uses tgui. + - rscadd: Gas Turbine now uses tgui. Arkatos and actioninja: - - rscadd: Malfunction Modules Picker now uses tgui. + - rscadd: Malfunction Modules Picker now uses tgui. Arkatos1: - - rscadd: Particle Accelerator now uses tgui. + - rscadd: Particle Accelerator now uses tgui. Bumtickley00: - - bugfix: Helbital now heals brute instead of dealing brute + - bugfix: Helbital now heals brute instead of dealing brute Farquaar: - - tweak: Felinid speech is now audibly distinct from human speech. + - tweak: Felinid speech is now audibly distinct from human speech. LemonInTheDark: - - rscadd: Tesla zaps will now turn tesla generators into teslas. - - bugfix: Explosions might be a little less common, I've fixed the thing where machines - would explode with no visible arc to the object. - - bugfix: Fixes a whole bunch of issues, teslas make more sense now - - code_imp: Makes my shitcode better - - tweak: The tesla revolver/cannon's projectiles now arc while in flight. - - balance: The projectiles now deal light burn damage on hit. - - bugfix: Zaps no longer infinite chain after hitting coils. + - rscadd: Tesla zaps will now turn tesla generators into teslas. + - bugfix: + Explosions might be a little less common, I've fixed the thing where machines + would explode with no visible arc to the object. + - bugfix: Fixes a whole bunch of issues, teslas make more sense now + - code_imp: Makes my shitcode better + - tweak: The tesla revolver/cannon's projectiles now arc while in flight. + - balance: The projectiles now deal light burn damage on hit. + - bugfix: Zaps no longer infinite chain after hitting coils. Mickyan: - - tweak: Added plumbing room to Deltastation - - tweak: Added the art gallery to Deltastation - - bugfix: Deltastation's disposal system will no longer accidentally dump garbage - into the morgue - - tweak: Added the art gallery to Pubbystation + - tweak: Added plumbing room to Deltastation + - tweak: Added the art gallery to Deltastation + - bugfix: + Deltastation's disposal system will no longer accidentally dump garbage + into the morgue + - tweak: Added the art gallery to Pubbystation Ryll/Shaps: - - tweak: Embeddables have been reworked and given new functionality. - - rscadd: Adds toy shurikens for pranks and shock shurikens for less lethal takedowns. - - rscadd: Adds sticky tape that lets you stick random junk to people! How will anyone - believe the Captain's cries that he's not actually a boomer when there's a can - of Monkey Energy stuck to his head? - - refactor: Embedding functionality has been made an element, with new support for - dealing a mix of brute and stamina damage, and a separate pain check for on-move. - - rscadd: Officer Beepsky has been promoted to Commander Beepsky! He is now officially - in command of all of the bots on the station, who will now show him proper respect - by saluting him when they cross paths. - - tweak: Vendors make you squish for longer + - tweak: Embeddables have been reworked and given new functionality. + - rscadd: Adds toy shurikens for pranks and shock shurikens for less lethal takedowns. + - rscadd: + Adds sticky tape that lets you stick random junk to people! How will anyone + believe the Captain's cries that he's not actually a boomer when there's a can + of Monkey Energy stuck to his head? + - refactor: + Embedding functionality has been made an element, with new support for + dealing a mix of brute and stamina damage, and a separate pain check for on-move. + - rscadd: + Officer Beepsky has been promoted to Commander Beepsky! He is now officially + in command of all of the bots on the station, who will now show him proper respect + by saluting him when they cross paths. + - tweak: Vendors make you squish for longer ShizCalev: - - bugfix: Blindfolds now properly blind you! + - bugfix: Blindfolds now properly blind you! SteelSlayer: - - bugfix: Fixes some mixed up in-hand sprites for the airlock painter - - code_imp: Gives the airlock painter's paint selection popup menu a cancel button - - code_imp: Improves airlock painter code. Makes it easier to add new paintjob options - and cuts down on duplicate code. + - bugfix: Fixes some mixed up in-hand sprites for the airlock painter + - code_imp: Gives the airlock painter's paint selection popup menu a cancel button + - code_imp: + Improves airlock painter code. Makes it easier to add new paintjob options + and cuts down on duplicate code. Time-Green: - - bugfix: reaction chamber empties again - - rscadd: adds the snail achievement to genetics - - bugfix: fixes gastrolisis runtime + - bugfix: reaction chamber empties again + - rscadd: adds the snail achievement to genetics + - bugfix: fixes gastrolisis runtime Twaticus: - - imageadd: bola inhand sprites + - imageadd: bola inhand sprites Yenwodyah: - - bugfix: Removed geneticists from the medbay radio channel - - bugfix: Geneticists are on the science payroll now + - bugfix: Removed geneticists from the medbay radio channel + - bugfix: Geneticists are on the science payroll now bobbahbrown: - - tweak: Nanotrasen is now manufacturing wigs with waterproof dye -- shower with - new-found confidence! - - bugfix: Wigs can no longer have their color changed when not being held. - - bugfix: Fixed unsanitized blob broadcast allowing html injection + - tweak: + Nanotrasen is now manufacturing wigs with waterproof dye -- shower with + new-found confidence! + - bugfix: Wigs can no longer have their color changed when not being held. + - bugfix: Fixed unsanitized blob broadcast allowing html injection cacogen: - - tweak: Box now has a Service Door between hydroponics and the kitchen instead - of the desk + - tweak: + Box now has a Service Door between hydroponics and the kitchen instead + of the desk fluffe9911: - - rscadd: King Goat achievements - - tweak: King Goat spells per phase lowered from 10 to 5 - - tweak: King Goat goes back to normal speed after casting super speed spell 2x - faster - - bugfix: Hiro teleport no longer works in NOTELEPORT areas - - bugfix: moved king goat file to proper area - - tweak: better goat hoof and goat gun sprite courtesy of Usnavi! + - rscadd: King Goat achievements + - tweak: King Goat spells per phase lowered from 10 to 5 + - tweak: + King Goat goes back to normal speed after casting super speed spell 2x + faster + - bugfix: Hiro teleport no longer works in NOTELEPORT areas + - bugfix: moved king goat file to proper area + - tweak: better goat hoof and goat gun sprite courtesy of Usnavi! improvedname: - - rscdel: Removes magicarp bolt of change + - rscdel: Removes magicarp bolt of change nemvar: - - spellcheck: Renamed "My mental status" to "My current sanity" in the mood printout. + - spellcheck: Renamed "My mental status" to "My current sanity" in the mood printout. nightred: - - balance: natural body temp stabilization is more in line with expected results - - bugfix: fever/chills now cause your body temp to be changed based on the severity - of the illness - - bugfix: mob code now uses the species proper body temp instead of the default - body temp - - refactor: added new interface for body temp changes + - balance: natural body temp stabilization is more in line with expected results + - bugfix: + fever/chills now cause your body temp to be changed based on the severity + of the illness + - bugfix: + mob code now uses the species proper body temp instead of the default + body temp + - refactor: added new interface for body temp changes pireamaineach: - - imageadd: Resprites several plasmaman items. add:Adds plasmagloves and fixes clipping - on the plasmaman suit. - - balance: Envirogloves now have insul-tier permeability. + - imageadd: + Resprites several plasmaman items. add:Adds plasmagloves and fixes clipping + on the plasmaman suit. + - balance: Envirogloves now have insul-tier permeability. tralezab: - - tweak: transit tube pods will now throw you when they leave the transit tube + - tweak: transit tube pods will now throw you when they leave the transit tube 2020-03-01: Dennok: - - bugfix: on 513 Openspace dark no more covers all on openspace turf. - - bugfix: on 513 You now can build on openspace that above openspace. - - bugfix: on 513 While vis flags used and transfer obj icon to openspace plan that - placed below all turfs, any things that out of turf bounds now shown correctly - below. + - bugfix: on 513 Openspace dark no more covers all on openspace turf. + - bugfix: on 513 You now can build on openspace that above openspace. + - bugfix: + on 513 While vis flags used and transfer obj icon to openspace plan that + placed below all turfs, any things that out of turf bounds now shown correctly + below. EOBGames: - - rscadd: Metastation's medbay has received a long overdue redesign/expansion. Have - fun exploring it! + - rscadd: + Metastation's medbay has received a long overdue redesign/expansion. Have + fun exploring it! MMMiracles (Donutstation): - - rscadd: Adds an entire second floor to Donutstation. - - rscadd: Multiple areas now have a second floor section, ranging from maintenance - to various departments. + - rscadd: Adds an entire second floor to Donutstation. + - rscadd: + Multiple areas now have a second floor section, ranging from maintenance + to various departments. Mickyan: - - bugfix: Brooms no longer cause your inventory to occasionally be dropped on the - ground - - bugfix: Decreased the size of bubblegum boxes so that they correctly fit in pockets + - bugfix: + Brooms no longer cause your inventory to occasionally be dropped on the + ground + - bugfix: Decreased the size of bubblegum boxes so that they correctly fit in pockets NecromancerAnne: - - tweak: Completely reworked Sleeping Carp - - balance: Sleeping Carp now costs 15TC. - - balance: Sleeping Carp users are really goddamn durable. - - balance: Sleeping Carp users have less moves but shorter combos and more ultraviolence. - - balance: Carp faction. Space walking-lite. - - balance: Sleeping Carp users need to be in throw mode to deflect ranged attacks. - - balance: Sleeping Carp users are immune to objects that puncture the skin. - - balance: Stun batons are now apply_damage instead of applyStaminaLoss. This might - change some things. + - tweak: Completely reworked Sleeping Carp + - balance: Sleeping Carp now costs 15TC. + - balance: Sleeping Carp users are really goddamn durable. + - balance: Sleeping Carp users have less moves but shorter combos and more ultraviolence. + - balance: Carp faction. Space walking-lite. + - balance: Sleeping Carp users need to be in throw mode to deflect ranged attacks. + - balance: Sleeping Carp users are immune to objects that puncture the skin. + - balance: + Stun batons are now apply_damage instead of applyStaminaLoss. This might + change some things. Ryll/Shaps: - - tweak: Basic sticky tape is now available in the autolathe by default, with advanced - variants still able to be researched through the BEPIS major reward! - - bugfix: Harmless sticky embeds no longer print jostling messages + - tweak: + Basic sticky tape is now available in the autolathe by default, with advanced + variants still able to be researched through the BEPIS major reward! + - bugfix: Harmless sticky embeds no longer print jostling messages XDTM: - - bugfix: Fixed Zombie Powder sometimes stunning people permanently. + - bugfix: Fixed Zombie Powder sometimes stunning people permanently. and Twaticus: - - bugfix: you can now hold corgis and pAI's again. pull them, and then drag their - sprite to yours. - - rscadd: you can now hold all of the stations pets, and more! - - rscadd: (b)admins can now make mobs holdable - - rscadd: you can now wash all of the stations pets in washing machines - - rscadd: pets can be put directly into washing machines from your hand + - bugfix: + you can now hold corgis and pAI's again. pull them, and then drag their + sprite to yours. + - rscadd: you can now hold all of the stations pets, and more! + - rscadd: (b)admins can now make mobs holdable + - rscadd: you can now wash all of the stations pets in washing machines + - rscadd: pets can be put directly into washing machines from your hand 2020-03-02: Arkatos: - - rscadd: Remote Robot Control now uses tgui. + - rscadd: Remote Robot Control now uses tgui. 2020-03-04: ArcaneDefence: - - bugfix: Head revolutionaries will find that the flashes provided to them by the - Syndicate now fit in security webbing and belts. Convenient! + - bugfix: + Head revolutionaries will find that the flashes provided to them by the + Syndicate now fit in security webbing and belts. Convenient! ArcaneDefence for the fucking bughunting/brainstorming: - - bugfix: Fixes slime wizards being able to reset their spells from anywhere - - rscdel: Removes slime people from the wizard mirror. + - bugfix: Fixes slime wizards being able to reset their spells from anywhere + - rscdel: Removes slime people from the wizard mirror. ArcaneMusic: - - bugfix: Evidence Bags can no longer hold items that store other items. - - bugfix: You can once again use another ID on help intent to purchase an item contained - within a vend-a-tray, as intended. + - bugfix: Evidence Bags can no longer hold items that store other items. + - bugfix: + You can once again use another ID on help intent to purchase an item contained + within a vend-a-tray, as intended. Arkatos: - - tweak: Malfuntion tab is gone, all its remaining verbs were either converted to - action buttons or removed completely. - - bugfix: Removing traitor status from AI now correctly removes all of its malfunction - abilities. + - tweak: + Malfuntion tab is gone, all its remaining verbs were either converted to + action buttons or removed completely. + - bugfix: + Removing traitor status from AI now correctly removes all of its malfunction + abilities. Cobby: - - balance: Removes passive charging from defib mounts, allows them to be built roundstart. - - rscadd: Adds PENLITE defib mount, which charges. No techweb changes. + - balance: Removes passive charging from defib mounts, allows them to be built roundstart. + - rscadd: Adds PENLITE defib mount, which charges. No techweb changes. Dennok: - - bugfix: Parallax shows planets and asteroids properly when you use remote vision. - - bugfix: Nanotrasen engineering department calibrate nanite deploying system. Now - Bluespace Artillery dont shifts on 2 meters on deploy. + - bugfix: Parallax shows planets and asteroids properly when you use remote vision. + - bugfix: + Nanotrasen engineering department calibrate nanite deploying system. Now + Bluespace Artillery dont shifts on 2 meters on deploy. Fikou: - - tweak: nanotrasen private officers now have nanotrasen hud icons + - tweak: nanotrasen private officers now have nanotrasen hud icons NecromancerAnne: - - balance: Sleeping Carp costs 17tc again. - - balance: Sleeping Carp users are distinctly worse against sources of burn damage, - except the cold. - - balance: Sleeping Carp users are extremely vulnerable to being cooked. + - balance: Sleeping Carp costs 17tc again. + - balance: + Sleeping Carp users are distinctly worse against sources of burn damage, + except the cold. + - balance: Sleeping Carp users are extremely vulnerable to being cooked. Ryll/Shaps: - - bugfix: Harmful embedded objects will no longer "stick to people" in descriptions, - and will look "embedded in" as they should be. + - bugfix: + Harmful embedded objects will no longer "stick to people" in descriptions, + and will look "embedded in" as they should be. Tharcoonvagh: - - imageadd: new shoulder holster sprite! + - imageadd: new shoulder holster sprite! actioninja: - - bugfix: Glowing overlays no longer render above everything, and mobs and items - properly block them - - bugfix: Random icons won't inexplicably duplicate everywhere, as vis overlays - won't inherit the plane of their parent anymore. + - bugfix: + Glowing overlays no longer render above everything, and mobs and items + properly block them + - bugfix: + Random icons won't inexplicably duplicate everywhere, as vis overlays + won't inherit the plane of their parent anymore. cacogen: - - bugfix: Fixes a few small map errors, mainly on BoxStation + - bugfix: Fixes a few small map errors, mainly on BoxStation nightred: - - code_imp: Created two_handed component - - refactor: Updated all existing two handed items to use the new component - - bugfix: fixed vendor hacking related tgui issue - - bugfix: random 0 in the tgui on the off station vending machines - - bugfix: the captains pirate hat is now named properly + - code_imp: Created two_handed component + - refactor: Updated all existing two handed items to use the new component + - bugfix: fixed vendor hacking related tgui issue + - bugfix: random 0 in the tgui on the off station vending machines + - bugfix: the captains pirate hat is now named properly zxaber: - - spellcheck: Ash Walker flavor text now allows invasions again, though prohibiting - mass destruction. - - balance: Ash Walkers can no longer pilot mechs. - - balance: Ash Walkers now get only one life per player. However, each sacrifice - has a 40% chance to give a bonus spawn (limit of one at a time). - - balance: Dead/incapacitated Ash Walkers that are moved to the nest will be given - a new body after a few seconds. This does not require an extra spawn, but also - does not count as a sacrifice. Ash Walker bodies without a ghost (should the - player have moved on to a new spawner) will be sacrificed as normal. - - bugfix: Borgs being gibbed by the Ash Walker tendril will no longer count as a - sacrifice, as they do not actually have blood. + - spellcheck: + Ash Walker flavor text now allows invasions again, though prohibiting + mass destruction. + - balance: Ash Walkers can no longer pilot mechs. + - balance: + Ash Walkers now get only one life per player. However, each sacrifice + has a 40% chance to give a bonus spawn (limit of one at a time). + - balance: + Dead/incapacitated Ash Walkers that are moved to the nest will be given + a new body after a few seconds. This does not require an extra spawn, but also + does not count as a sacrifice. Ash Walker bodies without a ghost (should the + player have moved on to a new spawner) will be sacrificed as normal. + - bugfix: + Borgs being gibbed by the Ash Walker tendril will no longer count as a + sacrifice, as they do not actually have blood. 2020-03-10: 4dplanner: - - bugfix: dextrous simple animal hud works with > 2 hands + - bugfix: dextrous simple animal hud works with > 2 hands ATHATH: - - balance: The revival surgery is now a basic surgery instead of an advanced one, - so you can now perform it without needing an operating computer (or the Advanced - Surgery tech). + - balance: + The revival surgery is now a basic surgery instead of an advanced one, + so you can now perform it without needing an operating computer (or the Advanced + Surgery tech). ArcaneDefence: - - bugfix: Pacifists trained in CQC will no longer automatically upgrade their aggressive - grab to a neck grab when putting someone into a chokehold - - rscadd: Arcade machines have been stocked with a new toy- A moth plushie! - - rscadd: The secway key now has a unique suicide - - rscadd: The janicart key now has a uniquer suicide that respects janitorial skill + - bugfix: + Pacifists trained in CQC will no longer automatically upgrade their aggressive + grab to a neck grab when putting someone into a chokehold + - rscadd: Arcade machines have been stocked with a new toy- A moth plushie! + - rscadd: The secway key now has a unique suicide + - rscadd: The janicart key now has a uniquer suicide that respects janitorial skill ArcaneMusic: - - rscadd: Shady individuals, rejoice! A new hardsuit has been seen available for - purchase on the black market, for a hefty fee. (Sprites provided by the talented - Kryson) - - bugfix: Fixed several issues with the Heck Factory ruin. - - rscadd: Cargo can now sell more advanced tools from RnD, for a higher profit. + - rscadd: + Shady individuals, rejoice! A new hardsuit has been seen available for + purchase on the black market, for a hefty fee. (Sprites provided by the talented + Kryson) + - bugfix: Fixed several issues with the Heck Factory ruin. + - rscadd: Cargo can now sell more advanced tools from RnD, for a higher profit. Arkatos: - - rscadd: Exosuit Control Console now uses tgui. - - tweak: Radioactive Microlaser UI now has Syndicate theme. - - tweak: You must hold Radioactive Microlaser in your hands in order to use its - UI. + - rscadd: Exosuit Control Console now uses tgui. + - tweak: Radioactive Microlaser UI now has Syndicate theme. + - tweak: + You must hold Radioactive Microlaser in your hands in order to use its + UI. Arkatos and actionninja: - - rscadd: AI system integrity restorer now uses tgui. + - rscadd: AI system integrity restorer now uses tgui. Bokkiewokkie: - - bugfix: Bronze sheets are now just as strong as normal sheets when smacking people. - - imageadd: Nanotrasen have recently discovered a technique to observe what kind - of sheet someone is holding in their hand, this has now been integrated in the - basic spessman training programme. + - bugfix: Bronze sheets are now just as strong as normal sheets when smacking people. + - imageadd: + Nanotrasen have recently discovered a technique to observe what kind + of sheet someone is holding in their hand, this has now been integrated in the + basic spessman training programme. Cobbtholicism: - - rscadd: Religious Sects are now Added! Religious sects tailor your chaplain experience - and reward you for playing in a particular playstyle as a convert/priest/highpriest! - (Currently Admin Only, Requires Spawning altar_of_god) - - rscadd: The Technophile Sect is now added! These machine lovers refuse to heal - organic limbs, but they recharge borgs and augmented ones! Sacrifice enough - power in order to perform an ancient rite... + - rscadd: + Religious Sects are now Added! Religious sects tailor your chaplain experience + and reward you for playing in a particular playstyle as a convert/priest/highpriest! + (Currently Admin Only, Requires Spawning altar_of_god) + - rscadd: + The Technophile Sect is now added! These machine lovers refuse to heal + organic limbs, but they recharge borgs and augmented ones! Sacrifice enough + power in order to perform an ancient rite... Cobby: - - balance: TW gives less XP and scales with amount healed instead of repeated iterations. - - bugfix: pAI medibots can no longer queue the tending like the madmen they are. - - balance: You will tend to miss attacks if trying to stun someone with a baton - recently after using a different baton to stun them. + - balance: TW gives less XP and scales with amount healed instead of repeated iterations. + - bugfix: pAI medibots can no longer queue the tending like the madmen they are. + - balance: + You will tend to miss attacks if trying to stun someone with a baton + recently after using a different baton to stun them. Dennok: - - tweak: Now spacemans don't try push things around to propel yourself, when use - jetpack. - - bugfix: Now jetpacks don't use air in gravity area or when you just inertia flying - in space. - - tweak: Now jetpacks generate trails only on air use. - - tweak: Hand Tele try place portal ahead of user now. - - tweak: try_move_adjacent can take desirable dir - - tweak: Now RCD constructing effect unclickable. - - bugfix: Slimes try don't split while not in suitable container. - - bugfix: On slime split new slimes appears in turf. - - bugfix: On slime death new slime appears in turf. - - rscadd: Now ladders has radial menu - - bugfix: Some effect visuals. - - bugfix: fake plasma flood hallucination no more blocks clicking on things - - bugfix: Now possible place cable over openspace on catwalk - - tweak: Now you can change cable layer only in hand. + - tweak: + Now spacemans don't try push things around to propel yourself, when use + jetpack. + - bugfix: + Now jetpacks don't use air in gravity area or when you just inertia flying + in space. + - tweak: Now jetpacks generate trails only on air use. + - tweak: Hand Tele try place portal ahead of user now. + - tweak: try_move_adjacent can take desirable dir + - tweak: Now RCD constructing effect unclickable. + - bugfix: Slimes try don't split while not in suitable container. + - bugfix: On slime split new slimes appears in turf. + - bugfix: On slime death new slime appears in turf. + - rscadd: Now ladders has radial menu + - bugfix: Some effect visuals. + - bugfix: fake plasma flood hallucination no more blocks clicking on things + - bugfix: Now possible place cable over openspace on catwalk + - tweak: Now you can change cable layer only in hand. EdgeLordExe: - - rscadd: Scientist have found a way to identify ash around you to determine what - ores are in it. + - rscadd: + Scientist have found a way to identify ash around you to determine what + ores are in it. Fikou: - - rscadd: hivelord stands are replaced with new mining ones, they spin! - - bugfix: fixed being able to change your stand name/color on every reconnect - - imagedel: removed most of the old holopara/guardian spirit sprites except for - 2 example ones since they aren't used anymore - - spellcheck: renames the pirate captain - - bugfix: you can now put plastic in the autolathe to print sticky tape + - rscadd: hivelord stands are replaced with new mining ones, they spin! + - bugfix: fixed being able to change your stand name/color on every reconnect + - imagedel: + removed most of the old holopara/guardian spirit sprites except for + 2 example ones since they aren't used anymore + - spellcheck: renames the pirate captain + - bugfix: you can now put plastic in the autolathe to print sticky tape Iamgoofball, Robustin, sprites by thatguythere03: - - rscadd: A new gamemode is hitting the station, Families. - - rscadd: In this gamemode, 3 different crime families will be spawned on board - the station. At the 2 minute mark, it will be announced, and a 1 hour timer - will start. - - rscadd: During this hour, all 3 crime families need to work to gain as many Points - as possible, and beat out the other families. - - rscadd: The crime families each have a unique objective tailored to their theme. - They will need to complete these objectives in order to qualify for the final - win conditions. - - rscadd: Joining a family is 100% voluntary. There's no forced conversion. To join - a family, simply ask a gangster to induct you to the family - - rscadd: Points can be gained by tagging turf, holding turf, wearing your colors, - convincing civilians or rival gangsters to join up or just wear the colors, - rolling around in a crew, and other various methods of criminal activity! - - rscadd: At the end of the hour, the Space Cops arrive! Ranging from some beat - cops to the space military, these folks will be weaker or stronger based on - how deadly the gangs were in the round! - - rscadd: 'You can see how powerful the space cops will be by checking the station''s - Notoriety level with the handy UI element in the top right of the screen. experimental: - This gamemode will require 30 players.' + - rscadd: A new gamemode is hitting the station, Families. + - rscadd: + In this gamemode, 3 different crime families will be spawned on board + the station. At the 2 minute mark, it will be announced, and a 1 hour timer + will start. + - rscadd: + During this hour, all 3 crime families need to work to gain as many Points + as possible, and beat out the other families. + - rscadd: + The crime families each have a unique objective tailored to their theme. + They will need to complete these objectives in order to qualify for the final + win conditions. + - rscadd: + Joining a family is 100% voluntary. There's no forced conversion. To join + a family, simply ask a gangster to induct you to the family + - rscadd: + Points can be gained by tagging turf, holding turf, wearing your colors, + convincing civilians or rival gangsters to join up or just wear the colors, + rolling around in a crew, and other various methods of criminal activity! + - rscadd: + At the end of the hour, the Space Cops arrive! Ranging from some beat + cops to the space military, these folks will be weaker or stronger based on + how deadly the gangs were in the round! + - rscadd: + "You can see how powerful the space cops will be by checking the station's + Notoriety level with the handy UI element in the top right of the screen. experimental: + This gamemode will require 30 players." Indie-ana Jones: - - bugfix: The Wizard Federation reports that the paper wizard has completely, "lost - it", making any form of sentience potion or mindswap potion useless on him. + - bugfix: + The Wizard Federation reports that the paper wizard has completely, "lost + it", making any form of sentience potion or mindswap potion useless on him. LemonInTheDark; Code. OFC; Idea stream and blessed sprites: - - tweak: Added some pretty colors. Red and blue to be exact. - - balance: The SM's bolts are more deadly now, they can do more damage, emp stuff, - and blow shit up. Be very careful with high power setups. By high power I mean - 2k eer above the zap threshold. This comes with a buff to tesla coils and the - zaps, at least in the higher colors. Go to town. + - tweak: Added some pretty colors. Red and blue to be exact. + - balance: + The SM's bolts are more deadly now, they can do more damage, emp stuff, + and blow shit up. Be very careful with high power setups. By high power I mean + 2k eer above the zap threshold. This comes with a buff to tesla coils and the + zaps, at least in the higher colors. Go to town. Luduk: - - bugfix: Bookmanagement console shows the correct amount of popups(precisely one) + - bugfix: Bookmanagement console shows the correct amount of popups(precisely one) Mickyan: - - tweak: You can now use the strip menu to adjust the jumpsuit style of other people - - bugfix: Humans with robot torsos can have their belt, ID, pockets slots correctly - accessed through the strip menu - - bugfix: Deltastation library windoors now correctly require library access - - bugfix: Fixed Pubbystation private art exhibit overpressurizing + - tweak: You can now use the strip menu to adjust the jumpsuit style of other people + - bugfix: + Humans with robot torsos can have their belt, ID, pockets slots correctly + accessed through the strip menu + - bugfix: Deltastation library windoors now correctly require library access + - bugfix: Fixed Pubbystation private art exhibit overpressurizing PKPenguin321: - - rscadd: Gaming skill has been added, level it by playing video games. Are you - a bad enough dude to become a legendary gamer? + - rscadd: + Gaming skill has been added, level it by playing video games. Are you + a bad enough dude to become a legendary gamer? Qustinnus: - - rscadd: Adds a license press, make those prisoners do something useful! - - rscadd: A wise cow can be found visiting the station sometimes now. Be sure to - ask him for advice + - rscadd: Adds a license press, make those prisoners do something useful! + - rscadd: + A wise cow can be found visiting the station sometimes now. Be sure to + ask him for advice Ryll/Shaps: - - rscadd: Adds new special gloves that allow tackling! Actual implementation details - to be finalized. - - rscadd: '"Holy shit! We just accidentally killed the Captain! Here, uhh... oh - god, stuff him in that wheelchair over there, before anyone comes in. Yeah, - yeah! Get his sunglasses, cover his face. Oh my god, oh my god, oh my god. No - one will be able to tell, he looks sorta fine, right? Right?"' - - rscadd: You can now Weekend at Bernies dead people with a wheelchair and tinted - glasses. - - tweak: Operatives no longer receive free Guerrilla Gloves, but can purchase a - pair for 2TC. - - spellcheck: It's guerrilla not guerilla! + - rscadd: + Adds new special gloves that allow tackling! Actual implementation details + to be finalized. + - rscadd: + '"Holy shit! We just accidentally killed the Captain! Here, uhh... oh + god, stuff him in that wheelchair over there, before anyone comes in. Yeah, + yeah! Get his sunglasses, cover his face. Oh my god, oh my god, oh my god. No + one will be able to tell, he looks sorta fine, right? Right?"' + - rscadd: + You can now Weekend at Bernies dead people with a wheelchair and tinted + glasses. + - tweak: + Operatives no longer receive free Guerrilla Gloves, but can purchase a + pair for 2TC. + - spellcheck: It's guerrilla not guerilla! ShizCalev: - - bugfix: Added prisoner ID's in Donutstation's gulaging area. + - bugfix: Added prisoner ID's in Donutstation's gulaging area. SteelSlayer: - - code_imp: Adds the label component, which gets added to objects you label with - the hand labeler. It is used to keep track of the label that was applied to - it can be removed later on. - - soundadd: Adds a sound for labeling an object with the hand labeler - - soundadd: Adds a sound for removing a label from an object with the hand labeler - - tweak: Limits the amount of labels an object can have to one. - - tweak: You can now remove labels from objects, by hitting it with the hand labeler, - while it's off. + - code_imp: + Adds the label component, which gets added to objects you label with + the hand labeler. It is used to keep track of the label that was applied to + it can be removed later on. + - soundadd: Adds a sound for labeling an object with the hand labeler + - soundadd: Adds a sound for removing a label from an object with the hand labeler + - tweak: Limits the amount of labels an object can have to one. + - tweak: + You can now remove labels from objects, by hitting it with the hand labeler, + while it's off. TheVekter: - - tweak: Made it more apparent when someone is using the wrong item to finish the - Phazon mech's construction. + - tweak: + Made it more apparent when someone is using the wrong item to finish the + Phazon mech's construction. XDTM: - - bugfix: Fixed nanite comm remotes not working at all. - - bugfix: Fixed Regenerative Coma being permanent if the virus gets cured during - a coma. + - bugfix: Fixed nanite comm remotes not working at all. + - bugfix: + Fixed Regenerative Coma being permanent if the virus gets cured during + a coma. bandit: - - rscadd: The uptick of long-term detainees in Nanotrasen brigs has resulted in - prisoners reviving the ancient, illegal tradition of brewing prison wine from - fruit, mold, water, and despair. Security personnel should keep an eye out for - this contraband. - - tweak: All Nanotrasen permanent confinement facilities have been given garbage - bags, and prisoners have been allotted bread with their meals. This has absolutely - nothing to do with the above. + - rscadd: + The uptick of long-term detainees in Nanotrasen brigs has resulted in + prisoners reviving the ancient, illegal tradition of brewing prison wine from + fruit, mold, water, and despair. Security personnel should keep an eye out for + this contraband. + - tweak: + All Nanotrasen permanent confinement facilities have been given garbage + bags, and prisoners have been allotted bread with their meals. This has absolutely + nothing to do with the above. bobbahbrown: - - rscadd: Nanotrasen has recently retrofitted all disposal bins with built-in vacuum - units, allowing brooms to sweep garbage into them! - - rscadd: Push brooms can now be manufactured in the service protolathe and any - autolathe. - - bugfix: Fixed ability to escape any sanitized string in goonchat + - rscadd: + Nanotrasen has recently retrofitted all disposal bins with built-in vacuum + units, allowing brooms to sweep garbage into them! + - rscadd: + Push brooms can now be manufactured in the service protolathe and any + autolathe. + - bugfix: Fixed ability to escape any sanitized string in goonchat cacogen: - - rscadd: Space's big players are more beholden to OSH than one might've thought. - Newly manufactured clothing now comes with a tag listing its protection ratings - (if applicable). Deciding which armour to "borrow" from the armoury has never - been easier. - - bugfix: Removes two Box chem factory cameras from xeno and RD networks - - tweak: Adds Box chem factory, pharmacy and med sec post to medbay network (listed - on CMO telescreen) + - rscadd: + Space's big players are more beholden to OSH than one might've thought. + Newly manufactured clothing now comes with a tag listing its protection ratings + (if applicable). Deciding which armour to "borrow" from the armoury has never + been easier. + - bugfix: Removes two Box chem factory cameras from xeno and RD networks + - tweak: + Adds Box chem factory, pharmacy and med sec post to medbay network (listed + on CMO telescreen) emptyexpression: - - rscadd: Added simple indicator for incomplete DNA blocks + - rscadd: Added simple indicator for incomplete DNA blocks nightred: - - bugfix: offhand placeholder should not be droppable - - bugfix: no more holding objects in two hands with your mind + - bugfix: offhand placeholder should not be droppable + - bugfix: no more holding objects in two hands with your mind qustinnus: - - bugfix: you can actually make the hygienebot now + - bugfix: you can actually make the hygienebot now qustinnus & 4Dplanner: - - rscadd: meat material. yes. - - rscadd: materials can now be used to build walls/floors. meat house - - bugfix: edible component now does not try to attack if you eat something with - it - - rscadd: Texture support for mat datums with thanks to 4DPlanner! - - bugfix: you no longer hit yourself with organs when eating + - rscadd: meat material. yes. + - rscadd: materials can now be used to build walls/floors. meat house + - bugfix: + edible component now does not try to attack if you eat something with + it + - rscadd: Texture support for mat datums with thanks to 4DPlanner! + - bugfix: you no longer hit yourself with organs when eating tralezab: - - rscadd: Martyrdom and HADS are in the pool! - - bugfix: caltrop component now sends a visible message before damage instead of - the other way around - - tweak: tweaked a few things about emojis. some have more reasonable names, some - are no longer blurry, stuff like that. - - bugfix: 'nightmare name not getting added: FINALLY FIXED' + - rscadd: Martyrdom and HADS are in the pool! + - bugfix: + caltrop component now sends a visible message before damage instead of + the other way around + - tweak: + tweaked a few things about emojis. some have more reasonable names, some + are no longer blurry, stuff like that. + - bugfix: "nightmare name not getting added: FINALLY FIXED" zxaber: - - balance: AI Core boards (used to make new AIs) no longer require gold and bluespace - crystals. - - rscadd: Drones and pAI holoforms are now suitable borg hats (though they require - a humanoid's help to get there). - - bugfix: Fixed drones not being equip-able as hats. - - bugfix: Fixed pAIs returning to card form when being held or on someone's head - leaving a phantom chassis behind. + - balance: + AI Core boards (used to make new AIs) no longer require gold and bluespace + crystals. + - rscadd: + Drones and pAI holoforms are now suitable borg hats (though they require + a humanoid's help to get there). + - bugfix: Fixed drones not being equip-able as hats. + - bugfix: + Fixed pAIs returning to card form when being held or on someone's head + leaving a phantom chassis behind. 2020-03-11: - 'LemonInTheDark: applying head to wall, ArcaneDefence: doing the brunt of the debugging and work': - - bugfix: Fixes Strange Reagent's inconsistent revival. + "LemonInTheDark: applying head to wall, ArcaneDefence: doing the brunt of the debugging and work": + - bugfix: Fixes Strange Reagent's inconsistent revival. 2020-03-12: CDranzer: - - bugfix: Empty tape recorders no longer get stuck on pocket and belt slots + - bugfix: Empty tape recorders no longer get stuck on pocket and belt slots Fikou: - - balance: rcd silo link tech node now costs 5000 points instead of 25000 + - balance: rcd silo link tech node now costs 5000 points instead of 25000 Ghommie: - - bugfix: The flying speed slowdown while hurt now actually affects flying mobs - and not floating ones. + - bugfix: + The flying speed slowdown while hurt now actually affects flying mobs + and not floating ones. RaveRadbury: - - bugfix: Hugging someone colder than you now warms them correctly. + - bugfix: Hugging someone colder than you now warms them correctly. SteelSlayer: - - code_imp: Fixes up the label component's code to work as it was intended to. + - code_imp: Fixes up the label component's code to work as it was intended to. Tlaltecuhtli: - - rscadd: aloe plant - - rscadd: aloe plant cream (microwaved /bonfired aloe) - - rscadd: advanced healing mesh (made with aloe juice + cellulose + sterilizine) - - rscadd: lowered price of polypypyr suture to require less formaldeyhde and less - popolypyyr + - rscadd: aloe plant + - rscadd: aloe plant cream (microwaved /bonfired aloe) + - rscadd: advanced healing mesh (made with aloe juice + cellulose + sterilizine) + - rscadd: + lowered price of polypypyr suture to require less formaldeyhde and less + popolypyyr 2020-03-13: Dennok: - - tweak: Ladder radial buttons now red arrow + - tweak: Ladder radial buttons now red arrow RaveRadbury: - - bugfix: prisoner slots can no longer be opened on the HOP console + - bugfix: prisoner slots can no longer be opened on the HOP console cacogen: - - bugfix: Wand of nothing on the theatre stage on Donut can now be used by pacifists + - bugfix: Wand of nothing on the theatre stage on Donut can now be used by pacifists 2020-03-14: Bawhoppen: - - rscadd: Permabrig redesigned for Boxstation. (Other maps hopefully coming in time...) - - rscadd: Prisoners now may start with some contraband hidden around on Box. - - rscadd: Box Permabrig now has a license plate pressing machine, which allows raw - license plates (from cargo), to be exported for a profit. Of course, this requires - some effort on the prisoner's part. + - rscadd: Permabrig redesigned for Boxstation. (Other maps hopefully coming in time...) + - rscadd: Prisoners now may start with some contraband hidden around on Box. + - rscadd: + Box Permabrig now has a license plate pressing machine, which allows raw + license plates (from cargo), to be exported for a profit. Of course, this requires + some effort on the prisoner's part. Dennok: - - rscadd: Now you can use radial again to close radial menu - - code_imp: get_cable_node() can take custom layer to check - - code_imp: cable layers bitwise suitable - - rscadd: RCD say that it need connection to silo. - - bugfix: Some parallax issues + - rscadd: Now you can use radial again to close radial menu + - code_imp: get_cable_node() can take custom layer to check + - code_imp: cable layers bitwise suitable + - rscadd: RCD say that it need connection to silo. + - bugfix: Some parallax issues Fikou: - - spellcheck: fixes typo in wisdom cow + - spellcheck: fixes typo in wisdom cow Iamgoofball: - - bugfix: families now actually has a player minimum + - bugfix: families now actually has a player minimum LemonInTheDark with thanks to ArcaneDefense: - - tweak: Makes borg mesons non full-bright - - bugfix: Fixes mining drone mesons being non full-bright + - tweak: Makes borg mesons non full-bright + - bugfix: Fixes mining drone mesons being non full-bright Mickyan: - - tweak: Hitting people with a wig lets you copy their hairstyle + - tweak: Hitting people with a wig lets you copy their hairstyle RaveRadbury: - - bugfix: Prisoners are now protected from rolling antag on Dynamic + - bugfix: Prisoners are now protected from rolling antag on Dynamic ShizCalev: - - bugfix: Fixed IEDs spawned in maintenance at roundstart or via slime cores not - having cans. - - bugfix: Fixed beatcop/gangster sunglasses not giving you flash protection. + - bugfix: + Fixed IEDs spawned in maintenance at roundstart or via slime cores not + having cans. + - bugfix: Fixed beatcop/gangster sunglasses not giving you flash protection. TetraK1: - - tweak: Possibility of calling shuttle is now checked before entering shuttle reason + - tweak: Possibility of calling shuttle is now checked before entering shuttle reason nightred: - - bugfix: damage calculation runtime in fever/shivers + - bugfix: damage calculation runtime in fever/shivers spookydonut: - - bugfix: barometer timers should be more accurate + - bugfix: barometer timers should be more accurate tralezab: - - rscadd: AI's go up and down commands finally work + - rscadd: AI's go up and down commands finally work wesoda: - - tweak: Winter Biodome Bathroom looks better + - tweak: Winter Biodome Bathroom looks better wesoda25: - - rscadd: Adds a couple new mood events for being held up and put in an electric - chair/guillotine. + - rscadd: + Adds a couple new mood events for being held up and put in an electric + chair/guillotine. 2020-03-15: Arkatos: - - rscadd: Cargo Hold Terminal now uses tgui. - - rscadd: Robotics Control Console now uses tgui. + - rscadd: Cargo Hold Terminal now uses tgui. + - rscadd: Robotics Control Console now uses tgui. Dennok: - - bugfix: Now title screen appears correctly. + - bugfix: Now title screen appears correctly. LemonInTheDark, with theft from Mickyan.: - - bugfix: THE BROOM FIX DIDN'T JUST DIE, IT WAS MURDERED. I'm fixing that. + - bugfix: THE BROOM FIX DIDN'T JUST DIE, IT WAS MURDERED. I'm fixing that. TheMythicGhost: - - rscadd: Adds a way to turn off end of round sounds. Finally, peace has returned - to eardrums everywhere. + - rscadd: + Adds a way to turn off end of round sounds. Finally, peace has returned + to eardrums everywhere. cacogen: - - bugfix: Items with no throwforce no longer trigger the "armour softened hit" message - - tweak: Geiger counter no longer does the attack animation when scanning, like - the health analyser + - bugfix: Items with no throwforce no longer trigger the "armour softened hit" message + - tweak: + Geiger counter no longer does the attack animation when scanning, like + the health analyser copypasting Kryson sprite into game: - - tweak: meat texture is now brightened + - tweak: meat texture is now brightened 2020-03-16: ArcaneDefence: - - bugfix: Pacifists will no longer mutilate their fellow spacemen when attempting - to share energy cake + - bugfix: + Pacifists will no longer mutilate their fellow spacemen when attempting + to share energy cake Fikou: - - balance: hunter spider now has doubled poison injections + - balance: hunter spider now has doubled poison injections XDTM: - - bugfix: Fixed nanite voice sensors not working. + - bugfix: Fixed nanite voice sensors not working. 2020-03-17: Archanial: - - rscdel: Deleted minor and major crimes (they are just crimes now). - - tweak: Adding a crime (via sec huds) is now only 1 pop-up, seriously try it. - - rscadd: You can now add crime details in security consoles. + - rscdel: Deleted minor and major crimes (they are just crimes now). + - tweak: Adding a crime (via sec huds) is now only 1 pop-up, seriously try it. + - rscadd: You can now add crime details in security consoles. Ghilker: - - rscadd: SM now interact with the H2O gas + - rscadd: SM now interact with the H2O gas Indie-ana Jones: - - balance: Reports show Hazard-5 entities have mutated to keep their important cells - protected from lava. Reports also indicate that these Hazard-5 entities are - now take longer to detect from Central Command, among other things. + - balance: + Reports show Hazard-5 entities have mutated to keep their important cells + protected from lava. Reports also indicate that these Hazard-5 entities are + now take longer to detect from Central Command, among other things. LemonInTheDark: - - rscdel: Temporarily reverts h2o support in the sm. We need to work out some kinks. + - rscdel: Temporarily reverts h2o support in the sm. We need to work out some kinks. Qustinnus: - - rscadd: Ethereals have started growing slightly transparent hair in a new mutation - of the lifeform. + - rscadd: + Ethereals have started growing slightly transparent hair in a new mutation + of the lifeform. Ryll/Shaps: - - rscadd: You can now untie and knot up people's shoelaces! You can do so by laying - down next to the person, dragging their sprite onto yours, then clicking "untie/knot - shoes" next to their shoes. + - rscadd: + You can now untie and knot up people's shoelaces! You can do so by laying + down next to the person, dragging their sprite onto yours, then clicking "untie/knot + shoes" next to their shoes. Skoglol: - - bugfix: OOC preferences should now be saving properly again. + - bugfix: OOC preferences should now be saving properly again. Time-Green: - - tweak: Ducts can now be hidden under tiles - - code_imp: tile hiding is now an element and way cooler and sexier - - bugfix: fixes all atmos pipes being hidden under tiles + - tweak: Ducts can now be hidden under tiles + - code_imp: tile hiding is now an element and way cooler and sexier + - bugfix: fixes all atmos pipes being hidden under tiles Whoneedspacee: - - refactor: Permanent Portal fixes and One-Way Portal improvements for mapping. + - refactor: Permanent Portal fixes and One-Way Portal improvements for mapping. XDTM: - - rscadd: Added the Stray Cargo Pod event, which drops a pod containing a random - cargo crate into a random location. Rarely, one might even contain assorted - syndicate gear! + - rscadd: + Added the Stray Cargo Pod event, which drops a pod containing a random + cargo crate into a random location. Rarely, one might even contain assorted + syndicate gear! zxaber: - - balance: Borg upgrade cards are now small items. + - balance: Borg upgrade cards are now small items. 2020-03-18: ATHATH: - - balance: Aggressive grabs from pacifists now make people drop their items, just - like aggressive grabs from non-pacifists do. - - balance: The chances to break out of aggressive, neck, and kill grabs have been - modified slightly, and having large amounts of damage should actually affect - how hard it is to break out of a kill grab now. - - balance: All types of damage now affect how hard it is to break out of a grab, - not just brute and stamina damage. Stamina damage is, as before, weighted twice - as much as the other damage types in the grab escape chance calculation(s). + - balance: + Aggressive grabs from pacifists now make people drop their items, just + like aggressive grabs from non-pacifists do. + - balance: + The chances to break out of aggressive, neck, and kill grabs have been + modified slightly, and having large amounts of damage should actually affect + how hard it is to break out of a kill grab now. + - balance: + All types of damage now affect how hard it is to break out of a grab, + not just brute and stamina damage. Stamina damage is, as before, weighted twice + as much as the other damage types in the grab escape chance calculation(s). ArcaneMusic: - - bugfix: Deconstructing plastic and wooden tables now gives the correct materials. - - bugfix: Snow tiles now show the correct sprite when burned or damaged. + - bugfix: Deconstructing plastic and wooden tables now gives the correct materials. + - bugfix: Snow tiles now show the correct sprite when burned or damaged. Arkatos: - - tweak: AI shells will now have consistent names across deployments. + - tweak: AI shells will now have consistent names across deployments. Dennok: - - bugfix: Now some effects on open space shown properly. - - bugfix: Cronowarriors no more blind after exit from out of time-bluespace. + - bugfix: Now some effects on open space shown properly. + - bugfix: Cronowarriors no more blind after exit from out of time-bluespace. Fikou: - - balance: unstable mutagen no longer mutates rad immune species - - tweak: liquid gibs are now meat material with metalgen - - bugfix: radium isnt uranium with metalgen anymore + - balance: unstable mutagen no longer mutates rad immune species + - tweak: liquid gibs are now meat material with metalgen + - bugfix: radium isnt uranium with metalgen anymore Iamgoofball: - - balance: There is now a preference for Families Antagonist roles. - - balance: There is now one Undercover Cop per Family. - - balance: Police can no longer join Families. They will, however, fake join it - if they use the induction package to get the uniform to stay undercover. - - balance: The Space Cops are reminded that they are NOT Nanotrasen employees. - - balance: Dead gangs or gangs with 1 member no longer count towards the auto-balance - to avoid issues with AFK players or dead gangs limiting the rest of the active - gangs. - - balance: The Space Cops now have ballistic weaponry outside of 5 stars. - - balance: The shuttle will now no longer take off in Families until after an hour - and 10 minutes. + - balance: There is now a preference for Families Antagonist roles. + - balance: There is now one Undercover Cop per Family. + - balance: + Police can no longer join Families. They will, however, fake join it + if they use the induction package to get the uniform to stay undercover. + - balance: The Space Cops are reminded that they are NOT Nanotrasen employees. + - balance: + Dead gangs or gangs with 1 member no longer count towards the auto-balance + to avoid issues with AFK players or dead gangs limiting the rest of the active + gangs. + - balance: The Space Cops now have ballistic weaponry outside of 5 stars. + - balance: + The shuttle will now no longer take off in Families until after an hour + and 10 minutes. JJRcop: - - bugfix: Drone hacking is now fixed - - bugfix: Fixed drone reactivation + - bugfix: Drone hacking is now fixed + - bugfix: Fixed drone reactivation NecromancerAnne and zawo: - - rscadd: The Infiltrator Bundle, an armor kit for 6TC. Murder people in style! - - rscadd: Some pajamas for nukies to get plenty of bed rest. + - rscadd: The Infiltrator Bundle, an armor kit for 6TC. Murder people in style! + - rscadd: Some pajamas for nukies to get plenty of bed rest. RiskySikh: - - rscadd: reagents.end_metabolization which ensures that the reagents will stop - metabolization upon death + - rscadd: + reagents.end_metabolization which ensures that the reagents will stop + metabolization upon death Skoglol: - - bugfix: Prevents revs being rolled twice in dynamic. - - bugfix: Drinks dispensers now only show the container they are holding. + - bugfix: Prevents revs being rolled twice in dynamic. + - bugfix: Drinks dispensers now only show the container they are holding. Timberpoes: - - bugfix: DNA Consoles have had a firmware update. Mutations can once again be removed - properly from the selection list of Advanced Injectors and chromosomes can be - removed from storage in any order. - - bugfix: Chromosomes can now be added to all activated mutations on a test subject - using the DNA Console instead of just the last activated mutation in the list. - - bugfix: Advanced Injectors no longer super-hyper-mega-ultra-expend themselves - and will now only expend themselves once. - - bugfix: Genetic data from used Mutation Activators may now be too limited to extract - a new chromosome at DNA Consoles. - - bugfix: Chromosomes now always insert themselves into DNA Consoles when created, - unless the console storage buffer is full in which case the chromosome is left - on top of the console. - - tweak: There are now additional feedback messages during the chromosome creation - process to keep the user informed. - - rscadd: DNA Consoles have had another firmware update. They are now able to accurately - predict and output which chromosomes than an activated genetic mutation is compatible - with. + - bugfix: + DNA Consoles have had a firmware update. Mutations can once again be removed + properly from the selection list of Advanced Injectors and chromosomes can be + removed from storage in any order. + - bugfix: + Chromosomes can now be added to all activated mutations on a test subject + using the DNA Console instead of just the last activated mutation in the list. + - bugfix: + Advanced Injectors no longer super-hyper-mega-ultra-expend themselves + and will now only expend themselves once. + - bugfix: + Genetic data from used Mutation Activators may now be too limited to extract + a new chromosome at DNA Consoles. + - bugfix: + Chromosomes now always insert themselves into DNA Consoles when created, + unless the console storage buffer is full in which case the chromosome is left + on top of the console. + - tweak: + There are now additional feedback messages during the chromosome creation + process to keep the user informed. + - rscadd: + DNA Consoles have had another firmware update. They are now able to accurately + predict and output which chromosomes than an activated genetic mutation is compatible + with. TiviPlus: - - bugfix: The ablative trenchcoat hood will actually deflect lasers now - - spellcheck: Fixed some grammar + - bugfix: The ablative trenchcoat hood will actually deflect lasers now + - spellcheck: Fixed some grammar necromanceranne: - - bugfix: Fixes batons targeting limbs when they should be applying the stamina - damage to the chest. + - bugfix: + Fixes batons targeting limbs when they should be applying the stamina + damage to the chest. 2020-03-19: Arkatos: - - tweak: Small UI resizes for Bank Machine, Teleporter and Equipment Reclaimer Station - UIs. - - tweak: You now do a confirmatory Button click to lockdown/detonate cyborgs instead - of swimming in the input menu. - - tweak: Small cleanup of Remote Robot Control, Equipment Reclaimer Station, Robotics - Control Console and Exosuit Control Console UIs. + - tweak: + Small UI resizes for Bank Machine, Teleporter and Equipment Reclaimer Station + UIs. + - tweak: + You now do a confirmatory Button click to lockdown/detonate cyborgs instead + of swimming in the input menu. + - tweak: + Small cleanup of Remote Robot Control, Equipment Reclaimer Station, Robotics + Control Console and Exosuit Control Console UIs. kevinz000: - - refactor: movespeed modifiers are now datums and not lists and support global - caching. + - refactor: + movespeed modifiers are now datums and not lists and support global + caching. 2020-03-20: ATHATH: - - balance: Cyborgs (and other silicons) can now unbuckle people from chairs, beds, - and other objects. + - balance: + Cyborgs (and other silicons) can now unbuckle people from chairs, beds, + and other objects. Fikou: - - spellcheck: removed a space in ert prompt + - spellcheck: removed a space in ert prompt Fikou (thanks to Shadowmech88 for idea and RealestEstate/ValkyrieSkies for sprites): - - rscadd: Clarke Mech! - - bugfix: You can now salvage Phazon parts - - rscdel: Firefighter Mech, rest in peace - - balance: Ripley MK-II now has similar armor values to firefighter, but without - the fireproof stuff + - rscadd: Clarke Mech! + - bugfix: You can now salvage Phazon parts + - rscdel: Firefighter Mech, rest in peace + - balance: + Ripley MK-II now has similar armor values to firefighter, but without + the fireproof stuff Indie-ana Jones: - - tweak: Reports coming in indicate that the Space Dragon entity harassing stations - has changed tactics, and is now attempting to flood stations with space carp. - - tweak: Space Dragon preference is no longer shared with xenos, and is instead - an independent option. + - tweak: + Reports coming in indicate that the Space Dragon entity harassing stations + has changed tactics, and is now attempting to flood stations with space carp. + - tweak: + Space Dragon preference is no longer shared with xenos, and is instead + an independent option. Time-Green: - - bugfix: fixes plumbing stuff + - bugfix: fixes plumbing stuff nemvar: - - bugfix: Fixed fucky wucky that gave all heads all access. + - bugfix: Fixed fucky wucky that gave all heads all access. 2020-03-21: ArcaneDefence: - - rscadd: Reports have been coming in that the "adorable moth plushies" have on - occasion "consumed souls and ascended to godhood." - - bugfix: The abductor ship telepad requires a moment to cool down between uses, - and can no longer teleport the console user to multiple locations. + - rscadd: + Reports have been coming in that the "adorable moth plushies" have on + occasion "consumed souls and ascended to godhood." + - bugfix: + The abductor ship telepad requires a moment to cool down between uses, + and can no longer teleport the console user to multiple locations. ArcaneMusic: - - bugfix: Burning clothes no longer burn forever if you're set on fire for too long. - - rscadd: Modular Computers will now sell on the cargo shuttle. - - rscdel: Removes all core RnD Consoles from the Map, except for the bridge. - - tweak: Replaces a console with a Core Console on each map's bridge. - - rscadd: Funky 80s flooring can now be earned from the arcade game. - - tweak: adjusting the price of vend-a-trays is now more responsive. + - bugfix: Burning clothes no longer burn forever if you're set on fire for too long. + - rscadd: Modular Computers will now sell on the cargo shuttle. + - rscdel: Removes all core RnD Consoles from the Map, except for the bridge. + - tweak: Replaces a console with a Core Console on each map's bridge. + - rscadd: Funky 80s flooring can now be earned from the arcade game. + - tweak: adjusting the price of vend-a-trays is now more responsive. Arkatos: - - rscadd: Added new type of spells - Pointed, which use direct cursor guidance to - find its target! - - rscadd: Blind spell is now pointed spell. No more clumsy input menu. - - bugfix: Observers can now properly view Electropack UI. - - tweak: You must now hold Assemblies, TTV and Electropack in your hands in order - to use their UIs. - - bugfix: Currently selected changeling stings will now show proper frame background. - - rscdel: SlimeHUD removed, as all its features are already contained in the generic - HUD version. - - rscdel: Lavaland EliteHUD removed, as all its features are already contained in - the generic HUD version. - - bugfix: Mobs with a generic UI style will now properly show background frame for - hide/show action button. + - rscadd: + Added new type of spells - Pointed, which use direct cursor guidance to + find its target! + - rscadd: Blind spell is now pointed spell. No more clumsy input menu. + - bugfix: Observers can now properly view Electropack UI. + - tweak: + You must now hold Assemblies, TTV and Electropack in your hands in order + to use their UIs. + - bugfix: Currently selected changeling stings will now show proper frame background. + - rscdel: + SlimeHUD removed, as all its features are already contained in the generic + HUD version. + - rscdel: + Lavaland EliteHUD removed, as all its features are already contained in + the generic HUD version. + - bugfix: + Mobs with a generic UI style will now properly show background frame for + hide/show action button. Denton: - - admin: Added logging for the supply shuttle loan event + - admin: Added logging for the supply shuttle loan event EgorDinamit: - - rscadd: Long-range scanners found unknown armed ship near the station. Caution - should be taken while investigating the object. - - rscadd: Recent operations discovered syndicate storage pods all around the universe. - It seems that in your location might be one, containing experimental hardsuit - made by Cyber Sun industries long ago. - - rscadd: Discovering that there is no need to use soldiers as security officers, - Nanotrasen hired most professional units into the new formed assault force. - - imageadd: Added icons for Cybersun hardsuit. - - imageadd: 'Added icons for new NT NPCs subtypes: Assault and Elite(ERT suit) officers.' - - config: Added forgottenship ruin to spaceruinblacklist config. - - rscadd: 'Forgotten ship ruin now additionally contains: Deluxe stock parts box, - box with beakers, 3 toolboxes, box with basic firing pins and a little bit more - of resources in a protected vault and so on, find it out!' - - rscadd: Replaces interrogation room with medbay. - - bugfix: Fixed cybersun hardsuits by adding thermo-regulation button to it. + - rscadd: + Long-range scanners found unknown armed ship near the station. Caution + should be taken while investigating the object. + - rscadd: + Recent operations discovered syndicate storage pods all around the universe. + It seems that in your location might be one, containing experimental hardsuit + made by Cyber Sun industries long ago. + - rscadd: + Discovering that there is no need to use soldiers as security officers, + Nanotrasen hired most professional units into the new formed assault force. + - imageadd: Added icons for Cybersun hardsuit. + - imageadd: "Added icons for new NT NPCs subtypes: Assault and Elite(ERT suit) officers." + - config: Added forgottenship ruin to spaceruinblacklist config. + - rscadd: + "Forgotten ship ruin now additionally contains: Deluxe stock parts box, + box with beakers, 3 toolboxes, box with basic firing pins and a little bit more + of resources in a protected vault and so on, find it out!" + - rscadd: Replaces interrogation room with medbay. + - bugfix: Fixed cybersun hardsuits by adding thermo-regulation button to it. Eskjjlj: - - bugfix: Now you have to take defibrillators out of their mounts to deconstruct - them. + - bugfix: + Now you have to take defibrillators out of their mounts to deconstruct + them. Fikou: - - tweak: knight armour now has an unique list of stuff you can put in its suit storage - - rscadd: Enchanted gloves! they are reskinned to be cooler combat gloves, you get - them for free if you buy a wizard hardsuit or battlesuit - - tweak: if you buy a wizard hardsuit you get an oxygen tank, if you buy a wizard - battlesuit you get sandals - - tweak: wizard now has an internals box - - rscdel: removes the posibrain tech node, posibrains are now in advanced robotics - - tweak: borg upgrade nodes got switched around, 2 nodes were removed and a bunch - of stuff switched places + - tweak: knight armour now has an unique list of stuff you can put in its suit storage + - rscadd: + Enchanted gloves! they are reskinned to be cooler combat gloves, you get + them for free if you buy a wizard hardsuit or battlesuit + - tweak: + if you buy a wizard hardsuit you get an oxygen tank, if you buy a wizard + battlesuit you get sandals + - tweak: wizard now has an internals box + - rscdel: removes the posibrain tech node, posibrains are now in advanced robotics + - tweak: + borg upgrade nodes got switched around, 2 nodes were removed and a bunch + of stuff switched places Ghilker: - - rscadd: Added Freon - - rscadd: Added Hot Ice - - rscadd: Added interactions of freon with SM and reactions with other gases + - rscadd: Added Freon + - rscadd: Added Hot Ice + - rscadd: Added interactions of freon with SM and reactions with other gases Iamgoofball: - - balance: There is now a preference for Families Antagonist roles. - - balance: There is now one Undercover Cop per Family. - - balance: Police can no longer join Families. They will, however, fake join it - if they use the induction package to get the uniform to stay undercover. - - balance: The Space Cops are reminded that they are NOT Nanotrasen employees. - - balance: Dead gangs or gangs with 1 member no longer count towards the auto-balance - to avoid issues with AFK players or dead gangs limiting the rest of the active - gangs. - - balance: The Space Cops now have ballistic weaponry outside of 5 stars. - - balance: The shuttle will now no longer take off in Families until after an hour - and 10 minutes. - - balance: Fixes the price on SOUTH. BRONX. PARADIIIISE! + - balance: There is now a preference for Families Antagonist roles. + - balance: There is now one Undercover Cop per Family. + - balance: + Police can no longer join Families. They will, however, fake join it + if they use the induction package to get the uniform to stay undercover. + - balance: The Space Cops are reminded that they are NOT Nanotrasen employees. + - balance: + Dead gangs or gangs with 1 member no longer count towards the auto-balance + to avoid issues with AFK players or dead gangs limiting the rest of the active + gangs. + - balance: The Space Cops now have ballistic weaponry outside of 5 stars. + - balance: + The shuttle will now no longer take off in Families until after an hour + and 10 minutes. + - balance: Fixes the price on SOUTH. BRONX. PARADIIIISE! LemonInTheDark: - - bugfix: Should fix mega-boh bombs + - bugfix: Should fix mega-boh bombs Qustinnus: - - rscadd: Added the Smooth-Headed quirk. Make sure nobody finds out that you're - very, very bald. + - rscadd: + Added the Smooth-Headed quirk. Make sure nobody finds out that you're + very, very bald. RiskySikh: - - rscadd: Chef's now can make another type of pastry which is the world famous cannoli - which originates from the land of Sicily. - - rscadd: Added a new lean recipe which can be accessed in the crafting menu under - drinks - - spellcheck: Fixes some grammatical mistakes in the code for drug_events and generic_negative_event + - rscadd: + Chef's now can make another type of pastry which is the world famous cannoli + which originates from the land of Sicily. + - rscadd: + Added a new lean recipe which can be accessed in the crafting menu under + drinks + - spellcheck: Fixes some grammatical mistakes in the code for drug_events and generic_negative_event Rohesie: - - bugfix: You no longer nyooom around after using a survival medipen and several - other objects. - - balance: Morphine, changeling adrenaline, traitor adrenals and holding a traitor - hold potato all make you ignore damage slowdown. Red stabilized slime extracts - make you ignore equipment speed variations. + - bugfix: + You no longer nyooom around after using a survival medipen and several + other objects. + - balance: + Morphine, changeling adrenaline, traitor adrenals and holding a traitor + hold potato all make you ignore damage slowdown. Red stabilized slime extracts + make you ignore equipment speed variations. Sylphet: - - rscadd: Added poutine recipe, and a new gravy reagent to go along with it. + - rscadd: Added poutine recipe, and a new gravy reagent to go along with it. Whoneedspacee: - - bugfix: The singularity no longer stops moving when it hits machinery objects - that drop their machine frames. + - bugfix: + The singularity no longer stops moving when it hits machinery objects + that drop their machine frames. XDTM: - - rscadd: Positronic brains can now be given a "personality seed" by Alt-clicking - them. Effectively, this tells ghosts what you plan on using the posibrain for, - to advertise and prevent misunderstandings. + - rscadd: + Positronic brains can now be given a "personality seed" by Alt-clicking + them. Effectively, this tells ghosts what you plan on using the posibrain for, + to advertise and prevent misunderstandings. bobbahbrown: - - server: Discord role auto enrollment can now be configured to require a certain - number of living hours. + - server: + Discord role auto enrollment can now be configured to require a certain + number of living hours. bobubeu: - - rscadd: Adds a strawberry ice cream sandwich sprite - - rscadd: Strawberry ice cream sandwich crafting recipe - - rscadd: Strawberry ice cream sandwich cargo bounty + - rscadd: Adds a strawberry ice cream sandwich sprite + - rscadd: Strawberry ice cream sandwich crafting recipe + - rscadd: Strawberry ice cream sandwich cargo bounty dablusniper: - - tweak: Slightly changed N2 to Airmix/Pure piping in atmos on Metastation to make - it look more organised. - - bugfix: you can no longer get trapped inside the ferry bridge on donutstation - as new buttons have been added on the inside - - bugfix: the ferry bridge now opens and closes properly - - tweak: moved vents in ferry bridge to no loner leak air into space when the bridge - is open - - tweak: removed airlocks from the ferry bridge to make it look better - - bugfix: added missing pipes South of holodeck to connect North research maint - to the donutstation pipenet - - tweak: moved an exposed electrified grille in maint so it's no longer electrified - - tweak: Added "Reset" AI module to Donutstation upload - - tweak: Geneticist now has medical access on Donutstation - - bugfix: 'fixed #49688, geneticists can now enter genetics through medbay and genetics - maint' - - bugfix: 'fixed #49551, cell 2 and 3 on metastation now function independently' - - bugfix: 'fixed #49437, mining access now gives access to the bar area in the luxury - bluespace shelter' + - tweak: + Slightly changed N2 to Airmix/Pure piping in atmos on Metastation to make + it look more organised. + - bugfix: + you can no longer get trapped inside the ferry bridge on donutstation + as new buttons have been added on the inside + - bugfix: the ferry bridge now opens and closes properly + - tweak: + moved vents in ferry bridge to no loner leak air into space when the bridge + is open + - tweak: removed airlocks from the ferry bridge to make it look better + - bugfix: + added missing pipes South of holodeck to connect North research maint + to the donutstation pipenet + - tweak: moved an exposed electrified grille in maint so it's no longer electrified + - tweak: Added "Reset" AI module to Donutstation upload + - tweak: Geneticist now has medical access on Donutstation + - bugfix: + "fixed #49688, geneticists can now enter genetics through medbay and genetics + maint" + - bugfix: "fixed #49551, cell 2 and 3 on metastation now function independently" + - bugfix: + "fixed #49437, mining access now gives access to the bar area in the luxury + bluespace shelter" mrhugo13: - - rscadd: You can now crack your knuckles with *crack + - rscadd: You can now crack your knuckles with *crack necromanceranne: - - bugfix: Fixes the infiltrator mask giving you a permanent diagnostic hud. + - bugfix: Fixes the infiltrator mask giving you a permanent diagnostic hud. nemvar: - - bugfix: You can now anchor/unanchor railings without bludgeoning them. - - bugfix: Rolling paper boxes no longer become invisible. - - bugfix: Renamed wet leather to wet hide. - - bugfix: Removed invisible critter crates. + - bugfix: You can now anchor/unanchor railings without bludgeoning them. + - bugfix: Rolling paper boxes no longer become invisible. + - bugfix: Renamed wet leather to wet hide. + - bugfix: Removed invisible critter crates. qustinnus: - - bugfix: hygienebot no longer chomps up all your fluid ducts in construction + - bugfix: hygienebot no longer chomps up all your fluid ducts in construction uomo91: - - rscadd: There is now a Psychologist job and a Psychology office in medbay on every - map. Help the crew get their head straight! + - rscadd: + There is now a Psychologist job and a Psychology office in medbay on every + map. Help the crew get their head straight! wesoda25: - - rscadd: You can now throw plungers into peoples faces! - - balance: The speed buffs of antag chems as well as the yellow orb have been reduced. - - bugfix: You can no longer spam drain power sources as an ethereal. - - tweak: Minor ethereal powersource drain time tweaks. + - rscadd: You can now throw plungers into peoples faces! + - balance: The speed buffs of antag chems as well as the yellow orb have been reduced. + - bugfix: You can no longer spam drain power sources as an ethereal. + - tweak: Minor ethereal powersource drain time tweaks. 2020-03-23: Capsandi: - - bugfix: Sheetifier may now be unanchored and deconstructed + - bugfix: Sheetifier may now be unanchored and deconstructed Dennok: - - tweak: Airlocks now try close self on power up. + - tweak: Airlocks now try close self on power up. Fikou: - - rscadd: Bubblegum Gum, available at your nearest mining vendor for 100 points! - Good for people with blood deficiency - - imageadd: basic gum packet sprite + - rscadd: + Bubblegum Gum, available at your nearest mining vendor for 100 points! + Good for people with blood deficiency + - imageadd: basic gum packet sprite Indie-ana Jones: - - balance: Venus Human Traps have mutated to better hunt their prey, becoming smarter - and able to attach vines to their prey. - - bugfix: Plant-based creatures being affected by kudzu has been fixed. + - balance: + Venus Human Traps have mutated to better hunt their prey, becoming smarter + and able to attach vines to their prey. + - bugfix: Plant-based creatures being affected by kudzu has been fixed. Mickyan, Fikou: - - rscadd: Space Carps can now be tamed by feeding them meat - - rscadd: 'Added a new choice for the curator''s beacon: the Carp Hunter. That''s - a pretty misleading name, it''s all about making friends with the carps instead - of murdering them. You wouldn''t do that anyway, would you?' + - rscadd: Space Carps can now be tamed by feeding them meat + - rscadd: + "Added a new choice for the curator's beacon: the Carp Hunter. That's + a pretty misleading name, it's all about making friends with the carps instead + of murdering them. You wouldn't do that anyway, would you?" RiskySikh: - - tweak: Modified the recipe for Stinger instead of 10 units of Whiskey its now - 10 units of Cognac. Modified the description and taste for Irish Car Bomb, Green - Beer, Goldschlager, Blood Mead, Mead, and Grape Soda. + - tweak: + Modified the recipe for Stinger instead of 10 units of Whiskey its now + 10 units of Cognac. Modified the description and taste for Irish Car Bomb, Green + Beer, Goldschlager, Blood Mead, Mead, and Grape Soda. Rohesie: - - rscadd: You can now thow people you are fireman-carrying, or have them interact - with tables depending on intent (smashing their face if on harm, placing them - gently if on help, carelessly dropping them else). - - bugfix: You can now again strip mobs you have in an aggressive grab or superior. - When on grab intent you'll try to fireman carry as usual, and on other intents - you'll open the strip panel instead. + - rscadd: + You can now thow people you are fireman-carrying, or have them interact + with tables depending on intent (smashing their face if on harm, placing them + gently if on help, carelessly dropping them else). + - bugfix: + You can now again strip mobs you have in an aggressive grab or superior. + When on grab intent you'll try to fireman carry as usual, and on other intents + you'll open the strip panel instead. Tetr4: - - tweak: Air alarm alert thresholds are more generous + - tweak: Air alarm alert thresholds are more generous actioninja: - - rscadd: More stuff glows + - rscadd: More stuff glows dablusniper: - - rscdel: removed old trumpet sprite which wasn't even a trumpet (it was a bugle - goddamnit) - - rscadd: added a new sprite and inhands for trumpets - - rscadd: added a new sprite and inhands for spectral trumpets (they real spooky - now) - - bugfix: fixed trumpets not having their own inhands and using trombone sprites - - rscadd: added a bridge between atmos and incinerator on boxstation - - tweak: added an airlock in North incinerator maint to maintain access to gas storage - tanks - - bugfix: fixed fusion radiation leaking into chem factory by moving incinerator - one tile to the left - - tweak: cleaned up piping in the incinerator room on box + - rscdel: + removed old trumpet sprite which wasn't even a trumpet (it was a bugle + goddamnit) + - rscadd: added a new sprite and inhands for trumpets + - rscadd: + added a new sprite and inhands for spectral trumpets (they real spooky + now) + - bugfix: fixed trumpets not having their own inhands and using trombone sprites + - rscadd: added a bridge between atmos and incinerator on boxstation + - tweak: + added an airlock in North incinerator maint to maintain access to gas storage + tanks + - bugfix: + fixed fusion radiation leaking into chem factory by moving incinerator + one tile to the left + - tweak: cleaned up piping in the incinerator room on box kriskog: - - rscadd: New Camera Console UI (an embedded game view inside tgui window). + - rscadd: New Camera Console UI (an embedded game view inside tgui window). uomo91: - - bugfix: The CMO and HoP now have access to the Psychologist's office on highpop - shifts. + - bugfix: + The CMO and HoP now have access to the Psychologist's office on highpop + shifts. wesoda25: - - rscadd: Black gloves are now available in the SecDrobe + - rscadd: Black gloves are now available in the SecDrobe zxaber: - - imageadd: Sprite change for the Clarke's ore manager + - imageadd: Sprite change for the Clarke's ore manager 2020-03-24: ArcaneDefence: - - bugfix: Vapes loaded with welding fuel no longer prevent you from being further - set on fire from other sources. + - bugfix: + Vapes loaded with welding fuel no longer prevent you from being further + set on fire from other sources. bobbahbrown: - - bugfix: Fixed runtime on donutstation caused by mistype in dmm file + - bugfix: Fixed runtime on donutstation caused by mistype in dmm file 2020-03-26: Dennok: - - code_imp: now copy_from(target, partial) can copy part of target gas moles + - code_imp: now copy_from(target, partial) can copy part of target gas moles Detective-Google: - - code_imp: shotgun's weapon_weight variable being defined twice + - code_imp: shotgun's weapon_weight variable being defined twice Fikou: - - bugfix: swat helmet now has the same armor as the swat suit - - bugfix: people scared of conspiracies are now scared of research directors, instead - of conspiring about a head of research + - bugfix: swat helmet now has the same armor as the swat suit + - bugfix: + people scared of conspiracies are now scared of research directors, instead + of conspiring about a head of research Garen7: - - balance: Caltrop effects such as stepping on broken glass without shoes now require - the person to be standing to take effect. + - balance: + Caltrop effects such as stepping on broken glass without shoes now require + the person to be standing to take effect. RaveRadbury: - - bugfix: Removed prisoners from late round dynamic Head Rev rolls. + - bugfix: Removed prisoners from late round dynamic Head Rev rolls. RiskySikh: - - rscadd: New holy book for chaplain(Guru Granth Sahib) + - rscadd: New holy book for chaplain(Guru Granth Sahib) tralezab: - - rscadd: The Psychology Office now has a small positive moodlet, and some ambience + - rscadd: The Psychology Office now has a small positive moodlet, and some ambience 2020-03-27: Arkatos: - - rscadd: Mind Transfer is now a cursor-guided spell. That input menu is gone, forever. + - rscadd: Mind Transfer is now a cursor-guided spell. That input menu is gone, forever. F-OS: - - spellcheck: corrects literaly to literally in the description for the Permabrig's - plate press + - spellcheck: + corrects literaly to literally in the description for the Permabrig's + plate press Fikou: - - rscadd: the hop now gets a silver trophy as his family heirloom! show how much - of a second place your family is! - - tweak: civilian and service department have been merged - - spellcheck: fixes things being called civillian and not civilian + - rscadd: + the hop now gets a silver trophy as his family heirloom! show how much + of a second place your family is! + - tweak: civilian and service department have been merged + - spellcheck: fixes things being called civillian and not civilian Mickyan: - - imageadd: Changed the look of arrow trimline decals + - imageadd: Changed the look of arrow trimline decals MrStonedOne: - - refactor: Browser resources (images/css/javascript) will no longer be needlessly - resent to all clients between rounds and reconnections - - tweak: Reduced the number of single use html files saved to the Browser Resource - folder (tmp12345) on player machines. + - refactor: + Browser resources (images/css/javascript) will no longer be needlessly + resent to all clients between rounds and reconnections + - tweak: + Reduced the number of single use html files saved to the Browser Resource + folder (tmp12345) on player machines. 2020-03-28: Fikou: - - rscadd: Medical crew now gets medical breathing masks in their internals box + - rscadd: Medical crew now gets medical breathing masks in their internals box Skoglol: - - bugfix: Grinder and biogen now rangecheck before ejecting beaker into hand. + - bugfix: Grinder and biogen now rangecheck before ejecting beaker into hand. trollbreeder: - - rscadd: Nanotrasen reminds it's employees that consumption of any toys produced - by it, and it's subsidiaries may result in choking or asphyxiation. - - rscadd: In other news, the Toy Singularity Eating Challenge is hot on the rise! - Challenge your friends! + - rscadd: + Nanotrasen reminds it's employees that consumption of any toys produced + by it, and it's subsidiaries may result in choking or asphyxiation. + - rscadd: + In other news, the Toy Singularity Eating Challenge is hot on the rise! + Challenge your friends! uomo91: - - rscadd: Nanotrasen has increased the Psychology budget, the Psychologist now starts - the shift with a small stock of useful medications. + - rscadd: + Nanotrasen has increased the Psychology budget, the Psychologist now starts + the shift with a small stock of useful medications. 2020-03-29: ArcaneDefence: - - bugfix: Malfunctioning AIs will no longer be effectively blinded when choosing - to use the camera upgrade module. + - bugfix: + Malfunctioning AIs will no longer be effectively blinded when choosing + to use the camera upgrade module. Coconutwarrior97: - - tweak: Summon events now has only one use at a cost of 2 points. + - tweak: Summon events now has only one use at a cost of 2 points. Dennok: - - bugfix: open/space/bluespace no more can drop server. + - bugfix: open/space/bluespace no more can drop server. Gamer025: - - bugfix: Pressing "Show alerts" in chat now works for borgs + - bugfix: Pressing "Show alerts" in chat now works for borgs Ghilker: - - rscadd: Added cargo worth for freon - - tweak: changed the value of hot ice (increased to mythril level) - - tweak: increased the amount of plasma released from hot ice to 150 moles per sheet - - tweak: increased the amoung of plasma (chem) from hot ice to 300 moles per sheet - in grinding - - tweak: changed hypernob canister sprite to differenciate it from the freon one - - balance: made hot ice easier to make (range of temperatures to 120-160 K and halved - the rate of cooling of freon/o2 reaction) - - bugfix: fixed hot ice not showing up over 34 sheet in the stack - - bugfix: fixed negative temperature issue caused by bad coding the cap, increasing - the minimum temperature and changed the energy used by the reaction + - rscadd: Added cargo worth for freon + - tweak: changed the value of hot ice (increased to mythril level) + - tweak: increased the amount of plasma released from hot ice to 150 moles per sheet + - tweak: + increased the amoung of plasma (chem) from hot ice to 300 moles per sheet + in grinding + - tweak: changed hypernob canister sprite to differenciate it from the freon one + - balance: + made hot ice easier to make (range of temperatures to 120-160 K and halved + the rate of cooling of freon/o2 reaction) + - bugfix: fixed hot ice not showing up over 34 sheet in the stack + - bugfix: + fixed negative temperature issue caused by bad coding the cap, increasing + the minimum temperature and changed the energy used by the reaction Mickyan: - - tweak: Due to a new clause in the Crew Satisfaction Program, the clown has been - given full control over station decorations during April Fools - - tweak: Added randomly colored tile decals for mapping + - tweak: + Due to a new clause in the Crew Satisfaction Program, the clown has been + given full control over station decorations during April Fools + - tweak: Added randomly colored tile decals for mapping Qustinnus: - - bugfix: achievements spam you no more + - bugfix: achievements spam you no more 2020-03-30: ATHATH: - - bugfix: Starting a suicide attempt with a spray bottle, then aborting it partway - through because you had a revelation and decided that life was worth living - after all no longer causes you to commit suicide anyway. - - balance: The Lightning Bolt spell is now robeless, has lower cooldowns, and is - cheaper. - - spellcheck: '"Lightning bolt! Lightning bolt!" is now renamed to "Thrown lightning".' + - bugfix: + Starting a suicide attempt with a spray bottle, then aborting it partway + through because you had a revelation and decided that life was worth living + after all no longer causes you to commit suicide anyway. + - balance: + The Lightning Bolt spell is now robeless, has lower cooldowns, and is + cheaper. + - spellcheck: '"Lightning bolt! Lightning bolt!" is now renamed to "Thrown lightning".' Archanial: - - rscadd: You can now take out disks from nanite consoles by alt-clicking. - - tweak: When exchanging disks in nanite machines, it lands in your hand instead - of on the top it. + - rscadd: You can now take out disks from nanite consoles by alt-clicking. + - tweak: + When exchanging disks in nanite machines, it lands in your hand instead + of on the top it. Arkatos: - - code_imp: Mouse pointer icons were reorganized to be more easily used in the future. + - code_imp: Mouse pointer icons were reorganized to be more easily used in the future. LemonInTheDark: - - bugfix: Fixed a supermatter zap runtime + - bugfix: Fixed a supermatter zap runtime LeonSpilogale: - - rscadd: reagant_add line to line 17, allowing Tea Aspera to produce tea powder - and vitamins + - rscadd: + reagant_add line to line 17, allowing Tea Aspera to produce tea powder + and vitamins MrStonedOne: - - bugfix: "Midnight server time will no longer confuse the server, we hope, maybe\u2122" + - bugfix: "Midnight server time will no longer confuse the server, we hope, maybe\u2122" Skoglol: - - bugfix: Grinders now work again. + - bugfix: Grinders now work again. TiviPlus: - - bugfix: Blueprints may no longer edit noteleport areas + - bugfix: Blueprints may no longer edit noteleport areas Tlaltecuhtli: - - bugfix: curator,chaplain,lawyer,genetist no longer pay for RP important supply - of fluff items + - bugfix: + curator,chaplain,lawyer,genetist no longer pay for RP important supply + of fluff items bandit: - - admin: The Create Command Report dialog now tells you the current CentCom name. + - admin: The Create Command Report dialog now tells you the current CentCom name. lordpidey: - - bugfix: The F.R.A.M.E. cartridge once again creates an unlocked uplink. + - bugfix: The F.R.A.M.E. cartridge once again creates an unlocked uplink. 2020-03-31: Akrilla: - - bugfix: Stamcrit immediately stuns again + - bugfix: Stamcrit immediately stuns again 2020-04-01: ArcaneDefence: - - rscadd: Mothpeople will now grow larger wings when using a potion of flight if - their wings aren't already burnt off. + - rscadd: + Mothpeople will now grow larger wings when using a potion of flight if + their wings aren't already burnt off. ArcaneMusic: - - rscadd: The Nanotrasen cargo and export division has discovered a new recycling - method, enabling significantly more exports off station. - - tweak: Wood's export value per unit has been lowered. + - rscadd: + The Nanotrasen cargo and export division has discovered a new recycling + method, enabling significantly more exports off station. + - tweak: Wood's export value per unit has been lowered. Arkatos: - - rscadd: Curse of the Barnyard is now a cursor-guided spell. Oink. + - rscadd: Curse of the Barnyard is now a cursor-guided spell. Oink. Fikou: - - balance: armor values on helmet and vest are now the same in the security and - infiltrator pairs and winter hoods + - balance: + armor values on helmet and vest are now the same in the security and + infiltrator pairs and winter hoods Ghommie: - - rscadd: The spraycan color input can now be triggered with ctrl-click while it's - on your person. + - rscadd: + The spraycan color input can now be triggered with ctrl-click while it's + on your person. Iamgoofball: - - admin: Admins can now set custom gamemode policy for Gangsters and Undercover - Cops. + - admin: + Admins can now set custom gamemode policy for Gangsters and Undercover + Cops. Ryll/Shaps: - - balance: Failing unlacing someone's shoes and getting your hand stepped on is - a bit more punishing - - bugfix: You can no longer untie and knot peoples' shoes from across the world, - nor can you queue a bunch of unties to knot them quicker. - - bugfix: Moving while your shoes are being tampered with will properly trigger - stamping on the saboteur's hand + - balance: + Failing unlacing someone's shoes and getting your hand stepped on is + a bit more punishing + - bugfix: + You can no longer untie and knot peoples' shoes from across the world, + nor can you queue a bunch of unties to knot them quicker. + - bugfix: + Moving while your shoes are being tampered with will properly trigger + stamping on the saboteur's hand SteelSlayer: - - code_imp: Updates various machines, which currently use SSfastprocess, so that - they only start processing when it's necessary. Some of these updated machines - have been changed so that they don't ever need to process. - - refactor: Replaces the speed_process var with two new variables. The processing_flags - variable stores bitflags with information about a machine's preferences on when - it should start processing. The subsystem_type var holds the path to which type - of subsystem that machine should use. + - code_imp: + Updates various machines, which currently use SSfastprocess, so that + they only start processing when it's necessary. Some of these updated machines + have been changed so that they don't ever need to process. + - refactor: + Replaces the speed_process var with two new variables. The processing_flags + variable stores bitflags with information about a machine's preferences on when + it should start processing. The subsystem_type var holds the path to which type + of subsystem that machine should use. Time-Green: - - bugfix: Plumbing stuff shouldnt have misleading directions and CONSTANTLY SPIN - EVERYWHERE + - bugfix: + Plumbing stuff shouldnt have misleading directions and CONSTANTLY SPIN + EVERYWHERE XDTM: - - rscadd: Added the Cortex Imprint experimental surgery; it causes the patient's - brain to regenerate damage and mild traumas over time. - - rscadd: Added the Cortex Folding experimental surgery; it increases the chance - of obtaining special traumas instead of severe, and makes them require surgery - to cure. + - rscadd: + Added the Cortex Imprint experimental surgery; it causes the patient's + brain to regenerate damage and mild traumas over time. + - rscadd: + Added the Cortex Folding experimental surgery; it increases the chance + of obtaining special traumas instead of severe, and makes them require surgery + to cure. 2020-04-02: Dennok: - - rscadd: multiZlayer cable hub - - rscadd: Multilayer cable hub to connect different cable layers. - - code_imp: Renamed connect_wire() to Connect_cable() - - code_imp: Create Disconnect_cable() inverse to Connect_cable() - - code_imp: separate machinery_layer flag to determine machinery connection - - rscdel: Removed old cable bridge, replaced by multilayer cable hub + - rscadd: multiZlayer cable hub + - rscadd: Multilayer cable hub to connect different cable layers. + - code_imp: Renamed connect_wire() to Connect_cable() + - code_imp: Create Disconnect_cable() inverse to Connect_cable() + - code_imp: separate machinery_layer flag to determine machinery connection + - rscdel: Removed old cable bridge, replaced by multilayer cable hub Fikou: - - admin: posibrains now use get_policy for their laws + - admin: posibrains now use get_policy for their laws RiskySikh: - - spellcheck: Fixes some grammatical issues in the code for instruments, misc, clusterbang, - and spawnergrenade + - spellcheck: + Fixes some grammatical issues in the code for instruments, misc, clusterbang, + and spawnergrenade trollbreeder: - - rscadd: Nanotrasen has asked to return all first-aid kits produced before 2559 - as they've been recalled due to potential risk of lead acetate poisoning. - - rscadd: Medical doctors have been seen emotionally attached to these outdated - first-aid kits. - - rscdel: Nanotrasen reports fewer cases of necrophillia, as medical doctors no - longer feel any emotions towards body bags. - - rscdel: Nanotrasen also reports that medical doctors are no longer attached to - 21st century heart listening devices. - - imageadd: Ancient medkits are now properly ancient in design. + - rscadd: + Nanotrasen has asked to return all first-aid kits produced before 2559 + as they've been recalled due to potential risk of lead acetate poisoning. + - rscadd: + Medical doctors have been seen emotionally attached to these outdated + first-aid kits. + - rscdel: + Nanotrasen reports fewer cases of necrophillia, as medical doctors no + longer feel any emotions towards body bags. + - rscdel: + Nanotrasen also reports that medical doctors are no longer attached to + 21st century heart listening devices. + - imageadd: Ancient medkits are now properly ancient in design. 2020-04-03: ExcessiveUseOfCobblestone: - - bugfix: You are now truly incapacitated while stamcritted. + - bugfix: You are now truly incapacitated while stamcritted. Mickyan: - - balance: Most storage bags can no longer be stored inside backpacks + - balance: Most storage bags can no longer be stored inside backpacks Time-Green: - - bugfix: plumbing now properly rotates, I promise + - bugfix: plumbing now properly rotates, I promise 2020-04-04: ArcaneMusic: - - bugfix: The entirety of hydroponics works again! - - rscadd: Plants can now Cross-Pollinate, via adjacency. This causes plant stats - of average into each-other. - - rscadd: Plants now have a new stat, Instability. Instability allows for gradual - mutations to a plant's stats at certain thresholds, and a chance of mutation, - or gaining new random traits at even higher thresholds. - - rscadd: Plants can be grafted when ready to harvest, and grafts can be applied - to plants in order to share unique traits, or share stat changes. - - rscdel: The Plant DNA Manipulator is dead. Long Live the DNA manipulator. - - tweak: Hydroponics trays now have their own internal beaker for holding chemical - reagents. As such, chemical affects on plants are gradual, and slowly alter - seed stats over generations. - - balance: Several chemicals are adjusted to match the new system. Experiment! + - bugfix: The entirety of hydroponics works again! + - rscadd: + Plants can now Cross-Pollinate, via adjacency. This causes plant stats + of average into each-other. + - rscadd: + Plants now have a new stat, Instability. Instability allows for gradual + mutations to a plant's stats at certain thresholds, and a chance of mutation, + or gaining new random traits at even higher thresholds. + - rscadd: + Plants can be grafted when ready to harvest, and grafts can be applied + to plants in order to share unique traits, or share stat changes. + - rscdel: The Plant DNA Manipulator is dead. Long Live the DNA manipulator. + - tweak: + Hydroponics trays now have their own internal beaker for holding chemical + reagents. As such, chemical affects on plants are gradual, and slowly alter + seed stats over generations. + - balance: Several chemicals are adjusted to match the new system. Experiment! EOBGames (Inept): - - rscadd: A whole bunch of materials are now datumised! Check out bronze, runed - metal, sand, sandstone, snow, paper, cardboard, bone and bamboo. Oh, and pizza. - Yes, pizza. + - rscadd: + A whole bunch of materials are now datumised! Check out bronze, runed + metal, sand, sandstone, snow, paper, cardboard, bone and bamboo. Oh, and pizza. + Yes, pizza. Ryll/Shaps: - - rscadd: Adds stingbangs to cargo (and one in the sec vendor premium), premium - less-lethal grenades that shoot off a giant swarm of stingball pellets to help - incapacitate swarms of people in tight quarters. You can jump on top of a live - one to be a hero and absorb a bunch of shrapnel, same with frag grenades. There's - even an achievement for dying to a grenade you jumped on! - - rscadd: Projectiles can now embed in people! Or at least grenade shrapnel and - the new .38 DumDum ammo, now available in cargo, can. DumDum rounds excel against - unarmored targets, but are pricey and do poorly against armored targets. - - rscadd: Bullets can now ricochet! Or at least, standard .38 and the new .38/L6 - Match Grade ammo can. Match Grade ammo is finely tuned to ricochet easier and - seek targets off bounces better, and can be purchased from cargo (for the .38) - or nuke ops uplink (for the L6), but standard .38 ammo has a chance to ricochet - as well. - - tweak: Frag grenades now have smaller explosions but shoot off a bunch of devastating - shrapnel, excellent for soft targets! - - tweak: Shotguns and other multi-pellet guns now print aggregate messages, so you'll - get one "You've been hit by 6 buckshot pellets!" rather than 6 "You've been - hit by the buckshot pellet in the X!" messages. Bye bye lag! - - balance: Armor can now protect against embedding weapons, taking the best of either - the bullet or bomb armor for the limb in question away from the embed chance. - Some weapons are better at piercing armor than others! - - rscadd: Due to pressure from various organizations, Nanotrasen is implementing - a new ban on the purchase of alcohol and tobacco products for crewmembers under - the age of 20 onboard its Spinward space stations. Please remember that providing - alcohol or tobacco products to underage crewmembers is against Space Law, and - remember to check those cards bartenders! - - rscadd: Standard Nanotrasen IDs now display the registered age of the holder, - which you can change at the HoP's access console. + - rscadd: + Adds stingbangs to cargo (and one in the sec vendor premium), premium + less-lethal grenades that shoot off a giant swarm of stingball pellets to help + incapacitate swarms of people in tight quarters. You can jump on top of a live + one to be a hero and absorb a bunch of shrapnel, same with frag grenades. There's + even an achievement for dying to a grenade you jumped on! + - rscadd: + Projectiles can now embed in people! Or at least grenade shrapnel and + the new .38 DumDum ammo, now available in cargo, can. DumDum rounds excel against + unarmored targets, but are pricey and do poorly against armored targets. + - rscadd: + Bullets can now ricochet! Or at least, standard .38 and the new .38/L6 + Match Grade ammo can. Match Grade ammo is finely tuned to ricochet easier and + seek targets off bounces better, and can be purchased from cargo (for the .38) + or nuke ops uplink (for the L6), but standard .38 ammo has a chance to ricochet + as well. + - tweak: + Frag grenades now have smaller explosions but shoot off a bunch of devastating + shrapnel, excellent for soft targets! + - tweak: + Shotguns and other multi-pellet guns now print aggregate messages, so you'll + get one "You've been hit by 6 buckshot pellets!" rather than 6 "You've been + hit by the buckshot pellet in the X!" messages. Bye bye lag! + - balance: + Armor can now protect against embedding weapons, taking the best of either + the bullet or bomb armor for the limb in question away from the embed chance. + Some weapons are better at piercing armor than others! + - rscadd: + Due to pressure from various organizations, Nanotrasen is implementing + a new ban on the purchase of alcohol and tobacco products for crewmembers under + the age of 20 onboard its Spinward space stations. Please remember that providing + alcohol or tobacco products to underage crewmembers is against Space Law, and + remember to check those cards bartenders! + - rscadd: + Standard Nanotrasen IDs now display the registered age of the holder, + which you can change at the HoP's access console. 2020-04-05: Akrilla: - - rscadd: Readds the dropoff locator - points to where you need to dropoff your - target. - - tweak: Contract tablet hides other contracts while there's an active one. + - rscadd: + Readds the dropoff locator - points to where you need to dropoff your + target. + - tweak: Contract tablet hides other contracts while there's an active one. ArcaneDefence: - - bugfix: Attempting to fireman's carry someone that is buckled to an object will - fail. + - bugfix: + Attempting to fireman's carry someone that is buckled to an object will + fail. ArcaneMusic: - - rscadd: The new food item, Royal Cheese, can be now be made. - - rscadd: Feeding a mouse a Royal Cheese can have dangerous, but lucrative effects. - - bugfix: Plant grafts, instability, plant crosspollination all work correctly again. - - tweak: EZ nutrient and Robust Harvest have had their stat adjustments tweaked - closer to their original intention. - - rscadd: The PDA Atmos Scanner can now be downloaded and used on modular computers. + - rscadd: The new food item, Royal Cheese, can be now be made. + - rscadd: Feeding a mouse a Royal Cheese can have dangerous, but lucrative effects. + - bugfix: Plant grafts, instability, plant crosspollination all work correctly again. + - tweak: + EZ nutrient and Robust Harvest have had their stat adjustments tweaked + closer to their original intention. + - rscadd: The PDA Atmos Scanner can now be downloaded and used on modular computers. Cruix: - - bugfix: Fixed some phobia reactions forcing people with abductor tongues to speak - out loud - - bugfix: Causing a monkey powder reaction in a monkey cube now deletes the monkey - cube - - bugfix: Mech teleporters can now only select a destination within 7 tiles and - on the same Z-level - - bugfix: Space ninjas can now properly extract research data from technology disks - - bugfix: You can no longer attempt to tackle items that are in your inventory + - bugfix: + Fixed some phobia reactions forcing people with abductor tongues to speak + out loud + - bugfix: + Causing a monkey powder reaction in a monkey cube now deletes the monkey + cube + - bugfix: + Mech teleporters can now only select a destination within 7 tiles and + on the same Z-level + - bugfix: Space ninjas can now properly extract research data from technology disks + - bugfix: You can no longer attempt to tackle items that are in your inventory IndieanaJones: - - bugfix: Carp Rifts now allow infinite carp spawns upon a Space Dragon completing - his objective. + - bugfix: + Carp Rifts now allow infinite carp spawns upon a Space Dragon completing + his objective. Mickyan: - - bugfix: bubblegum can correctly be stored in gum boxes + - bugfix: bubblegum can correctly be stored in gum boxes YakumoChen: - - bugfix: Fixes ancient egregious (possibly lawyer-unfriendly) soda advertising - poster. + - bugfix: + Fixes ancient egregious (possibly lawyer-unfriendly) soda advertising + poster. nemvar: - - rscadd: tgui interface for the automated announcement console. + - rscadd: tgui interface for the automated announcement console. wesoda25: - - bugfix: You no longer hit fermenting barrels when taking reagents from them + - bugfix: You no longer hit fermenting barrels when taking reagents from them 2020-04-06: ATHATH: - - balance: Clown ops are no longer clumsy by default. - - balance: Clown ops now spawn with a clumsiness injector and a box of ultra hilarious - firing pins in their backpack. - - rscadd: Ultra hilarious firing pins and super ultra hilarious firing pins have - been added to the list of clown op and traitor clown items. - - rscadd: Clumsiness injectors have been added as a 1 TC traitor clown (and clown - op) item for traitor clowns who wish to become clumsy again. - - balance: Clown ops can no longer buy traitor syndi-kits, miniature energy crossbows, - sleepy pens, or infiltrator cases. + - balance: Clown ops are no longer clumsy by default. + - balance: + Clown ops now spawn with a clumsiness injector and a box of ultra hilarious + firing pins in their backpack. + - rscadd: + Ultra hilarious firing pins and super ultra hilarious firing pins have + been added to the list of clown op and traitor clown items. + - rscadd: + Clumsiness injectors have been added as a 1 TC traitor clown (and clown + op) item for traitor clowns who wish to become clumsy again. + - balance: + Clown ops can no longer buy traitor syndi-kits, miniature energy crossbows, + sleepy pens, or infiltrator cases. Akrilla: - - bugfix: Fixes resting and projectiles. + - bugfix: Fixes resting and projectiles. Arkatos: - - rscadd: Mining and service borgs now use a radial menu to select their module - skins. + - rscadd: + Mining and service borgs now use a radial menu to select their module + skins. Fikou: - - rscadd: on april fools laughter demons embrace their clown nature to the fullest - degree + - rscadd: + on april fools laughter demons embrace their clown nature to the fullest + degree Ghilker: - - bugfix: Hot ice burn in fires (made a change to obj_defense.dm where in the obj/fire_act - proc i added at the end of the proc . = ..(), allowing it to call for the parent, - i initially put it at the start obj/fire_act proc but it caused hot ice to runtime - when burned. This change will affect everything that uses fire_act and fire_react - procs) - - rscdel: Removed hot ice ability to make furnitures (to do this i had to add a - new flag to all the base mats that had the MAT_CATEGORY_RIGID flag, the new - flag is MAT_CATEGORY_BASE_RECIPES, if this flag is true then the four basic - recipes will appear, otherwhise it wont) - - tweak: changed the value of the hot ice basemat from 0.75 to 0.2 - - tweak: changed the beauty value of the hot ice basemat from 0.75 to 0.2 + - bugfix: + Hot ice burn in fires (made a change to obj_defense.dm where in the obj/fire_act + proc i added at the end of the proc . = ..(), allowing it to call for the parent, + i initially put it at the start obj/fire_act proc but it caused hot ice to runtime + when burned. This change will affect everything that uses fire_act and fire_react + procs) + - rscdel: + Removed hot ice ability to make furnitures (to do this i had to add a + new flag to all the base mats that had the MAT_CATEGORY_RIGID flag, the new + flag is MAT_CATEGORY_BASE_RECIPES, if this flag is true then the four basic + recipes will appear, otherwhise it wont) + - tweak: changed the value of the hot ice basemat from 0.75 to 0.2 + - tweak: changed the beauty value of the hot ice basemat from 0.75 to 0.2 Qustinnus: - - rscadd: Families wanted stars now only show up when you are involved in it, and - announcements for wanted level changes - - rscadd: hovering over wanted stars tells you what they are through a tooltip + - rscadd: + Families wanted stars now only show up when you are involved in it, and + announcements for wanted level changes + - rscadd: hovering over wanted stars tells you what they are through a tooltip RiskySikh: - - spellcheck: fixes a spelling mistake in taste description for lean + - spellcheck: fixes a spelling mistake in taste description for lean Ryll/Shaps: - - rscadd: The *circle emote now has additional functionality! Go prank your friends! + - rscadd: The *circle emote now has additional functionality! Go prank your friends! Tetr4 and Dennok: - - tweak: Passive vents now transfer based on each individual gases partial pressure, - i.e. they will now mix gases internally and externally if internal and external - pressures are the same. + - tweak: + Passive vents now transfer based on each individual gases partial pressure, + i.e. they will now mix gases internally and externally if internal and external + pressures are the same. TiviPlus: - - balance: RnD consoles can no longer be screwdrivered to reenable research + - balance: RnD consoles can no longer be screwdrivered to reenable research cacogen: - - bugfix: Material floors are now correctly called floors and not plating - - balance: Buffs material floor tiles' throwforces from 1 to 10 (same as iron) to - better showcase the effect of different materials (e.g. meat vs. titanium) - - bugfix: Radioactive items no longer output a single . when examined at a distance + - bugfix: Material floors are now correctly called floors and not plating + - balance: + Buffs material floor tiles' throwforces from 1 to 10 (same as iron) to + better showcase the effect of different materials (e.g. meat vs. titanium) + - bugfix: Radioactive items no longer output a single . when examined at a distance zxaber: - - tweak: The Clarke mech's tracks now slightly damage floor tiles. + - tweak: The Clarke mech's tracks now slightly damage floor tiles. 2020-04-07: ArcaneDefence: - - bugfix: Strange reagent no longer deals toxin damage to slimepeople when reviving - them. That was strange! + - bugfix: + Strange reagent no longer deals toxin damage to slimepeople when reviving + them. That was strange! ArcaneMusic: - - bugfix: You can no longer make the board for the plant gene manipulator. + - bugfix: You can no longer make the board for the plant gene manipulator. Fikou: - - balance: you can no longer fireman carry someone who you are grabbing by neck - or choking and they cant climb on you when being grabbed by neck or choked - ? 'LemonInTheDark, with thanks to: Hugbug for helping me reproduce and test untold + - balance: + you can no longer fireman carry someone who you are grabbing by neck + or choking and they cant climb on you when being grabbed by neck or choked + ? "LemonInTheDark, with thanks to: Hugbug for helping me reproduce and test untold times, Dennok for brainstorming the round() issue, duncathan for guiding me through QUANTIZE changes, Ghilker for helping me test the more arcane atmos stuff, as334 - for assisting with debugging. Thank you all.' + for assisting with debugging. Thank you all." : - bugfix: Outlaws negative molar counts from the atmos system. Mickyan: - - tweak: Opaque curtains now block view when closed - - tweak: Added crafting recipe for cloth curtains + - tweak: Opaque curtains now block view when closed + - tweak: Added crafting recipe for cloth curtains Tetr4: - - bugfix: Silicons can control- and alt-click pumps and other atmos devices wirelessly - to turn them on and max them. + - bugfix: + Silicons can control- and alt-click pumps and other atmos devices wirelessly + to turn them on and max them. Timberpoes: - - tweak: DNA Consoles have received hardware upgrades and have a shiny new interface - as a result. - - tweak: New hardware has dropped legacy support for reading the genetic sequences - of the dead and has only limited support for reading the genetic sequences of - monkeys. - - tweak: Weapons should now spawn chambered and with full magazines. + - tweak: + DNA Consoles have received hardware upgrades and have a shiny new interface + as a result. + - tweak: + New hardware has dropped legacy support for reading the genetic sequences + of the dead and has only limited support for reading the genetic sequences of + monkeys. + - tweak: Weapons should now spawn chambered and with full magazines. TiviPlus: - - rscadd: All Maps now have an Altar of the gods - - rscadd: New "Kotahi" card game now available in fun vendors - - rscadd: Cards stacks will now display the top 3 cards in your hand instead of - a static image + - rscadd: All Maps now have an Altar of the gods + - rscadd: New "Kotahi" card game now available in fun vendors + - rscadd: + Cards stacks will now display the top 3 cards in your hand instead of + a static image actioninja: - - rscadd: Replay recorder backend + - rscadd: Replay recorder backend antropod: - - rscadd: Six new skins for medical gels. Default skin changed to gray. Alt+click - to reskin. Medical gels bought from vendors cannot be reskinned. + - rscadd: + Six new skins for medical gels. Default skin changed to gray. Alt+click + to reskin. Medical gels bought from vendors cannot be reskinned. itseasytosee: - - tweak: pestles are now small items + - tweak: pestles are now small items necromanceranne: - - balance: You need a bluespace anomaly core to make a bag of holding. - - bugfix: Some minor fixes for Sleeping Carp. + - balance: You need a bluespace anomaly core to make a bag of holding. + - bugfix: Some minor fixes for Sleeping Carp. tmtmtl30: - - rscadd: Distraught employees on Nanotransen stations have been observed consuming - monkey cubes as a means of suicide. Nanotransen reminds employees to remain - upbeat, and to not use monkey cubes for anything but their intended purpose. + - rscadd: + Distraught employees on Nanotrasen stations have been observed consuming + monkey cubes as a means of suicide. Nanotrasen reminds employees to remain + upbeat, and to not use monkey cubes for anything but their intended purpose. uomo91: - - bugfix: On Delta station, the two maintenance doors near the Psychology office - now permit medbay staff to access them. - - bugfix: A maintenance door in Delta's Service Hall has been changed from general - maintenance access, to service job access, and renamed accordingly. - - tweak: On Delta, the door leading to the Service Hall from the theater is now - labeled "Service Hall" instead of "Theater Backstage", and all of service is - now able to use it. + - bugfix: + On Delta station, the two maintenance doors near the Psychology office + now permit medbay staff to access them. + - bugfix: + A maintenance door in Delta's Service Hall has been changed from general + maintenance access, to service job access, and renamed accordingly. + - tweak: + On Delta, the door leading to the Service Hall from the theater is now + labeled "Service Hall" instead of "Theater Backstage", and all of service is + now able to use it. zxaber: - - rscadd: A cyborg remote monitor program is now available for modular computer - devices (including tablets). + - rscadd: + A cyborg remote monitor program is now available for modular computer + devices (including tablets). 2020-04-08: ArcaneMusic: - - tweak: Seed Extractors now show seed instability. + - tweak: Seed Extractors now show seed instability. Krysonism: - - imageadd: The hazard cone has a new object sprite. + - imageadd: The hazard cone has a new object sprite. XDTM: - - bugfix: Fixed Cortex Folding surgery having the same effect as Cortex Imprint. + - bugfix: Fixed Cortex Folding surgery having the same effect as Cortex Imprint. 2020-04-14: Tetr4: - - tweak: Air alarm alert thresholds are more generous + - tweak: Air alarm alert thresholds are more generous actioninja: - - rscadd: More stuff glows + - rscadd: More stuff glows dablusniper: - - rscadd: added a bridge between atmos and incinerator on boxstation - - tweak: added an airlock in North incinerator maint to maintain access to gas storage - tanks - - bugfix: fixed fusion radiation leaking into chem factory by moving incinerator - one tile to the left - - tweak: cleaned up piping in the incinerator room on box + - rscadd: added a bridge between atmos and incinerator on boxstation + - tweak: + added an airlock in North incinerator maint to maintain access to gas storage + tanks + - bugfix: + fixed fusion radiation leaking into chem factory by moving incinerator + one tile to the left + - tweak: cleaned up piping in the incinerator room on box 2020-05-09: MarkSuckerberg: - - code_imp: Changelogs are now processed slightly differently, but you shouldn't - really notice it. - - server: No longer will you have to try to run the old, confusing PHP changelog - generator. It's now entirely handled by Github actions. + - code_imp: + Changelogs are now processed slightly differently, but you shouldn't + really notice it. + - server: + No longer will you have to try to run the old, confusing PHP changelog + generator. It's now entirely handled by Github actions. 2020-05-14: CRITAWAKETS: - - tweak: Nanotrasen has made revisions of some of their most important energy guns, - the only differences are cosmetic however. - - rscadd: Added the Quadvolgue, an admin-only shotgun that fires 4 shots. Comes - in special variants including golden (shoots only 2 but still has the same mag!) - and dual (oh no). + - tweak: + Nanotrasen has made revisions of some of their most important energy guns, + the only differences are cosmetic however. + - rscadd: + Added the Quadvolgue, an admin-only shotgun that fires 4 shots. Comes + in special variants including golden (shoots only 2 but still has the same mag!) + and dual (oh no). DerFlammenwerfer: - - tweak: Gives Synthflesh the ability to unhusk corpses + - tweak: Gives Synthflesh the ability to unhusk corpses MarkSuckerberg: - - rscadd: A few more commands are now available on the discord bot. Have a look - with `?help`! - - admin: Multiple new admin commands have been added to redbot that were previously - on the TGS bot. As such, they should be slightly easier to use ~~and abuse~~. - - rscadd: OOC is relayed to the discord. Wooo. + - rscadd: + A few more commands are now available on the discord bot. Have a look + with `?help`! + - admin: + Multiple new admin commands have been added to redbot that were previously + on the TGS bot. As such, they should be slightly easier to use ~~and abuse~~. + - rscadd: OOC is relayed to the discord. Wooo. Sprites by triiodine: - - imageadd: New sprites for security clothing, chefs and civilian suits. + - imageadd: New sprites for security clothing, chefs and civilian suits. Superyodeler: - - balance: nerfed nanite armor programs + - balance: nerfed nanite armor programs TheNeoGamer42: - - rscadd: The L666 FUCKYOUINATOR, a modified L6 Saw that is admin only because its - overpowered. - - tweak: holy shit guns shoot good - - tweak: I think it changed some damage values and shit too - - rscadd: new fire rate var for guns - - tweak: phases out burstfire on guns that don't specifically need it in favor of - true automatic fire - - tweak: universal fire rate changes - - code_imp: fire rate is now tied to gun, and not ammo casing - - balance: lowered energy cost of temp gun projectiles by 60% - 'TheObserver-sys, TripleZeta, and Stewydeadmike ': - - rscadd: Added Peas, as well as two mutations. + - rscadd: + The L666 FUCKYOUINATOR, a modified L6 Saw that is admin only because its + overpowered. + - tweak: holy shit guns shoot good + - tweak: I think it changed some damage values and shit too + - rscadd: new fire rate var for guns + - tweak: + phases out burstfire on guns that don't specifically need it in favor of + true automatic fire + - tweak: universal fire rate changes + - code_imp: fire rate is now tied to gun, and not ammo casing + - balance: lowered energy cost of temp gun projectiles by 60% + "TheObserver-sys, TripleZeta, and Stewydeadmike ": + - rscadd: Added Peas, as well as two mutations. Victor239: - - tweak: Input boxes for emotes are now larger. + - tweak: Input boxes for emotes are now larger. triplezeta: - - rscadd: Ported Beestation mutation toxin recipes - - bugfix: hypercharged slime cores have their proper recharge rate as well. + - rscadd: Ported Beestation mutation toxin recipes + - bugfix: hypercharged slime cores have their proper recharge rate as well. 2020-05-18: Victor239: - - rscadd: Brig Physician gets a defibrillator in their locker - - rscadd: Warden's locker now has a megaphone - - rscadd: HOS' locker now has a box of deputy armbands, spare trenchcoat and bowmans - - tweak: CMO hardsuit is now flashproof - - tweak: Nuke operative chest implants reversed - now you can remove the microbomb - implant without having to scrap the firearm authentication implant. - - rscadd: Classic EMP grenades now break lights also. - - rscadd: Plague doctor costume now available as contraband in the ViroDrobe. + - rscadd: Brig Physician gets a defibrillator in their locker + - rscadd: Warden's locker now has a megaphone + - rscadd: HOS' locker now has a box of deputy armbands, spare trenchcoat and bowmans + - tweak: CMO hardsuit is now flashproof + - tweak: + Nuke operative chest implants reversed - now you can remove the microbomb + implant without having to scrap the firearm authentication implant. + - rscadd: Classic EMP grenades now break lights also. + - rscadd: Plague doctor costume now available as contraband in the ViroDrobe. dinnerwoerror: - - rscadd: plasmaman command envirosuits - - rscadd: a new brig physician envirosuit + - rscadd: plasmaman command envirosuits + - rscadd: a new brig physician envirosuit 2020-05-19: MarkSuckerberg: - - rscadd: A new loadout system has been added. Finally, something to spend [currency - name] on! - - rscadd: A few new sub-departments now have berets in respective wardrobes and - lockers. - - imageadd: Berets have gotten a resprite, and a few more departments have been - given their own versions of them. + - rscadd: + A new loadout system has been added. Finally, something to spend [currency + name] on! + - rscadd: + A few new sub-departments now have berets in respective wardrobes and + lockers. + - imageadd: + Berets have gotten a resprite, and a few more departments have been + given their own versions of them. 2020-05-20: CRITAWAKETS: - - bugfix: Nanotrasen has fixed the power singularity inside of their Box-Pattern - Mining Shuttle. + - bugfix: + Nanotrasen has fixed the power singularity inside of their Box-Pattern + Mining Shuttle. Victor239: - - rscadd: Tanks now show internal mol + - rscadd: Tanks now show internal mol 2020-05-23: Maldaris: - - rscadd: blacksuit_skirt and blacksuit to loadout lists + - rscadd: blacksuit_skirt and blacksuit to loadout lists 2020-05-28: BigFatAnimeTiddies: - - bugfix: Pubbystation blueprints were reviewed and have had the Disposal lines - fixed. Janitors rejoice. + - bugfix: + Pubbystation blueprints were reviewed and have had the Disposal lines + fixed. Janitors rejoice. Maldaris: - - server: yarn.lock refresh for tgui to mitigate build issues + - server: yarn.lock refresh for tgui to mitigate build issues Superyodeler: - - bugfix: Spacepod armor actually gets removed + - bugfix: Spacepod armor actually gets removed TheNeoGamer42: - - bugfix: you can be a degenerate again + - bugfix: you can be a degenerate again Victor239: - - rscadd: Added grenade launcher to nukie uplink. Costs 6 TC. - - tweak: Grenade launcher now fits on security exosuit storage slots such as the - armor vest. - - rscadd: Subtler emotes. Use *subtler or the verb in the IC tab to use this emote. - It works like a normal hearable or visible emote with a 1 tile radius. + - rscadd: Added grenade launcher to nukie uplink. Costs 6 TC. + - tweak: + Grenade launcher now fits on security exosuit storage slots such as the + armor vest. + - rscadd: + Subtler emotes. Use *subtler or the verb in the IC tab to use this emote. + It works like a normal hearable or visible emote with a 1 tile radius. 2020-05-29: BigFatAnimeTiddies: - - rscadd: The Atmospherics department on Box have been given a second hardsuit to - fit their needs, as well as a large, portable, toxins filter. - - tweak: The blueprints for Boxstation have been updated to reduce the amount of - pipes in the Atmospherics department, encouraging experimentation. Additional - lighting has also been provided. + - rscadd: + The Atmospherics department on Box have been given a second hardsuit to + fit their needs, as well as a large, portable, toxins filter. + - tweak: + The blueprints for Boxstation have been updated to reduce the amount of + pipes in the Atmospherics department, encouraging experimentation. Additional + lighting has also been provided. Superyodeler: - - bugfix: fixes loadout runtimes + - bugfix: fixes loadout runtimes Victor239: - - rscadd: 'New chaplain traitor item: Cult Construct Kit. Contains two beacons with - a construct shell each and a belt full of purified soulstones. Costs 20 TC.' + - rscadd: + "New chaplain traitor item: Cult Construct Kit. Contains two beacons with + a construct shell each and a belt full of purified soulstones. Costs 20 TC." 2020-05-30: CRITAWAKETS: - - rscadd: TerraGov has upped their arsenal (and budget). They now have a base of - operations, energy swords, new armor for their elites and a new AR design. - - tweak: The old abandoned UFO design around PubbyStation has been taken to NT for - recycling. However, it seems another UFO is floating around the station. A bigger - mining/scout carrier, the NTSC "Boomer". + - rscadd: + TerraGov has upped their arsenal (and budget). They now have a base of + operations, energy swords, new armor for their elites and a new AR design. + - tweak: + The old abandoned UFO design around PubbyStation has been taken to NT for + recycling. However, it seems another UFO is floating around the station. A bigger + mining/scout carrier, the NTSC "Boomer". Superyodeler: - - balance: Increased nanite drain of nanite armor programs from 0.5 to 1.0 - - balance: worn armor and physiological armor stacks multiplicatively + - balance: Increased nanite drain of nanite armor programs from 0.5 to 1.0 + - balance: worn armor and physiological armor stacks multiplicatively 2020-06-01: CRITAWAKETS: - - rscadd: The lieutenant's security belt is pre-filled now, and has pepper spray! - Finally something good for lieutenants! + - rscadd: + The lieutenant's security belt is pre-filled now, and has pepper spray! + Finally something good for lieutenants! Picklesoup: - - tweak: Shifted some metacoin gain numbers around so getting them isn't as slow. + - tweak: Shifted some metacoin gain numbers around so getting them isn't as slow. dinnerwoerror: - - rscadd: the commander pistol - - rscadd: commander pistol in warren den and head of shitcurity lockers - - rscadd: unloaded commander pistol in security gear lockers - - rscadd: commander ammunition in the armory - - rscadd: commander ammunition in the techwebs + - rscadd: the commander pistol + - rscadd: commander pistol in warren den and head of shitcurity lockers + - rscadd: unloaded commander pistol in security gear lockers + - rscadd: commander ammunition in the armory + - rscadd: commander ammunition in the techwebs 2020-06-03: Victor239: - - rscadd: Semi-auto rounds and heavy laser autoturrets added to nuke operative uplink - for 8 and 12 TC respectively. + - rscadd: + Semi-auto rounds and heavy laser autoturrets added to nuke operative uplink + for 8 and 12 TC respectively. dinnerwoerror: - - balance: made the lieutenants relover less of a meme, or more of a meme depending - on your point of view + - balance: + made the lieutenants relover less of a meme, or more of a meme depending + on your point of view 2020-06-04: MarkSuckerberg: - - tweak: The changelog now says waspstation instead of /tg/station + - tweak: The changelog now says waspstation instead of /tg/station Vorak2: - - rscadd: A fast food restaurant has gone dark in your area the last message from - the establishment said something about plushies - - rscadd: A secure storage site that has been depowerd and abandoned for years has - floated into your area it is said to contain some rare items - - rscadd: an asteroid mining operation in your area has gone dark after reports - of monsters being active in the area bee on the lookout for it as the last report - stated they had a considerable amount of ores in the base + - rscadd: + A fast food restaurant has gone dark in your area the last message from + the establishment said something about plushies + - rscadd: + A secure storage site that has been depowerd and abandoned for years has + floated into your area it is said to contain some rare items + - rscadd: + an asteroid mining operation in your area has gone dark after reports + of monsters being active in the area bee on the lookout for it as the last report + stated they had a considerable amount of ores in the base 2020-06-05: ADepressedPyroshark: - - tweak: tweaked Abductors gear console now tells you that everything costs something + - tweak: tweaked Abductors gear console now tells you that everything costs something 2020-06-08: Maldaris: - - imageadd: added asexual augment sprites for chest/head + - imageadd: added asexual augment sprites for chest/head Superyodeler: - - rscdel: Removed paramedic bowmans + - rscdel: Removed paramedic bowmans Victor239: - - rscadd: A few more jumpsuit colours and suit styles now available as loadout options. + - rscadd: A few more jumpsuit colours and suit styles now available as loadout options. 2020-06-09: Maldaris: - - rscadd: Spiderperson race - - rscadd: Player-spider specific structures for web and cocoon with better durability + - rscadd: Spiderperson race + - rscadd: Player-spider specific structures for web and cocoon with better durability Superyodeler: - - bugfix: fixes divide by zero runtime + - bugfix: fixes divide by zero runtime 2020-06-11: ADepressedPyroshark: - - tweak: pAI gets Crew Manifest and Digital Messenger for free + - tweak: pAI gets Crew Manifest and Digital Messenger for free Chayse: - - rscadd: Assorted space-worthy helmets can now act as masks for internals. - - refactor: Internals code can now check any item with the ALLOWSINTERNALS flag - through the GET_INTERNAL_SLOTS define. For now this only checks head and mask - slots, since those are the most realistically speaking usable ones. + - rscadd: Assorted space-worthy helmets can now act as masks for internals. + - refactor: + Internals code can now check any item with the ALLOWSINTERNALS flag + through the GET_INTERNAL_SLOTS define. For now this only checks head and mask + slots, since those are the most realistically speaking usable ones. Maldaris: - - rscdel: Removed HoS Combat gloves for plasmaman only + - rscdel: Removed HoS Combat gloves for plasmaman only SynnGraffkin: - - bugfix: Malfunctioning AIs will no longer be effectively blinded when choosing - to use the camera upgrade module. + - bugfix: + Malfunctioning AIs will no longer be effectively blinded when choosing + to use the camera upgrade module. 2020-06-12: Superyodeler: - - tweak: stamina damage now stacks with normal damage for the purposes of damage - slowdown and stamina crit + - tweak: + stamina damage now stacks with normal damage for the purposes of damage + slowdown and stamina crit 2020-06-18: AsciiSquid: - - rscdel: Spectral blades no longer force-orbit on unwilling ghosts. - - tweak: Spectral blades can now ping ghosts twice as often. + - rscdel: Spectral blades no longer force-orbit on unwilling ghosts. + - tweak: Spectral blades can now ping ghosts twice as often. CRITAWAKETS: - - bugfix: The Nanotrasen Nanite Bugfix Team has finally put out a patch to fix adrenal - programs in their nanites. It only took several months. + - bugfix: + The Nanotrasen Nanite Bugfix Team has finally put out a patch to fix adrenal + programs in their nanites. It only took several months. dinnerwoerror: - - tweak: the oh hi marg emergency shuttle + - tweak: the oh hi marg emergency shuttle 2020-06-19: Maldaris: - - spellcheck: Genetic Sequence Scanner now properly labeled scanner in protolathe. - - rscadd: Added Chief Medical Officer, Research Director, and Chief Engineer to - `protected_jobs` list for traitor game mode. + - spellcheck: Genetic Sequence Scanner now properly labeled scanner in protolathe. + - rscadd: + Added Chief Medical Officer, Research Director, and Chief Engineer to + `protected_jobs` list for traitor game mode. 2020-06-20: BigFatAnimeTiddies: - - rscadd: New SMES room to Boxstation. - - rscdel: Smartwire has been yeeted to oblivion. - - tweak: All Nanotrasen brand stations have had their blueprints updated to use - a legacy wiring system. + - rscadd: New SMES room to Boxstation. + - rscdel: Smartwire has been yeeted to oblivion. + - tweak: + All Nanotrasen brand stations have had their blueprints updated to use + a legacy wiring system. 2020-06-22: Superyodeler: - - bugfix: Removed more geneticist ties to science + - bugfix: Removed more geneticist ties to science 2020-06-23: Epsilos: - - rscadd: Security officers and Wardens have a taser again! The HoS just has his - special gun as usual. - - rscadd: Cargo can now order tasers again! For 4000 points for two! - - balance: Tasers are no longer an instant spessman go horizontal, and should act - more like stunbatons. + - rscadd: + Security officers and Wardens have a taser again! The HoS just has his + special gun as usual. + - rscadd: Cargo can now order tasers again! For 4000 points for two! + - balance: + Tasers are no longer an instant spessman go horizontal, and should act + more like stunbatons. Maldaris: - - balance: 'Traitor objective probabilities reworked: Murder 10%, Maroon 30%, Theft - 60%' + - balance: + "Traitor objective probabilities reworked: Murder 10%, Maroon 30%, Theft + 60%" 2020-06-24: DerFlammenwerfer: - - rscadd: Added dwarves and their language, ported from Skyrats - - tweak: Dwarves do not require being drunk to communicate effectively in Common - - tweak: Dwarves are now slower, tougher, and stronger in a fist fight than humans - - bugfix: Dwarvish language now works properly. - - bugfix: Dwarves can no longer pass over tables as freely as walking. + - rscadd: Added dwarves and their language, ported from Skyrats + - tweak: Dwarves do not require being drunk to communicate effectively in Common + - tweak: Dwarves are now slower, tougher, and stronger in a fist fight than humans + - bugfix: Dwarvish language now works properly. + - bugfix: Dwarves can no longer pass over tables as freely as walking. Victor239: - - rscadd: Adds non-flashproof cheap sunglasses to ClothesMate and metacoins shop. + - rscadd: Adds non-flashproof cheap sunglasses to ClothesMate and metacoins shop. 2020-06-25: AsciiSquid: - - rscadd: Added "nic catgrill gf" available in cargo. + - rscadd: Added "nic catgrill gf" available in cargo. BigFatAnimeTiddies: - - bugfix: We have sent the Engineering Intern who updated the blueprints for Box's - atmospherics to the Gulag for a bit because they forgot an important pipe. + - bugfix: + We have sent the Engineering Intern who updated the blueprints for Box's + atmospherics to the Gulag for a bit because they forgot an important pipe. DerFlammenwerfer: - - rscadd: Adds a status tab display for stored alcohol. - - tweak: Substantially buffs regen for having 400+ stored alcohol. Ultimately still - more useful for recovery than confrontation. - - tweak: Greatly lowers the toxin damage per cycle for alcohol deprivation. Was - 10, now 2.5 + - rscadd: Adds a status tab display for stored alcohol. + - tweak: + Substantially buffs regen for having 400+ stored alcohol. Ultimately still + more useful for recovery than confrontation. + - tweak: + Greatly lowers the toxin damage per cycle for alcohol deprivation. Was + 10, now 2.5 Victor239: - - rscadd: Adds handshaking, headpatting and leg poking. + - rscadd: Adds handshaking, headpatting and leg poking. 2020-06-26: BigFatAnimeTiddies: - - rscadd: The Atmospherics department on Meta have been given a second hardsuit - to fit their needs. - - tweak: The blueprints for Metastation have been updated to reduce the amount of - pipes in the Atmospherics department, encouraging experimentation. Additional - lighting has also been provided. + - rscadd: + The Atmospherics department on Meta have been given a second hardsuit + to fit their needs. + - tweak: + The blueprints for Metastation have been updated to reduce the amount of + pipes in the Atmospherics department, encouraging experimentation. Additional + lighting has also been provided. 2020-06-27: Superyodeler: - - tweak: persistance controller only remembers 1 round (plus the current) for the - purposes of map votes + - tweak: + persistance controller only remembers 1 round (plus the current) for the + purposes of map votes dinnerwoerror: - - rscadd: a bunch of cargo crates - - tweak: also the traitor surgical kit is actually useful + - rscadd: a bunch of cargo crates + - tweak: also the traitor surgical kit is actually useful 2020-06-28: MarkSuckerberg: - - tweak: enviroskirts are now linked to the suitskirt preference + - tweak: enviroskirts are now linked to the suitskirt preference SynnGraffkin: - - bugfix: Engineering units have been deployed to repair missing tile on Metastation. + - bugfix: Engineering units have been deployed to repair missing tile on Metastation. 2020-06-29: BigFatAnimeTiddies: - - bugfix: Fixes Nightmares spawning without Lighteater + - bugfix: Fixes Nightmares spawning without Lighteater 2020-07-02: MarkSuckerberg: - - rscadd: Added alternate job titles to the game - - tweak: If you set an ID's job to an alternate job title, it will actually show - the proper overlay. + - rscadd: Added alternate job titles to the game + - tweak: + If you set an ID's job to an alternate job title, it will actually show + the proper overlay. 2020-07-04: MarkSuckerberg, Superyodeler: - - rscadd: Jake from State Fa- er, the Syndicate has been sighted near Nanotrasen - space. Be suspicious of any Khaki-wearing crewmembers. + - rscadd: + Jake from State Fa- er, the Syndicate has been sighted near Nanotrasen + space. Be suspicious of any Khaki-wearing crewmembers. triplezeta: - - balance: The Head of Security's X-01 energy gun has had its ion bolt lens reshaped - slightly, allowing for far more efficiency in projecting ion bolts. It is now - capable of firing up to 10 ion bolts before needing to recharge. - - balance: The Head of Security's energy gun has additionally had a fourth lens - added to its optics array, allowing for the firing of taser electrodes. - - imageadd: An assistant offered the Head of Security and Captain a "makeover" for - their "crusty, soul covered guns" + - balance: + The Head of Security's X-01 energy gun has had its ion bolt lens reshaped + slightly, allowing for far more efficiency in projecting ion bolts. It is now + capable of firing up to 10 ion bolts before needing to recharge. + - balance: + The Head of Security's energy gun has additionally had a fourth lens + added to its optics array, allowing for the firing of taser electrodes. + - imageadd: + An assistant offered the Head of Security and Captain a "makeover" for + their "crusty, soul covered guns" 2020-07-05: BigFatAnimeTiddies: - - bugfix: Space restaurant, power puzzle, and scav mining space ruins are now spawning - properly. + - bugfix: + Space restaurant, power puzzle, and scav mining space ruins are now spawning + properly. 2020-07-07: MarkSuckerberg: - - bugfix: PDA Signaler carts can actually signal again + - bugfix: PDA Signaler carts can actually signal again 2020-07-08: AsciiSquid: - - rscadd: Added sword that is also drugs. + - rscadd: Added sword that is also drugs. BigFatAnimeTiddies: - - rscadd: The AI core has been relocated to the center of the station, and the gravity - generator has been relocated to Engineering. All systems appear to be functional. - - rscdel: AI Satellite has been yeeted from existence on Boxstation - - rscadd: The maintenance bar has been receiving a lot of work from various assistants - throughout every shift, but rumor has it that greyshirts have gone missing and - were last seen having a bite to eat there. A Nanotrasen representative was deployed - to do an inspection in a recent shift and was served a strange, but still tasty, - burger. + - rscadd: + The AI core has been relocated to the center of the station, and the gravity + generator has been relocated to Engineering. All systems appear to be functional. + - rscdel: AI Satellite has been yeeted from existence on Boxstation + - rscadd: + The maintenance bar has been receiving a lot of work from various assistants + throughout every shift, but rumor has it that greyshirts have gone missing and + were last seen having a bite to eat there. A Nanotrasen representative was deployed + to do an inspection in a recent shift and was served a strange, but still tasty, + burger. 2020-07-10: BigFatAnimeTiddies: - - bugfix: The cameras that monitor Pubbystation's engine have been properly reconnected - to the right networks. + - bugfix: + The cameras that monitor Pubbystation's engine have been properly reconnected + to the right networks. CRITAWAKETS: - - balance: Nanotrasen has figured out that simple application of [REDACTED] removed - the harmful Tachyite Particles inside of stimulum, making it non-toxic and safe - to breathe. + - balance: + Nanotrasen has figured out that simple application of [REDACTED] removed + the harmful Tachyite Particles inside of stimulum, making it non-toxic and safe + to breathe. Quantum-M: - - tweak: Updates the plumbing sprites. + - tweak: Updates the plumbing sprites. TheNeoGamer42: - - rscadd: Spacevines now have an announcement when they spawn + - rscadd: Spacevines now have an announcement when they spawn 2020-07-11: Maldaris: - - bugfix: PDA/ID now properly spawn when a Uniform is selected in loadout preferences + - bugfix: PDA/ID now properly spawn when a Uniform is selected in loadout preferences 2020-07-12: MarkSuckerberg: - - imageadd: Command and Centcom uniforms have been resprited. Expect 97% less eyebleeding! + - imageadd: Command and Centcom uniforms have been resprited. Expect 97% less eyebleeding! 2020-07-13: AsciiSquid: - - bugfix: Arachnid mandibles no longer render in front of masks. + - bugfix: Arachnid mandibles no longer render in front of masks. 2020-07-14: AsciiSquid: - - balance: Bluespace miners now scale with stock parts + - balance: Bluespace miners now scale with stock parts SynnGraffkin: - - bugfix: Tesla engine no longer blows up its own containment when generating energy - balls. + - bugfix: + Tesla engine no longer blows up its own containment when generating energy + balls. 2020-07-15: SynnGraffkin: - - tweak: Atmospheric technicians have had their minimal permissions increased on - their ID to allow Engine access during a fully staffed team, not just during - skeleton shifts. + - tweak: + Atmospheric technicians have had their minimal permissions increased on + their ID to allow Engine access during a fully staffed team, not just during + skeleton shifts. 2020-07-16: BigFatAnimeTiddies: - - rscadd: A new space ruin can be possibly located near the station, known as the - Space Gym. + - rscadd: + A new space ruin can be possibly located near the station, known as the + Space Gym. Superyodeler: - - bugfix: Prevents duping power with SMESs - - code_imp: Replaces magic numbers + - bugfix: Prevents duping power with SMESs + - code_imp: Replaces magic numbers 2020-07-18: MarkSuckerberg: - - rscadd: the original compact combat shottie has been reunited with its family + - rscadd: the original compact combat shottie has been reunited with its family 2020-07-20: AsciiSquid: - - balance: Bluespace miners now violate 20% less laws of physics, and require power - to function. + - balance: + Bluespace miners now violate 20% less laws of physics, and require power + to function. BigFatAnimeTiddies: - - bugfix: Fixes roundstart atmos issues for a few space ruins. - - bugfix: Research and Medical hardsuit designs have been fixed to be more inline - with other space worthy suits on the station. + - bugfix: Fixes roundstart atmos issues for a few space ruins. + - bugfix: + Research and Medical hardsuit designs have been fixed to be more inline + with other space worthy suits on the station. Maldaris: - - rscadd: Add proboscis organ for moths - - tweak: Add buzzwords to moths and arachnids - - bugfix: Changes the Rachnidian speak key to not collide with Moffic. + - rscadd: Add proboscis organ for moths + - tweak: Add buzzwords to moths and arachnids + - bugfix: Changes the Rachnidian speak key to not collide with Moffic. MarkSuckerberg: - - tweak: People with the spider phobia now are afraid of spiderpeople (arachnids) + - tweak: People with the spider phobia now are afraid of spiderpeople (arachnids) 2020-07-25: SynnGraffkin: - - rscadd: Engineering suit storage units come stocked with a pair of magboots now, - alongside the usual hardsuit equipment. - - bugfix: Less runtimes being spammed in unsorted.dm + - rscadd: + Engineering suit storage units come stocked with a pair of magboots now, + alongside the usual hardsuit equipment. + - bugfix: Less runtimes being spammed in unsorted.dm 2020-07-26: SynnGraffkin: - - bugfix: Grilles are no longer shocked by simply existing on a wire. A node is - still required to shock them. - - bugfix: Wires will no longer burn if they're under a tile that's on fire - - code_imp: Reinserted some old checks for if something is over/under a tile - - bugfix: Fixes revenant radiation contamination. - - refactor: Cleaned up some of the radiation traits and bitflags + - bugfix: + Grilles are no longer shocked by simply existing on a wire. A node is + still required to shock them. + - bugfix: Wires will no longer burn if they're under a tile that's on fire + - code_imp: Reinserted some old checks for if something is over/under a tile + - bugfix: Fixes revenant radiation contamination. + - refactor: Cleaned up some of the radiation traits and bitflags 2020-07-27: Maldaris: - - rscadd: 'Added Malfunctioning AI "Hack # APCs" objective' - - rscadd: Added the ability for an AI to "mask" their presence in an APC for 30 - to 60 seconds. - - balance: Added minimum player count to spawn a Malfunctioning AI. - - balance: Reworked objective layout similar to normal Traitors, with less likely - murder objectives. - - config: Added `MAX_MALF_APC_HACK_OBJ` and `TRAITOR_MALF_AI_MIN_POP` configuration - values + - rscadd: 'Added Malfunctioning AI "Hack # APCs" objective' + - rscadd: + Added the ability for an AI to "mask" their presence in an APC for 30 + to 60 seconds. + - balance: Added minimum player count to spawn a Malfunctioning AI. + - balance: + Reworked objective layout similar to normal Traitors, with less likely + murder objectives. + - config: + Added `MAX_MALF_APC_HACK_OBJ` and `TRAITOR_MALF_AI_MIN_POP` configuration + values 2020-07-28: BigFatAnimeTiddies: - - rscadd: Adds a syndicate themed emergency shuttle that costs 20000 credits, and - can ONLY be purchased when the communications console is emagged. This shuttle - features a fully stocked medbay with self serve sleepers, plenty of room that - can fit highpop, a fully featured bridge, ballistic auto turrets, and an armory, - EVA prep room, and bar, all of which are only accessible by either an agent - ID or through hacking. + - rscadd: + Adds a syndicate themed emergency shuttle that costs 20000 credits, and + can ONLY be purchased when the communications console is emagged. This shuttle + features a fully stocked medbay with self serve sleepers, plenty of room that + can fit highpop, a fully featured bridge, ballistic auto turrets, and an armory, + EVA prep room, and bar, all of which are only accessible by either an agent + ID or through hacking. SynnGraffkin: - - rscadd: borgs now use a radial menu to select their module skins. - - bugfix: Covers on non-default borg icons now actually show up when you crowbar - them open. + - rscadd: borgs now use a radial menu to select their module skins. + - bugfix: + Covers on non-default borg icons now actually show up when you crowbar + them open. 2020-07-29: SynnGraffkin: - - tweak: Reintroduces module type to AI shell name + - tweak: Reintroduces module type to AI shell name 2020-07-30: LemonInTheDark: - - bugfix: Hot ice is worth what it should be again. + - bugfix: Hot ice is worth what it should be again. 2020-07-31: AsciiSquid: - - rscadd: Squids can now spit ink - - rscdel: Removed old squid code that wasn't modularized from the old waspcode move - - balance: Squids grabs are now much tougher to break - - balance: Squids move slower with gravity than without. - - soundadd: Added squid footsteps - - soundadd: Added squid screaming + - rscadd: Squids can now spit ink + - rscdel: Removed old squid code that wasn't modularized from the old waspcode move + - balance: Squids grabs are now much tougher to break + - balance: Squids move slower with gravity than without. + - soundadd: Added squid footsteps + - soundadd: Added squid screaming MarkSuckerberg: - - bugfix: No more undeleted mentor queries annoying admins. - - tweak: Mentor PMs now show when people start and stop responding to them to other - mentors, preventing dog piling on one mhelp. - - rscadd: Mentors can now de-mentor (in the mentor panel or using the command bar) - so that they don't get accidentally told IC information if they are, for example, - an antag or sec. + - bugfix: No more undeleted mentor queries annoying admins. + - tweak: + Mentor PMs now show when people start and stop responding to them to other + mentors, preventing dog piling on one mhelp. + - rscadd: + Mentors can now de-mentor (in the mentor panel or using the command bar) + so that they don't get accidentally told IC information if they are, for example, + an antag or sec. YoshimiWasTaken: - - rscadd: Added code I think for a snake skin for the pAI - - imageadd: Some danger noodle sprites :) - - tweak: Gave a rest sprite to the snake + - rscadd: Added code I think for a snake skin for the pAI + - imageadd: Some danger noodle sprites :) + - tweak: Gave a rest sprite to the snake 2020-08-05: ike709 and bobbahbrown: - - rscadd: Admins can now see your bans on (some) other servers. + - rscadd: Admins can now see your bans on (some) other servers. 2020-08-06: Maldaris: - - rscadd: 'Arachnid mutation toxin recipe: 1 Unstable Mutation Toxin, 10u Heparin.' - - balance: Initiating cocooning costs less nutrients - - balance: Arachnid night vision halved strength - - balance: Arachnids can still eat but don't like Gross food. - - balance: Arachnid Cocoons take 2/3rds less time to break out of. - - bugfix: Spider meat from gibbed Arachnids now uses the spider meat icon. - - bugfix: Cocooning consumes nutrient after the cocooning is complete. + - rscadd: "Arachnid mutation toxin recipe: 1 Unstable Mutation Toxin, 10u Heparin." + - balance: Initiating cocooning costs less nutrients + - balance: Arachnid night vision halved strength + - balance: Arachnids can still eat but don't like Gross food. + - balance: Arachnid Cocoons take 2/3rds less time to break out of. + - bugfix: Spider meat from gibbed Arachnids now uses the spider meat icon. + - bugfix: Cocooning consumes nutrient after the cocooning is complete. MarkSuckerberg: - - bugfix: Some alternate title's alternate uniforms will now actually work. - - bugfix: Senior titles will now actually show up on the right part of the manifest - 100% of the time. - - bugfix: Crew monitors (should) now display alt titles jobs in the right position - with the right colour. - - tweak: Senior titles are now linked to job experience rather than departmental - experience. - - rscadd: Moth wing organs, use organ manipulation on the head to remove/add them. - - tweak: Moth wings and moth fluff are now two separate preferences. + - bugfix: Some alternate title's alternate uniforms will now actually work. + - bugfix: + Senior titles will now actually show up on the right part of the manifest + 100% of the time. + - bugfix: + Crew monitors (should) now display alt titles jobs in the right position + with the right colour. + - tweak: + Senior titles are now linked to job experience rather than departmental + experience. + - rscadd: Moth wing organs, use organ manipulation on the head to remove/add them. + - tweak: Moth wings and moth fluff are now two separate preferences. 2020-08-07: SynnGraffkin: - - tweak: Sloth has replaced their fruit with a plushie. + - tweak: Sloth has replaced their fruit with a plushie. 2020-08-09: Mark Suckerberg, BigFatAnimeTiddies, Monster860, ike709: - - rscadd: Monstermos, a volatile but extremely performant atmospherics system. Don't - break any windows! - - rscadd: Explosive Decompression is a thing now, and it's TERRIFYING - - tweak: Air alarms will turn the lights blue in areas with hazardous atmos. - - tweak: Lavaland atmos has a higher minimum pressure. + - rscadd: + Monstermos, a volatile but extremely performant atmospherics system. Don't + break any windows! + - rscadd: Explosive Decompression is a thing now, and it's TERRIFYING + - tweak: Air alarms will turn the lights blue in areas with hazardous atmos. + - tweak: Lavaland atmos has a higher minimum pressure. MarkSuckerberg: - - rscadd: Cortical borers, commonly known as brain slugs, have appeared in NT space! - Be cautious, as they could be hiding in any of your fellow employees! + - rscadd: + Cortical borers, commonly known as brain slugs, have appeared in NT space! + Be cautious, as they could be hiding in any of your fellow employees! 2020-08-11: MarkSuckerberg: - - bugfix: SSD people no longer show up as dead on crew monitors. - - tweak: People who are in a state of unconciousness or softcrit no longer show - up as dead on crew monitors. + - bugfix: SSD people no longer show up as dead on crew monitors. + - tweak: + People who are in a state of unconciousness or softcrit no longer show + up as dead on crew monitors. triplezeta: - - tweak: The chemical acclimator and tank have been made slightly shorter to make - it easier to tell which way it's facing + - tweak: + The chemical acclimator and tank have been made slightly shorter to make + it easier to tell which way it's facing 2020-08-12: BigFatAnimeTiddies: - - bugfix: Atmospheric safety features were applied to the mining base's blueprints. + - bugfix: Atmospheric safety features were applied to the mining base's blueprints. 2020-08-15: Maldaris: - - balance: reduced the tick rate for pyroclastic anomalies to 1/5th original (5 - ticks/emission to 25 ticks/emission) - - balance: reduced the temperature for tick spawned plasma/oxygen by 500 Kelvin - - balance: reduced the temperature and mols of detonation spawned plasma/oxygen - by 300 Kelvin and 250mols. - - balance: reduced the weight for pyroclastic anomaly spawns from 20 to 15. + - balance: + reduced the tick rate for pyroclastic anomalies to 1/5th original (5 + ticks/emission to 25 ticks/emission) + - balance: reduced the temperature for tick spawned plasma/oxygen by 500 Kelvin + - balance: + reduced the temperature and mols of detonation spawned plasma/oxygen + by 300 Kelvin and 250mols. + - balance: reduced the weight for pyroclastic anomaly spawns from 20 to 15. MarkSuckerberg: - - bugfix: Advanced Airlock Controllers should now be slightly more reliable. + - bugfix: Advanced Airlock Controllers should now be slightly more reliable. 2020-08-16: BigFatAnimeTiddies: - - bugfix: Small atmospheric fixes for some space ruins to prevent less explosive - decompression. + - bugfix: + Small atmospheric fixes for some space ruins to prevent less explosive + decompression. silicons: - - balance: emitters are now hitscan + - balance: emitters are now hitscan 2020-08-17: MarkSuckerberg: - - rscadd: Bookworm, a nearsssighted sssnake pet for the curator. - - tweak: Snakes now hiss when talking. + - rscadd: Bookworm, a nearsssighted sssnake pet for the curator. + - tweak: Snakes now hiss when talking. 2020-08-18: BigFatAnimeTiddies: - - rscadd: Arrival and Escape shuttles are now less prone to atmospheric ventilation - by assistants touching the door controls. - - bugfix: Kilo shuttles have had more of their warning tape removed to reduce headaches - among the crew. + - rscadd: + Arrival and Escape shuttles are now less prone to atmospheric ventilation + by assistants touching the door controls. + - bugfix: + Kilo shuttles have had more of their warning tape removed to reduce headaches + among the crew. Superyodeler: - - code_imp: improved monstermos AAC code documentation + - code_imp: improved monstermos AAC code documentation triplezeta: - - rscadd: New chems. Bicaridine Plus, Dermaline, and Tetracordrazine. - - rscdel: Hepanephrodaxon. Will return at a later date. - - balance: Lowered the healing on many trekchems - - balance: Tricordrazine no longer has an OD - - bugfix: Corazone has a recipe again + - rscadd: New chems. Bicaridine Plus, Dermaline, and Tetracordrazine. + - rscdel: Hepanephrodaxon. Will return at a later date. + - balance: Lowered the healing on many trekchems + - balance: Tricordrazine no longer has an OD + - bugfix: Corazone has a recipe again 2020-08-20: AsciiSquid: - - rscadd: Added Speen to the hallucinations sound list - - balance: Speens can no longer reliably shatter the veil between the living and - the dead + - rscadd: Added Speen to the hallucinations sound list + - balance: + Speens can no longer reliably shatter the veil between the living and + the dead BigFatAnimeTiddies: - - bugfix: Centcom ferry is now properly functioning once more between Central and - the station. - - bugfix: TerraGov is now creatable through the ERT team selection. + - bugfix: + Centcom ferry is now properly functioning once more between Central and + the station. + - bugfix: TerraGov is now creatable through the ERT team selection. 2020-08-24: AsciiSquid: - - imageadd: added custom Bluespace Miner icons - - tweak: BSM now clearly stops mining when unlinked + - imageadd: added custom Bluespace Miner icons + - tweak: BSM now clearly stops mining when unlinked BigFatAnimeTiddies: - - rscadd: Citadel's framework for randomized "station ruins". - - rscadd: Boxstation engine can now be randomized between a select few engine setups, - such as the Supermatter, Tesla, Singulo, and TEG. - - tweak: Minor wiring changes on Box + - rscadd: Citadel's framework for randomized "station ruins". + - rscadd: + Boxstation engine can now be randomized between a select few engine setups, + such as the Supermatter, Tesla, Singulo, and TEG. + - tweak: Minor wiring changes on Box SynnGraffkin: - - bugfix: Cloning console and pod boards have had their name fixed. + - bugfix: Cloning console and pod boards have had their name fixed. 2020-08-26: MarkSuckerberg: - - code_imp: SpacemanDMM stops throwing meaningless errors + - code_imp: SpacemanDMM stops throwing meaningless errors dinnerwoerror: - - rscadd: appropriate plasmaman envirosuits to the jail lockers + - rscadd: appropriate plasmaman envirosuits to the jail lockers untrius: - - bugfix: Vendors display correct prices on contraband items + - bugfix: Vendors display correct prices on contraband items 2020-08-27: MarkSuckerberg: - - tweak: Safety airlocks (the airlocks in both arrivals and departures) can now - be unbolted and then opened without any tools. - - tweak: Safety airlocks can now be closed when depowered, so that you don't get - flung into space when the arrivals shuttle leaves. + - tweak: + Safety airlocks (the airlocks in both arrivals and departures) can now + be unbolted and then opened without any tools. + - tweak: + Safety airlocks can now be closed when depowered, so that you don't get + flung into space when the arrivals shuttle leaves. untrius: - - bugfix: Hygiene bot construction no longer eats items or finishes early - - bugfix: Senior titles stay selected when reloading a character - - tweak: Senior atmos techs designated as Chadmos - - bugfix: Borg converter conveyors work again + - bugfix: Hygiene bot construction no longer eats items or finishes early + - bugfix: Senior titles stay selected when reloading a character + - tweak: Senior atmos techs designated as Chadmos + - bugfix: Borg converter conveyors work again 2020-08-28: Quantum-M: - - rscadd: Adds several alt jumpsuits, ties, and coats to Medical, Science, and most - of Engineering alt jobs, along with relevant datums. + - rscadd: + Adds several alt jumpsuits, ties, and coats to Medical, Science, and most + of Engineering alt jobs, along with relevant datums. 2020-08-31: TripleZeta, AzlanonPC, Lakue, Bunzel, Tergius: - - rscadd: The SolGov M9A5C! Featuring 5.56mm HITP caseless ammo. Sprite for the - pistol done by Lakue. - - balance: the outdated Terragov AR has been replaced with the new SolGov AR, chambered - in 4.73x33mm. Sprite for the new SolGov AR done by AzlanonPC. - - imageadd: New models for most of Nanotrasen's energy weapon catalog have been - released! - - imageadd: SolGov's equipment in the nearby military base has been replaced by - newer models with upgraded specifications. - - rscadd: Followers of the Orthodox Clockwork Church have begun plating their lighters - with bronze for aesthetic reasons. (Sprite by Tergius.) - - imageadd: updated drink sprites, by Bunzel. + - rscadd: + The SolGov M9A5C! Featuring 5.56mm HITP caseless ammo. Sprite for the + pistol done by Lakue. + - balance: + the outdated Terragov AR has been replaced with the new SolGov AR, chambered + in 4.73x33mm. Sprite for the new SolGov AR done by AzlanonPC. + - imageadd: + New models for most of Nanotrasen's energy weapon catalog have been + released! + - imageadd: + SolGov's equipment in the nearby military base has been replaced by + newer models with upgraded specifications. + - rscadd: + Followers of the Orthodox Clockwork Church have begun plating their lighters + with bronze for aesthetic reasons. (Sprite by Tergius.) + - imageadd: updated drink sprites, by Bunzel. 2020-09-01: TripleZeta: - - imageadd: New tool sprites (basic tools, power tools, analyzer, geiger counter, - tray) - - imagedel: Old tool sprites (duh) + - imageadd: + New tool sprites (basic tools, power tools, analyzer, geiger counter, + tray) + - imagedel: Old tool sprites (duh) 2020-09-03: SynnGraffkin: - - bugfix: Extended airlock space for Singulo / Tesla templates for Box so generators - can actually be properly dragged out. + - bugfix: + Extended airlock space for Singulo / Tesla templates for Box so generators + can actually be properly dragged out. untrius: - - bugfix: SpiderOS has been patched. All fear the clan! + - bugfix: SpiderOS has been patched. All fear the clan! 2020-09-04: untrius: - - rscadd: Your selected character's name has been added to the job selection window + - rscadd: Your selected character's name has been added to the job selection window 2020-09-07: MarkSuckerberg: - - bugfix: Bumping mechs into AAC-linked airlocks now cycles them as if it were a - person walking into them. + - bugfix: + Bumping mechs into AAC-linked airlocks now cycles them as if it were a + person walking into them. Shadowtail117: - - rscadd: Added sound effects for speaking into a radio and receiving a transmission - from a radio, ported from Baystation12. + - rscadd: + Added sound effects for speaking into a radio and receiving a transmission + from a radio, ported from Baystation12. untrius: - - bugfix: Atmos analyzer displays room pressure - - tweak: Atmos analyzer output is easier to read when used multiple times - - tweak: Ethereals can have facial hair + - bugfix: Atmos analyzer displays room pressure + - tweak: Atmos analyzer output is easier to read when used multiple times + - tweak: Ethereals can have facial hair 2020-09-08: untrius: - - rscadd: Ethereals' charge is now listed in the status tab + - rscadd: Ethereals' charge is now listed in the status tab 2020-09-11: AsciiSquid: - - rscadd: Added "emagged" category to autolathe designes - - balance: All lethal munitions in the lathe are moved to the "emagged" category + - rscadd: Added "emagged" category to autolathe designes + - balance: All lethal munitions in the lathe are moved to the "emagged" category SynnGraffkin: - - rscadd: EVA access has been added to Security, Engineering, and Medical jobs during - skeleton shifts. - - tweak: Boxstation EVA has been completely redesigned. + - rscadd: + EVA access has been added to Security, Engineering, and Medical jobs during + skeleton shifts. + - tweak: Boxstation EVA has been completely redesigned. deathride58: - - rscadd: Jukeboxes now have realtime directional audio, complete with occlusion - when you're far away or behind a wall. - - rscadd: More than one jukebox can play a song at a time now. Have up to 5 jukeboxes - playing at once! - - rscadd: Devs can now control the wet and dry channels of sounds played via playsound_local. - The new envwet and envdry arguments will control the volume of the wet and dry - track, respectively. - - code_imp: Jukeboxes have been turned into a subsystem. Track initialization, audio - playing, etc, are now handled via SSJukeboxes instead of via the jukebox object - procs. - - config: Jukebox tracks now require an additional ID field at the end of their - name. This will make it easier to add jukebox-style objects that are only capable - of playing specific songs, without worrying about copyright issues. - - balance: The jukebox now falls off over a greater distance. You can now actually - hear the jukebox while sitting in a far corner of the bar, or while passing - through the main hallways. - - bugfix: Jukeboxes now properly remove themselves from the active jukebox list - when destroyed - - tweak: Jukeboxes now have 6 audio channels available to them, up from the previous - accidental 2 and previously intended 5 channels. - - bugfix: Jukeboxes now work again on clients running versions higher than 512.1459. - - bugfix: People will no longer have their ears consumed by an eldritch god if multiple - jukeboxes are active and the first jukebox in the jukebox list stops playing, - then tries to play again - - tweak: Instead of the debug text for invalid jukebox behavior being printed to - world, the debug text is now restricted to the runtime panel. - - rscadd: Jukeboxes can be purchased from Cargo for $35,000. By Ignari-Coldstorm - - balance: More jobs can now interact with the Jukebox's playlist! Kitchen, Botany, - Cargo, Engineering, and Theater access can now modify the jukebox instead of - just bartender access. By Ignari-Coldstorm + - rscadd: + Jukeboxes now have realtime directional audio, complete with occlusion + when you're far away or behind a wall. + - rscadd: + More than one jukebox can play a song at a time now. Have up to 5 jukeboxes + playing at once! + - rscadd: + Devs can now control the wet and dry channels of sounds played via playsound_local. + The new envwet and envdry arguments will control the volume of the wet and dry + track, respectively. + - code_imp: + Jukeboxes have been turned into a subsystem. Track initialization, audio + playing, etc, are now handled via SSJukeboxes instead of via the jukebox object + procs. + - config: + Jukebox tracks now require an additional ID field at the end of their + name. This will make it easier to add jukebox-style objects that are only capable + of playing specific songs, without worrying about copyright issues. + - balance: + The jukebox now falls off over a greater distance. You can now actually + hear the jukebox while sitting in a far corner of the bar, or while passing + through the main hallways. + - bugfix: + Jukeboxes now properly remove themselves from the active jukebox list + when destroyed + - tweak: + Jukeboxes now have 6 audio channels available to them, up from the previous + accidental 2 and previously intended 5 channels. + - bugfix: Jukeboxes now work again on clients running versions higher than 512.1459. + - bugfix: + People will no longer have their ears consumed by an eldritch god if multiple + jukeboxes are active and the first jukebox in the jukebox list stops playing, + then tries to play again + - tweak: + Instead of the debug text for invalid jukebox behavior being printed to + world, the debug text is now restricted to the runtime panel. + - rscadd: Jukeboxes can be purchased from Cargo for $35,000. By Ignari-Coldstorm + - balance: + More jobs can now interact with the Jukebox's playlist! Kitchen, Botany, + Cargo, Engineering, and Theater access can now modify the jukebox instead of + just bartender access. By Ignari-Coldstorm 2020-09-13: AsciiSquid: - - rscadd: Added "emagged" category to autolathe designes - - balance: All lethal munitions in the lathe are moved to the "emagged" category + - rscadd: Added "emagged" category to autolathe designes + - balance: All lethal munitions in the lathe are moved to the "emagged" category Superyodeler: - - balance: reduced paramed access + - balance: reduced paramed access SynnGraffkin: - - tweak: Spruced up space in Box AME, Singulo, Tesla templates. - - rscdel: Donutstation has been decommissioned. + - tweak: Spruced up space in Box AME, Singulo, Tesla templates. + - rscdel: Donutstation has been decommissioned. Tallvisit: - - rscadd: Added suicide text to all Skateboards, and gave them a 3% chance to do - something extra. + - rscadd: + Added suicide text to all Skateboards, and gave them a 3% chance to do + something extra. TheNeoGamer42: - - imageadd: added a better allied cocktail sprite by Tergius - - imageadd: new sprites for quadsec, quintuplesec, manly dorf, and tequila sunrise - by Bunzel - - imagedel: the old allied cocktail, quinsec, quadsec, manly dorf, and tequila sunrise - sprites + - imageadd: added a better allied cocktail sprite by Tergius + - imageadd: + new sprites for quadsec, quintuplesec, manly dorf, and tequila sunrise + by Bunzel + - imagedel: + the old allied cocktail, quinsec, quadsec, manly dorf, and tequila sunrise + sprites untrius: - - bugfix: Tcomms machines now accept additional filtered frequencies. + - bugfix: Tcomms machines now accept additional filtered frequencies. 2020-09-15: AsciiSquid: - - rscadd: Added supply requests for more ammunition. - - rscadd: Added box of slug rounds. - - imageadd: Added icon of new slug round box. + - rscadd: Added supply requests for more ammunition. + - rscadd: Added box of slug rounds. + - imageadd: Added icon of new slug round box. 2020-09-17: MarkSuckerberg: - - bugfix: Bookworm now actually exists on all maps in the library. + - bugfix: Bookworm now actually exists on all maps in the library. 2020-09-19: Maldaris: - - tweak: Removes explosions on abandoned crates if they've been unlocked + - tweak: Removes explosions on abandoned crates if they've been unlocked 2020-09-21: Quantum-M, thatangryminer: - - rscadd: Green Hardhats, Safety Helmets, and Mining Helmets, and adds them to some - of the lockers. - - tweak: Updates sprites for hardhats. - - code_imp: Updated Hardhat code to not use the weird 0 and 1 numbers logic to look - for relevant icon states. + - rscadd: + Green Hardhats, Safety Helmets, and Mining Helmets, and adds them to some + of the lockers. + - tweak: Updates sprites for hardhats. + - code_imp: + Updated Hardhat code to not use the weird 0 and 1 numbers logic to look + for relevant icon states. 2020-09-22: - ? '' - : - tweak: the hypospray mk2 now has a shortcut to switch modes + "": + - tweak: the hypospray mk2 now has a shortcut to switch modes - balance: hot ice coffee is based. - balance: dexalin plus purges lexorin now - bugfix: hot ice coffee has its sprite again - - bugfix: 'Kryson: Syringe & dart projectiles now handle reagent transfer effects - as intended.' - - bugfix: 'Kryson: Also fixes reagent transfers from various other sources such - as sleepy pens and drink bottles.' - - balance: 'Kryson: As a result of the fix; Standard sized ~~syriniver~~ thializid + - bugfix: + "Kryson: Syringe & dart projectiles now handle reagent transfer effects + as intended." + - bugfix: + "Kryson: Also fixes reagent transfers from various other sources such + as sleepy pens and drink bottles." + - balance: + "Kryson: As a result of the fix; Standard sized ~~syriniver~~ thializid filled syringe projectiles no longer overdose the victim in one hit, unless - they already have poor liver health.' + they already have poor liver health." untrius: - - bugfix: Skill cloak button on PDA fixed + - bugfix: Skill cloak button on PDA fixed 2020-09-24: MarkSuckerberg: - - rscadd: TGchat, replacing goonchat - - rscadd: Browser stat console, which reduces the lag caused from the classic panel - immensely - - rscadd: Photocopier and shuttle UI - - tweak: Fax UI has been overhauled - - code_imp: Numerous TGUI upgrades to make life easier for TGUI development and - use + - rscadd: TGchat, replacing goonchat + - rscadd: + Browser stat console, which reduces the lag caused from the classic panel + immensely + - rscadd: Photocopier and shuttle UI + - tweak: Fax UI has been overhauled + - code_imp: + Numerous TGUI upgrades to make life easier for TGUI development and + use Superyodeler: - - balance: Nerfs shotguns + - balance: Nerfs shotguns tiramisuapimancer: - - tweak: Felinids now like meat and dairy, and dislike vegetables and sugar - - code_imp: made the code for felinids immunity to carpotoxin less bad maybe???? + - tweak: Felinids now like meat and dairy, and dislike vegetables and sugar + - code_imp: made the code for felinids immunity to carpotoxin less bad maybe???? 2020-09-25: SynnGraffkin: - - bugfix: Addressed some minor issues with windows floating in space. + - bugfix: Addressed some minor issues with windows floating in space. 2020-09-26: Maldaris: - - rscadd: Steppy, the Cargonian Gator. - - rscadd: A contraband poster depicting Steppy and his slogan. + - rscadd: Steppy, the Cargonian Gator. + - rscadd: A contraband poster depicting Steppy and his slogan. MarkSuckerberg: - - bugfix: You're not forced into wearing an alt title uniform when you don't have - the alt title selected. + - bugfix: + You're not forced into wearing an alt title uniform when you don't have + the alt title selected. 2020-09-27: triplezeta: - - balance: tetracord + slime jelly produces one unit regen jelly instead of two - - bugfix: regen jelly is mixable with omnizine and slime jelly again + - balance: tetracord + slime jelly produces one unit regen jelly instead of two + - bugfix: regen jelly is mixable with omnizine and slime jelly again 2020-09-28: Maldaris: - - bugfix: Observers and Lobby Players cannot vote for auto transfer votes. - - tweak: Auto-Transfer votes won't trigger if a transfer is already in progress. + - bugfix: Observers and Lobby Players cannot vote for auto transfer votes. + - tweak: Auto-Transfer votes won't trigger if a transfer is already in progress. MarkSuckerberg: - - bugfix: Lizard spines/tails and moth wings now update properly in character setup. + - bugfix: Lizard spines/tails and moth wings now update properly in character setup. Silicons: - - rscadd: Baystation instruments are here! - - refactor: Existing instruments have been rolled into the new unified instruments - system. - - refactor: A sound subsystem has been added, SSsounds. Use it for persistent channel - management. + - rscadd: Baystation instruments are here! + - refactor: + Existing instruments have been rolled into the new unified instruments + system. + - refactor: + A sound subsystem has been added, SSsounds. Use it for persistent channel + management. Superyodeler: - - tweak: startup timer starts after initialization - - config: startup timer starts after initialization + - tweak: startup timer starts after initialization + - config: startup timer starts after initialization 2020-09-29: Shadowtail117: - - tweak: Caltrops (like glass shards) will no longer paralyze you if you have the - Light Step trait. - - tweak: You will now take full damage if you move over caltrops if you are incapacitated, - even if you have the Light Step trait. + - tweak: + Caltrops (like glass shards) will no longer paralyze you if you have the + Light Step trait. + - tweak: + You will now take full damage if you move over caltrops if you are incapacitated, + even if you have the Light Step trait. SynnGraffkin: - - bugfix: Deltastation blueprint was revised. - - bugfix: Derelict wiring has been updated by the drones designated there. - - rscadd: Re-adds the particle accelerator and singularity / tesla generator to - Deltastation. + - bugfix: Deltastation blueprint was revised. + - bugfix: Derelict wiring has been updated by the drones designated there. + - rscadd: + Re-adds the particle accelerator and singularity / tesla generator to + Deltastation. 2020-09-30: MaltVinegar: - - rscadd: adds the cat tongue and associated admin punishment + - rscadd: adds the cat tongue and associated admin punishment Shadowtail117: - - imageadd: Revamped the Gygax sprites. + - imageadd: Revamped the Gygax sprites. SynnGraffkin: - - tweak: Pubby whiteship updated. + - tweak: Pubby whiteship updated. alexkar598: - - code_imp: Adds an auto-annotator for travis errors. + - code_imp: Adds an auto-annotator for travis errors. 2020-10-02: Maldaris: - - bugfix: Fixed an issue where the Shuttle Console UI could become unusable. - - bugfix: Fixed an issue where certain shuttle statuses did not properly show on - the Shuttle Console UI. - - bugfix: Fixed an issue where Syndicate Shuttle Consoles did not restrict nuclear - operatives properly. - - bugfix: Fixed an issue where Labor Shuttle Consoles did not restrict crew properly. + - bugfix: Fixed an issue where the Shuttle Console UI could become unusable. + - bugfix: + Fixed an issue where certain shuttle statuses did not properly show on + the Shuttle Console UI. + - bugfix: + Fixed an issue where Syndicate Shuttle Consoles did not restrict nuclear + operatives properly. + - bugfix: Fixed an issue where Labor Shuttle Consoles did not restrict crew properly. Shadowtail117: - - bugfix: Clicking the "cancel" button will no longer reset your flavor text to - nothing. - - bugfix: Fixed an issue regarding e-cigarettes not actually consuming reagents - when they're supposed to. + - bugfix: + Clicking the "cancel" button will no longer reset your flavor text to + nothing. + - bugfix: + Fixed an issue regarding e-cigarettes not actually consuming reagents + when they're supposed to. Shadowtail117 & Lakue: - - rscadd: Added a new E-cigar, available in the contraband inventory of cigarette - vendors, for 300 credits. - - tweak: E-cigarettes (and the new E-cigar) now need to be lit by using your PDA - on them first. You can extinguish them in the same method. + - rscadd: + Added a new E-cigar, available in the contraband inventory of cigarette + vendors, for 300 credits. + - tweak: + E-cigarettes (and the new E-cigar) now need to be lit by using your PDA + on them first. You can extinguish them in the same method. 2020-10-03: MarkSuckerberg: - - bugfix: AACs should stop rapidly breaking the topic limits. + - bugfix: AACs should stop rapidly breaking the topic limits. 2020-10-04: MarkSuckerberg: - - code_imp: Documentation of most things now available here. - - bugfix: You can no longer duplicate bluespace bodybags. + - code_imp: Documentation of most things now available here. + - bugfix: You can no longer duplicate bluespace bodybags. Shadowtail117: - - bugfix: Vape clouds (from medium/high-voltage vapes) no longer create reagents - out of thin air. They are also no longer 100% efficient in atomizing the reagents - in the cartridge. - - tweak: The "me" and "subtler" verbs are now single line input boxes again. + - bugfix: + Vape clouds (from medium/high-voltage vapes) no longer create reagents + out of thin air. They are also no longer 100% efficient in atomizing the reagents + in the cartridge. + - tweak: The "me" and "subtler" verbs are now single line input boxes again. Shadowtail117 & 1GlitchyCent: - - rscadd: Added the quixote hardsuit. + - rscadd: Added the quixote hardsuit. SynnGraffkin: - - bugfix: Scav mining space ruin causes less roundstart errors. + - bugfix: Scav mining space ruin causes less roundstart errors. untrius: - - bugfix: Revenants are no longer deaf. - - bugfix: AI channel :o works again - - tweak: Borer channel changed from :o to :j + - bugfix: Revenants are no longer deaf. + - bugfix: AI channel :o works again + - tweak: Borer channel changed from :o to :j 2020-10-05: SynnGraffkin: - - bugfix: Pubby engine airlocks extended, as well as some mysterious missing pipes - fixed. Also fixes the piping error for distro. + - bugfix: + Pubby engine airlocks extended, as well as some mysterious missing pipes + fixed. Also fixes the piping error for distro. 2020-10-09: Maldaris: - - bugfix: Spacepod verbs are now available again. + - bugfix: Spacepod verbs are now available again. MarkSuckerberg: - - bugfix: Atmos pressure relief valves' UIs now actually appear. + - bugfix: Atmos pressure relief valves' UIs now actually appear. TheNeoGamer42: - - imageadd: New wineglass sprite by Tergius, and Sugar Rush, Crevice Spike, Fringe - Weaver, and Wizz Fizz sprites by Bunzel, and once again the Allies Cocktail, - the Martini, driest martini, goldschlager, patron, fanciulli, manhattan, project - manhatten, devilskiss, and the rubberneck by TripleZeta - - imagedel: a shitton of old drink sprites but only in the modularized folder + - imageadd: + New wineglass sprite by Tergius, and Sugar Rush, Crevice Spike, Fringe + Weaver, and Wizz Fizz sprites by Bunzel, and once again the Allies Cocktail, + the Martini, driest martini, goldschlager, patron, fanciulli, manhattan, project + manhatten, devilskiss, and the rubberneck by TripleZeta + - imagedel: a shitton of old drink sprites but only in the modularized folder 2020-10-10: Shadowtail117: - - rscadd: Heads of staff can now control the Night Shift subroutine via any communications - console. + - rscadd: + Heads of staff can now control the Night Shift subroutine via any communications + console. 2020-10-12: The0bserver and Stewydeadmike: - - rscadd: Hey, there's a bit of dust in this recipe book! Recipes using peas? How - many recipes does this book even have? - - rscadd: Adds 6 new food items, and 1 new consumable reagent using all forms of - the recently discovered peas. Ask your local botanist and chef for them today! + - rscadd: + Hey, there's a bit of dust in this recipe book! Recipes using peas? How + many recipes does this book even have? + - rscadd: + Adds 6 new food items, and 1 new consumable reagent using all forms of + the recently discovered peas. Ask your local botanist and chef for them today! 2020-10-15: triplezeta: - - tweak: most instances of "TerraGov" on equipment have now been appropriately tagged - as "SolGov" equipment - - balance: SolGov loadouts have X4 instead of emags - - imageadd: new SolGov sprites (when i get around to it) - - imagedel: old TerraGov sprites (when i get around to it) + - tweak: + most instances of "TerraGov" on equipment have now been appropriately tagged + as "SolGov" equipment + - balance: SolGov loadouts have X4 instead of emags + - imageadd: new SolGov sprites (when i get around to it) + - imagedel: old TerraGov sprites (when i get around to it) 2020-10-17: Superyodeler: - - bugfix: SM doesn't pull as hard + - bugfix: SM doesn't pull as hard untrius: - - tweak: Captain's announcement lists name on logged-in id instead of user's real - name + - tweak: + Captain's announcement lists name on logged-in id instead of user's real + name 2020-10-18: triplezeta: - - bugfix: kilo + - bugfix: kilo 2020-10-21: AsciiSquid: - - rscadd: Added an ugly drink recipe - - imageadd: added an ugly drink image - - tweak: sent zeta a message + - rscadd: Added an ugly drink recipe + - imageadd: added an ugly drink image + - tweak: sent zeta a message Maldaris: - - bugfix: fixed some outstanding statpanel issues, including icons and processing - lag. + - bugfix: + fixed some outstanding statpanel issues, including icons and processing + lag. tiramisuapimancer & triplezeta: - - rscadd: marketable plushes + - rscadd: marketable plushes 2020-10-24: untrius: - - tweak: PDA send-message box says who the message is being sent to + - tweak: PDA send-message box says who the message is being sent to 2020-10-25: TheNeoGamer42: - - bugfix: cargo techs at centcomm are no longer retarded when it comes to trash - bags of holding + - bugfix: + cargo techs at centcomm are no longer retarded when it comes to trash + bags of holding 2020-10-28: Shadowtail117: - - rscadd: Added the ability to markup your chat in (L)OOC and IC communication channels. - Surrounding a block of text with underscores will italicize it and surrounding - it with two asterisks will bold it, similar to traditional markdown. Credit - to Aurora for the concept and part of the code. + - rscadd: + Added the ability to markup your chat in (L)OOC and IC communication channels. + Surrounding a block of text with underscores will italicize it and surrounding + it with two asterisks will bold it, similar to traditional markdown. Credit + to Aurora for the concept and part of the code. 2020-10-29: AsciiSquid: - - rscadd: Added really robust tape - - soundadd: adds tape sounds - - imageadd: adds tape pictures + - rscadd: Added really robust tape + - soundadd: adds tape sounds + - imageadd: adds tape pictures 2020-10-31: Maldaris: - - bugfix: Movement keyUp events are handled better now. - - refactor: Held Keys buffer refactor. + - bugfix: Movement keyUp events are handled better now. + - refactor: Held Keys buffer refactor. 2020-11-01: Azlanon & Triplezeta: - - rscadd: Large weapon powercells, for use in large weapons. - - imageadd: new weapon powercell sprites, and Azlan's cell charger resprite + - rscadd: Large weapon powercells, for use in large weapons. + - imageadd: new weapon powercell sprites, and Azlan's cell charger resprite SynnGraffkin: - - rscadd: Atmospheric gas collections have been implemented in every station's atmospherics - department. + - rscadd: + Atmospheric gas collections have been implemented in every station's atmospherics + department. triplezeta: - - imageadd: new pen sprites + - imageadd: new pen sprites untrius: - - balance: Ethereal charge lasts much longer - - bugfix: Ethereal zero charge icon now displays at zero charge + - balance: Ethereal charge lasts much longer + - bugfix: Ethereal zero charge icon now displays at zero charge 2020-11-03: Maldaris: - - tweak: Weakly decoupled client FPS from server FPS in a way that improves client - animation speed, while not affecting the server. + - tweak: + Weakly decoupled client FPS from server FPS in a way that improves client + animation speed, while not affecting the server. 2020-11-04: TheNeoGamer42: - - bugfix: Nanotrasen atmospheric technicians have got around to actually properly - piping some places together (specifically meta genetics, and the northern box - maints + - bugfix: + Nanotrasen atmospheric technicians have got around to actually properly + piping some places together (specifically meta genetics, and the northern box + maints 2020-11-05: MarkSuckerberg: - - bugfix: Papers attached to doors are now readable. - - bugfix: Papers sent to centcom are now readable by admins again. - - bugfix: Stamps work again. Probably. - - admin: Secret documents that are faxed to centcom are now "readable." + - bugfix: Papers attached to doors are now readable. + - bugfix: Papers sent to centcom are now readable by admins again. + - bugfix: Stamps work again. Probably. + - admin: Secret documents that are faxed to centcom are now "readable." dinnerwoerror: - - bugfix: a syndishit traitor working at the cargo crate construction line sabotaged - the access locks on all security crates or some shit, so they got fixed by a - purple skeleton - - bugfix: there were many inconsistencies in the prices of mineral shipments, but - there aren't anymore + - bugfix: + a syndishit traitor working at the cargo crate construction line sabotaged + the access locks on all security crates or some shit, so they got fixed by a + purple skeleton + - bugfix: + there were many inconsistencies in the prices of mineral shipments, but + there aren't anymore triplezeta: - - tweak: Dylovene (anti-toxin) can now be found in strains of vanilla plants. + - tweak: Dylovene (anti-toxin) can now be found in strains of vanilla plants. untrius: - - rscadd: Ethereals can select their colors with a multitool - - rscadd: Anyone can randomize an Ethereal's color with a multitool + - rscadd: Ethereals can select their colors with a multitool + - rscadd: Anyone can randomize an Ethereal's color with a multitool 2020-11-06: Maldaris: - - rscadd: A 1911 Ammo Disk for use in an autolathe, in the same ruin that 1911s - spawn in. + - rscadd: + A 1911 Ammo Disk for use in an autolathe, in the same ruin that 1911s + spawn in. 2020-11-12: Baldir-Odensen: - - rscdel: Removed the RPED is now unable to accept weapon cells. - - tweak: The secbelt has been modified to take weapon cells, - - tweak: the gun cell design has been moved from power to weapons. + - rscdel: Removed the RPED is now unable to accept weapon cells. + - tweak: The secbelt has been modified to take weapon cells, + - tweak: the gun cell design has been moved from power to weapons. triplezeta: - - balance: specialist bags are normal sized again + - balance: specialist bags are normal sized again 2020-11-13: Multiple Authors: - - rscadd: Lights are a lot less laggy due to being overlays. - - rscadd: Some lights are now directional. - - rscadd: Runechat now shows emotes. - - rscadd: Eye contect, if you examine someone and they quickly examine you back, - you both get shown a small, non-intrusive message. - - rscadd: glass floors? - - bugfix: You can sing over comms and all that now. - - bugfix: Adjusting view range shouldn't break as much when using full screen. + - rscadd: Lights are a lot less laggy due to being overlays. + - rscadd: Some lights are now directional. + - rscadd: Runechat now shows emotes. + - rscadd: + Eye contect, if you examine someone and they quickly examine you back, + you both get shown a small, non-intrusive message. + - rscadd: glass floors? + - bugfix: You can sing over comms and all that now. + - bugfix: Adjusting view range shouldn't break as much when using full screen. MaltVinegar: - - rscadd: Digitigrade magboots, normal, syndie, and advanced varieties - - rscadd: Adds a way to make shoes wearable by those with digitigrade and plantigrade - legs + - rscadd: Digitigrade magboots, normal, syndie, and advanced varieties + - rscadd: + Adds a way to make shoes wearable by those with digitigrade and plantigrade + legs 2020-11-14: SynnGraffkin: - - rscadd: 'New station map: Ministation' + - rscadd: "New station map: Ministation" brugged: - - tweak: blowpipe no longer makes a phantom trigger click sound when empty - - refactor: custom dry fire text given to the masses + - tweak: blowpipe no longer makes a phantom trigger click sound when empty + - refactor: custom dry fire text given to the masses 2020-11-16: Jack7D1: - - tweak: Randomly generated characters now have less neon colored hairs - - tweak: Changed the default scaling, widescreen and fit values to the most common - values. + - tweak: Randomly generated characters now have less neon colored hairs + - tweak: + Changed the default scaling, widescreen and fit values to the most common + values. 2020-11-17: MarkSuckerberg: - - bugfix: turdis works hopefully + - bugfix: turdis works hopefully 2020-11-18: SynnGraffkin: - - bugfix: Packedstation Viro button now properly located + - bugfix: Packedstation Viro button now properly located 2020-11-19: AsciiSquid: - - imageadd: adds icons related to squids that were previously missing - - tweak: squid ink now outlines it's victims + - imageadd: adds icons related to squids that were previously missing + - tweak: squid ink now outlines it's victims Maldaris: - - balance: Adjust BSM material generation rates - - balance: Increase bluespace crystal requirements for BSMs + - balance: Adjust BSM material generation rates + - balance: Increase bluespace crystal requirements for BSMs 2020-11-21: triplezeta: - - balance: mining hardhats have received an armor buff to protect against fires - and be usable as an alternative to wearing your explorer suit's hoodie - - bugfix: fire safety closets come with actual firefighter helmets now + - balance: + mining hardhats have received an armor buff to protect against fires + and be usable as an alternative to wearing your explorer suit's hoodie + - bugfix: fire safety closets come with actual firefighter helmets now 2020-11-24: Jared-Fogle, actioninja, Cyberboss, Crossedfall, Mark Suckerberg: - - code_imp: CI has been changed somewhat. - - code_imp: To be closed, a PR needs to be stale (untouched for 7 days) and then - untouched for another 14. - - server: Docker actually works now. + - code_imp: CI has been changed somewhat. + - code_imp: + To be closed, a PR needs to be stale (untouched for 7 days) and then + untouched for another 14. + - server: Docker actually works now. dinnerwoerror: - - balance: the CMO hypospray kit comes with the upgraded chemicals instead of the - basic ones, as is befitting of their status + - balance: + the CMO hypospray kit comes with the upgraded chemicals instead of the + basic ones, as is befitting of their status untrius & wesoda24: - - tweak: Ethereals can be the inducers they were born to be - - bugfix: Fixed charge cap on almost full APCs - - balance: Ethereals charging from power cells waste less power and charge slightly - slower - - balance: Ethereals charging from lights gain slightly less power and charge slightly - faster + - tweak: Ethereals can be the inducers they were born to be + - bugfix: Fixed charge cap on almost full APCs + - balance: + Ethereals charging from power cells waste less power and charge slightly + slower + - balance: + Ethereals charging from lights gain slightly less power and charge slightly + faster 2020-11-25: Maldaris: - - rscadd: temperature gradient support to monstermos immutable mixes + - rscadd: temperature gradient support to monstermos immutable mixes Vorak2: - - rscadd: Adds midwaystation as a playable map + - rscadd: Adds midwaystation as a playable map triplezeta: - - tweak: bicard plus no longer requires plasma as a catalyst + - tweak: bicard plus no longer requires plasma as a catalyst 2020-11-26: MarkSuckerberg: - - rscadd: Sleepers now draw reagents from an attached chembag - - rscdel: Sleepers no longer create infinite medicines out of thin air - - rscdel: Removed the party pod. Not going to explain why other than why was - it in in the first place + - rscadd: Sleepers now draw reagents from an attached chembag + - rscdel: Sleepers no longer create infinite medicines out of thin air + - rscdel: + Removed the party pod. Not going to explain why other than why was + it in in the first place 2020-11-27: MarkSuckerberg: - - rscadd: 'Departmental loadout support (see: berets)' - - rscadd: Loadouts now linked to character slots instead of clients - - tweak: You can now have more than one item equipped from the loadout if you have - a slot for it - - bugfix: The toggle loadout button in the preferences menu now works again - - bugfix: Some berets had messed up sprites, which have been fixed + - rscadd: "Departmental loadout support (see: berets)" + - rscadd: Loadouts now linked to character slots instead of clients + - tweak: + You can now have more than one item equipped from the loadout if you have + a slot for it + - bugfix: The toggle loadout button in the preferences menu now works again + - bugfix: Some berets had messed up sprites, which have been fixed 2020-11-28: Maldaris: - - bugfix: Fixed admins being unable to view centcom/syndicate faxes. - - admin: Added a reminder string to paper examine as admin to enable Admin AI Interact + - bugfix: Fixed admins being unable to view centcom/syndicate faxes. + - admin: Added a reminder string to paper examine as admin to enable Admin AI Interact triplezeta: - - bugfix: connector icons + - bugfix: connector icons 2020-11-29: Azarak, Bobbahbrown, Mark Suckerberg, ShizCalev, Timberpoes: - - bugfix: Mecha lights work again - - bugfix: Directional lighting overlays no longer blind anyone looking at security - camera feeds - - bugfix: Gunlight runtime fully fixed - - bugfix: Foods crafted with glowy ingredients no longer glow when in someone's - inventory - - rscadd: Runechat now appears even in pitch darkness + - bugfix: Mecha lights work again + - bugfix: + Directional lighting overlays no longer blind anyone looking at security + camera feeds + - bugfix: Gunlight runtime fully fixed + - bugfix: + Foods crafted with glowy ingredients no longer glow when in someone's + inventory + - rscadd: Runechat now appears even in pitch darkness Baldir-Odensen: - - rscadd: Voidmelons can now be found in space on certain asterioids. They contain - chemical oxygen. - - imageadd: They have nice non codersprites provided by Zeta so you can calm down - im not murdering your eyes. + - rscadd: + Voidmelons can now be found in space on certain asterioids. They contain + chemical oxygen. + - imageadd: + They have nice non codersprites provided by Zeta so you can calm down + im not murdering your eyes. MarkSuckerberg: - - bugfix: Decal Painters' UIs work again. - - tweak: Decal painters are available in proto- and autolathes. - - tweak: People exempted from job hour requirements are now also exempt from the - account age/first connection age check. + - bugfix: Decal Painters' UIs work again. + - tweak: Decal painters are available in proto- and autolathes. + - tweak: + People exempted from job hour requirements are now also exempt from the + account age/first connection age check. SynnGraffkin: - - bugfix: "Robots can now properly path around the main halls of Packedstation when\ - \ on Patrol (\uFF40\u2207\xB4\u309E" - - bugfix: Floor tiles in maint replaced with plating on Packedstation. - - bugfix: Missing wires and piping have been laid down. - - bugfix: Modular HoP console on Packed was replaced with standard HoP console. + - bugfix: + "Robots can now properly path around the main halls of Packedstation when\ + \ on Patrol (\uFF40\u2207\xB4\u309E" + - bugfix: Floor tiles in maint replaced with plating on Packedstation. + - bugfix: Missing wires and piping have been laid down. + - bugfix: Modular HoP console on Packed was replaced with standard HoP console. triplezeta: - - bugfix: improv jetpack works now + - bugfix: improv jetpack works now untrius: - - bugfix: Chadmos get the senior atmos tech uniforms + - bugfix: Chadmos get the senior atmos tech uniforms 2020-11-30: Vorak2: - - rscadd: Squid dosent understand vendors but I add them annyway + - rscadd: Squid dosent understand vendors but I add them annyway triplezeta: - - bugfix: some things i forgot to fix have been fixed - - rscadd: Kilo has public mining, as god intended - - rscdel: the checkerboarding in kilo's medbay is gone - - rscdel: some stray tape bits that were left behind have been sent to caution tape - hell - - tweak: Kilo's brig infirmary now violates the Geneva convention - - tweak: MEGABAR - - bugfix: many kilo APCs that were not wired at roundstart are now wired at roundstart - - bugfix: CE has his monitor decryption key again on Kilo - - bugfix: fax machines are on kilo now - - bugfix: the phantom wall mechas on kilo are gone + - bugfix: some things i forgot to fix have been fixed + - rscadd: Kilo has public mining, as god intended + - rscdel: the checkerboarding in kilo's medbay is gone + - rscdel: + some stray tape bits that were left behind have been sent to caution tape + hell + - tweak: Kilo's brig infirmary now violates the Geneva convention + - tweak: MEGABAR + - bugfix: many kilo APCs that were not wired at roundstart are now wired at roundstart + - bugfix: CE has his monitor decryption key again on Kilo + - bugfix: fax machines are on kilo now + - bugfix: the phantom wall mechas on kilo are gone 2020-12-01: Baldir-Odensen: - - tweak: added sodium to ghost chilli - - bugfix: made it so toxin healing plants produce toxin healing. + - tweak: added sodium to ghost chilli + - bugfix: made it so toxin healing plants produce toxin healing. Epsilos: - - rscadd: A new mutation toxin for stout savages. Replace Polypnium with Tinea Luxor. - - tweak: The lizard people you've found planetside seem shorter than the stories. - - balance: The legions now have an equal chance to spawn kobolds and their taller - predecessors. + - rscadd: A new mutation toxin for stout savages. Replace Polypnium with Tinea Luxor. + - tweak: The lizard people you've found planetside seem shorter than the stories. + - balance: + The legions now have an equal chance to spawn kobolds and their taller + predecessors. 2020-12-02: Jack7D1: - - bugfix: Minimaps now work + - bugfix: Minimaps now work 2020-12-03: SynnGraffkin: - - rscadd: Added the missing roundstart Synthflesh beaker to Kilo surgery in the - surplus limb box. - - rscadd: Space around Arrivals and Security escape pods on Boxstation is a little - fancier to show it's a docking area. - - tweak: Blood freezer boxes replaced with Blood bank machine on maps that didn't - have it (Basically, everything but Packed.) - - bugfix: Chem factory cameras on Box properly labeled. + - rscadd: + Added the missing roundstart Synthflesh beaker to Kilo surgery in the + surplus limb box. + - rscadd: + Space around Arrivals and Security escape pods on Boxstation is a little + fancier to show it's a docking area. + - tweak: + Blood freezer boxes replaced with Blood bank machine on maps that didn't + have it (Basically, everything but Packed.) + - bugfix: Chem factory cameras on Box properly labeled. 2020-12-04: Jack7D1: - - rscadd: Text obfuscation subsystem for hiding strings in the code to be decoded - at runtime. - - bugfix: Meatball names are fixed + - rscadd: + Text obfuscation subsystem for hiding strings in the code to be decoded + at runtime. + - bugfix: Meatball names are fixed 2020-12-05: Jack7D1: - - bugfix: Seed extractors no longer crash the server. + - bugfix: Seed extractors no longer crash the server. 2020-12-06: Vorak2: - - rscadd: NT has recently bought the shuttle that was used by the pervius owners - of midway station and is going to start using it as standard for transfering - crew - - bugfix: Adds more intercoms to midway - - bugfix: adds a conection between maint and the bridge for ditional movment around - the maint coridor - - bugfix: things some things that should be on walls have been moved to the walls - on midway + - rscadd: + NT has recently bought the shuttle that was used by the pervius owners + of midway station and is going to start using it as standard for transfering + crew + - bugfix: Adds more intercoms to midway + - bugfix: + adds a conection between maint and the bridge for ditional movment around + the maint coridor + - bugfix: + things some things that should be on walls have been moved to the walls + on midway 2020-12-08: triplezeta: - - imageadd: inhands have been fixed for some tools, added and/or desouled for others. - - imageadd: Azlan's screwdriver sprite - - imageadd: multitool, geiger counter, t-ray scanner, gas analyzer, have all received - new sprites - - imagedel: my old screwdriver sprites + - imageadd: inhands have been fixed for some tools, added and/or desouled for others. + - imageadd: Azlan's screwdriver sprite + - imageadd: + multitool, geiger counter, t-ray scanner, gas analyzer, have all received + new sprites + - imagedel: my old screwdriver sprites 2020-12-10: Jack7D1: - - spellcheck: Resourse -> Resource + - spellcheck: Resourse -> Resource LastCrusader105: - - rscadd: Added new vending machine and new sprites for it + - rscadd: Added new vending machine and new sprites for it MarkSuckerberg: - - bugfix: Broken canisters will no longer show the pressure overlay - - bugfix: Hyper-nobelium canisters now have a sprite - - bugfix: The nitryl can now shows the correct sprite - - bugfix: Sleepers no longer eject their chembag when opened. + - bugfix: Broken canisters will no longer show the pressure overlay + - bugfix: Hyper-nobelium canisters now have a sprite + - bugfix: The nitryl can now shows the correct sprite + - bugfix: Sleepers no longer eject their chembag when opened. triplezeta: - - rscadd: Brig Physician PDA! - - rscadd: overlay for cartridges! - - bugfix: cruddy overlays for PDAs fixed and resprited! - - imageadd: new PDA sprites! - - imagedel: old PDA sprites (obviously) + - rscadd: Brig Physician PDA! + - rscadd: overlay for cartridges! + - bugfix: cruddy overlays for PDAs fixed and resprited! + - imageadd: new PDA sprites! + - imagedel: old PDA sprites (obviously) untrius: - - balance: Ethereals can no longer power the station with just a syringe and a lightbulb + - balance: Ethereals can no longer power the station with just a syringe and a lightbulb 2020-12-11: Rohesie, Ryll-Ryll/Shaps, Jared-Fogle, Timberpoes, Floyd/Quistinnius, Couls, Dennok: - - bugfix: A lot of mobility issues have been resolved. - - code_imp: Most of mobility code has been completely refactored. - - code_imp: A few unit tests have been added to ensure more code features work before - even testmerging. + - bugfix: A lot of mobility issues have been resolved. + - code_imp: Most of mobility code has been completely refactored. + - code_imp: + A few unit tests have been added to ensure more code features work before + even testmerging. 2020-12-14: MarkSuckerberg: - - rscadd: A SolGov representative has been stationed on the station in order to - make sure it's following space law and is up to code. - - rscadd: A SolGov radio channel has been added for SolGov ERTs as well as the one - or two representatives - - tweak: The SGR has a letter opener (knife with alternate skins like the det revolver) - that does 15 damage instead of the lieutenant's gun. - - rscadd: Added a new ID card variant for the SGR - - rscadd: Resprited briefcases and the leather satchel to make the SGR's loadout - a bit less blinding. - - rscdel: The lawyer(s) is dead. - - rscdel: The lieutenant is dead, if anyone even remembered them. - - rscadd: Emergency holopads. There's a button to spawn a relevant hologram. Self - explanatory other than that. - - rscadd: 'Emergency holograms: Appendicitis while you''re the only one on station, - yet you feel the presence of ghosts around you? Well, now you can use those - ghosts to your advantage!' - - bugfix: People can no longer attack things while handcuffed. + - rscadd: + A SolGov representative has been stationed on the station in order to + make sure it's following space law and is up to code. + - rscadd: + A SolGov radio channel has been added for SolGov ERTs as well as the one + or two representatives + - tweak: + The SGR has a letter opener (knife with alternate skins like the det revolver) + that does 15 damage instead of the lieutenant's gun. + - rscadd: Added a new ID card variant for the SGR + - rscadd: + Resprited briefcases and the leather satchel to make the SGR's loadout + a bit less blinding. + - rscdel: The lawyer(s) is dead. + - rscdel: The lieutenant is dead, if anyone even remembered them. + - rscadd: + Emergency holopads. There's a button to spawn a relevant hologram. Self + explanatory other than that. + - rscadd: + "Emergency holograms: Appendicitis while you're the only one on station, + yet you feel the presence of ghosts around you? Well, now you can use those + ghosts to your advantage!" + - bugfix: People can no longer attack things while handcuffed. 2020-12-15: Jack7D1: - - bugfix: Jaws of life crowbar and cutter sprites swapped. + - bugfix: Jaws of life crowbar and cutter sprites swapped. MarkSuckerberg: - - rscadd: SolGov now provides its own airlocks. + - rscadd: SolGov now provides its own airlocks. 2020-12-16: Jack7D1: - - bugfix: The tendril can now be unanchored and anchored properly + - bugfix: The tendril can now be unanchored and anchored properly triplezeta: - - imageadd: A bunch of drinks just got resprited + - imageadd: A bunch of drinks just got resprited 2020-12-17: Jack7D1: - - rscadd: Adds compound eyes, which are flash vulnerable and have some nightvision - ability. + - rscadd: + Adds compound eyes, which are flash vulnerable and have some nightvision + ability. LastCrusader105: - - rscadd: Added Carp Spawners (aka lone ops) + - rscadd: Added Carp Spawners (aka lone ops) triplezeta: - - rscadd: new golem ship + - rscadd: new golem ship 2020-12-18: triplezeta: - - rscadd: Kilo has emergency holograms and pod bays now + - rscadd: Kilo has emergency holograms and pod bays now 2020-12-22: s: - - rscdel: Memento mori is no longer in the tendril loot pool + - rscdel: Memento mori is no longer in the tendril loot pool 2020-12-23: SynnGraffkin: - - bugfix: Extinguisher cabinets, light switchs, fire alarms, request consoles, and - newscasters should not be on walls once again - - bugfix: 'Lavaland: Replaced AAC with lavaland variant, fixes gulag beacon icon, - safety setting on shuttle dock airlocks for power outages' + - bugfix: + Extinguisher cabinets, light switchs, fire alarms, request consoles, and + newscasters should not be on walls once again + - bugfix: + "Lavaland: Replaced AAC with lavaland variant, fixes gulag beacon icon, + safety setting on shuttle dock airlocks for power outages" 2020-12-24: triplezeta: - - rscadd: a few plants now have unique flavortext for their wine reagents that they - produce - - bugfix: a few things that were missing sprites are no longer missing sprites - - imageadd: based and epic new derringer sprites - - imagedel: removes the cursed, awful old derringer sprites - - bugfix: kilo wallmounts that were cursed are no longer cursed + - rscadd: + a few plants now have unique flavortext for their wine reagents that they + produce + - bugfix: a few things that were missing sprites are no longer missing sprites + - imageadd: based and epic new derringer sprites + - imagedel: removes the cursed, awful old derringer sprites + - bugfix: kilo wallmounts that were cursed are no longer cursed 2020-12-25: theboy6545: - - rscadd: SolGov Representative office to Metastation. - - rscdel: Meta's Firing Range + - rscadd: SolGov Representative office to Metastation. + - rscdel: Meta's Firing Range 2020-12-26: SynnGraffkin: - - bugfix: Additional Box wall mounts fixed. + - bugfix: Additional Box wall mounts fixed. 2020-12-27: Qustinnus, TiviPlus: - - refactor: refactored a bunch of /area stuff - - code_imp: Lavaland is no longer generated in broken diagonals, instead utilizing - a map_generator datum. - - code_imp: Bunch of unused turf paths removed + - refactor: refactored a bunch of /area stuff + - code_imp: + Lavaland is no longer generated in broken diagonals, instead utilizing + a map_generator datum. + - code_imp: Bunch of unused turf paths removed 2020-12-28: Jack7D1: - - rscdel: Reverted changes to Rachnid eyes - - balance: Compound eyes no longer grant full bright vision. + - rscdel: Reverted changes to Rachnid eyes + - balance: Compound eyes no longer grant full bright vision. MaltVinegar: - - rscadd: Adds hotkeys to move up and down (Alt+E and Alt+Q respectively) - - tweak: Allows you to drag things between z-levels when there isn't gravity - - bugfix: Allows you to drag things down stairs - - bugfix: Can no longer move up while unconscious + - rscadd: Adds hotkeys to move up and down (Alt+E and Alt+Q respectively) + - tweak: Allows you to drag things between z-levels when there isn't gravity + - bugfix: Allows you to drag things down stairs + - bugfix: Can no longer move up while unconscious MarkSuckerberg: - - refactor: Smoothing code is *much* better than it used to be, and supports a lot - more things such as perspective walls. + - refactor: + Smoothing code is *much* better than it used to be, and supports a lot + more things such as perspective walls. SynnGraffkin: - - rscadd: Speedway away mission is now available from the gateway for Podracing - fun. + - rscadd: + Speedway away mission is now available from the gateway for Podracing + fun. 2020-12-29: Maldaris: - - bugfix: Arachnids can no longer cocoon any atom + - bugfix: Arachnids can no longer cocoon any atom MarkSuckerberg: - - bugfix: The maintenance technician alt title will now actually spawn with a PDA. - - bugfix: Assistants shouldn't ever spawn with the UNDER anymore. - - tweak: Randomized characters start with normal jumpsuits and exowear. + - bugfix: The maintenance technician alt title will now actually spawn with a PDA. + - bugfix: Assistants shouldn't ever spawn with the UNDER anymore. + - tweak: Randomized characters start with normal jumpsuits and exowear. SynnGraffkin: - - bugfix: Botanists can now once again print Plant DNA Manipulator boards from the - service techfab. + - bugfix: + Botanists can now once again print Plant DNA Manipulator boards from the + service techfab. 2020-12-31: untrius: - - bugfix: Posters no longer change when removed + - bugfix: Posters no longer change when removed 2021-01-05: AsciiSquid: - - rscadd: Added mechanical surgeries - - rscdel: Removed ability to clone toasters - - bugfix: Fixed inability to do stand-up surgery - - bugfix: Scalpels are no longer mandatory for screwdriving + - rscadd: Added mechanical surgeries + - rscdel: Removed ability to clone toasters + - bugfix: Fixed inability to do stand-up surgery + - bugfix: Scalpels are no longer mandatory for screwdriving Epsilos: - - bugfix: centcomm interns are now less catastrophically damaging to station manifests - - balance: the teller's pen will not fall on an understaffed station + - bugfix: centcomm interns are now less catastrophically damaging to station manifests + - balance: the teller's pen will not fall on an understaffed station Shadowtail117: - - rscadd: Added a new barsign, "Jackpot Brews". + - rscadd: Added a new barsign, "Jackpot Brews". dinnerwoerror: - - rscadd: solgov rep plasmaman envirosuit + - rscadd: solgov rep plasmaman envirosuit 2021-01-07: SynnGraffkin: - - bugfix: Assistant landmark no longer naked - - bugfix: Meta kitchen cold room shouldn't make the station cold anymore - - bugfix: More wallmounts properly affixed for FastDMM mappers + - bugfix: Assistant landmark no longer naked + - bugfix: Meta kitchen cold room shouldn't make the station cold anymore + - bugfix: More wallmounts properly affixed for FastDMM mappers dinnerwoerror: - - bugfix: caught up the past couple months worth of bug fixes for dynamic + - bugfix: caught up the past couple months worth of bug fixes for dynamic 2021-01-11: MrFagetti: - - rscadd: Prefab Decals - - rscadd: Small new Decals - - rscadd: Medians + - rscadd: Prefab Decals + - rscadd: Small new Decals + - rscadd: Medians 2021-01-12: SynnGraffkin: - - bugfix: 'Boxstation: Wallmount fixes, Captain''s escape maintenance''s external - wall is now also R-Wall to address some previous concerns.' - - bugfix: 'Packedstation: Slime Extract is now an actual grey extract for making - your own Xenobio' - - bugfix: 'Centcom: Wallmount fixes' - - bugfix: 'Metastation: Solgov office fixed.' + - bugfix: + "Boxstation: Wallmount fixes, Captain's escape maintenance's external + wall is now also R-Wall to address some previous concerns." + - bugfix: + "Packedstation: Slime Extract is now an actual grey extract for making + your own Xenobio" + - bugfix: "Centcom: Wallmount fixes" + - bugfix: "Metastation: Solgov office fixed." 2021-01-15: MarkSuckerberg: - - rscadd: New discord notification for when the emergency shuttle has docked with - the station. + - rscadd: + New discord notification for when the emergency shuttle has docked with + the station. untrius: - - tweak: Everyone can access the jukebox + - tweak: Everyone can access the jukebox 2021-01-18: The White Sands Development Team: - - rscadd: Deepcore mining drills, allowing for BSM-like mining while being significantly - less braindead. - - rscadd: Two mining planets, including the Icemoon and an entirely new location, - Whitesands. - - rscadd: A few new chems to go with the new locations. - - rscadd: New mobs and plants for icemoon and whitesands. - - rscadd: A new overmap system to give space a lot more depth. - - rscadd: Custom shuttle creation - - rscadd: Powered/fueled engines to fly around the overmap with - - tweak: All configs now (by default) reference White Sands rather than TG or Waspstation. - - imageadd: Security and command have been resprited. Yes, again. - - rscdel: BSMs are gone. - - balance: Most of the mining mobs and gear have been rebalanced a small degree. + - rscadd: + Deepcore mining drills, allowing for BSM-like mining while being significantly + less braindead. + - rscadd: + Two mining planets, including the Icemoon and an entirely new location, + Whitesands. + - rscadd: A few new chems to go with the new locations. + - rscadd: New mobs and plants for icemoon and whitesands. + - rscadd: A new overmap system to give space a lot more depth. + - rscadd: Custom shuttle creation + - rscadd: Powered/fueled engines to fly around the overmap with + - tweak: All configs now (by default) reference White Sands rather than TG or Waspstation. + - imageadd: Security and command have been resprited. Yes, again. + - rscdel: BSMs are gone. + - balance: Most of the mining mobs and gear have been rebalanced a small degree. 2021-01-19: Shadowtail117: - - tweak: More of a character's flavor text will be shown before it is truncated. - - tweak: Lizardpeople (or anyone with a lizard tongue) will no longer hisssss when - speaking Draconic. - - bugfix: Implant lockboxes are now green when unlocked and red when locked. + - tweak: More of a character's flavor text will be shown before it is truncated. + - tweak: + Lizardpeople (or anyone with a lizard tongue) will no longer hisssss when + speaking Draconic. + - bugfix: Implant lockboxes are now green when unlocked and red when locked. SynnGraffkin: - - bugfix: Restored the Ninja's containment building to wooden walls. - - bugfix: Minor maintenance to the exteriors for some Cargo shuttles have been made. + - bugfix: Restored the Ninja's containment building to wooden walls. + - bugfix: Minor maintenance to the exteriors for some Cargo shuttles have been made. triplezeta: - - rscadd: L4Z now has a chance to make your plants produce mutated... produce. - - tweak: botany vendor prices have dropped + - rscadd: L4Z now has a chance to make your plants produce mutated... produce. + - tweak: botany vendor prices have dropped 2021-01-20: MarkSuckerberg: - - code_imp: Updated GH actions, added a merge conflict checker + - code_imp: Updated GH actions, added a merge conflict checker 2021-01-22: Quantum-M: - - tweak: Updates base janitor uniform to be cleaner - - imageadd: Adds several alt clothing for the relevant alt titles for Brig Physician, - CMO, QM, Cargo Technician, Atmospherics Technician, Janitor, and Prisoner + - tweak: Updates base janitor uniform to be cleaner + - imageadd: + Adds several alt clothing for the relevant alt titles for Brig Physician, + CMO, QM, Cargo Technician, Atmospherics Technician, Janitor, and Prisoner Shadowtail117: - - rscadd: Hugging, petting, or shaking a mothperson will now get moth dust on you, - visible on examine. It goes away after a while, or if you shower. + - rscadd: + Hugging, petting, or shaking a mothperson will now get moth dust on you, + visible on examine. It goes away after a while, or if you shower. Superyodeler: - - bugfix: dynamic will no longer make blacklisted roles antags - - config: antag blacklist now effects dynamic + - bugfix: dynamic will no longer make blacklisted roles antags + - config: antag blacklist now effects dynamic SynnGraffkin: - - rscadd: Waste Atmos loop has been added to the default WS colony. + - rscadd: Waste Atmos loop has been added to the default WS colony. 2021-01-24: Shadowtail117: - - tweak: The Syndicate Uplink's failsafe option now properly tells you that it will - explode you. + - tweak: + The Syndicate Uplink's failsafe option now properly tells you that it will + explode you. Vorak2: - - rscadd: The midwaystation foundation was informed that now having a courtroom - dosent stop pepole from suing you about the lack of proper ofices for pepole - of law + - rscadd: + The midwaystation foundation was informed that now having a courtroom + dosent stop pepole from suing you about the lack of proper ofices for pepole + of law 2021-01-25: MarkSuckerberg: - - code_imp: All mentions of Waspstation have been replaced with White Sands. + - code_imp: All mentions of Waspstation have been replaced with White Sands. Vorak2: - - tweak: expanded the asteroid with hostiles in it + - tweak: expanded the asteroid with hostiles in it 2021-01-26: ? stylemistake, SpaceManiac, Mothblocks, tralezab, Seris02, spookydonut, Cyberboss, LemonInTheDark, Timberpoes, Watermelon914 : - rscadd: TGUI secrets panel for admins. - rscadd: TGUI list input. - - rscadd: CBT, something that many of our coders have been wanting for the longest + - rscadd: + CBT, something that many of our coders have been wanting for the longest time. - bugfix: TGchat lightmode tooltips work properly again. - bugfix: You can actually pay off pirates again. @@ -39929,2646 +48392,2926 @@ DO NOT EDIT THIS FILE BY HAND! AUTOMATICALLY GENERATED BY ss13_genchangelog.py. - server: Be sure to update TGS's event scripts to support CBT. 2021-01-27: AsciiSquid: - - bugfix: Full loneops spawn at 10 players again. + - bugfix: Full loneops spawn at 10 players again. 2021-01-29: SynnGraffkin: - - tweak: Metastation Bar and Kitchen redesigned. + - tweak: Metastation Bar and Kitchen redesigned. Vorak2: - - bugfix: Fixes midway firealarms and non functional R&D buttons + - bugfix: Fixes midway firealarms and non functional R&D buttons 2021-01-30: Jack7D1: - - bugfix: Constructed freezers and heaters now work again + - bugfix: Constructed freezers and heaters now work again Maldaris: - - bugfix: Ensure gamemodes treat SGR like an actual head, and remove him from antag - selection. + - bugfix: + Ensure gamemodes treat SGR like an actual head, and remove him from antag + selection. triplezeta: - - rscadd: emergency holopad support on delta - - rscadd: cleaned up the emergency holopad mapping on meta - - bugfix: meta's distro and waste no longer start connected with two doublepipes + - rscadd: emergency holopad support on delta + - rscadd: cleaned up the emergency holopad mapping on meta + - bugfix: meta's distro and waste no longer start connected with two doublepipes 2021-01-31: LastCrusader105: - - rscdel: Removed plasmeme hand check - - rscadd: Added Showers And Stasis beds in the medical part of shuttles + - rscdel: Removed plasmeme hand check + - rscadd: Added Showers And Stasis beds in the medical part of shuttles triplezeta: - - rscadd: emergency holopad support for Packedstation + - rscadd: emergency holopad support for Packedstation 2021-02-02: AsciiSquid: - - rscadd: Added planet-exclusive drinks - - rscadd: Added planet-dynamic spawners - - imageadd: added some drink icons + - rscadd: Added planet-exclusive drinks + - rscadd: Added planet-dynamic spawners + - imageadd: added some drink icons triplezeta: - - rscdel: Removed the holopads from packed and delta's tesla room - - rscadd: Pubby emergency holopad support - - rscadd: Pubby has a hallway to the monestary asteroid + - rscdel: Removed the holopads from packed and delta's tesla room + - rscadd: Pubby emergency holopad support + - rscadd: Pubby has a hallway to the monestary asteroid 2021-02-03: triplezeta: - - rscadd: colored carpets for heads of staff rooms, additional newscasters, emergency - holopads, and a second medbay entrance have - - bugfix: some wall mounts that borked on box's random engines have been unborked. + - rscadd: + colored carpets for heads of staff rooms, additional newscasters, emergency + holopads, and a second medbay entrance have + - bugfix: some wall mounts that borked on box's random engines have been unborked. 2021-02-09: AsciiSquid: - - rscadd: Added a funny new gun, the commissar. - - soundadd: added sounds for the commissar + - rscadd: Added a funny new gun, the commissar. + - soundadd: added sounds for the commissar Maldaris: - - tweak: several items from the autolathe now have `custom_materials` defines so - they can be reinserted to lathes. + - tweak: + several items from the autolathe now have `custom_materials` defines so + they can be reinserted to lathes. 2021-02-12: AsciiSquid: - - rscadd: Lawnmowers now mow lawns - - tweak: Lawnmowers mow lawns when lawnmower loans a lawn owner for operation. + - rscadd: Lawnmowers now mow lawns + - tweak: Lawnmowers mow lawns when lawnmower loans a lawn owner for operation. Jack7D1: - - bugfix: Bonfires are now guaranteed to work on Lavaland + - bugfix: Bonfires are now guaranteed to work on Lavaland Moccha-Bee: - - rscadd: Added solgovs office, pod building area, and SM is now easier to set up, - plust some grounding rods to secure storage. - - bugfix: fixed missing wires and misplaced objects. + - rscadd: + Added solgovs office, pod building area, and SM is now easier to set up, + plust some grounding rods to secure storage. + - bugfix: fixed missing wires and misplaced objects. 2021-02-13: SynnGraffkin: - - tweak: Thermoelectric Generator power output - - bugfix: Moved the blood bank in surgery B on Box. + - tweak: Thermoelectric Generator power output + - bugfix: Moved the blood bank in surgery B on Box. Vorak2: - - bugfix: fixed a few minor things on midway + - bugfix: fixed a few minor things on midway 2021-02-15: Jack7D1: - - rscadd: A bunch of new moth sprites! Including a new Ai core screen, a couple - wing variants and a new flight potion option! All sprites courtesy of Papaporo - Paprito + - rscadd: + A bunch of new moth sprites! Including a new Ai core screen, a couple + wing variants and a new flight potion option! All sprites courtesy of Papaporo + Paprito Maldaris: - - rscadd: Add Shuttle Components and Designator crates to cargo's ordering list + - rscadd: Add Shuttle Components and Designator crates to cargo's ordering list SynnGraffkin: - - bugfix: IPC organs can be printed with the proper research done. + - bugfix: IPC organs can be printed with the proper research done. coleminerman: - - rscadd: Added the AK-47 automatic rifle as well as its ammo, both of which can - only be obtained through cargo purchases. - - balance: Changed the price of the Russian Surplus crate accordingly in order to - balance the weapon, as suggested by TetraZeta. Also changed the damage amount - done by the ammo type, as it was a bit too high (killed in only 7 shots with - an automatic weapon). - - imageadd: Added a new sprite for the AK-47. - - code_imp: Coded the AK-47 and its ammo. + - rscadd: + Added the AK-47 automatic rifle as well as its ammo, both of which can + only be obtained through cargo purchases. + - balance: + Changed the price of the Russian Surplus crate accordingly in order to + balance the weapon, as suggested by TetraZeta. Also changed the damage amount + done by the ammo type, as it was a bit too high (killed in only 7 shots with + an automatic weapon). + - imageadd: Added a new sprite for the AK-47. + - code_imp: Coded the AK-47 and its ammo. scarwolff: - - rscadd: AI's can now understand dwarves (and other WS races) - - rscadd: Makes a white sands language icon folder - - rscadd: Silicons can speak squid now too - - tweak: Dwarven language now has a mini icon (and other WS races) + - rscadd: AI's can now understand dwarves (and other WS races) + - rscadd: Makes a white sands language icon folder + - rscadd: Silicons can speak squid now too + - tweak: Dwarven language now has a mini icon (and other WS races) 2021-02-16: Jack7D1: - - tweak: Solar assemblies can be made in engineering lathes + - tweak: Solar assemblies can be made in engineering lathes StiffRobot: - - rscadd: The mining shuttle can now recharge its ion engines when docked at the - Lavaland/Ice moon outpost + - rscadd: + The mining shuttle can now recharge its ion engines when docked at the + Lavaland/Ice moon outpost Vorak2: - - bugfix: adds some missing solars to midway + - bugfix: adds some missing solars to midway 2021-02-19: SynnGraffkin: - - tweak: Connected the output of the Tesla / Singulo SMES to the grid instead of - just powering the Engie sec office. - - tweak: Added decals for a "suggested" 1x1 tesla containment on Delta to help new - engineers. - - balance: Yeets the Esword and Stetchkin from the Starfury ruin - - bugfix: Clown planet ruin's eyes now back to normal. - - bugfix: Fixed a few rogue wall mounts and the mapping icon for non-diagonal Platitanium - walls in the Lava syndie base. - - bugfix: Removed an air fan on the scrapheap that was stuck in a wall. + - tweak: + Connected the output of the Tesla / Singulo SMES to the grid instead of + just powering the Engie sec office. + - tweak: + Added decals for a "suggested" 1x1 tesla containment on Delta to help new + engineers. + - balance: Yeets the Esword and Stetchkin from the Starfury ruin + - bugfix: Clown planet ruin's eyes now back to normal. + - bugfix: + Fixed a few rogue wall mounts and the mapping icon for non-diagonal Platitanium + walls in the Lava syndie base. + - bugfix: Removed an air fan on the scrapheap that was stuck in a wall. 2021-02-23: Maldaris: - - bugfix: admeme panels fixed + - bugfix: admeme panels fixed MarkSuckerberg: - - rscadd: NTOS App for the management of all bank accounts - - rscadd: NTOS App for the management of departmental paychecks and termination - - tweak: Allows the freezing/unfreezing of accounts and budgets from the appropriate - management app - - rscadd: A small fee has been imposed by the Supply department on the use of all - materials, which is highly configurable. - - tweak: Costs for materials are disabled on red alert, so emergencies will still - be covered. + - rscadd: NTOS App for the management of all bank accounts + - rscadd: NTOS App for the management of departmental paychecks and termination + - tweak: + Allows the freezing/unfreezing of accounts and budgets from the appropriate + management app + - rscadd: + A small fee has been imposed by the Supply department on the use of all + materials, which is highly configurable. + - tweak: + Costs for materials are disabled on red alert, so emergencies will still + be covered. Pontenerd: - - bugfix: fixed meta solgov offices having multiple doors. + - bugfix: fixed meta solgov offices having multiple doors. untrius: - - bugfix: Numbers in IPC names persist - - bugfix: Buttons work while buckled again + - bugfix: Numbers in IPC names persist + - bugfix: Buttons work while buckled again untrius & JTGSZ: - - bugfix: Added default/random names for dwarves + - bugfix: Added default/random names for dwarves 2021-02-25: Maldaris: - - rscadd: New Metacoin gear items - - tweak: Boosted metacoin rewards + - rscadd: New Metacoin gear items + - tweak: Boosted metacoin rewards 2021-02-26: MarkSuckerberg: - - rscadd: New toxins lab on Galaxy - - rscadd: New tech storage on Galaxy - - rscadd: New shared toxins/atmos storage room - - rscadd: Emergency holopads on Galaxy - - tweak: Made Galaxy's tool storage, atmospherics, and engineering foyer bigger + - rscadd: New toxins lab on Galaxy + - rscadd: New tech storage on Galaxy + - rscadd: New shared toxins/atmos storage room + - rscadd: Emergency holopads on Galaxy + - tweak: Made Galaxy's tool storage, atmospherics, and engineering foyer bigger 2021-02-27: untrius: - - bugfix: Fixed some missing metacoin items + - bugfix: Fixed some missing metacoin items 2021-03-02: AsciiSquid: - - rscadd: Added weeaboo stick for 10TC - - tweak: tweaked the "cookies" received by each species. - - admin: Admins can gift more than cookies. + - rscadd: Added weeaboo stick for 10TC + - tweak: tweaked the "cookies" received by each species. + - admin: Admins can gift more than cookies. 2021-03-03: AsciiSquid: - - tweak: felinids are ever so slightly less cringe + - tweak: felinids are ever so slightly less cringe 2021-03-05: Dex: - - bugfix: Push broom will no longer slip you up while sweeping slippery items. - - code_imp: Push broom now sweeps on pre move rather than moved. + - bugfix: Push broom will no longer slip you up while sweeping slippery items. + - code_imp: Push broom now sweeps on pre move rather than moved. Maldaris: - - bugfix: Fixed an issue with the Unbanning Panel's SQL query for editing bans. + - bugfix: Fixed an issue with the Unbanning Panel's SQL query for editing bans. scarwolff: - - rscadd: Makes manly dorf give true dwarves high boozepower - - rscadd: Stops dorves being sick from drinking - - bugfix: moves DORFISM mutation in main file to make it work + - rscadd: Makes manly dorf give true dwarves high boozepower + - rscadd: Stops dorves being sick from drinking + - bugfix: moves DORFISM mutation in main file to make it work 2021-03-07: NotRanged, Gandalf2k15: - - tweak: Changed explosion sound code to be more noticeable and terrifying throughout - the station during siginificant explosive events. + - tweak: + Changed explosion sound code to be more noticeable and terrifying throughout + the station during siginificant explosive events. 2021-03-09: Shadowtail117: - - rscadd: Adds some traitor items for mothpeople, a razorwing implant and a lanternbang. - Brought to you by LepiCorp. - - tweak: The extra-bright lantern is now only 1TC and does not have Syndicate markings. + - rscadd: + Adds some traitor items for mothpeople, a razorwing implant and a lanternbang. + Brought to you by LepiCorp. + - tweak: The extra-bright lantern is now only 1TC and does not have Syndicate markings. 2021-03-16: Maldaris: - - rscadd: Shuttle Consoles to White Sands. - - rscadd: Directional ORM Sprites from @Quantum-M - - rscdel: Removed Icemoon from rotation - - balance: Colony actually has some resistance. + - rscadd: Shuttle Consoles to White Sands. + - rscadd: Directional ORM Sprites from @Quantum-M + - rscdel: Removed Icemoon from rotation + - balance: Colony actually has some resistance. MaltVinegar: - - bugfix: Sanitization + - bugfix: Sanitization 2021-03-17: Jack7D1: - - tweak: Lights are now brighter - - bugfix: Directional lights are now truly non-interactable + - tweak: Lights are now brighter + - bugfix: Directional lights are now truly non-interactable SynnGraffkin: - - tweak: Speedway away mission updated. - - rscadd: New indestructible supermatter walls for the purpose of keeping spacepods - in the racetrack and not spamming orbit menu with supermatters + - tweak: Speedway away mission updated. + - rscadd: + New indestructible supermatter walls for the purpose of keeping spacepods + in the racetrack and not spamming orbit menu with supermatters 2021-03-20: Shadowtail117: - - rscadd: You can now change your flavor text mid-round via a new verb in the IC - tab. + - rscadd: + You can now change your flavor text mid-round via a new verb in the IC + tab. 2021-03-21: Urumasi: - - bugfix: Fixed whitesands ruin generation throwing a runtime error + - bugfix: Fixed whitesands ruin generation throwing a runtime error 2021-03-22: Jack7D1: - - tweak: Doors and tools now play in mono sound if you are right next to them. + - tweak: Doors and tools now play in mono sound if you are right next to them. Urumasi: - - bugfix: Fixed a few runtimes on startup - - code_imp: Loot and ruins can now have spawn weight of 0 + - bugfix: Fixed a few runtimes on startup + - code_imp: Loot and ruins can now have spawn weight of 0 2021-03-24: 1glitchycent: - - rscadd: M2514 EBR, Tec 9 - - imageadd: sprites for these + - rscadd: M2514 EBR, Tec 9 + - imageadd: sprites for these Jack7D1: - - bugfix: Delta station xenobio now has a BZ injector like every other station. + - bugfix: Delta station xenobio now has a BZ injector like every other station. 2021-03-26: TheRealScarHomie: - - tweak: You can now add a different name for the mob overlay dmi + - tweak: You can now add a different name for the mob overlay dmi 2021-03-28: KubeRoot: - - bugfix: Upgraded Cybernetic Lungs (Tier3) now have improved oxygen absorption, - same as Cybernetic Lungs (Tier2) + - bugfix: + Upgraded Cybernetic Lungs (Tier3) now have improved oxygen absorption, + same as Cybernetic Lungs (Tier2) Maldaris: - - rscadd: NT's HR department added more job titles - - bugfix: Mislabled Cargonian hat + - rscadd: NT's HR department added more job titles + - bugfix: Mislabled Cargonian hat 2021-03-30: retlaw34: - - rscadd: Added a few new frontier style ruins. They were in, but they never spawned - so pretend they are new. - - balance: removed a lot of shards from ruins - - balance: removed security equipment from some ruins + - rscadd: + Added a few new frontier style ruins. They were in, but they never spawned + so pretend they are new. + - balance: removed a lot of shards from ruins + - balance: removed security equipment from some ruins 2021-03-31: Maldaris: - - rscadd: New Map generation technique for the Overmap based on orbits rather than - clusters. + - rscadd: + New Map generation technique for the Overmap based on orbits rather than + clusters. SynnGraffkin: - - tweak: Sandstorm button disabled + - tweak: Sandstorm button disabled 2021-04-08: Shadowtail117: - - tweak: You can now select the Head of Security's turtleneck as an alternate jumpsuit - in your character preferences. + - tweak: + You can now select the Head of Security's turtleneck as an alternate jumpsuit + in your character preferences. 2021-04-09: untrius: - - bugfix: You can once again construct tables out of meat, snow, bamboo, pizza, - etc. + - bugfix: + You can once again construct tables out of meat, snow, bamboo, pizza, + etc. 2021-04-12: untrius: - - bugfix: Financial programs have icons + - bugfix: Financial programs have icons 2021-05-02: MarinaGryphon: - - code_imp: Fixed some CI errors. + - code_imp: Fixed some CI errors. 2021-05-03: tmtmtl30: - - tweak: Autolathe-constructed welding tools + fire extinguishers no longer start - filled. - - tweak: The salvage ship's autolathe is no longer hacked by default. - - tweak: Improvised shotgun no longer starts with ammo. + - tweak: + Autolathe-constructed welding tools + fire extinguishers no longer start + filled. + - tweak: The salvage ship's autolathe is no longer hacked by default. + - tweak: Improvised shotgun no longer starts with ammo. 2021-05-04: MarkSuckerberg: - - rscadd: Virtual z-levels - - tweak: Each ~~shuttle~~ turf reservation will be treated as a different z-level, - meaning things that affect a z-level (Comms, suit sensors, AI upload, explosions, - etc.) will no longer be able to track different shuttles while they are in transit. + - rscadd: Virtual z-levels + - tweak: + Each ~~shuttle~~ turf reservation will be treated as a different z-level, + meaning things that affect a z-level (Comms, suit sensors, AI upload, explosions, + etc.) will no longer be able to track different shuttles while they are in transit. 2021-05-05: tmtmtl30: - - bugfix: breaking jungle planet rocks no longer leads you to space + - bugfix: breaking jungle planet rocks no longer leads you to space 2021-05-06: MarkSuckerberg: - - bugfix: No more .map() error on the helm console - - code_imp: Weird annoying extra line on the tgui devserver .bat that always crashes - VSCode for me removed - - rscadd: Conf option for setting the amount of smuggler satchels that spawn roundstart - - tweak: Only five satchels will try to spawn roundstart by default (as opposed - to 10) - - rscdel: The mining planet. - - rscdel: Planet-based item spawners, since there is no way of checking which planet - they're on at the moment. + - bugfix: No more .map() error on the helm console + - code_imp: + Weird annoying extra line on the tgui devserver .bat that always crashes + VSCode for me removed + - rscadd: Conf option for setting the amount of smuggler satchels that spawn roundstart + - tweak: + Only five satchels will try to spawn roundstart by default (as opposed + to 10) + - rscdel: The mining planet. + - rscdel: + Planet-based item spawners, since there is no way of checking which planet + they're on at the moment. triplezeta: - - rscadd: 'When the imposter is sus! :flushed:' + - rscadd: "When the imposter is sus! :flushed:" 2021-07-09: 1glitchycent: - - imageadd: new bloodred sprite + - imageadd: new bloodred sprite MarkSuckerberg: - - rscadd: NTSV Skipper, a pretty basic all-around ship. - - refactor: All ship areas are now pathed under /area/ship. - - code_imp: ALL SHUTTLES THAT USE THE /area/shuttle PATH WILL NO LONGER WORK. THEY - NEED TO BE CHANGED TO THE NEW /area/ship PATHS. - - bugfix: Helm-breaking bug when overmap objects are deleted or removed - - code_imp: The process for making ship maps has been streamlined. - - tweak: The main "station" zlevel no longer exists. - - rscadd: Basic way to end rounds IC - - rscadd: Priority announcements can now be sent to only one z-level if specified - to do so - - bugfix: Powernets are now properly rebuilt on shuttle move - - code_imp: Fixes issues found by SpacemanDMM linter - - tweak: APCs/air alarms no longer require any access to unlock - - rscadd: Star names are more interesting, names totally not stolen from starsector - - tweak: Makes the overmap slightly bigger. - - tweak: Raises event total cap - - bugfix: Stationary docking ports with roundstart templates defined will now spawn - those templates when loaded in via map template. - - tweak: "Diagonal movement now takes \u221A2 as long instead of twice as long as\ - \ orthogonal movement" - - bugfix: You can throw items on all space ruins now - - bugfix: Overmap icons for ships now show the correct heading. - - bugfix: encounter ruin spawns no longer can be busted through to space + - rscadd: NTSV Skipper, a pretty basic all-around ship. + - refactor: All ship areas are now pathed under /area/ship. + - code_imp: + ALL SHUTTLES THAT USE THE /area/shuttle PATH WILL NO LONGER WORK. THEY + NEED TO BE CHANGED TO THE NEW /area/ship PATHS. + - bugfix: Helm-breaking bug when overmap objects are deleted or removed + - code_imp: The process for making ship maps has been streamlined. + - tweak: The main "station" zlevel no longer exists. + - rscadd: Basic way to end rounds IC + - rscadd: + Priority announcements can now be sent to only one z-level if specified + to do so + - bugfix: Powernets are now properly rebuilt on shuttle move + - code_imp: Fixes issues found by SpacemanDMM linter + - tweak: APCs/air alarms no longer require any access to unlock + - rscadd: Star names are more interesting, names totally not stolen from starsector + - tweak: Makes the overmap slightly bigger. + - tweak: Raises event total cap + - bugfix: + Stationary docking ports with roundstart templates defined will now spawn + those templates when loaded in via map template. + - tweak: + "Diagonal movement now takes \u221A2 as long instead of twice as long as\ + \ orthogonal movement" + - bugfix: You can throw items on all space ruins now + - bugfix: Overmap icons for ships now show the correct heading. + - bugfix: encounter ruin spawns no longer can be busted through to space Swifterjackie: - - rscadd: engineer gaming + - rscadd: engineer gaming TheNeoGamer42: - - rscadd: some cryo place thats now inhabited by carps + - rscadd: some cryo place thats now inhabited by carps TripleZeta, tgstation development team: - - imageadd: Updated some sprites to modern TG - - imageadd: New lab coats! CMO's color palette has been updated to compensate + - imageadd: Updated some sprites to modern TG + - imageadd: New lab coats! CMO's color palette has been updated to compensate Vorak2: - - bugfix: Reported problems with midway + - bugfix: Reported problems with midway martinlyra & swifterjackie & triplezeta: - - rscadd: Added among plushies - - refactor: Moved Whitesands' plushies to Whitesands folder + - rscadd: Added among plushies + - refactor: Moved Whitesands' plushies to Whitesands folder retlaw34: - - rscadd: Adds a new line of posters, retro posters. - - rscadd: Adds some suspicious signs and posters - - tweak: Replacess the science's poster icon - - rscadd: The syndicate's old staging area for their operatives has been reported - on Icemoon. The location is unknown, however. - - rscadd: Adds new gun sounds + - rscadd: Adds a new line of posters, retro posters. + - rscadd: Adds some suspicious signs and posters + - tweak: Replacess the science's poster icon + - rscadd: + The syndicate's old staging area for their operatives has been reported + on Icemoon. The location is unknown, however. + - rscadd: Adds new gun sounds tiramisuapimancer: - - rscadd: new pet, soda dispenser and orion trail board, cryo pod console, on mining - shuttle - - tweak: moved the SMES on mining shuttle and rewired to match, theres only one - smes now but who cares we never used the second one. this should fix some bullshit - with the ion thruster - - bugfix: plating put under two things on mining shuttle so that landing on planets - would stop eating the wires and killing the solarpanels - - rscadd: Jellypeople have a lore blurb finally - - tweak: Jellypeople can have hair now - - tweak: edited or fully rewrote most of the roundstart species lore blurbs - - config: jellypeople default to roundstart in config in the repo now, they already - were on serverside config though - - rscadd: Bunchof new socks - - bugfix: fixed some weird sprite errors on the backstates of a bunch of stocking - sprites - - tweak: Ethereals can wear underclothes - - admin: added way to automatically ban people for being cringe - - bugfix: the whiteships are theoretically playable without admin intervention now, - besides the fact that admins still have to spawn them in - - tweak: Dwayne now comes with more gear to make it have slightly better mining - capacity than other ships + - rscadd: + new pet, soda dispenser and orion trail board, cryo pod console, on mining + shuttle + - tweak: + moved the SMES on mining shuttle and rewired to match, theres only one + smes now but who cares we never used the second one. this should fix some bullshit + with the ion thruster + - bugfix: + plating put under two things on mining shuttle so that landing on planets + would stop eating the wires and killing the solarpanels + - rscadd: Jellypeople have a lore blurb finally + - tweak: Jellypeople can have hair now + - tweak: edited or fully rewrote most of the roundstart species lore blurbs + - config: + jellypeople default to roundstart in config in the repo now, they already + were on serverside config though + - rscadd: Bunchof new socks + - bugfix: + fixed some weird sprite errors on the backstates of a bunch of stocking + sprites + - tweak: Ethereals can wear underclothes + - admin: added way to automatically ban people for being cringe + - bugfix: + the whiteships are theoretically playable without admin intervention now, + besides the fact that admins still have to spawn them in + - tweak: + Dwayne now comes with more gear to make it have slightly better mining + capacity than other ships triplezeta: - - rscadd: New space suit for use in space ruins and or by SolGov - - rscdel: The deathsquad enlistment poster has been commented out - - spellcheck: the hardsuits in the modularized hardsuit file are now improper nouns - - bugfix: ETAR SMG overlay wont show up on random guns now - - bugfix: All mainline ships should be able to be loaded in with the shuttle manipulator - now - - imageadd: new surgical tool sprites - - rscadd: shetland has holopad in the bridge now - - balance: RND server boards can no longer be printed - - bugfix: shetland atmos should work better now - - bugfix: shetland has an IV drip and defib now too - - rscadd: one new icemoon ruin and three new jungle ruins - - bugfix: caravan raid and the solgov exploration pod ruin should work for real - now - - rscadd: Utility jumpsuit and skirt, available for 1 metacoin. - - bugfix: shetland + - rscadd: New space suit for use in space ruins and or by SolGov + - rscdel: The deathsquad enlistment poster has been commented out + - spellcheck: the hardsuits in the modularized hardsuit file are now improper nouns + - bugfix: ETAR SMG overlay wont show up on random guns now + - bugfix: + All mainline ships should be able to be loaded in with the shuttle manipulator + now + - imageadd: new surgical tool sprites + - rscadd: shetland has holopad in the bridge now + - balance: RND server boards can no longer be printed + - bugfix: shetland atmos should work better now + - bugfix: shetland has an IV drip and defib now too + - rscadd: one new icemoon ruin and three new jungle ruins + - bugfix: + caravan raid and the solgov exploration pod ruin should work for real + now + - rscadd: Utility jumpsuit and skirt, available for 1 metacoin. + - bugfix: shetland triplezeta & untrius: - - rscadd: nanoweave carpets + - rscadd: nanoweave carpets untrius: - - bugfix: Royal moth wings display properly + - bugfix: Royal moth wings display properly 2021-07-13: tiramisuapimancer: - - rscdel: Radi Shipscorch - - tweak: mothperson plush description globally altered so as to no longer reference - tgstation static "Hugbug" - - rscadd: more moths to Kugel + - rscdel: Radi Shipscorch + - tweak: + mothperson plush description globally altered so as to no longer reference + tgstation static "Hugbug" + - rscadd: more moths to Kugel 2021-07-16: MarkSuckerberg: - - bugfix: Spam-clicking the dock/undock button no longer breaks everything - - tweak: There is now a cooldown to renaming ships + - bugfix: Spam-clicking the dock/undock button no longer breaks everything + - tweak: There is now a cooldown to renaming ships 2021-07-17: tiramisuapimancer: - - rscadd: crafting recipe for portable seed extractors + - rscadd: crafting recipe for portable seed extractors 2021-07-21: MarkSuckerberg: - - tweak: Important stuff says Shiptest instead of whitesands now + - tweak: Important stuff says Shiptest instead of whitesands now erin, neo, retlaw: - - rscadd: crashed syndicate assault pod ruin on whitesand planets - - rscadd: abandoned convenience store conveniently on whitesand planets + - rscadd: crashed syndicate assault pod ruin on whitesand planets + - rscadd: abandoned convenience store conveniently on whitesand planets tiramisuapimancer: - - bugfix: you can no longer create plant bags with just two cable coil + - bugfix: you can no longer create plant bags with just two cable coil 2021-07-26: AsciiSquid: - - rscadd: Added a spoon + - rscadd: Added a spoon 2021-07-27: MarkSuckerberg: - - rscadd: Ability to join different ships without admin intervention - - rscdel: Map voting system, maps are now randomly selected from a list of maps - that have the "roundstart" flag in their json - - code_imp: revamps map json files to include more metadata specifications + - rscadd: Ability to join different ships without admin intervention + - rscdel: + Map voting system, maps are now randomly selected from a list of maps + that have the "roundstart" flag in their json + - code_imp: revamps map json files to include more metadata specifications retlaw34: - - rscadd: Added minigalaxy - - rscadd: Added golem ship - - rscadd: Closet wallmounts + - rscadd: Added minigalaxy + - rscadd: Added golem ship + - rscadd: Closet wallmounts 2021-07-30: 1glitchycent: - - rscadd: Added a jumpsuit, coat and hat for syndicate captains. + - rscadd: Added a jumpsuit, coat and hat for syndicate captains. 2021-07-31: MarkSuckerberg: - - bugfix: Atmos tanks in the skipper now actually start with the right gasses - - rscadd: Blood freezer in the skipper - - bugfix: Rear airlock of the skipper wasn't piped + - bugfix: Atmos tanks in the skipper now actually start with the right gasses + - rscadd: Blood freezer in the skipper + - bugfix: Rear airlock of the skipper wasn't piped 2021-08-02: MarkSuckerberg: - - rscadd: Crew manifest shows ships' crews, and is in TGUI! - - bugfix: Ship cryopods actually add back job slots - - code_imp: Makes cryopod code a little less ugly and horrible + - rscadd: Crew manifest shows ships' crews, and is in TGUI! + - bugfix: Ship cryopods actually add back job slots + - code_imp: Makes cryopod code a little less ugly and horrible 2021-08-04: AsciiSquid: - - rscadd: Added Solgov Cricket to test ship + - rscadd: Added Solgov Cricket to test ship 2021-08-05: Apogee-dev: - - rscadd: Added two new space ruins - - rscadd: Added another new ship to test - - rscadd: Added a new ship. + - rscadd: Added two new space ruins + - rscadd: Added another new ship to test + - rscadd: Added a new ship. PetMudstone: - - bugfix: Paramedic jackets are no longer invisible + - bugfix: Paramedic jackets are no longer invisible PetMudstone & schwick: - - imageadd: Replaced the Mosin-Nagant sprites with new ones + - imageadd: Replaced the Mosin-Nagant sprites with new ones 2021-08-07: Apogee-dev: - - tweak: replaced shotguns in libertatia and fuel depot with lethal variant - - bugfix: added missing air alarm in libertatia cargo bay + - tweak: replaced shotguns in libertatia and fuel depot with lethal variant + - bugfix: added missing air alarm in libertatia cargo bay MarkSuckerberg: - - code_imp: Speeds up a lot of more intensive parts of the code - - bugfix: Specifically notable is the lag that used to occur when any ship was attempting - to land. This was fixed by making the reservation turf filling have an additional - CHECK_TICK. - - bugfix: Large asteroids are no longer weirdly coloured sometimes + - code_imp: Speeds up a lot of more intensive parts of the code + - bugfix: + Specifically notable is the lag that used to occur when any ship was attempting + to land. This was fixed by making the reservation turf filling have an additional + CHECK_TICK. + - bugfix: Large asteroids are no longer weirdly coloured sometimes unit0016: - - imageadd: A syndicate emblem turf decal is available to mappers. + - imageadd: A syndicate emblem turf decal is available to mappers. 2021-08-08: triplezeta: - - bugfix: shetland has firelocks and unfucked wiring now + - bugfix: shetland has firelocks and unfucked wiring now 2021-08-09: MarkSuckerberg: - - bugfix: The crew manifest will no longer error after a ship has been deleted. - - bugfix: Fixed a runtime related to sorting the manifest - - bugfix: Adds more sanity checking to ship purchasing code - - bugfix: Hyperspace no longer instantly QDELs mobs, instead just damaging them - rapidly. It also doesn't delete effects such as LIGHT SOURCES so that bug is - gone. Normal objects still qdel, though. - - rscdel: Finally removes unused shuttles on centcom. - - bugfix: OOC lag that everyone hates + - bugfix: The crew manifest will no longer error after a ship has been deleted. + - bugfix: Fixed a runtime related to sorting the manifest + - bugfix: Adds more sanity checking to ship purchasing code + - bugfix: + Hyperspace no longer instantly QDELs mobs, instead just damaging them + rapidly. It also doesn't delete effects such as LIGHT SOURCES so that bug is + gone. Normal objects still qdel, though. + - rscdel: Finally removes unused shuttles on centcom. + - bugfix: OOC lag that everyone hates Pet Mudstone & triplezeta: - - imageadd: Resprites of the witch robe and hat. + - imageadd: Resprites of the witch robe and hat. PetMudstone: - - imageadd: Added actual sprites for polar bear hides. - - bugfix: Skull helmets are no longer invisible. - - bugfix: Bone swords have visible in-hands now. + - imageadd: Added actual sprites for polar bear hides. + - bugfix: Skull helmets are no longer invisible. + - bugfix: Bone swords have visible in-hands now. 2021-08-11: Apogee-dev: - - rscadd: Added a SolGov cutter + - rscadd: Added a SolGov cutter Erin: - - rscadd: Three new ruins, one for lavaland, one for whitesands, and one for the - jungle + - rscadd: + Three new ruins, one for lavaland, one for whitesands, and one for the + jungle MarkSuckerberg: - - tweak: Tripled dissection research point output + - tweak: Tripled dissection research point output WindowsErrors: - - rscadd: hair dye - - rscadd: trait to make you spawn with hair dye + - rscadd: hair dye + - rscadd: trait to make you spawn with hair dye unit0016: - - rscadd: An additional space ruin has been added to the roster. + - rscadd: An additional space ruin has been added to the roster. 2021-08-12: MarkSuckerberg: - - bugfix: PKAs no longer lag the game to heck and back after a while + - bugfix: PKAs no longer lag the game to heck and back after a while coldud13: - - spellcheck: removes a doubled up bracket in ghost gas scan + - spellcheck: removes a doubled up bracket in ghost gas scan 2021-08-13: Apogee-dev: - - rscadd: Added another new ship + - rscadd: Added another new ship Dennok, TheChosenEvilOne,: - - bugfix: Loaded templates now initialize turfs correctly, and will longer have - visible cables and pipes + - bugfix: + Loaded templates now initialize turfs correctly, and will longer have + visible cables and pipes Pet Mudstone, Kryson: - - imageadd: Various sprites by Kryson for forks, pumpkins, meats, lamps, and fire - axes. + - imageadd: + Various sprites by Kryson for forks, pumpkins, meats, lamps, and fire + axes. martinlyra: - - config: Added settings to the Visual Studio Code that will help maintain consistency - across the code. - - code_imp: Indentation and similar use of whitespacing have undergone a major consistency - update. So the code should be more clean now. Developers do not have to worry - about fixing the most whitespaces for now. + - config: + Added settings to the Visual Studio Code that will help maintain consistency + across the code. + - code_imp: + Indentation and similar use of whitespacing have undergone a major consistency + update. So the code should be more clean now. Developers do not have to worry + about fixing the most whitespaces for now. triplezeta: - - bugfix: Miniature eguns can have their cells removed now - - code_imp: removes an unused var and dejanks a proc and comments out tac reload - code for energy guns + - bugfix: Miniature eguns can have their cells removed now + - code_imp: + removes an unused var and dejanks a proc and comments out tac reload + code for energy guns 2021-08-14: MarkSuckerberg: - - bugfix: Safe turf teleportation likely works again - - bugfix: Observers now start randomly on the overmap instead of in the weird place - they start normally + - bugfix: Safe turf teleportation likely works again + - bugfix: + Observers now start randomly on the overmap instead of in the weird place + they start normally martinlyra: - - code_imp: check_regex.py now outputs an file with full info on files with matches - and which lines were matched + - code_imp: + check_regex.py now outputs an file with full info on files with matches + and which lines were matched 2021-08-15: Pet Mudstone, Kryson: - - rscadd: 'Ported over some of Kryson''s special carpets: Donk Co., stellar, and - executive NT.' + - rscadd: + "Ported over some of Kryson's special carpets: Donk Co., stellar, and + executive NT." Pet Mudstone, schwick: - - imageadd: Added new sprites for the M-90gl Carbine by schwick. + - imageadd: Added new sprites for the M-90gl Carbine by schwick. PetMudstone: - - tweak: Utility jumpskirt no longer covers legs, allowing digitigrade legs to show - while wearing them + - tweak: + Utility jumpskirt no longer covers legs, allowing digitigrade legs to show + while wearing them 2021-08-17: AsciiSquid: - - rscadd: Added new rad ruin - - rscadd: Added rad mapping stuff + - rscadd: Added new rad ruin + - rscadd: Added rad mapping stuff tiramisuapimancer: - - bugfix: ipc hands being layered bad + - bugfix: ipc hands being layered bad triplezeta: - - rscadd: Box-Class Flying Hospital - - rscdel: Box-Class Medical Ship - - tweak: Skipper-class has a stationary pipe dispenser (singular) - - tweak: Boyardee-class has a full megaseed servitor - - balance: Most Shiptests Have Real Guns Now - - bugfix: all shiptests have wideband and holopads now + - rscadd: Box-Class Flying Hospital + - rscdel: Box-Class Medical Ship + - tweak: Skipper-class has a stationary pipe dispenser (singular) + - tweak: Boyardee-class has a full megaseed servitor + - balance: Most Shiptests Have Real Guns Now + - bugfix: all shiptests have wideband and holopads now 2021-08-18: Pet Mudstone, Twaticus, AdipemDragon: - - imageadd: Added new stool sprites. + - imageadd: Added new stool sprites. retlaw34: - - rscadd: hitscan gun - - rscadd: ruin for the hitscan - - bugfix: fixes a few gunsounds + - rscadd: hitscan gun + - rscadd: ruin for the hitscan + - bugfix: fixes a few gunsounds 2021-08-22: BigManMassive: - - imagedel: deleted icon for NanoTrasen logo from several ID icons. + - imagedel: deleted icon for NanoTrasen logo from several ID icons. 2021-08-23: ZephyrTFA: - - bugfix: You no longer get free power simply for existing on an asteroid, sorry! - - rscadd: respawn timer + - bugfix: You no longer get free power simply for existing on an asteroid, sorry! + - rscadd: respawn timer 2021-08-24: Apogee-dev: - - bugfix: fixed a missing cable on the Li Teguai + - bugfix: fixed a missing cable on the Li Teguai Pontenerd: - - rscadd: Added new mop sprite + - rscadd: Added new mop sprite ZephyrTFA: - - admin: Mentor backend actually works now + - admin: Mentor backend actually works now retlaw34: - - imageadd: new defib sprites - - imageadd: adds new syringe sprites - - imageadd: too lazy to port the tg syringe refactor so the bluespace/piercing syringe - sprites go unused for now + - imageadd: new defib sprites + - imageadd: adds new syringe sprites + - imageadd: + too lazy to port the tg syringe refactor so the bluespace/piercing syringe + sprites go unused for now 2021-08-26: Crossedfall, ThatGuyThere03: - - rscadd: New pet Frank (Yeeslow) added to the mining outpost + - rscadd: New pet Frank (Yeeslow) added to the mining outpost PetMudstone: - - balance: The baseball bat is no longer capable of stunlocking and has had its - knockback in space reduced to a more manageable level. To compensate, its damage - has been slightly buffed from 10 to 12. + - balance: + The baseball bat is no longer capable of stunlocking and has had its + knockback in space reduced to a more manageable level. To compensate, its damage + has been slightly buffed from 10 to 12. ZephyrTFA: - - rscadd: Ship-Based Research - - rscdel: Global Research - - balance: Servers no longer produce research points over time. + - rscadd: Ship-Based Research + - rscdel: Global Research + - balance: Servers no longer produce research points over time. 2021-08-27: ZephyrTFA: - - rscadd: Handheld Surveys used to generate research points. Check your autolathe! + - rscadd: Handheld Surveys used to generate research points. Check your autolathe! 2021-08-28: Stylemistake, Willox, Couls, Celotajs: - - bugfix: Postround reconnection should work again. - - tweak: Stat panel tabs fit themselves onscreen in a nicer fashion - - tweak: Admin tabs are now combined into one "admin" tab with subsections, unless - you use the "toggle split admin tabs" which changes it back to basically what - it used to be. + - bugfix: Postround reconnection should work again. + - tweak: Stat panel tabs fit themselves onscreen in a nicer fashion + - tweak: + Admin tabs are now combined into one "admin" tab with subsections, unless + you use the "toggle split admin tabs" which changes it back to basically what + it used to be. 2021-08-29: MarkSuckerberg: - - rscadd: Selling pads and their respective consoles to enable ship crews to sell - unneeded or rare items and then purchase them with an express console. - - bugfix: Express cargo consoles work again. - - rscadd: Extremely simplistic Teshari race for a proof of concept - - bugfix: Kilo class shows up as the kilo class again - - rscadd: You can actually buy the box- and pubby-class ships + - rscadd: + Selling pads and their respective consoles to enable ship crews to sell + unneeded or rare items and then purchase them with an express console. + - bugfix: Express cargo consoles work again. + - rscadd: Extremely simplistic Teshari race for a proof of concept + - bugfix: Kilo class shows up as the kilo class again + - rscadd: You can actually buy the box- and pubby-class ships 2021-08-30: Apogee-dev: - - rscadd: Added new whitesands ruins - - tweak: Tweaked whitesands camps - - tweak: Tweaked assault pod crash ruin + - rscadd: Added new whitesands ruins + - tweak: Tweaked whitesands camps + - tweak: Tweaked assault pod crash ruin 2021-08-31: MarkSuckerberg: - - bugfix: IPCs no longer have useless lungs. - - bugfix: IPC brains can now be removed as posibrains and then any posibrain can - be stuck into an IPC body. Like it was supposed to a year ago. - - bugfix: You can actually revive IPCs by healing them above 0 health. - - bugfix: You can actually do surgery steps that require an empty hand on carbons - again. - - bugfix: aheals no longer ghost you - - tweak: IPCs actually have oil blood now. Probably. - - code_imp: You can now set mutantorgans to `null` to just not give the species - an organ there. + - bugfix: IPCs no longer have useless lungs. + - bugfix: + IPC brains can now be removed as posibrains and then any posibrain can + be stuck into an IPC body. Like it was supposed to a year ago. + - bugfix: You can actually revive IPCs by healing them above 0 health. + - bugfix: + You can actually do surgery steps that require an empty hand on carbons + again. + - bugfix: aheals no longer ghost you + - tweak: IPCs actually have oil blood now. Probably. + - code_imp: + You can now set mutantorgans to `null` to just not give the species + an organ there. tiramisuapimancer: - - tweak: MMI examine text now accounts for the fact that IPCs do not have human - lungs inside them anymore + - tweak: + MMI examine text now accounts for the fact that IPCs do not have human + lungs inside them anymore 2021-09-01: Azarak: - - rscadd: Added an typing indicator that's completely asynchronous + - rscadd: Added an typing indicator that's completely asynchronous MarkSuckerberg: - - admin: The runtime viewer now shows how many of a specific runtime have occurred - - code_imp: Removes all uses of get_station_level(). This may have ingame consequences - but I don't know what to prod to make it flip off at the moment so I'll let - you figure it out + - admin: The runtime viewer now shows how many of a specific runtime have occurred + - code_imp: + Removes all uses of get_station_level(). This may have ingame consequences + but I don't know what to prod to make it flip off at the moment so I'll let + you figure it out 2021-09-02: AsciiSquid: - - bugfix: fixed crushers not counting towards mining skills - - rscadd: Added a cool bear pelt - - balance: survival pens now contain meth, I'm not joking - - imageadd: new icons for mining vendors - - imageadd: new icons for the bear pelt - - code_imp: turned mining vendors into normal vendors - - code_imp: consequently, normal vendors can now support mining points + - bugfix: fixed crushers not counting towards mining skills + - rscadd: Added a cool bear pelt + - balance: survival pens now contain meth, I'm not joking + - imageadd: new icons for mining vendors + - imageadd: new icons for the bear pelt + - code_imp: turned mining vendors into normal vendors + - code_imp: consequently, normal vendors can now support mining points 2021-09-03: AsciiSquid: - - rscadd: Added a new ship, the Shepherd-Class + - rscadd: Added a new ship, the Shepherd-Class 2021-09-04: AsciiSquid: - - rscadd: Added a cute spider plush. + - rscadd: Added a cute spider plush. Azarak: - - bugfix: fixed runechat messages not showing from things within lockers + - bugfix: fixed runechat messages not showing from things within lockers MarkSuckerberg: - - bugfix: Hyperspace doesn't delete you, but for real this time + - bugfix: Hyperspace doesn't delete you, but for real this time PowerfulBacon, Mark Suckerberg: - - code_imp: Removes old, deprecated map generator code - - code_imp: Removes unused, broken minimap code - - refactor: Refactors map exporting code to export to TGM and not lag as much - - bugfix: The `map exp` build mode module now actually works again - - rscadd: Adds option selection to the `map exp` build mode module, accessible by - right clicking it - - rscdel: Minimap code (was broken anyways) - - rscdel: Old procedural generation code (wasn't used anyways) + - code_imp: Removes old, deprecated map generator code + - code_imp: Removes unused, broken minimap code + - refactor: Refactors map exporting code to export to TGM and not lag as much + - bugfix: The `map exp` build mode module now actually works again + - rscadd: + Adds option selection to the `map exp` build mode module, accessible by + right clicking it + - rscdel: Minimap code (was broken anyways) + - rscdel: Old procedural generation code (wasn't used anyways) PrefabQuasar: - - rscadd: There have been some rumors among assistants about a strange, scrap-metal - ship floating into the sector. + - rscadd: + There have been some rumors among assistants about a strange, scrap-metal + ship floating into the sector. 2021-09-06: MarkSuckerberg: - - bugfix: IPCs can actually be revived and ahealed again. Probably. + - bugfix: IPCs can actually be revived and ahealed again. Probably. PrefabQuasar: - - bugfix: Foam pistol now displays the correct sprite. + - bugfix: Foam pistol now displays the correct sprite. 2021-09-07: AsciiSquid: - - rscadd: added suit storage mapping helper - - tweak: tweaked design of the cricket-class - - bugfix: corrected stacking errors regarding duct tapes - - refactor: refactored /obj/item/stack/sticky_tape to the more generic /obj/item/stack/tape + - rscadd: added suit storage mapping helper + - tweak: tweaked design of the cricket-class + - bugfix: corrected stacking errors regarding duct tapes + - refactor: refactored /obj/item/stack/sticky_tape to the more generic /obj/item/stack/tape Bokkiewokkie: - - bugfix: fixes powernet jank at least somewhat + - bugfix: fixes powernet jank at least somewhat MarkSuckerberg: - - rscadd: Adds a new blackbox entry for shuttle purchases to see ship popularity. + - rscadd: Adds a new blackbox entry for shuttle purchases to see ship popularity. PetMudstone: - - balance: Wolves and watchers are now incapable of destroying artificial walls - and may only destroy mineable walls. + - balance: + Wolves and watchers are now incapable of destroying artificial walls + and may only destroy mineable walls. PrefabQuasar: - - tweak: swapped the sounds played by flora when hit to something more appropriate - - soundadd: made a modified version of the rockbreaking sound to use for the above - change + - tweak: swapped the sounds played by flora when hit to something more appropriate + - soundadd: + made a modified version of the rockbreaking sound to use for the above + change retlaw34: - - tweak: slightly updates defib sprite + - tweak: slightly updates defib sprite 2021-09-08: fighterslam: - - rscadd: adds oxygen to the bubble-class + - rscadd: adds oxygen to the bubble-class 2021-09-10: BigManMassive: - - rscadd: Added makeshift pistol that can be crafted - - rscadd: Added makeshift armor that can be crafted + - rscadd: Added makeshift pistol that can be crafted + - rscadd: Added makeshift armor that can be crafted retlaw34: - - bugfix: erin fixes a ruin - - rscadd: Adds more wall closets. + - bugfix: erin fixes a ruin + - rscadd: Adds more wall closets. 2021-09-12: Bokkiewokkie: - - admin: Fixed a security issue with the advanced proccall + - admin: Fixed a security issue with the advanced proccall 2021-09-13: MarkSuckerberg: - - rscadd: Many more randomgen ship names. - - bugfix: Critically damaged ships are no longer invisible. - - tweak: Small ships such as the kilo now qualify for names and full ship icons. - Sorry pill-class "users," you don't get nice things. + - rscadd: Many more randomgen ship names. + - bugfix: Critically damaged ships are no longer invisible. + - tweak: + Small ships such as the kilo now qualify for names and full ship icons. + Sorry pill-class "users," you don't get nice things. 2021-09-14: ZephyrTFA: - - rscadd: Ships can now individually bluespace jump. + - rscadd: Ships can now individually bluespace jump. 2021-09-15: Apogee-dev: - - rscadd: Added the Liberty-Class Interceptor, a bus-only SolGov interceptor ship. + - rscadd: Added the Liberty-Class Interceptor, a bus-only SolGov interceptor ship. 2021-09-17: Ms-Mee: - - tweak: Removed prescriptionHUDs from gear and made them be given by the nearsighted - quirk instead, which doesn't override your starting glasses anymore. - - bugfix: No more roundstart permanent HUD from deleted gear item. + - tweak: + Removed prescriptionHUDs from gear and made them be given by the nearsighted + quirk instead, which doesn't override your starting glasses anymore. + - bugfix: No more roundstart permanent HUD from deleted gear item. PrefabQuasar: - - rscadd: Added the ability to dip stock parts into certain reagents, converting - them into other reagents - - rscadd: Added the reagent analyzer, craftable from a health analyzer, and the - seperatory funnel, craftable from 3 small beakers - - rscadd: Added two new "medicine" reagents, which convert between brute and burn, - however, unlike convermol, total damage will INCREASE, making them only situationally - useful - - tweak: made the electrolysis reaction use less liquid electricity to convert the - same amount of water - - balance: Chemistry can now be done without chemistry machines - - imageadd: Added icons for the reagent analyzer, and the seperatory funnel + - rscadd: + Added the ability to dip stock parts into certain reagents, converting + them into other reagents + - rscadd: + Added the reagent analyzer, craftable from a health analyzer, and the + seperatory funnel, craftable from 3 small beakers + - rscadd: + Added two new "medicine" reagents, which convert between brute and burn, + however, unlike convermol, total damage will INCREASE, making them only situationally + useful + - tweak: + made the electrolysis reaction use less liquid electricity to convert the + same amount of water + - balance: Chemistry can now be done without chemistry machines + - imageadd: Added icons for the reagent analyzer, and the seperatory funnel mcmeiler: - - rscadd: 'Added midround Jellyperson customization! Included are: Mutant Color, - hair style, facial hair style, ears and tails. (More may follow.)' - - imageadd: Sprites for slime cat ears and tails + - rscadd: + "Added midround Jellyperson customization! Included are: Mutant Color, + hair style, facial hair style, ears and tails. (More may follow.)" + - imageadd: Sprites for slime cat ears and tails tiramisuapimancer: - - tweak: 'minimum mutantcolor luminosity moved from 47 to 7: you can now have lizards, - IPCs, teshari etc that are darkly colored' + - tweak: + "minimum mutantcolor luminosity moved from 47 to 7: you can now have lizards, + IPCs, teshari etc that are darkly colored" triplezeta: - - balance: ETAR and ESG both have significant negative AP - - balance: the ETAR has its lethal mode back, the ESG now has a lethal variant - - balance: ESG spread increased heavily, pellet count reduced - - bugfix: ESG, EBR, ETAR all have inhands now, HOS gun stun mode has inhands + - balance: ETAR and ESG both have significant negative AP + - balance: the ETAR has its lethal mode back, the ESG now has a lethal variant + - balance: ESG spread increased heavily, pellet count reduced + - bugfix: ESG, EBR, ETAR all have inhands now, HOS gun stun mode has inhands untrius: - - bugfix: Phazons no longer say they need bluespace cores + - bugfix: Phazons no longer say they need bluespace cores 2021-09-19: MarkSuckerberg: - - rscadd: You can now pick up Teshari into mob holders. Teshari and other holdable - mobs cannot pick up other holdable mobs to prevent recursion of any kind. - - rscadd: Two new coloured customization options for Tesh, including head feathers/ears - and optional body colour. - - rscadd: Teshari now have a unique language (with no unique sprite as of yet) called - Schechi. - - rscadd: You can now only put one mob holder into a duffel bag, and no other - bags. - - bugfix: Teshari actually have eyes now - - bugfix: You can no longer eat some simplemobs alive (if you know, you know) - - bugfix: mob holders can now breathe in bags - - tweak: Minor Teshari diet adjustment, they now prefer meat and dislike grain/gross - foods. - - tweak: Teshari blood is no longer ammonia. + - rscadd: + You can now pick up Teshari into mob holders. Teshari and other holdable + mobs cannot pick up other holdable mobs to prevent recursion of any kind. + - rscadd: + Two new coloured customization options for Tesh, including head feathers/ears + and optional body colour. + - rscadd: + Teshari now have a unique language (with no unique sprite as of yet) called + Schechi. + - rscadd: + You can now only put one mob holder into a duffel bag, and no other + bags. + - bugfix: Teshari actually have eyes now + - bugfix: You can no longer eat some simplemobs alive (if you know, you know) + - bugfix: mob holders can now breathe in bags + - tweak: + Minor Teshari diet adjustment, they now prefer meat and dislike grain/gross + foods. + - tweak: Teshari blood is no longer ammonia. 2021-09-20: ZephyrTFA: - - bugfix: Weapon Rechargers no longer enter a permanent state of invisibility upon - being smacked with a screwdriver. + - bugfix: + Weapon Rechargers no longer enter a permanent state of invisibility upon + being smacked with a screwdriver. untrius: - - bugfix: Survey handhelds let you know if/why they failed and make noise + - bugfix: Survey handhelds let you know if/why they failed and make noise 2021-09-24: MarkSuckerberg: - - admin: The call-shuttle and cancel-shuttle verbs have been replaced with initiate_jump - and cancel_jump respectively. - - admin: You can actually open check-antagonists again to delay the round \o/ - - rscdel: Emergency shuttle code - - rscdel: Personal objectives. I am quite sure this was broken already anyways. - - rscdel: Lots of unrelated shuttle map files and templates. - - rscdel: A lot of antagonist objective code has been removed (as it didn't work - at all already) - - rscdel: AIs can no longer randomly initiate a shuttle call - - rscdel: Normal cargo shuttle consoles have been removed, as they do not work. - Express consoles remain. - - rscdel: The old and deprecated shuttle consoles have been removed as they do not - work. - - rscdel: Bluespace gigabeacons have been removed since they do not work. - - rscdel: Emergency shuttle purchasing has been removed. Not that it worked at all - anyways. - - rscdel: Removed unbuyable shuttle config for obvious reasons seen in the entry - above. - - tweak: Express cargo consoles no longer require you to unlock them. - - tweak: Express cargo consoles' "cargo bay" option will now actually send pods - to your current ship's cargo bay. - - tweak: Export scanners no longer need to be "linked" to a cargo shuttle console. - - tweak: Moved whiteship map files into the shiptest directory as they're normal - ships now. + - admin: + The call-shuttle and cancel-shuttle verbs have been replaced with initiate_jump + and cancel_jump respectively. + - admin: You can actually open check-antagonists again to delay the round \o/ + - rscdel: Emergency shuttle code + - rscdel: Personal objectives. I am quite sure this was broken already anyways. + - rscdel: Lots of unrelated shuttle map files and templates. + - rscdel: + A lot of antagonist objective code has been removed (as it didn't work + at all already) + - rscdel: AIs can no longer randomly initiate a shuttle call + - rscdel: + Normal cargo shuttle consoles have been removed, as they do not work. + Express consoles remain. + - rscdel: + The old and deprecated shuttle consoles have been removed as they do not + work. + - rscdel: Bluespace gigabeacons have been removed since they do not work. + - rscdel: + Emergency shuttle purchasing has been removed. Not that it worked at all + anyways. + - rscdel: + Removed unbuyable shuttle config for obvious reasons seen in the entry + above. + - tweak: Express cargo consoles no longer require you to unlock them. + - tweak: + Express cargo consoles' "cargo bay" option will now actually send pods + to your current ship's cargo bay. + - tweak: Export scanners no longer need to be "linked" to a cargo shuttle console. + - tweak: + Moved whiteship map files into the shiptest directory as they're normal + ships now. PrefabQuasar: - - balance: power_puzzle has been reinforced to prevent people from getting at all - the cool and honorable things inside. + - balance: + power_puzzle has been reinforced to prevent people from getting at all + the cool and honorable things inside. retlaw34: - - soundadd: bay clicking sounds + - soundadd: bay clicking sounds 2021-09-25: Cenrus: - - balance: Goliaths cannot smash walls + - balance: Goliaths cannot smash walls St0rmC4st3r, Zeskorion, TetraZeta, super12pl: - - rscadd: Adds curator's ghost buster kit + - rscadd: Adds curator's ghost buster kit retlaw34: - - rscadd: Type B for the boyardee + - rscadd: Type B for the boyardee 2021-09-27: PrefabQuasar: - - tweak: Tiles can now be reskinned by using them in-hand. + - tweak: Tiles can now be reskinned by using them in-hand. 2021-09-30: untrius: - - bugfix: Vending machines display item preview sprites again + - bugfix: Vending machines display item preview sprites again 2021-10-01: Cenrus: - - bugfix: Fixed cargo ordered jukebox not working without admin assistance + - bugfix: Fixed cargo ordered jukebox not working without admin assistance fighterslam: - - rscadd: added a vomit generator to the tide-class, I dunno if it works as fuel - though + - rscadd: + added a vomit generator to the tide-class, I dunno if it works as fuel + though 2021-10-02: MemedHams: - - rscadd: A particularly drippy outfit. Don't take it off! - - rscadd: The ascetic's garb, an overwear item that speeds up the wearer and surrounds - them in a protective desert wind. Singificantly increases damage taken when - shield is down. - - rscadd: Ports the Ice Cube artifact from /TG/ - - rscadd: Ports spur from Yogstation, reworks it slightly to rebalance it to mining - pool standards. - - rscadd: Ports tribal torch from F13 and adds the associated crafting recipe - - rscadd: New cursed katana sprites and aesthetic. - - rscadd: A number of artefact item icons ported from modern /TG/ - - rscadd: Concussion Gauntlets! Special martial art content incoming. - - tweak: Replaces soulstone with a nerfed necrostone - - tweak: Assigns new sprites to the Paradox bag, and nerfs its storage capacity - - tweak: A mining scanner has been added to the diamond pickaxe necroloot drop. - - tweak: An envy's knife has been added to the voodoo doll drop. (thematic appropriateness) - - balance: The cursed heart's "beat" ability can now be triggered when stunned or - cuffed. Bloodloss from missing a beat has been halved. Pending possible nerfs - to heal amount if this is too busted. - - balance: Redesigned immortality talisman to be more generally useful, and to accept - a custom BIG SCARY SHOUT - - balance: Redesigns Hook Shot item to apply fast attacks in melee range. - - tweak: Added new pathing to some necro items, and reorganized list to contain - two less items (for now) - - balance: Removed Jacob's Ladder and Dark Blessing from the necropolis loot pool. - - balance: Added buffed rework of possessed blade to necroloot pool, gaining amplified - damage, block chance, and bloodletting - - balance: Reworks cursed blade to cause acts of hubris and occasionally painful - death - - balance: Buffed all the elite items from useless to ok, since you can only get - them in the first place by fighting a pvp megafauna - - tweak: gave the necropolis chest power miner a small chance to drop a chooseable - version, instead. Spin the wheel of overwhelmingly low chances. - - tweak: removes ability to choose gravokinetic guardian until the game-breaking - visual bugs are fixed. + - rscadd: A particularly drippy outfit. Don't take it off! + - rscadd: + The ascetic's garb, an overwear item that speeds up the wearer and surrounds + them in a protective desert wind. Singificantly increases damage taken when + shield is down. + - rscadd: Ports the Ice Cube artifact from /TG/ + - rscadd: + Ports spur from Yogstation, reworks it slightly to rebalance it to mining + pool standards. + - rscadd: Ports tribal torch from F13 and adds the associated crafting recipe + - rscadd: New cursed katana sprites and aesthetic. + - rscadd: A number of artefact item icons ported from modern /TG/ + - rscadd: Concussion Gauntlets! Special martial art content incoming. + - tweak: Replaces soulstone with a nerfed necrostone + - tweak: Assigns new sprites to the Paradox bag, and nerfs its storage capacity + - tweak: A mining scanner has been added to the diamond pickaxe necroloot drop. + - tweak: An envy's knife has been added to the voodoo doll drop. (thematic appropriateness) + - balance: + The cursed heart's "beat" ability can now be triggered when stunned or + cuffed. Bloodloss from missing a beat has been halved. Pending possible nerfs + to heal amount if this is too busted. + - balance: + Redesigned immortality talisman to be more generally useful, and to accept + a custom BIG SCARY SHOUT + - balance: Redesigns Hook Shot item to apply fast attacks in melee range. + - tweak: + Added new pathing to some necro items, and reorganized list to contain + two less items (for now) + - balance: Removed Jacob's Ladder and Dark Blessing from the necropolis loot pool. + - balance: + Added buffed rework of possessed blade to necroloot pool, gaining amplified + damage, block chance, and bloodletting + - balance: + Reworks cursed blade to cause acts of hubris and occasionally painful + death + - balance: + Buffed all the elite items from useless to ok, since you can only get + them in the first place by fighting a pvp megafauna + - tweak: + gave the necropolis chest power miner a small chance to drop a chooseable + version, instead. Spin the wheel of overwhelmingly low chances. + - tweak: + removes ability to choose gravokinetic guardian until the game-breaking + visual bugs are fixed. 2021-10-03: Ms-Mee: - - rscadd: Added a means of extracting seeds using sharp objects and tools. As well - as a chance for composting produce to plant the same type of produce on an empty - tray. - - balance: New ghetto options for seed extraction and planting unreliant on autolathes. + - rscadd: + Added a means of extracting seeds using sharp objects and tools. As well + as a chance for composting produce to plant the same type of produce on an empty + tray. + - balance: New ghetto options for seed extraction and planting unreliant on autolathes. PrefabQuasar: - - rscadd: Added the Bogatyr-class Explorator - - rscadd: Added the Lamia-class Magery Ship + - rscadd: Added the Bogatyr-class Explorator + - rscadd: Added the Lamia-class Magery Ship fighterslam: - - bugfix: Fixed the Boyardee's secure armory door to have the right access. + - bugfix: Fixed the Boyardee's secure armory door to have the right access. 2021-10-05: Omppusolttu: - - rscadd: The Scrapper-B Exploration Vessel - - rscadd: The Scrapper-Class Salvage Cruiser + - rscadd: The Scrapper-B Exploration Vessel + - rscadd: The Scrapper-Class Salvage Cruiser PrefabQuasar: - - rscadd: Decal painter has been reworked to have many, many more decals available. + - rscadd: Decal painter has been reworked to have many, many more decals available. fighterslam: - - bugfix: fixed the tables on the riggs-class + - bugfix: fixed the tables on the riggs-class retlaw34: - - rscadd: 'Adds a new ruin: a history musuem!' - - rscadd: Moves oldstation t- you know, i dont even think these changelogs work + - rscadd: "Adds a new ruin: a history musuem!" + - rscadd: Moves oldstation t- you know, i dont even think these changelogs work untrius: - - config: Cleaned up some warnings in the default config + - config: Cleaned up some warnings in the default config 2021-10-08: MemedHams: - - rscadd: Adds a wolf talisman that can be crafted from both wolf trophies. - - rscadd: The legion staff, allowing one to summon legion skulls to their side. - - tweak: makes legion and wolf trophies drop independent of crusher usage. - - balance: Nerfs money gained from selling necropolis loot. - - rscadd: gemstones! They can be sold on export for money, or held onto I guess. - Adds rare chances for them to drop to a few mobs, and to a particular demonic - pool. - - rscadd: A particularly BIG mask that alters speech like the Italian moustache. - - balance: Reduces the health and functional speed/range of whelps and ice demons. - - balance: increases the health and maximum spawns of lava tendrils. - - tweak: Makes asteroid spawners drop ore as well, with a small chance of other - loot. - - rscadd: implements demonic portals on snow planets. - - rscadd: Ports the white wolf and polar bear crusher trophies. - - tweak: significantly enriched demonic portal loot drops and added scaling difficulty- - You are not safe when it dies, so be ready to fight off whatever comes through. - - tweak: adds on-contact hostile versions of clown mobs. - - tweak: non-clowns can now wear the Cosmohonk hardsuit. - - tweak: adds puce to all 3 high-difficulty planets. Adds fireblossom to the lavaland - flora pool. - - tweak: Increases elite spawnchance slightly, and significantly increases chances - for elites to drop their unique crusher trophy - - rscadd: A new polar bear elite, a wolf elite, a demon elite and a trophy alongside - each. - - tweak: Adds unique trophies for the ancient goliath, dwarf legion, and ash drake(old - ash drake trophy is now the ice whelp trophy) - - bugfix: goliath tentacle crusher trophy now works as intended, instead of doing - nothing. + - rscadd: Adds a wolf talisman that can be crafted from both wolf trophies. + - rscadd: The legion staff, allowing one to summon legion skulls to their side. + - tweak: makes legion and wolf trophies drop independent of crusher usage. + - balance: Nerfs money gained from selling necropolis loot. + - rscadd: + gemstones! They can be sold on export for money, or held onto I guess. + Adds rare chances for them to drop to a few mobs, and to a particular demonic + pool. + - rscadd: A particularly BIG mask that alters speech like the Italian moustache. + - balance: Reduces the health and functional speed/range of whelps and ice demons. + - balance: increases the health and maximum spawns of lava tendrils. + - tweak: + Makes asteroid spawners drop ore as well, with a small chance of other + loot. + - rscadd: implements demonic portals on snow planets. + - rscadd: Ports the white wolf and polar bear crusher trophies. + - tweak: + significantly enriched demonic portal loot drops and added scaling difficulty- + You are not safe when it dies, so be ready to fight off whatever comes through. + - tweak: adds on-contact hostile versions of clown mobs. + - tweak: non-clowns can now wear the Cosmohonk hardsuit. + - tweak: + adds puce to all 3 high-difficulty planets. Adds fireblossom to the lavaland + flora pool. + - tweak: + Increases elite spawnchance slightly, and significantly increases chances + for elites to drop their unique crusher trophy + - rscadd: + A new polar bear elite, a wolf elite, a demon elite and a trophy alongside + each. + - tweak: + Adds unique trophies for the ancient goliath, dwarf legion, and ash drake(old + ash drake trophy is now the ice whelp trophy) + - bugfix: + goliath tentacle crusher trophy now works as intended, instead of doing + nothing. PrefabQuasar: - - rscadd: The ruins of crashed ships can now be found on planets. + - rscadd: The ruins of crashed ships can now be found on planets. martinlyra: - - bugfix: Fixed charge overlays for the energy guns. + - bugfix: Fixed charge overlays for the energy guns. retlaw34: - - imageadd: Every revolver sprite has been redone! Detectives be happy... or they - would be, if they still existed. + - imageadd: + Every revolver sprite has been redone! Detectives be happy... or they + would be, if they still existed. super12pl: - - tweak: People orbited by wisps now spin two times faster. + - tweak: People orbited by wisps now spin two times faster. untrius: - - tweak: Technophile synth conversion is now semi-affordable - - bugfix: Fixed missing Technophile cell-rejection message - - rscadd: Add Clockwork Sect - - rscadd: Re-add Ratvarian language + - tweak: Technophile synth conversion is now semi-affordable + - bugfix: Fixed missing Technophile cell-rejection message + - rscadd: Add Clockwork Sect + - rscadd: Re-add Ratvarian language 2021-10-09: martinlyra: - - bugfix: Fixed the bug affecting a specific group of energy guns not displaying - their charge states. + - bugfix: + Fixed the bug affecting a specific group of energy guns not displaying + their charge states. retlaw34: - - balance: several ruins have been made easier, namely the nuke op ship and the - facility + - balance: + several ruins have been made easier, namely the nuke op ship and the + facility 2021-10-10: PrefabQuasar: - - rscadd: Jaynesday and Mudder's Milk have been added + - rscadd: Jaynesday and Mudder's Milk have been added retlaw34: - - rscadd: Adds a new, disposable gun - - imageadd: new sprites by @any% - - balance: Most guns in cargo are now worth x3 - - bugfix: fixes taser sprite - - rscadd: adds new LGBT pride ties + - rscadd: Adds a new, disposable gun + - imageadd: new sprites by @any% + - balance: Most guns in cargo are now worth x3 + - bugfix: fixes taser sprite + - rscadd: adds new LGBT pride ties 2021-10-14: PrefabQuasar: - - rscadd: mudder's milk sprite + - rscadd: mudder's milk sprite Shadowtail117: - - bugfix: Heads of staff will no longer instantly connect to other holopads when - calling them. + - bugfix: + Heads of staff will no longer instantly connect to other holopads when + calling them. 2021-10-16: untrius: - - bugfix: Life reaction works again + - bugfix: Life reaction works again 2021-10-17: Mannybrado: - - rscadd: new ship, high-class + - rscadd: new ship, high-class PrefabQuasar: - - bugfix: decal gun now has 8-directional decals + - bugfix: decal gun now has 8-directional decals 2021-10-19: BigManMassive: - - tweak: Changed description of hacked 9mm ammo to be upper case. + - tweak: Changed description of hacked 9mm ammo to be upper case. Mannybrado: - - bugfix: high class entirely. perfection. + - bugfix: high class entirely. perfection. Moltovz: - - tweak: 'changes the SM sprite: Moltov' + - tweak: "changes the SM sprite: Moltov" PrefabQuasar: - - bugfix: anyone can now use ORMs + - bugfix: anyone can now use ORMs zestybastard & untrius: - - rscadd: 'Added drinks: freezer burn, out of touch, darkest chocolate, archmagus - brew, and out of lime' - - imageadd: added sprites for the above + - rscadd: + "Added drinks: freezer burn, out of touch, darkest chocolate, archmagus + brew, and out of lime" + - imageadd: added sprites for the above 2021-10-21: retlaw34: - - rscadd: The lieutenant's clothing is back, go try and find it - - imageadd: new radio sprites - - imageadd: new advanced stopping sprites - - rscadd: Adds even more nanotrasen posters~ - - tweak: The retro laser gun's poster has been changed to reflect the lore changes + - rscadd: The lieutenant's clothing is back, go try and find it + - imageadd: new radio sprites + - imageadd: new advanced stopping sprites + - rscadd: Adds even more nanotrasen posters~ + - tweak: The retro laser gun's poster has been changed to reflect the lore changes tiramisuapimancer: - - bugfix: Kugelblitz wiring fixed - - tweak: Kugel's supermatter filters now default to being set to filter the gases - they are supposed to filter + - bugfix: Kugelblitz wiring fixed + - tweak: + Kugel's supermatter filters now default to being set to filter the gases + they are supposed to filter 2021-10-24: Mannybrado: - - tweak: various small additions/tweaks to the high-class - - bugfix: high-class SMES wiring + - tweak: various small additions/tweaks to the high-class + - bugfix: high-class SMES wiring PetMudstone, AdipemDragon: - - imageadd: Added new sprites for bread, baguettes, sandwiches, hot dogs, and khachapuri. + - imageadd: Added new sprites for bread, baguettes, sandwiches, hot dogs, and khachapuri. ZephyrTFA: - - bugfix: People who cryo are now correctly removed from their ships manifest. + - bugfix: People who cryo are now correctly removed from their ships manifest. 2021-10-25: PetMudstone: - - tweak: Added a defibrillator to the medical area on the Skipper. - - bugfix: The operating computer on the Skipper now works. + - tweak: Added a defibrillator to the medical area on the Skipper. + - bugfix: The operating computer on the Skipper now works. 2021-10-27: MemedHams: - - rscadd: projectile damage multiplication, a var on guns that can multiply or divide - the damage done by their bullets. - - balance: Buffs armor plating scaling - - balance: boost chance of tendrils spawning on whitesands - - bugfix: fixes broken whitesands survivor nugget drops - - tweak: survivor suits can now be upgraded like mining suits - - balance: slightly buffs armor value of craftable magic plate armor, and removes - the slowdown. - - tweak: Demonic Portals now have unique sound effects on loot spawn, based on the - spawned enemy/item pool. - - balance: Heavily nerfs wolf survivability and base speed, adds considerable mobility, - though this is dodgeable. - - balance: Boosts portal loot spawn chance. Slightly nerfs the syndicate mobs dropped - by the portal. - - bugfix: replaces a bugged syndicate drop. - - bugfix: removes a second 5% chance that made getting the legion "soldier" gun - effectively impossible - - bugfix: goliaths now unanchor on death, fixing the immovable body bug. - - bugfix: tweaks the crusher inhand to fix a minor cropping issue. - - bugfix: crusher back sprite is now visible. - - balance: removes cultonly from a few cult items. - - balance: very slightly blunts ice whelps, reducing their fire range and aggro - sightline - - balance: slightly buffs the combat wrench. + - rscadd: + projectile damage multiplication, a var on guns that can multiply or divide + the damage done by their bullets. + - balance: Buffs armor plating scaling + - balance: boost chance of tendrils spawning on whitesands + - bugfix: fixes broken whitesands survivor nugget drops + - tweak: survivor suits can now be upgraded like mining suits + - balance: + slightly buffs armor value of craftable magic plate armor, and removes + the slowdown. + - tweak: + Demonic Portals now have unique sound effects on loot spawn, based on the + spawned enemy/item pool. + - balance: + Heavily nerfs wolf survivability and base speed, adds considerable mobility, + though this is dodgeable. + - balance: + Boosts portal loot spawn chance. Slightly nerfs the syndicate mobs dropped + by the portal. + - bugfix: replaces a bugged syndicate drop. + - bugfix: + removes a second 5% chance that made getting the legion "soldier" gun + effectively impossible + - bugfix: goliaths now unanchor on death, fixing the immovable body bug. + - bugfix: tweaks the crusher inhand to fix a minor cropping issue. + - bugfix: crusher back sprite is now visible. + - balance: removes cultonly from a few cult items. + - balance: + very slightly blunts ice whelps, reducing their fire range and aggro + sightline + - balance: slightly buffs the combat wrench. 2021-10-28: Cenrus: - - rscadd: Added a new space ruin to explore + - rscadd: Added a new space ruin to explore MarkSuckerberg: - - tweak: Announcements for "captains" now extend to all "captain" roles (the ones - that are listed first) - - bugfix: Said captain announcements are now z-local - - bugfix: PDA crew manifest works again. Not that it will live for long if I'm lucky - - code_imp: You can now specify custom jobs in a ship metadata json - - rscdel: Creep antag, fight me + - tweak: + Announcements for "captains" now extend to all "captain" roles (the ones + that are listed first) + - bugfix: Said captain announcements are now z-local + - bugfix: PDA crew manifest works again. Not that it will live for long if I'm lucky + - code_imp: You can now specify custom jobs in a ship metadata json + - rscdel: Creep antag, fight me retlaw34: - - rscadd: Deep core scanners can now switch between scanning surface ore and deepcore - ore. - - tweak: They have been renamed to dual mining scanners - - balance: Most mining scanners have been replace with deep cores + - rscadd: + Deep core scanners can now switch between scanning surface ore and deepcore + ore. + - tweak: They have been renamed to dual mining scanners + - balance: Most mining scanners have been replace with deep cores super12pl: - - soundadd: Lizards now have a sound when screaming. + - soundadd: Lizards now have a sound when screaming. 2021-10-29: BigManMassive: - - tweak: Changed custom ID card sprite. + - tweak: Changed custom ID card sprite. PetMudstone, ThePainkiller, Alterist: - - rscadd: Added gastrectomy, a surgery that repairs stomachs. - - rscadd: Added 3 tiers of cybernetic stomachs that can be researched and made. + - rscadd: Added gastrectomy, a surgery that repairs stomachs. + - rscadd: Added 3 tiers of cybernetic stomachs that can be researched and made. 2021-10-30: Apogee-dev: - - rscadd: Added custom job datums to Libertatia, Li Tieguai, and Rigger. - - tweak: Updated wall lockers on Libertatia and Li Tieguai to use new icons - - balance: Modified Libertatia armament to contain two double-barrel shotguns, one - .38 revolver, and a mini egun. + - rscadd: Added custom job datums to Libertatia, Li Tieguai, and Rigger. + - tweak: Updated wall lockers on Libertatia and Li Tieguai to use new icons + - balance: + Modified Libertatia armament to contain two double-barrel shotguns, one + .38 revolver, and a mini egun. Cenrus: - - rscadd: Added a new space ruin, the Dark Glade + - rscadd: Added a new space ruin, the Dark Glade 2021-11-01: Apogee-dev: - - rscadd: Added job outfit datums to Liberty and Carina - - tweak: Updated Liberty and Carina with new lockers - - balance: Improved Liberty-class interceptor's armory + - rscadd: Added job outfit datums to Liberty and Carina + - tweak: Updated Liberty and Carina with new lockers + - balance: Improved Liberty-class interceptor's armory PrefabQuasar: - - rscadd: Added the Wright-class - - rscadd: Added reskinnable latejoin cryopods - - tweak: Added custom job titles and outfits to the Tide, Lamia, Bogatyr, and Wright + - rscadd: Added the Wright-class + - rscadd: Added reskinnable latejoin cryopods + - tweak: Added custom job titles and outfits to the Tide, Lamia, Bogatyr, and Wright 2021-11-02: super12pl: - - rscadd: Lizards can now "spit fire"(in a lighter manner) by drinking welding fuel. + - rscadd: Lizards can now "spit fire"(in a lighter manner) by drinking welding fuel. 2021-11-04: Bokkiewokkie: - - bugfix: Hopefully made cloning no longer make monochromacy temporary. - - bugfix: Shiptest maintenance areas are now no longer named "Hallway". - - bugfix: Allows you to access Syndicate sleepers from the inside again. - - code_imp: The dream maker enviroment has been renamed to shiptest. + - bugfix: Hopefully made cloning no longer make monochromacy temporary. + - bugfix: Shiptest maintenance areas are now no longer named "Hallway". + - bugfix: Allows you to access Syndicate sleepers from the inside again. + - code_imp: The dream maker enviroment has been renamed to shiptest. Mannybrado: - - bugfix: high-class shutters - - rscadd: hightide-class, a bad recreation of the high-class - - rscadd: trunktide-class, a patch-up job of the trunk-class (trunk-class tbd) + - bugfix: high-class shutters + - rscadd: hightide-class, a bad recreation of the high-class + - rscadd: trunktide-class, a patch-up job of the trunk-class (trunk-class tbd) ZephyrTFA: - - rscdel: Disabled event subsystem; can still be manually reenabled if desired, - for now. + - rscdel: + Disabled event subsystem; can still be manually reenabled if desired, + for now. retlaw34: - - imageadd: Radios are now in the normal perspective - - rscdel: Mothmarg - - imageadd: Resprites the flashlights, they are now more flashy! + - imageadd: Radios are now in the normal perspective + - rscdel: Mothmarg + - imageadd: Resprites the flashlights, they are now more flashy! untrius: - - bugfix: IPCs can speak EAL + - bugfix: IPCs can speak EAL 2021-11-06: Apogee-dev: - - rscadd: Added new cowboy hats styled for security officer, warden, HoS, and captain - - tweak: Updated original cowboy hat's sprites to match the new ones + - rscadd: Added new cowboy hats styled for security officer, warden, HoS, and captain + - tweak: Updated original cowboy hat's sprites to match the new ones Mannybrado: - - bugfix: trunktide faces the correct direction - - bugfix: 2 aps on high class now work. :) - - rscdel: random wire on trunktide :) + - bugfix: trunktide faces the correct direction + - bugfix: 2 aps on high class now work. :) + - rscdel: random wire on trunktide :) 2021-11-07: Apogee-dev: - - rscadd: Added hazard jumpsuit style for shaft miners + - rscadd: Added hazard jumpsuit style for shaft miners retlaw34: - - rscadd: Added .38 hunting, deals bonus damage to simplemobs - - rscadd: Adds the Winchester Rifle, a lever action rifle! + - rscadd: Added .38 hunting, deals bonus damage to simplemobs + - rscadd: Adds the Winchester Rifle, a lever action rifle! 2021-11-08: retlaw34: - - rscadd: new disk sprites + - rscadd: new disk sprites 2021-11-09: untrius: - - bugfix: Vendors are no longer free + - bugfix: Vendors are no longer free 2021-11-11: Apogee-dev: - - tweak: adjusted colors on the miner hazard jumpsuit - - tweak: intercoms, newscasters, and other wall equipment now have directional sprites + - tweak: adjusted colors on the miner hazard jumpsuit + - tweak: intercoms, newscasters, and other wall equipment now have directional sprites Mannybrado: - - bugfix: fixes a pipe on hightide + - bugfix: fixes a pipe on hightide PrefabQuasar: - - rscadd: Added 4 new ruins! - - bugfix: Certain whitesands ruins are no longer occult portals to space. + - rscadd: Added 4 new ruins! + - bugfix: Certain whitesands ruins are no longer occult portals to space. zestybastard: - - rscadd: Raincoat, adds it to the pointshop. - - rscadd: Adds the charcoal suit to the pointshop as well. + - rscadd: Raincoat, adds it to the pointshop. + - rscadd: Adds the charcoal suit to the pointshop as well. 2021-11-12: tiramisuapimancer: - - tweak: IPC antennas will now be hidden by things that hide ears and frills rather - than things that hide hair - - tweak: added some FRONT layer states for some of the IPC antenna mutant part icons, - which were previously all ADJ, this means they'll layer over hats and things - where it's appropriate + - tweak: + IPC antennas will now be hidden by things that hide ears and frills rather + than things that hide hair + - tweak: + added some FRONT layer states for some of the IPC antenna mutant part icons, + which were previously all ADJ, this means they'll layer over hats and things + where it's appropriate 2021-11-13: untrius: - - bugfix: Navy/charcoal/burgundy suit on-mob sprites appear + - bugfix: Navy/charcoal/burgundy suit on-mob sprites appear 2021-11-14: Apogee-dev: - - rscadd: Added high-visilibity jacket - - bugfix: fixed missing cowboy hat icons + - rscadd: Added high-visilibity jacket + - bugfix: fixed missing cowboy hat icons Omppusolttu: - - tweak: The Scrapper-A has been tweaked heavily (don't worry penis engi is still - intact, kinda.) - - tweak: Scrapper-B has been updated. + - tweak: + The Scrapper-A has been tweaked heavily (don't worry penis engi is still + intact, kinda.) + - tweak: Scrapper-B has been updated. PetMudstone: - - rscadd: Cave ferns can now be found on lavaland. Grinding their leaves gives you - ashen fibers, which can be used as a stand-in for cellulose fibers in several - chemical recipes. + - rscadd: + Cave ferns can now be found on lavaland. Grinding their leaves gives you + ashen fibers, which can be used as a stand-in for cellulose fibers in several + chemical recipes. retlaw34: - - rscadd: Adds table flipping. + - rscadd: Adds table flipping. 2021-11-15: Apogee-dev: - - rscadd: Added Rigoureaux-class Auxiliary Cutter - - rscadd: Added Rigoureaux(D)-class Auxiliary Cutter + - rscadd: Added Rigoureaux-class Auxiliary Cutter + - rscadd: Added Rigoureaux(D)-class Auxiliary Cutter triplezeta: - - tweak: Some shiptests have received minor QOL changes to make them more playable + - tweak: Some shiptests have received minor QOL changes to make them more playable 2021-11-17: Apogee-dev: - - bugfix: added some missing objects to the libertatia + - bugfix: added some missing objects to the libertatia untrius: - - bugfix: Removed access requirement from disco jukebox + - bugfix: Removed access requirement from disco jukebox 2021-11-19: 1glitchycent: - - rscadd: new syndicate uniforms for Cybersun, the ACLF and the Gorlex Marauders + - rscadd: new syndicate uniforms for Cybersun, the ACLF and the Gorlex Marauders 2021-11-20: Apogee-dev: - - rscadd: Added new outfits to the Riggs-class sloop - - tweak: Improved section layouts throughout the Riggs-class - - balance: Improved Riggs armory loadout + - rscadd: Added new outfits to the Riggs-class sloop + - tweak: Improved section layouts throughout the Riggs-class + - balance: Improved Riggs armory loadout CapnMachaddish: - - tweak: changed sound of survey handheld - - soundadd: added whirr_beep.ogg - - soundadd: replaced blastdoor.ogg - - soundadd: replaced airlock.ogg and airlock_close.ogg - - soundadd: replaced copier.ogg - - soundadd: replaced laser.ogg - - soundadd: added emergency.ogg + - tweak: changed sound of survey handheld + - soundadd: added whirr_beep.ogg + - soundadd: replaced blastdoor.ogg + - soundadd: replaced airlock.ogg and airlock_close.ogg + - soundadd: replaced copier.ogg + - soundadd: replaced laser.ogg + - soundadd: added emergency.ogg MarkSuckerberg: - - rscadd: Cryo consoles can now control job slots, joining, and even set a memo - to be displayed before new joins select your ship. - - tweak: Combined latejoin/reskinnable cryopods into the main object. No need to - have the plain old one anymore. + - rscadd: + Cryo consoles can now control job slots, joining, and even set a memo + to be displayed before new joins select your ship. + - tweak: + Combined latejoin/reskinnable cryopods into the main object. No need to + have the plain old one anymore. triplezeta: - - rscadd: Table bells - - rscadd: suit jackets in burgundy, navy, and charcoal - - tweak: resprites the burgundy, navy, and charcoal suits + - rscadd: Table bells + - rscadd: suit jackets in burgundy, navy, and charcoal + - tweak: resprites the burgundy, navy, and charcoal suits 2021-11-21: Apogee-dev: - - rscadd: Added Osprey-class exploration vessel, a very large generalist ship + - rscadd: Added Osprey-class exploration vessel, a very large generalist ship 2021-11-25: PrefabQuasar: - - rscadd: Added the metis-class - - bugfix: Fixed several ruin suffixes + - rscadd: Added the metis-class + - bugfix: Fixed several ruin suffixes martinlyra: - - bugfix: Fixed Shiptest being unable to be loaded into FastDMM2 + - bugfix: Fixed Shiptest being unable to be loaded into FastDMM2 retlaw34: - - bugfix: Alternative syringe sprite work - - imageadd: medkit sprites have been tweak very slighlty - - imageadd: beer crates are now 3/4 - - imageadd: medal boxes no longer soulful + - bugfix: Alternative syringe sprite work + - imageadd: medkit sprites have been tweak very slighlty + - imageadd: beer crates are now 3/4 + - imageadd: medal boxes no longer soulful 2021-11-27: Apogee-dev: - - bugfix: fixed intern datum on li tieguai - - tweak: gave li tieguai basic chemistry and departmental protolathe + - bugfix: fixed intern datum on li tieguai + - tweak: gave li tieguai basic chemistry and departmental protolathe Sinmero, super12pl: - - tweak: Station bounced radios are now named shortwave radios. - - tweak: Ctrl-Shift-clicking shortwave radio/intercom will toggle the speakers. - - tweak: Alt-clicking shortwave radio/intercom will toggle microphone. + - tweak: Station bounced radios are now named shortwave radios. + - tweak: Ctrl-Shift-clicking shortwave radio/intercom will toggle the speakers. + - tweak: Alt-clicking shortwave radio/intercom will toggle microphone. jupyterkat: - - bugfix: engine heaters actually accept gases now + - bugfix: engine heaters actually accept gases now martinlyra: - - rscadd: Added capybaras, a subtype of corgi - - rscadd: Added Caspar the Capybara Captain - - imageadd: 'Stole capybara icons from /vg/ by Kurfursten (vgstation-coders/vgstation13 - #28618)' + - rscadd: Added capybaras, a subtype of corgi + - rscadd: Added Caspar the Capybara Captain + - imageadd: + "Stole capybara icons from /vg/ by Kurfursten (vgstation-coders/vgstation13 + #28618)" retlaw34: - - refactor: Every clothing sprite has been "demodularized" + - refactor: Every clothing sprite has been "demodularized" 2021-11-30: super12pl: - - rscadd: More items in loadout - - code_imp: Moves loadouts out of whitesands folder + - rscadd: More items in loadout + - code_imp: Moves loadouts out of whitesands folder 2021-12-01: Apogee-dev: - - rscadd: Added four new Independent-themed space suits - - tweak: Replaced Nanotrasen hard suits in cargo and vendors with their generic - equivalents - - tweak: Updated Rigger with new space suits - - tweak: Rigger command and armory lockers are now locked by default - - tweak: Replaced wrecked Ripley on the Rigger with an unassembled Ripley - - tweak: Space pods now have a small eject delay for consistency with mechs + - rscadd: Added four new Independent-themed space suits + - tweak: + Replaced Nanotrasen hard suits in cargo and vendors with their generic + equivalents + - tweak: Updated Rigger with new space suits + - tweak: Rigger command and armory lockers are now locked by default + - tweak: Replaced wrecked Ripley on the Rigger with an unassembled Ripley + - tweak: Space pods now have a small eject delay for consistency with mechs PrefabQuasar: - - bugfix: fixed portable scrubbers - - bugfix: fixed kobold mutation toxin recipe + - bugfix: fixed portable scrubbers + - bugfix: fixed kobold mutation toxin recipe retlaw34: - - bugfix: syring sprites now work + - bugfix: syring sprites now work 2021-12-02: PrefabQuasar: - - rscadd: Added the Pill Class-B(lack) + - rscadd: Added the Pill Class-B(lack) retlaw34: - - bugfix: Security jumpsuits, and some engineering alt suits should now show. + - bugfix: Security jumpsuits, and some engineering alt suits should now show. zestybastard: - - balance: Changes the IPC burn mod to 1, and the heat mod to 1.5. + - balance: Changes the IPC burn mod to 1, and the heat mod to 1.5. 2021-12-03: MemedHams: - - rscadd: The Syndicate Cleaver, a syndiepilled crusher option. You've never seen - anything like it before. Ever. Don't make them sue. - - rscadd: legacy mining equipment, slightly more powerful versions of typical exploration - gear that also cause mild slowdown. - - rscadd: The Heavy Mining Suit, for heavy-duty resource extraction jobs. - - rscadd: new multi-functional equipment for the syndicate Brigador cyborg, as well - as a new sprite. - - rscadd: varied references to EXOCON, a new-age frontier operations corp. - - rscadd: jackhammer wall and window smashing functionality. - - rscadd: an exocon-themed secure crate. - - rscadd: some showcases, to be used in a mapping project. - - tweak: set up a few new ss13 archetype corpses, usable in mapping - - tweak: added some backpack loot to legion miner drops, and an Old Miner corpse - drop. - - balance: the legion staff now fires significantly weaker skulls. - - balance: boosts the power of several holoparasites, gives holoparasites spacewalking. - - bugfix: replaced ice demon crusher loot drops to prevent runtimes - - bugfix: fixed a continuous clown simplemob-related runtime - - imageadd: added a number of new mining-related sprites and recolors - - imageadd: ported resprites of the singularity hammer and mjolnir - - imageadd: added marg. - - imageadd: an ominous wired-up brigador. Where could it possibly be used? find - out on the next episode of dragon shiptest z - - spellcheck: fixed some minor typos and spacing issues here and there - - rscadd: marg. + - rscadd: + The Syndicate Cleaver, a syndiepilled crusher option. You've never seen + anything like it before. Ever. Don't make them sue. + - rscadd: + legacy mining equipment, slightly more powerful versions of typical exploration + gear that also cause mild slowdown. + - rscadd: The Heavy Mining Suit, for heavy-duty resource extraction jobs. + - rscadd: + new multi-functional equipment for the syndicate Brigador cyborg, as well + as a new sprite. + - rscadd: varied references to EXOCON, a new-age frontier operations corp. + - rscadd: jackhammer wall and window smashing functionality. + - rscadd: an exocon-themed secure crate. + - rscadd: some showcases, to be used in a mapping project. + - tweak: set up a few new ss13 archetype corpses, usable in mapping + - tweak: + added some backpack loot to legion miner drops, and an Old Miner corpse + drop. + - balance: the legion staff now fires significantly weaker skulls. + - balance: boosts the power of several holoparasites, gives holoparasites spacewalking. + - bugfix: replaced ice demon crusher loot drops to prevent runtimes + - bugfix: fixed a continuous clown simplemob-related runtime + - imageadd: added a number of new mining-related sprites and recolors + - imageadd: ported resprites of the singularity hammer and mjolnir + - imageadd: added marg. + - imageadd: + an ominous wired-up brigador. Where could it possibly be used? find + out on the next episode of dragon shiptest z + - spellcheck: fixed some minor typos and spacing issues here and there + - rscadd: marg. retlaw34: - - rscadd: New marine vendors for admin only ships - - rscadd: Wall sec vendors for the shetland only, at the moment - - rscdel: attempting to redeem vendors through old mining vendors is no longer possible - - tweak: Sec vendors and mining vendors were given radials - - tweak: Starfury renamed to the twinkleshine - - balance: energy guns are now obtainable through sec vendors - - balance: Tasers are no longer available through sec vendors - - balance: most stuns were removed from sec vendors - - balance: EG now has 2 modes - - bugfix: Starfury is now more playable - - imageadd: Sec vouchers were given a sprite - - refactor: The way sec vendors and mining vendors handled vouchers has been redone + - rscadd: New marine vendors for admin only ships + - rscadd: Wall sec vendors for the shetland only, at the moment + - rscdel: attempting to redeem vendors through old mining vendors is no longer possible + - tweak: Sec vendors and mining vendors were given radials + - tweak: Starfury renamed to the twinkleshine + - balance: energy guns are now obtainable through sec vendors + - balance: Tasers are no longer available through sec vendors + - balance: most stuns were removed from sec vendors + - balance: EG now has 2 modes + - bugfix: Starfury is now more playable + - imageadd: Sec vouchers were given a sprite + - refactor: The way sec vendors and mining vendors handled vouchers has been redone 2021-12-04: swifterjack: - - rscadd: ships + - rscadd: ships 2021-12-07: PositiveEntropy: - - imageadd: Resprites document folders! + - imageadd: Resprites document folders! 2021-12-09: Apogee-dev: - - bugfix: Added a conveyor to Osprey disposals because the outlet chute doesn't - rotate with the ship - - tweak: added thruster blast doors to the Osprey - - balance: removed GPSes from the Osprey + - bugfix: + Added a conveyor to Osprey disposals because the outlet chute doesn't + rotate with the ship + - tweak: added thruster blast doors to the Osprey + - balance: removed GPSes from the Osprey MarkSuckerberg: - - code_imp: You can actually compile with latest BYOND now (514.1557)! + - code_imp: You can actually compile with latest BYOND now (514.1557)! martinlyra: - - code_imp: nodeJS has been upgraded to 16 - - code_imp: tgUI yarn has been upgraded to 3.1.1 + - code_imp: nodeJS has been upgraded to 16 + - code_imp: tgUI yarn has been upgraded to 3.1.1 retlaw34: - - rscadd: new industrial suit storage object for mappers - - bugfix: suit storage units no longer work without power - - imageadd: new suit storage sprites - - refactor: some suit storage code was changed - - rscadd: Adds NT variants of indie clothing - - tweak: some costumes have been adjusuted - - imageadd: Some colors of existing NT clothing has been tweaked - - rscdel: Solgov history musuem - - balance: Ashwalkers no longer can respawn. However, they can still be revived - via the tendril. - - bugfix: ssuit sprites, again + - rscadd: new industrial suit storage object for mappers + - bugfix: suit storage units no longer work without power + - imageadd: new suit storage sprites + - refactor: some suit storage code was changed + - rscadd: Adds NT variants of indie clothing + - tweak: some costumes have been adjusuted + - imageadd: Some colors of existing NT clothing has been tweaked + - rscdel: Solgov history musuem + - balance: + Ashwalkers no longer can respawn. However, they can still be revived + via the tendril. + - bugfix: ssuit sprites, again 2021-12-11: BigManMassive: - - bugfix: Removes a pixel that appears at the bottom right of the mining hardsuit + - bugfix: Removes a pixel that appears at the bottom right of the mining hardsuit francinum: - - refactor: Non-hotkey/default/pipis input mode has had it's support code fixed. + - refactor: Non-hotkey/default/pipis input mode has had it's support code fixed. 2021-12-13: HighPrincessErinys & retlaw34: - - rscadd: Ally tie + - rscadd: Ally tie Lloserhub: - - rscadd: A new Space ruin "Corporate Mining Module" + - rscadd: A new Space ruin "Corporate Mining Module" MarkSuckerberg: - - bugfix: You can no longer spam out infinite patches and bottles with the plumbing - pill factory. - - bugfix: Digitigrade characters with the paraplegic quirk no longer start being - able to walk. - 'carshalash ': - - rscadd: Amaretto and associated cocktails + - bugfix: + You can no longer spam out infinite patches and bottles with the plumbing + pill factory. + - bugfix: + Digitigrade characters with the paraplegic quirk no longer start being + able to walk. + "carshalash ": + - rscadd: Amaretto and associated cocktails redguy999: - - bugfix: Fixes the spider spinneret appearing above jumpsuits when facing certain - directions. + - bugfix: + Fixes the spider spinneret appearing above jumpsuits when facing certain + directions. 2021-12-17: Lloserhub: - - rscadd: New jungle ruin centered around botany - - rscadd: Added a new space ruin. + - rscadd: New jungle ruin centered around botany + - rscadd: Added a new space ruin. MarkSuckerberg: - - bugfix: All sorts of decal bugs/duplicates/&c. - - rscadd: ship name selection categories and prefixes - - bugfix: weird shipstart rename cooldown - - tweak: cleans up helm console code - - rscadd: makes officers have a chevron on the manifest display - - rscadd: makes ship class show on helm console + - bugfix: All sorts of decal bugs/duplicates/&c. + - rscadd: ship name selection categories and prefixes + - bugfix: weird shipstart rename cooldown + - tweak: cleans up helm console code + - rscadd: makes officers have a chevron on the manifest display + - rscadd: makes ship class show on helm console mcmeiler: - - tweak: slimecat ears no longer have inner - - imagedel: duplicate workaround sprites related to slimeperson customization - - bugfix: Jellypeople are consistently transparent now + - tweak: slimecat ears no longer have inner + - imagedel: duplicate workaround sprites related to slimeperson customization + - bugfix: Jellypeople are consistently transparent now retlaw34: - - rscadd: 'A whole new planet: Rockplanet It looks to be some sort of abandoned - industrial planet, but why?' - - rscadd: What reebe? And why are people saying it's back - - rscadd: Supermatter cascades, but chances are you will never see one... - - rscadd: Crystal mobs! For when ancient goliaths aren't enough. Crystal watchers - and legions included. - - bugfix: the "bezerk" medibot skin now works - - balance: winchesters do 40 bonus damage instead of 80 - - balance: Cult templar arena was moved. - - admin: Admins can now spawn in specific planets - - refactor: Hitscan laser guns codewise are orginized differently to allow for subtypes - - code_imp: Mining mobs have been "demodularized" + - rscadd: + "A whole new planet: Rockplanet It looks to be some sort of abandoned + industrial planet, but why?" + - rscadd: What reebe? And why are people saying it's back + - rscadd: Supermatter cascades, but chances are you will never see one... + - rscadd: + Crystal mobs! For when ancient goliaths aren't enough. Crystal watchers + and legions included. + - bugfix: the "bezerk" medibot skin now works + - balance: winchesters do 40 bonus damage instead of 80 + - balance: Cult templar arena was moved. + - admin: Admins can now spawn in specific planets + - refactor: Hitscan laser guns codewise are orginized differently to allow for subtypes + - code_imp: Mining mobs have been "demodularized" 2021-12-18: Apogee-dev: - - rscadd: Expanded most ship namelists - - rscadd: Added a namelist just for the Pill + - rscadd: Expanded most ship namelists + - rscadd: Added a namelist just for the Pill Cheshify: - - rscdel: Removed gasthelizards.dmm + - rscdel: Removed gasthelizards.dmm 2021-12-21: Apogee-dev: - - rscadd: Added even more ship names + - rscadd: Added even more ship names Fikou: - - rscadd: Adds the Tartarus-Class Military Carrier + - rscadd: Adds the Tartarus-Class Military Carrier jupyterkat: - - bugfix: shuttles are less likely to be cut in half by runtimes + - bugfix: shuttles are less likely to be cut in half by runtimes tiramisuapimancer: - - tweak: THE LORE IS IN. species and language blurbs have been edited to reflect - - tweak: Lizards renamed to Sarathi, Teshari renamed to Kepori, ethereals renamed - to Elzuosa - - rscdel: Voltaic has been removed, Elzuosa speak Kalixcian (renamed draconic) now - - rscadd: kepori namegen + - tweak: THE LORE IS IN. species and language blurbs have been edited to reflect + - tweak: + Lizards renamed to Sarathi, Teshari renamed to Kepori, ethereals renamed + to Elzuosa + - rscdel: Voltaic has been removed, Elzuosa speak Kalixcian (renamed draconic) now + - rscadd: kepori namegen 2021-12-22: MarkSuckerberg: - - bugfix: Parallax works again + - bugfix: Parallax works again moonheart08: - - rscadd: Added missing reactions for solidifying silver, titanium, and uranium. + - rscadd: Added missing reactions for solidifying silver, titanium, and uranium. 2021-12-23: Cheshify: - - imageadd: The PanD.E.M.I.C 2200 is now visually different than the ChemMaster + - imageadd: The PanD.E.M.I.C 2200 is now visually different than the ChemMaster triplezeta: - - rscdel: ruins - - tweak: ruins - - bugfix: icemoon oldstation should spawn now - - config: icemoon config updated + - rscdel: ruins + - tweak: ruins + - bugfix: icemoon oldstation should spawn now + - config: icemoon config updated 2021-12-26: Azarak: - - rscadd: Hologram view is not obstructed by static + - rscadd: Hologram view is not obstructed by static YewYew: - - tweak: Changed potential slime rancher name "Piss Brown" to "Beatrix LeBeau" + - tweak: Changed potential slime rancher name "Piss Brown" to "Beatrix LeBeau" triplezeta: - - tweak: slime ranch ruin buffed massively - - rscadd: the brazilgun ruin (the one with the TRABUCO shotgun) has been completely - remapped. + - tweak: slime ranch ruin buffed massively + - rscadd: + the brazilgun ruin (the one with the TRABUCO shotgun) has been completely + remapped. 2021-12-28: BigManMassive: - - rscadd: added a materials list to the zip ammo. + - rscadd: added a materials list to the zip ammo. Cheshify: - - rscadd: A new space ruin, The Occult Research Station, is available for discovery. + - rscadd: A new space ruin, The Occult Research Station, is available for discovery. E-MonaRhg: - - bugfix: Fixes the E-SG 500 shotgun being invisible. + - bugfix: Fixes the E-SG 500 shotgun being invisible. Kapu1178: - - rscadd: IPCs can drain energy off Ethereals with their powercord. + - rscadd: IPCs can drain energy off Ethereals with their powercord. 2021-12-30: E-MonaRhg: - - rscadd: Added a button to control the external shutters to the Luxembourg. + - rscadd: Added a button to control the external shutters to the Luxembourg. PrefabQuasar: - - bugfix: fixed the holes to outer space on several ruins + - bugfix: fixed the holes to outer space on several ruins 2021-12-31: jupyterkat: - - bugfix: pipe rebuilds runtime a bit less now - - refactor: Things that break pipes will cause much less game lag now. Looking at - you singularity + - bugfix: pipe rebuilds runtime a bit less now + - refactor: + Things that break pipes will cause much less game lag now. Looking at + you singularity 2022-01-01: untrius: - - tweak: Elzu have standard blood - - bugfix: Elzu can no longer use a syringe for free charge + - tweak: Elzu have standard blood + - bugfix: Elzu can no longer use a syringe for free charge 2022-01-02: Apogee-dev: - - rscadd: Added Hyena-class salvage ship for the Gorlex Marauders - - code_imp: added some new ship areas, a new carpet type, and wall numeral signs - for mappers + - rscadd: Added Hyena-class salvage ship for the Gorlex Marauders + - code_imp: + added some new ship areas, a new carpet type, and wall numeral signs + for mappers Kapu1178: - - rscadd: Actual Round Timer, a timer that keeps track of real life time. - - tweak: Renamed "Round Timer" to "Internal Round Timer" - - tweak: World Topic reports world.timeofday rather than world.time - - tweak: Status panel is perdy. - - imageadd: Kepori collar + - rscadd: Actual Round Timer, a timer that keeps track of real life time. + - tweak: Renamed "Round Timer" to "Internal Round Timer" + - tweak: World Topic reports world.timeofday rather than world.time + - tweak: Status panel is perdy. + - imageadd: Kepori collar Kapu1178, Kevinz, XSlayer300, Ryll/Shaps, Seris02, GoldenAlpharex: - - rscadd: Speech Format Help verb under the OOC tab. - - rscadd: Text emphasis. |italics|, \_underline_, +bold+ - - rscadd: Emotes that start with an apostrophe wont format weirdly - - rscadd: You can now have custom say mods, and can use them to emote over radio. - say";screeches*HELP SHITSEC!" results in [Common] Joe screeches, "HELP SHITSEC!" + - rscadd: Speech Format Help verb under the OOC tab. + - rscadd: Text emphasis. |italics|, \_underline_, +bold+ + - rscadd: Emotes that start with an apostrophe wont format weirdly + - rscadd: + You can now have custom say mods, and can use them to emote over radio. + say";screeches*HELP SHITSEC!" results in [Common] Joe screeches, "HELP SHITSEC!" MarkSuckerberg: - - rscdel: For the time being, the Statio.3-class vessel has been discontinued from - civilian markets. - - bugfix: Cryopods are no longer buggy when missing a cryo control console. + - rscdel: + For the time being, the Statio.3-class vessel has been discontinued from + civilian markets. + - bugfix: Cryopods are no longer buggy when missing a cryo control console. tiramisuapimancer: - - bugfix: pubby thrusterz + - bugfix: pubby thrusterz 2022-01-03: timberpoes, Ninjanomnom, CoffeeKat: - - bugfix: fixed pipelines + - bugfix: fixed pipelines 2022-01-04: E-MonaRhg: - - bugfix: Removed a stray pixel on the blood-red hardsuit helmet. + - bugfix: Removed a stray pixel on the blood-red hardsuit helmet. Kapu1178: - - bugfix: Patches up some runtimes + - bugfix: Patches up some runtimes retlaw34: - - imageadd: New energy weapon sprites - - imageadd: Fixes a tiny error on defibs + - imageadd: New energy weapon sprites + - imageadd: Fixes a tiny error on defibs swifterjack: - - rscadd: Added new job datums for GEC + - rscadd: Added new job datums for GEC 2022-01-05: BigManMassive: - - tweak: Changes "free" value for seed vault vendors to 1 + - tweak: Changes "free" value for seed vault vendors to 1 Dimasw99: - - tweak: Drones can be revived by humans too now + - tweak: Drones can be revived by humans too now Kapu1178: - - rscadd: Clients no longer need to manually start their respawn timer - - rscadd: Admins can now bypass any respawn restrictions. - - admin: 'Gives R_DEBUG: Jump to Key, Jump to Coord, Jump to Area, and Admin Ghost.' - - admin: VVing a subsystem alerts admins. - - code_imp: VVing a reference now calls vv_alert_admins if it resolves as a datum. + - rscadd: Clients no longer need to manually start their respawn timer + - rscadd: Admins can now bypass any respawn restrictions. + - admin: "Gives R_DEBUG: Jump to Key, Jump to Coord, Jump to Area, and Admin Ghost." + - admin: VVing a subsystem alerts admins. + - code_imp: VVing a reference now calls vv_alert_admins if it resolves as a datum. francinum: - - bugfix: Icons should no longer experience layer issues or flicker. + - bugfix: Icons should no longer experience layer issues or flicker. tiramisuapimancer: - - tweak: goliaths can be handfed cactus fruit once more (they can still be fed meat) - (also they can be fed mushroom leaves) + - tweak: + goliaths can be handfed cactus fruit once more (they can still be fed meat) + (also they can be fed mushroom leaves) 2022-01-06: Imaginos16: - - imageadd: Resprites the turtlenecks! + - imageadd: Resprites the turtlenecks! Kapu1178: - - code_imp: Resolves lineending error + - code_imp: Resolves lineending error MarkSuckerberg: - - bugfix: Viewing a huge list of grouped runtimes should no longer hang the server. + - bugfix: Viewing a huge list of grouped runtimes should no longer hang the server. MemedHams: - - tweak: Implements different ambience lists on different planetoids - - bugfix: adds and implements an explored subtype to rockplanet areas, preventing - the overwriting of rockplanet ruins during planetgen - - bugfix: switches areas of the ratvar lavaland ruin to the "explored" version + - tweak: Implements different ambience lists on different planetoids + - bugfix: + adds and implements an explored subtype to rockplanet areas, preventing + the overwriting of rockplanet ruins during planetgen + - bugfix: switches areas of the ratvar lavaland ruin to the "explored" version Omppusolttu: - - rscadd: Added a scrubber network to the Pubby - - rscdel: Removed AAC skip delay + - rscadd: Added a scrubber network to the Pubby + - rscdel: Removed AAC skip delay zestybastard: - - imageadd: New sprites for the EVA suit. + - imageadd: New sprites for the EVA suit. 2022-01-07: E-MonaRhg: - - tweak: Tweaked the cost of first-aid kit cargo orders to not allow for free money - generation. + - tweak: + Tweaked the cost of first-aid kit cargo orders to not allow for free money + generation. MemedHams: - - bugfix: fixes vacuum spawning alongside the Fortress of Solitude ruin. + - bugfix: fixes vacuum spawning alongside the Fortress of Solitude ruin. 2022-01-08: Apogee-dev: - - rscadd: Added outfit datums to dwayne and kilo - - rscadd: Added scrubbers to kilo - - rscadd: Ported high-visibility jacket and evening gloves from Bay - - rscadd: Added three new items to loadout screen + - rscadd: Added outfit datums to dwayne and kilo + - rscadd: Added scrubbers to kilo + - rscadd: Ported high-visibility jacket and evening gloves from Bay + - rscadd: Added three new items to loadout screen Azarak: - - refactor: Space levels are now only defining physical levels, with traits being - relegated to real virtual levels, which are contained within a map zone which - is a collection of virtual levels. + - refactor: + Space levels are now only defining physical levels, with traits being + relegated to real virtual levels, which are contained within a map zone which + is a collection of virtual levels. tiramisuapimancer: - - balance: Kepori now take less damage from heat, and more from the cold, are thirty - kelvins warmer than humans, and start taking damage from heat and cold at temperatures - thirty kelvins higher than humans do. (Previously they were colder) + - balance: + Kepori now take less damage from heat, and more from the cold, are thirty + kelvins warmer than humans, and start taking damage from heat and cold at temperatures + thirty kelvins higher than humans do. (Previously they were colder) 2022-01-10: Apogee-dev: - - rscadd: Added custom namelist & prefix generation for Dwayne and Kilo + - rscadd: Added custom namelist & prefix generation for Dwayne and Kilo PhoenixAM: - - tweak: Changes descriptions and instances with 'Aluminum' to be 'Aluminium' instead - for consistency. + - tweak: + Changes descriptions and instances with 'Aluminum' to be 'Aluminium' instead + for consistency. tiramisuapimancer: - - tweak: Kepori language name changed to Teceti Unified Standard, it and the kepori - namegen get new syllables - - imageadd: teceti standard language icon + - tweak: + Kepori language name changed to Teceti Unified Standard, it and the kepori + namegen get new syllables + - imageadd: teceti standard language icon 2022-01-14: Apogee-dev: - - tweak: Added Magnetic Cleavers and 10mm Design Disk to hyena - - rscadd: Added Cybersun field medic uniforms + - tweak: Added Magnetic Cleavers and 10mm Design Disk to hyena + - rscadd: Added Cybersun field medic uniforms Kapu1178: - - bugfix: chems call overdose_start again - - rscadd: Three Eye, a mysterious liquid from another realm... - - tweak: Changes some flags on plane_masters, as they appear to be inverted due - to a bug or something. + - bugfix: chems call overdose_start again + - rscadd: Three Eye, a mysterious liquid from another realm... + - tweak: + Changes some flags on plane_masters, as they appear to be inverted due + to a bug or something. MarkSuckerberg: - - bugfix: Ruins spawn at weak energy signals again. - - tweak: Planet type selection probability now has minimums for planets that are - linked to the amount of ruins the planets have. - - bugfix: Probably a few more potential SGT/random ship deletion bugs have been - resolved. + - bugfix: Ruins spawn at weak energy signals again. + - tweak: + Planet type selection probability now has minimums for planets that are + linked to the amount of ruins the planets have. + - bugfix: + Probably a few more potential SGT/random ship deletion bugs have been + resolved. MemedHams: - - tweak: shipcoins are now gained mostly based on time played, at a rate of 1.5 - per minute. The reward on round-end is now 50 coins. + - tweak: + shipcoins are now gained mostly based on time played, at a rate of 1.5 + per minute. The reward on round-end is now 50 coins. Omppusolttu: - - tweak: Minor changes to the Scrapper-B + - tweak: Minor changes to the Scrapper-B ZephyrTFA: - - tweak: Ghostize and Re-Enter respect nullspace/existing ghosts + - tweak: Ghostize and Re-Enter respect nullspace/existing ghosts 2022-01-15: AspEv, Ayy-Robotics, Azlan, E-MonaRhg: - - rscadd: Added Safety (and Syndie) Moth posters. - - imageadd: Added the sprites for Safety (and Syndie) Moth posters - - tweak: Demodularised all poster sprites. + - rscadd: Added Safety (and Syndie) Moth posters. + - imageadd: Added the sprites for Safety (and Syndie) Moth posters + - tweak: Demodularised all poster sprites. francinum: - - bugfix: Ship names are now safety checked. + - bugfix: Ship names are now safety checked. 2022-01-17: retlaw34: - - bugfix: pill and pill b were buyable - - bugfix: they are still admin only + - bugfix: pill and pill b were buyable + - bugfix: they are still admin only 2022-01-19: Azarak: - - bugfix: Fixes singleton ruin areas that should be instantiated + - bugfix: Fixes singleton ruin areas that should be instantiated Untrius & Tergius: - - tweak: Updated some drink flavors + - tweak: Updated some drink flavors martinlyra: - - tweak: Ship renaming is now logged to admins - - bugfix: Fixed few ship name sanitization edge cases + - tweak: Ship renaming is now logged to admins + - bugfix: Fixed few ship name sanitization edge cases 2022-01-20: retlaw34: - - imageadd: resprites the uzi and its ammo + - imageadd: resprites the uzi and its ammo triplezeta: - - bugfix: scrapper map cleaned up a bit + - bugfix: scrapper map cleaned up a bit 2022-01-21: Apogee-dev: - - rscadd: Added medic webbing and red nitrile gloves - - bugfix: Fixed bug that caused cybersun soft cap to turn invisible when unequipped - - tweak: Adjusted sprites for cybersun medic jumpsuit and skirt + - rscadd: Added medic webbing and red nitrile gloves + - bugfix: Fixed bug that caused cybersun soft cap to turn invisible when unequipped + - tweak: Adjusted sprites for cybersun medic jumpsuit and skirt Spc-Dragonfruits: - - imageadd: Resprited Stechkin & APS + - imageadd: Resprited Stechkin & APS Zevotech: - - rscadd: Vine Thud Emote + - rscadd: Vine Thud Emote retlaw34: - - balance: AK-47s are sold out. - - balance: Additionally, NT-AKs are discontinued following record sales, but not - hitting sales projections. + - balance: AK-47s are sold out. + - balance: + Additionally, NT-AKs are discontinued following record sales, but not + hitting sales projections. untrius: - - tweak: Elzu can be the inducers they were born/grown to be + - tweak: Elzu can be the inducers they were born/grown to be 2022-01-22: Dimasw99: - - rscadd: TEG boards, freezer boards, plasma, T2 and T3 parts can be ordered on - the express console. - - rscadd: Pipe dispenser boards can now be printed at an autolathe. Can now also - be constructed/deconstructed. - - balance: Golems can drop part boxes including T4 - - bugfix: RnD server board added to machinery category in the autolathe + - rscadd: + TEG boards, freezer boards, plasma, T2 and T3 parts can be ordered on + the express console. + - rscadd: + Pipe dispenser boards can now be printed at an autolathe. Can now also + be constructed/deconstructed. + - balance: Golems can drop part boxes including T4 + - bugfix: RnD server board added to machinery category in the autolathe MarkSuckerberg: - - rscdel: Removes shuttle previewing from the admin shuttle manipulator. - - refactor: Shuttles now load independently, instead of through one single port - specified in the shuttle subsystem for reasons beyond my comprehension. - - bugfix: Fixed the bug where you spawn on the wrong ship (caused by people trying - to create two ships at the sameish time) + - rscdel: Removes shuttle previewing from the admin shuttle manipulator. + - refactor: + Shuttles now load independently, instead of through one single port + specified in the shuttle subsystem for reasons beyond my comprehension. + - bugfix: + Fixed the bug where you spawn on the wrong ship (caused by people trying + to create two ships at the sameish time) PositiveEntropy: - - imageadd: Resprites the Peaked Caps + - imageadd: Resprites the Peaked Caps PowerfulBacon: - - rscadd: Ethereal dance grenade. If you find a uplink, you can buy it through there. + - rscadd: Ethereal dance grenade. If you find a uplink, you can buy it through there. axietheaxolotl: - - imageadd: New sprite for Syndicate Captain's Vest and Cap - - tweak: Syndicate berets now use officer beret icons, for le edgy red on black. + - imageadd: New sprite for Syndicate Captain's Vest and Cap + - tweak: Syndicate berets now use officer beret icons, for le edgy red on black. fighterslam, Kapu1178, Azarak, Gandalf2k15, Rohesie: - - rscadd: You can adjust your current-tile location by "pixel shifting". Default - key is C, check your binds. - - code_imp: Added base_pixel vars to atom/movable, replaced most uses of initial(pixel). + - rscadd: + You can adjust your current-tile location by "pixel shifting". Default + key is C, check your binds. + - code_imp: Added base_pixel vars to atom/movable, replaced most uses of initial(pixel). francinum: - - admin: The MC tab's first few values are now visually aligned + - admin: The MC tab's first few values are now visually aligned retlaw34: - - imageadd: Almost every single computer sprite has been redone + - imageadd: Almost every single computer sprite has been redone untrius: - - bugfix: Couches rotate correctly + - bugfix: Couches rotate correctly 2022-01-24: AsciiSquid: - - rscadd: Kepori now know how to jump. - - tweak: Tackle/Pouncing now more accurately induces head trauma. + - rscadd: Kepori now know how to jump. + - tweak: Tackle/Pouncing now more accurately induces head trauma. Kapu1178, Quantum_m, Ziiro, E-MonaRhg, Marksuckerburg: - - rscadd: Digitigrade legs now support some jumpsuits (more to be added later) - - rscadd: Digitigrade legs now support some hardsuits. - - rscadd: Almost every unique bodypart sprite is now a whole limb. - - rscadd: Limbgrower limbs are now a sickly green - - refactor: Digitigrade legs are now full limbs. - - refactor: Limbs retain information as they change owners - - refactor: Bodypart code is generally less ass - - code_imp: Support for bodytype-based clothing. - - bugfix: Lizard snoots no longer poke through hardsuit helmets - - bugfix: CHANGELING TRANSFORM FUNCTIONS PROPERLY - - rscdel: IPC and Super Soldier mutation toxin. - - code_imp: Krokodil victims are now a subtype of human + - rscadd: Digitigrade legs now support some jumpsuits (more to be added later) + - rscadd: Digitigrade legs now support some hardsuits. + - rscadd: Almost every unique bodypart sprite is now a whole limb. + - rscadd: Limbgrower limbs are now a sickly green + - refactor: Digitigrade legs are now full limbs. + - refactor: Limbs retain information as they change owners + - refactor: Bodypart code is generally less ass + - code_imp: Support for bodytype-based clothing. + - bugfix: Lizard snoots no longer poke through hardsuit helmets + - bugfix: CHANGELING TRANSFORM FUNCTIONS PROPERLY + - rscdel: IPC and Super Soldier mutation toxin. + - code_imp: Krokodil victims are now a subtype of human francinum: - - admin: Some admin verbs have had their requisite flags adjusted - - admin: R_DEBUG is granted access to silicon privilege + - admin: Some admin verbs have had their requisite flags adjusted + - admin: R_DEBUG is granted access to silicon privilege 2022-01-25: Dimasw99: - - tweak: Curtains always remain density 0 now. + - tweak: Curtains always remain density 0 now. OrionTheFox: - - rscadd: Added a Whisper keybind (Default Y)! + - rscadd: Added a Whisper keybind (Default Y)! 2022-01-26: Kapu1178: - - code_imp: Extremely minor fix. + - code_imp: Extremely minor fix. 2022-01-27: Dimasw99: - - rscadd: Ship can be limited in the config file. Optional. + - rscadd: Ship can be limited in the config file. Optional. Kurgis: - - tweak: Added a few corner walls to the Tide-class so its areas counts as valid - rooms at roundstart. + - tweak: + Added a few corner walls to the Tide-class so its areas counts as valid + rooms at roundstart. Phoaly: - - rscadd: Added a new POI to the Ice Planet, located at icemoon_demonlab.dmm - - code_imp: Added an AREA to code/game/area/areas/ruins/icemoon.dm - - code_imp: Added the MAPTEMPLATE to whitesands/code/datums/ruins/icemoon.dm + - rscadd: Added a new POI to the Ice Planet, located at icemoon_demonlab.dmm + - code_imp: Added an AREA to code/game/area/areas/ruins/icemoon.dm + - code_imp: Added the MAPTEMPLATE to whitesands/code/datums/ruins/icemoon.dm benbot16: - - bugfix: fixes a few instances where silicons could teleport stuff out of machines. + - bugfix: fixes a few instances where silicons could teleport stuff out of machines. retlaw34: - - imageadd: makes "ssu_classic" suit storages 3/4 and de-erisfy it + - imageadd: makes "ssu_classic" suit storages 3/4 and de-erisfy it 2022-01-29: MarkSuckerberg: - - bugfix: Custom shuttles can be built again. - - admin: setup_shuttle_ship() actually works to fix ships missing their overmap - token once again. + - bugfix: Custom shuttles can be built again. + - admin: + setup_shuttle_ship() actually works to fix ships missing their overmap + token once again. PetMudstone: - - bugfix: Fixed bug where pill bottles in ChemMasters didn't receive pills created - by them. + - bugfix: + Fixed bug where pill bottles in ChemMasters didn't receive pills created + by them. mc_meiler: - - tweak: Jelly and subtypes have their own tongue now - - bugfix: Jelly and Slimepeople can speak slime + - tweak: Jelly and subtypes have their own tongue now + - bugfix: Jelly and Slimepeople can speak slime 2022-01-30: Apogee-dev: - - rscdel: Removed cargo consoles on Hyena - - tweak: Made Hyena's side airlock more practical to use + - rscdel: Removed cargo consoles on Hyena + - tweak: Made Hyena's side airlock more practical to use 2022-01-31: benbot16: - - bugfix: Mechs can get hit by bullets again. - - bugfix: Spacepods can get hit by bullets again. - - bugfix: X-ray lasers can go through walls now. + - bugfix: Mechs can get hit by bullets again. + - bugfix: Spacepods can get hit by bullets again. + - bugfix: X-ray lasers can go through walls now. retlaw34: - - bugfix: Some computer sprites were touched up + - bugfix: Some computer sprites were touched up swifterjack: - - rscadd: Job datums for NSV Medical - - balance: Spitfire is now a Botany-Medical-Mining ship. + - rscadd: Job datums for NSV Medical + - balance: Spitfire is now a Botany-Medical-Mining ship. 2022-02-03: Apogee-dev: - - rscadd: Added a large amount of new random ship names. - - tweak: Added namelists, prefix, and ship limit of 1 to the Kugelblitz. + - rscadd: Added a large amount of new random ship names. + - tweak: Added namelists, prefix, and ship limit of 1 to the Kugelblitz. Ebin-Halcyon: - - imageadd: Kepori color matrix clothing has been resprited. + - imageadd: Kepori color matrix clothing has been resprited. 2022-02-04: Kapu1178: - - bugfix: Krokodil zombie heads and chests render again - - code_imp: Bodypart code simplified a bit + - bugfix: Krokodil zombie heads and chests render again + - code_imp: Bodypart code simplified a bit MarkSuckerberg: - - code_imp: Adds strict mapping checks to unit tests. + - code_imp: Adds strict mapping checks to unit tests. Phoaly: - - rscadd: Added a new map "maps\randomruins\iceruins\icemoon_surface_corporate_rejects.dmm" - - code_imp: Added a datum and several areas for the map in "whitesands\code\datums\ruins\icemoon.dm" - and "code\game\area\areas\ruins\icemoon.dm" respectively. + - rscadd: Added a new map "maps\randomruins\iceruins\icemoon_surface_corporate_rejects.dmm" + - code_imp: + Added a datum and several areas for the map in "whitesands\code\datums\ruins\icemoon.dm" + and "code\game\area\areas\ruins\icemoon.dm" respectively. quin: - - imageadd: Updates the syndicate hardsuit sprite with a new look. - - bugfix: Fixes the syndicate hardsuits spawning in as the wrong sprite to the current - mode. + - imageadd: Updates the syndicate hardsuit sprite with a new look. + - bugfix: + Fixes the syndicate hardsuits spawning in as the wrong sprite to the current + mode. 2022-02-05: - ? '' - : - tweak: Cleans up the game tips. + "": + - tweak: Cleans up the game tips. AsciiSquid: - - tweak: Independent ships now stock independent hardsuits to avoid copyright infringement - with NT. + - tweak: + Independent ships now stock independent hardsuits to avoid copyright infringement + with NT. sunofang: - - rscadd: Added a radiation ruin. Better pack radsuits! + - rscadd: Added a radiation ruin. Better pack radsuits! 2022-02-06: MarkSuckerberg: - - tweak: The overmap now appears to smoothly loop - - tweak: The overmap is now stored in a virtual z-level - - server: Overmap size is now configurable - - tweak: Loadouts are now limited by a config-set number instead of the amount of - metacoins you could spend. - - tweak: All loadout items spawn in a box now instead of attempting to equip stuff. - meh. - - rscdel: Metacoins and Antag Tokens (latter never used) - - rscdel: Custom OOC colours/extra character slots have been removed. Sorry, but - they just don't work now. - - server: SQL change dropping metacoins/antag tokens, updates config with max loadout - items value + - tweak: The overmap now appears to smoothly loop + - tweak: The overmap is now stored in a virtual z-level + - server: Overmap size is now configurable + - tweak: + Loadouts are now limited by a config-set number instead of the amount of + metacoins you could spend. + - tweak: + All loadout items spawn in a box now instead of attempting to equip stuff. + meh. + - rscdel: Metacoins and Antag Tokens (latter never used) + - rscdel: + Custom OOC colours/extra character slots have been removed. Sorry, but + they just don't work now. + - server: + SQL change dropping metacoins/antag tokens, updates config with max loadout + items value 2022-02-07: Kapu1178, Tiviplus: - - rscadd: Landing on a planet now prints a unique name on all shuttle occupant's - screens. - - code_imp: TGMC screen alerts. + - rscadd: + Landing on a planet now prints a unique name on all shuttle occupant's + screens. + - code_imp: TGMC screen alerts. retlaw34: - - rscadd: grinding toner carts give 40u iodine now + - rscadd: grinding toner carts give 40u iodine now 2022-02-08: Phoaly: - - tweak: Tweaked the NT Deserter Vault Ruin on the Icemoon. + - tweak: Tweaked the NT Deserter Vault Ruin on the Icemoon. retlaw34: - - imageadd: new cryo computer and pod sprites - - imageadd: update nt command stuff + - imageadd: new cryo computer and pod sprites + - imageadd: update nt command stuff 2022-02-09: E-MonaRhg: - - bugfix: Underwear no longer clips through certain clothes. - - tweak: Wearing skirts no longer breaks digitigrade legs. + - bugfix: Underwear no longer clips through certain clothes. + - tweak: Wearing skirts no longer breaks digitigrade legs. Kapu1178: - - bugfix: Augment Manipulator works again + - bugfix: Augment Manipulator works again ZephyrTFA: - - rscadd: Chisels! + - rscadd: Chisels! 2022-02-10: PrefabQuasar: - - rscadd: Added proper glass and rglass floor tiles + - rscadd: Added proper glass and rglass floor tiles Vexylius: - - admin: added Add-PB-Bypass and Revoke-PB-Bypass verbs for admins + - admin: added Add-PB-Bypass and Revoke-PB-Bypass verbs for admins 2022-02-11: MrStonedOne, LemonInTheDark: - - code_imp: Master Controller fix + - code_imp: Master Controller fix Ms-Mee: - - tweak: Changed the ghetto seed extraction sound effect for wrenches. - - bugfix: Plants can be sliced again. + - tweak: Changed the ghetto seed extraction sound effect for wrenches. + - bugfix: Plants can be sliced again. 2022-02-12: Phoaly: - - rscadd: Adds A new ruin to the Icemoon, the Bloody Hallow. - - code_imp: Adds areas and a datum for the Icecropolis (Bloody Hallow) map. - - refactor: Refactors a death proc making a specific set of doors open into a mapper - helper object anyone can use. - - tweak: tweaked icemoon ashdrake map to use new code refactor. - - rscadd: Adds new component file to the DME for the refactor to work. + - rscadd: Adds A new ruin to the Icemoon, the Bloody Hallow. + - code_imp: Adds areas and a datum for the Icecropolis (Bloody Hallow) map. + - refactor: + Refactors a death proc making a specific set of doors open into a mapper + helper object anyone can use. + - tweak: tweaked icemoon ashdrake map to use new code refactor. + - rscadd: Adds new component file to the DME for the refactor to work. 2022-02-13: benbot16: - - bugfix: Reflectors on shuttles rotate properly now. + - bugfix: Reflectors on shuttles rotate properly now. 2022-02-14: Azarak, Qustinnus, comma, mattroks101, metalgearsloth, tichys: - - rscadd: A shit ton of clicky noises - - rscadd: Guns now have pickup noises - - soundadd: more ambience - - imageadd: some buttons got new sprotses + - rscadd: A shit ton of clicky noises + - rscadd: Guns now have pickup noises + - soundadd: more ambience + - imageadd: some buttons got new sprotses retlaw34: - - rscadd: Adds a telecomms floor - - imageadd: new table sprites - - bugfix: ak47 no longer fits in the belt slot, but fits on backs like they are - supposed to + - rscadd: Adds a telecomms floor + - imageadd: new table sprites + - bugfix: + ak47 no longer fits in the belt slot, but fits on backs like they are + supposed to 2022-02-15: Crossedfall, Mark Suckerberg: - - server: Python version bumped to 3.9.10 + - server: Python version bumped to 3.9.10 Kapu1178: - - code_imp: AS anything's alot of for loops - - bugfix: Closets and their subtypes no longer provide EMP protection to mobs inside. + - code_imp: AS anything's alot of for loops + - bugfix: Closets and their subtypes no longer provide EMP protection to mobs inside. MarkSuckerberg: - - bugfix: Minor SQL errors that prevented deaths from being properly logged. + - bugfix: Minor SQL errors that prevented deaths from being properly logged. PositiveEntropy, SmArtKar, axietheaxolotl: - - imageadd: Resprites Black Gloves and Jackboots + - imageadd: Resprites Black Gloves and Jackboots Randomguy523: - - bugfix: IPCs should no longer lose their ability to speak EAL at random. - - code_imp: Added a language holder for IPCs, removed forced span in favor of robotic - voicebox. + - bugfix: IPCs should no longer lose their ability to speak EAL at random. + - code_imp: + Added a language holder for IPCs, removed forced span in favor of robotic + voicebox. 2022-02-16: Apogee-dev: - - rscadd: Added new ammunition variants for 9mm, 10mm, .45, and 5.56mm HITP caseless - - rscadd: Added ammunition for all basic faction handguns to the seclathe with a - new research node - - rscadd: Basic handgun and shotgun ammunition for all basic faction handguns can - now be printed at the autolathe - - tweak: Replaced .38 speedloaders on the autolathe with ammo boxes - - balance: Nerfed 10mm and .45 to do slightly more damage than 9mm - - balance: Improved Commander magazine capacity - - balance: Removed AP factor and nerfed base damage for 5.56mm HITP Caseless ammo - - balance: Buffed improvised shotgun shells to do the same maximum damage as buckshot. - Accuracy and damage falloff still limit their real damage output. - - imageadd: Added new ammo box sprites for all variants of 9mm, 10mm, .45, and 5.56mm - HITP caseless + - rscadd: Added new ammunition variants for 9mm, 10mm, .45, and 5.56mm HITP caseless + - rscadd: + Added ammunition for all basic faction handguns to the seclathe with a + new research node + - rscadd: + Basic handgun and shotgun ammunition for all basic faction handguns can + now be printed at the autolathe + - tweak: Replaced .38 speedloaders on the autolathe with ammo boxes + - balance: Nerfed 10mm and .45 to do slightly more damage than 9mm + - balance: Improved Commander magazine capacity + - balance: Removed AP factor and nerfed base damage for 5.56mm HITP Caseless ammo + - balance: + Buffed improvised shotgun shells to do the same maximum damage as buckshot. + Accuracy and damage falloff still limit their real damage output. + - imageadd: + Added new ammo box sprites for all variants of 9mm, 10mm, .45, and 5.56mm + HITP caseless Kapu1178: - - code_imp: Harddel fixes - - bugfix: riding component causing thousands of runtimes due to a bad signal + - code_imp: Harddel fixes + - bugfix: riding component causing thousands of runtimes due to a bad signal PrefabQuasar: - - tweak: Minor fixes and edits to the Tide-class, Hightide-class, Metis-class, Lamia-class, - Bogatyr-class, and Wright-class - - tweak: Remodels the Trunktide-class - - tweak: Remodels the High-class - - bugfix: hightide-class rnd console board is back + - tweak: + Minor fixes and edits to the Tide-class, Hightide-class, Metis-class, Lamia-class, + Bogatyr-class, and Wright-class + - tweak: Remodels the Trunktide-class + - tweak: Remodels the High-class + - bugfix: hightide-class rnd console board is back 2022-02-17: Kurgis: - - bugfix: Metis-class no longer has a duplicate area on the other side of the ship. + - bugfix: Metis-class no longer has a duplicate area on the other side of the ship. MarkSuckerberg: - - bugfix: Map exporting now no longer crops off the bottom row of tiles - - tweak: Map exporting now saves all items a carbon/human has and dumps them on - the floor where they were. - - tweak: Less overzealous CHECK_TICKing of the map exporter to make it not slow - as heck- benchmarking to see if this is worth it or not incomplete - - bugfix: Potentially makes empty-space docking less jank? - - bugfix: Shuttle engines no longer are forced to harddel. - - tweak: Makes "fake" shuttle engines even less functional than they already were. - Consider removing completely in the future? + - bugfix: Map exporting now no longer crops off the bottom row of tiles + - tweak: + Map exporting now saves all items a carbon/human has and dumps them on + the floor where they were. + - tweak: + Less overzealous CHECK_TICKing of the map exporter to make it not slow + as heck- benchmarking to see if this is worth it or not incomplete + - bugfix: Potentially makes empty-space docking less jank? + - bugfix: Shuttle engines no longer are forced to harddel. + - tweak: + Makes "fake" shuttle engines even less functional than they already were. + Consider removing completely in the future? PrefabQuasar: - - rscadd: Added the Holofield Generator (with placeholder sprites), an atmos-blocking - field projector. - - bugfix: Autolathe shock wire now... actually shocks + - rscadd: + Added the Holofield Generator (with placeholder sprites), an atmos-blocking + field projector. + - bugfix: Autolathe shock wire now... actually shocks triplezeta: - - rscadd: jungle and rockplanet have blacklists now + - rscadd: jungle and rockplanet have blacklists now 2022-02-18: Ebin-Halcyon: - - rscadd: Inteq risk management group sprites and items + - rscadd: Inteq risk management group sprites and items MemedHams: - - tweak: unstationed large sections of the code - - tweak: fixed a few extremely mild spacing and grammar errors + - tweak: unstationed large sections of the code + - tweak: fixed a few extremely mild spacing and grammar errors francinum: - - bugfix: Big bundle of misc fixes - - rscdel: Ore Silos can no longer accept money for material transfers - - balance: Deep Core Mining equipment is nonfunctional, pending removal. - - bugfix: Express Cargo Consoles should render properly outside of ships. - - bugfix: GPS units should be less likely to experience UI failures. - - bugfix: One flavor of Slimegirl Trafficking has been fixed. + - bugfix: Big bundle of misc fixes + - rscdel: Ore Silos can no longer accept money for material transfers + - balance: Deep Core Mining equipment is nonfunctional, pending removal. + - bugfix: Express Cargo Consoles should render properly outside of ships. + - bugfix: GPS units should be less likely to experience UI failures. + - bugfix: One flavor of Slimegirl Trafficking has been fixed. 2022-02-19: Apogee-dev: - - rscadd: Added CMC and crew pinpointer to Osprey - - rscadd: Added food processor and improved ingredient stock to Osprey kitchen - - tweak: Switched Osprey's RnD kit to science lathe instead of omnilathe - - tweak: Replaced Osprey engine room's exterior wall with standard titanium, enabling - possible expansion - - tweak: Limited Osprey to 1 ship per round - - rscdel: Removed cargo selling pad from Osprey and gave QM bonus $500 for the selling - console + - rscadd: Added CMC and crew pinpointer to Osprey + - rscadd: Added food processor and improved ingredient stock to Osprey kitchen + - tweak: Switched Osprey's RnD kit to science lathe instead of omnilathe + - tweak: + Replaced Osprey engine room's exterior wall with standard titanium, enabling + possible expansion + - tweak: Limited Osprey to 1 ship per round + - rscdel: + Removed cargo selling pad from Osprey and gave QM bonus $500 for the selling + console Azarak: - - rscadd: Turfs can now be ignited and will slowly burn, igniting anyone on them - - rscadd: Hotspots have 30% chance to ignite a turf, making fiery explosions leave - cool residual flame. - - balance: Flamethrowers have been reworked to use chemicals instead and now leave - fire and hotspots on the turfs. They require an open reagent container instead - of plasma tank now. - - balance: Firealarms now trigger from 80C upwards (from 200C) or -10C downwards - (from -3C). They also trigger immediately when they're on a turf fire + - rscadd: Turfs can now be ignited and will slowly burn, igniting anyone on them + - rscadd: + Hotspots have 30% chance to ignite a turf, making fiery explosions leave + cool residual flame. + - balance: + Flamethrowers have been reworked to use chemicals instead and now leave + fire and hotspots on the turfs. They require an open reagent container instead + of plasma tank now. + - balance: + Firealarms now trigger from 80C upwards (from 200C) or -10C downwards + (from -3C). They also trigger immediately when they're on a turf fire retlaw34: - - rscadd: jungleplanets now can have a bunch of vines - - rscadd: jungle planets now emit light - - bugfix: jungle turfs no longer lead to space - - admin: Adds a new select equipment menu - - admin: Makes the outfit manager tgui. You probably didn't even know this existed - did you? + - rscadd: jungleplanets now can have a bunch of vines + - rscadd: jungle planets now emit light + - bugfix: jungle turfs no longer lead to space + - admin: Adds a new select equipment menu + - admin: + Makes the outfit manager tgui. You probably didn't even know this existed + did you? 2022-02-21: TheNeoGamer42: - - rscdel: Antimatter Engines and their cargo packs have been removed from the game, - and if they did exist, cannot be sold anymore. + - rscdel: + Antimatter Engines and their cargo packs have been removed from the game, + and if they did exist, cannot be sold anymore. untrius: - - server: made the jukebox readme more clear + - server: made the jukebox readme more clear 2022-02-24: francinum: - - admin: unfucks various verbs reliant on TGUI for non-'admin' admins. + - admin: unfucks various verbs reliant on TGUI for non-'admin' admins. martinlyra & retlaw34: - - tweak: Changed the TEG's UI to tgUI - - imageadd: The TEG's visuals have been completely redone. Sprites by Pawn. + - tweak: Changed the TEG's UI to tgUI + - imageadd: The TEG's visuals have been completely redone. Sprites by Pawn. retlaw34: - - imageadd: default title screen changed - - imageadd: Extended creidts banner changed - - rscadd: Adds new victorian lab/longcoats! Now you can really recreate a mad scientist! + - imageadd: default title screen changed + - imageadd: Extended creidts banner changed + - rscadd: Adds new victorian lab/longcoats! Now you can really recreate a mad scientist! 2022-02-25: swifterjack: - - rscadd: Iguana + - rscadd: Iguana 2022-02-27: retlaw34: - - rscadd: Bubble B - - balance: Several tweaks to the bubble class, including 2 special RCDs. + - rscadd: Bubble B + - balance: Several tweaks to the bubble class, including 2 special RCDs. 2022-03-01: retlaw34: - - imageadd: Stasis beds have been modified to match TG's + - imageadd: Stasis beds have been modified to match TG's 2022-03-02: Apogee-dev: - - rscadd: Added .45-70 ammunition and a Hunting Revolver to go with it. - - balance: Reduced damage of .357 and 7.62mm Nagant to 35 brute. - - tweak: Changed Nagant and Winchester to use single load instead of multiload. + - rscadd: Added .45-70 ammunition and a Hunting Revolver to go with it. + - balance: Reduced damage of .357 and 7.62mm Nagant to 35 brute. + - tweak: Changed Nagant and Winchester to use single load instead of multiload. Dimasw99: - - rscadd: Added Sugarcube Prison bus ship. The pill returns. + - rscadd: Added Sugarcube Prison bus ship. The pill returns. Phoaly: - - rscadd: Adds A new ruin to the Icemoon, the Bloody Hallow. - - code_imp: Adds areas and a datum for the Icecropolis (Bloody Hallow) map. - - refactor: Refactors a death proc making a specific set of doors open into a mapper - helper object anyone can use. - - tweak: tweaked icemoon ashdrake map to use keys and gates instead of door opening - code. - - rscadd: Adds new component file to the DME for the refactor to work. + - rscadd: Adds A new ruin to the Icemoon, the Bloody Hallow. + - code_imp: Adds areas and a datum for the Icecropolis (Bloody Hallow) map. + - refactor: + Refactors a death proc making a specific set of doors open into a mapper + helper object anyone can use. + - tweak: + tweaked icemoon ashdrake map to use keys and gates instead of door opening + code. + - rscadd: Adds new component file to the DME for the refactor to work. retlaw34: - - bugfix: akm sprite fix and it shows in the suit storage slot now - - imageadd: new ak47 inhands/onmobs! - - rscadd: Limited use Emags - - rscadd: Donk co drip - - bugfix: blue wall locker now has the correct texture + - bugfix: akm sprite fix and it shows in the suit storage slot now + - imageadd: new ak47 inhands/onmobs! + - rscadd: Limited use Emags + - rscadd: Donk co drip + - bugfix: blue wall locker now has the correct texture 2022-03-05: MarkSuckerberg: - - rscadd: Empty space docks now have four docking ports instead of two. - - admin: You can't just spawn in overmap objects like you used to be able to anymore. - - admin: Adds new verb, `View overmap` to view the entire overmap in a really basic - HTML window. - - code_imp: You no longer have to set launch_status on future ship map docking ports. - - rscdel: Removed autopilot console. - - rscdel: Mapvotes. They didn't work anyways. - - rscdel: Integrity. This was a bad system, it can be re-implemented in another - PR in a much better way. - - bugfix: Custom shuttles work again. - - bugfix: Ruin-loaded shuttles work again. - - refactor: Pretty much all of overmap code, for as smooth an experience yet. - - admin: The runtime viewer shouldn't hang the server for like 30 seconds anymore. + - rscadd: Empty space docks now have four docking ports instead of two. + - admin: You can't just spawn in overmap objects like you used to be able to anymore. + - admin: + Adds new verb, `View overmap` to view the entire overmap in a really basic + HTML window. + - code_imp: You no longer have to set launch_status on future ship map docking ports. + - rscdel: Removed autopilot console. + - rscdel: Mapvotes. They didn't work anyways. + - rscdel: + Integrity. This was a bad system, it can be re-implemented in another + PR in a much better way. + - bugfix: Custom shuttles work again. + - bugfix: Ruin-loaded shuttles work again. + - refactor: Pretty much all of overmap code, for as smooth an experience yet. + - admin: The runtime viewer shouldn't hang the server for like 30 seconds anymore. 2022-03-10: Putnam3145: - - code_imp: Added an "open air" unit test that tests open air gas movement and reactions - (both uses the same system) + - code_imp: + Added an "open air" unit test that tests open air gas movement and reactions + (both uses the same system) 2022-03-13: Kapu1178: - - rscadd: Last Words are now displayed as screen text to nearby players. - - tweak: You can now "talk" while in Hard Crit - - tweak: Talking in hardcrit instantly kills you, but triggers Last Words. + - rscadd: Last Words are now displayed as screen text to nearby players. + - tweak: You can now "talk" while in Hard Crit + - tweak: Talking in hardcrit instantly kills you, but triggers Last Words. MarkSuckerberg: - - bugfix: Zeroes no longer show up in the crew manifest for no reason. + - bugfix: Zeroes no longer show up in the crew manifest for no reason. retlaw34: - - bugfix: fixes the NT captain jumpskirt + - bugfix: fixes the NT captain jumpskirt 2022-03-17: Kapu1178: - - rscadd: 'You can now pick body size for characters: short, normal or tall.' + - rscadd: "You can now pick body size for characters: short, normal or tall." atteria: - - rscdel: Removed the autodoc. + - rscdel: Removed the autodoc. tetrazeta: - - rscadd: Adds uniforms for the GEC faction + - rscadd: Adds uniforms for the GEC faction tiramisuapimancer: - - bugfix: you can no longer make infinite cloth from ripping up an item of clothing - for more strips than it takes to craft it - - bugfix: spider meat bread slices are not invisible anymore + - bugfix: + you can no longer make infinite cloth from ripping up an item of clothing + for more strips than it takes to craft it + - bugfix: spider meat bread slices are not invisible anymore 2022-03-19: Shadowtail117: - - rscdel: Captains no longer spawn with a dysfunctional station charter. + - rscdel: Captains no longer spawn with a dysfunctional station charter. 2022-03-22: DatBoiTim: - - rscdel: Removed Corporate Species - - rscdel: Removed Mushpeople + - rscdel: Removed Corporate Species + - rscdel: Removed Mushpeople 2022-03-25: Zevotech: - - bugfix: makes expulsion thrusters require fuel + - bugfix: makes expulsion thrusters require fuel someguyjust: - - rscadd: glow shrooms can now be grown from the random weeds on soil and the like!! - - rscadd: Tiki Mask is now selectable + - rscadd: glow shrooms can now be grown from the random weeds on soil and the like!! + - rscadd: Tiki Mask is now selectable 2022-03-26: Apogee-dev: - - rscadd: Provided almost every ship with a starting budget in cash - - rscadd: Added selling pad, selling console, and express console boards to Bubble's - cargo bay. - - rscdel: Removed selling pads from every ship that has one, except the Luxembourg - - rscdel: Disabled selling pad and console blueprints on the tech web. + - rscadd: Provided almost every ship with a starting budget in cash + - rscadd: + Added selling pad, selling console, and express console boards to Bubble's + cargo bay. + - rscdel: Removed selling pads from every ship that has one, except the Luxembourg + - rscdel: Disabled selling pad and console blueprints on the tech web. Azarak: - - bugfix: Prevents bluespace shelters deploying in illegal turfs + - bugfix: Prevents bluespace shelters deploying in illegal turfs MarkSuckerberg: - - bugfix: A few minor runtimes. + - bugfix: A few minor runtimes. francinum: - - bugfix: How much gear you have equipped is checked on load, and your list dumped - if you're over capacity. + - bugfix: + How much gear you have equipped is checked on load, and your list dumped + if you're over capacity. retlaw34: - - refactor: how marine vendors are organized - - rscadd: Adds a new NT marine vendor - - rscadd: Adds a indie marine vendor - - rscadd: New NT marine armor, kept indie in case indies want to use it - - rscadd: Deployable component - - rscdel: Removes vector from the sectech - - rscdel: Old mining vendor - - tweak: Replaces all instances of the old mining vendor with the new one + - refactor: how marine vendors are organized + - rscadd: Adds a new NT marine vendor + - rscadd: Adds a indie marine vendor + - rscadd: New NT marine armor, kept indie in case indies want to use it + - rscadd: Deployable component + - rscdel: Removes vector from the sectech + - rscdel: Old mining vendor + - tweak: Replaces all instances of the old mining vendor with the new one 2022-03-27: Azarak: - - bugfix: Teleport procs now properly respect virtual levels + - bugfix: Teleport procs now properly respect virtual levels 2022-03-28: tiramisuapimancer: - - rscadd: slimegirl trafficking poster + - rscadd: slimegirl trafficking poster 2022-03-29: Azlan, AdipemDragon, retlaw34: - - imageadd: A bunch of stack items, mostly related to materials have been redone. + - imageadd: A bunch of stack items, mostly related to materials have been redone. MarkSuckerberg: - - tweak: Credits now go by ship instead of by department. - - bugfix: Credits might work a bit better? + - tweak: Credits now go by ship instead of by department. + - bugfix: Credits might work a bit better? someguyjust: - - tweak: fixes toes poking through the boots + - tweak: fixes toes poking through the boots 2022-03-30: PositiveEntropy: - - imageadd: resprite the toolboxes + - imageadd: resprite the toolboxes PositiveEntropy, Meyhazah, PacifistDalek: - - imageadd: fire extinguishers redone + - imageadd: fire extinguishers redone retlaw34: - - admin: Adds logging to the trabuco shotgun, or the brazil gun as it's better known - as + - admin: + Adds logging to the trabuco shotgun, or the brazil gun as it's better known + as 2022-03-31: disappointedButNotSuprised: - - bugfix: fixes the ashwalker shrine ruin not spawning - - bugfix: Cricket-class comms fixed, will now work from the beginning + - bugfix: fixes the ashwalker shrine ruin not spawning + - bugfix: Cricket-class comms fixed, will now work from the beginning mc_meiler: - - tweak: Augment manipulators are deconstructable - - rscadd: Added augment manipulator circuit boards to default technologies + - tweak: Augment manipulators are deconstructable + - rscadd: Added augment manipulator circuit boards to default technologies 2022-04-03: Mothblocks, Kylerace, ninjanomnom, LemonInTheDark, Rohesie, Wayland-Smithy, Watermelon914, CoffeeKat: - - refactor: movement code refactor to speed up crap - - code_imp: improves components code + - refactor: movement code refactor to speed up crap + - code_imp: improves components code ZephyrTFA: - - bugfix: AI Eyes no longer get permanently deleted by hyperspace + - bugfix: AI Eyes no longer get permanently deleted by hyperspace 2022-04-07: MarkSuckerberg: - - admin: Centcom Ban DB now is actually accessible ingame. - - admin: The player panel now looks marginally better. + - admin: Centcom Ban DB now is actually accessible ingame. + - admin: The player panel now looks marginally better. 2022-04-09: disappointedButNotSuprised: - - tweak: The wormhole projector a.k.a. portal gun does no longer require an anomaly - core to work , costs more materials in return - - bugfix: Removed random space tiles on the whitesands farm ruin + - tweak: + The wormhole projector a.k.a. portal gun does no longer require an anomaly + core to work , costs more materials in return + - bugfix: Removed random space tiles on the whitesands farm ruin francinum: - - rscdel: The statio.3 has been sold for market value as scrap. The profits from - said scrap have been used to offset the transport incurred in the scrapping - of said vessel. + - rscdel: + The statio.3 has been sold for market value as scrap. The profits from + said scrap have been used to offset the transport incurred in the scrapping + of said vessel. retlaw34: - - rscadd: new minor faction, colonial minutemen - - rscadd: m16, pretty much the same as ak - - balance: 556 and ak47 ammo nerfed to 30 damage per hit - - soundadd: a ton of gun sounds were changed - - refactor: ton of files were demodularize + - rscadd: new minor faction, colonial minutemen + - rscadd: m16, pretty much the same as ak + - balance: 556 and ak47 ammo nerfed to 30 damage per hit + - soundadd: a ton of gun sounds were changed + - refactor: ton of files were demodularize tiramisu & nearlyNon: - - rscadd: Blank, Buffering, DOOM, no-anim Eyes, and squinty Fortuna eyes IPC screens + - rscadd: Blank, Buffering, DOOM, no-anim Eyes, and squinty Fortuna eyes IPC screens 2022-04-11: MarkSuckerberg: - - tweak: Planet loading now occurs during init and after departure, so initial docking - should be a lot faster, as well as ghost roles will actually appear in time - for them to get a foothold on the planet. - - bugfix: Ships are no longer blocked from moving until the planet fully deloads + - tweak: + Planet loading now occurs during init and after departure, so initial docking + should be a lot faster, as well as ghost roles will actually appear in time + for them to get a foothold on the planet. + - bugfix: Ships are no longer blocked from moving until the planet fully deloads PrefabQuasar: - - refactor: Udders have been componentized + - refactor: Udders have been componentized benbot16: - - bugfix: AIs can use mech actions now. + - bugfix: AIs can use mech actions now. disappointedButNotSuprised: - - bugfix: A cryo console is added to the solar-class as it should be - - rscadd: Powering the defibs on Geneva was made more obvious + - bugfix: A cryo console is added to the solar-class as it should be + - rscadd: Powering the defibs on Geneva was made more obvious retlaw34: - - rscadd: New NT Security sprites - - imageadd: Many resprites regarding security stuff + - rscadd: New NT Security sprites + - imageadd: Many resprites regarding security stuff 2022-04-17: IndusRobot: - - bugfix: Fixes hologram pockets not resetting its contents + - bugfix: Fixes hologram pockets not resetting its contents retlaw34: - - bugfix: ETAR Disabler mode now fires + - bugfix: ETAR Disabler mode now fires someguyjust: - - rscadd: Adds new maid uniform sprites to replace the flat ones + - rscadd: Adds new maid uniform sprites to replace the flat ones tiramisuapimancer: - - rscadd: bunch of existing clothing items have been added to loadout - - bugfix: capitalization on cowboy hat - - bugfix: workboots loadout entry now actually gives you workboots and not mining - boots - - soundadd: moth deathsound + - rscadd: bunch of existing clothing items have been added to loadout + - bugfix: capitalization on cowboy hat + - bugfix: + workboots loadout entry now actually gives you workboots and not mining + boots + - soundadd: moth deathsound 2022-04-24: Apogee-dev: - - rscadd: Added basic, sec, command, and captain dusters - - rscadd: Added dusters to Riggs - - tweak: Adjusted Riggs weapons loadout. Secoff now has M1911 + rubbershot. + - rscadd: Added basic, sec, command, and captain dusters + - rscadd: Added dusters to Riggs + - tweak: Adjusted Riggs weapons loadout. Secoff now has M1911 + rubbershot. IndusRobot: - - rscadd: Added the dual port air vent to the RPD selection menu - - bugfix: Fixes multiplicative speed boosts involving broken legs - - bugfix: Fixes scrubbers scrubbing while off - - rscadd: Adds an optional surgery step to cancel with a cautery, if the active - step does not require a cautery + - rscadd: Added the dual port air vent to the RPD selection menu + - bugfix: Fixes multiplicative speed boosts involving broken legs + - bugfix: Fixes scrubbers scrubbing while off + - rscadd: + Adds an optional surgery step to cancel with a cautery, if the active + step does not require a cautery PrefabQuasar: - - tweak: The High-class has had its glass flooring removed due to space OSHA + - tweak: The High-class has had its glass flooring removed due to space OSHA Recoherent: - - rscadd: Utility closets (fire-safety, emergency, tool, and radiation) are now - craftable. Make them using iron, like the normal closet. - - tweak: Moved the generic closet to a 'closets' category in the sheetcrafting menu, - alongside the new utility closets. + - rscadd: + Utility closets (fire-safety, emergency, tool, and radiation) are now + craftable. Make them using iron, like the normal closet. + - tweak: + Moved the generic closet to a 'closets' category in the sheetcrafting menu, + alongside the new utility closets. disappointedButNotSuprised: - - bugfix: fixed radio telekinesis issues + - bugfix: fixed radio telekinesis issues tiramisuapimancer: - - bugfix: removed natural wig from loadout, was making it impossible to select the - colorable one. if you want a natural wig use the bald quirk - - tweak: maid dress in the uniforms section is back to just being the uniform. the - other pieces of the maid outfit are available on their own in their respective - pieces of the loadout, or in the general section you can get the box + - bugfix: + removed natural wig from loadout, was making it impossible to select the + colorable one. if you want a natural wig use the bald quirk + - tweak: + maid dress in the uniforms section is back to just being the uniform. the + other pieces of the maid outfit are available on their own in their respective + pieces of the loadout, or in the general section you can get the box triplezeta: - - rscadd: DIY Shuttle + - rscadd: DIY Shuttle 2022-04-26: Apogee-dev: - - rscdel: Removed SolGov Carina - - rscadd: Added Minutemen Carina - - tweak: Numerous balance changes to Carina - - imageadd: Added icons for 7.62x38mm ammunition + - rscdel: Removed SolGov Carina + - rscadd: Added Minutemen Carina + - tweak: Numerous balance changes to Carina + - imageadd: Added icons for 7.62x38mm ammunition Ebin-Halcyon: - - imageadd: Syndicate and IRMG maid sprites + - imageadd: Syndicate and IRMG maid sprites IndusRobot: - - bugfix: Fixes cyborg disablers chambering a new shot where there is no charge + - bugfix: Fixes cyborg disablers chambering a new shot where there is no charge SweetBlueSylveon: - - tweak: Removed loot and changed a couple enemies in the Icecropolis, demonlab, - and corporate reject maps. + - tweak: + Removed loot and changed a couple enemies in the Icecropolis, demonlab, + and corporate reject maps. 2022-04-28: Fikou, Tastyfish, maxymax13, sergeirocks100, san7890: - - imageadd: resprited some goonstation sprites + - imageadd: resprited some goonstation sprites PositiveEntropy: - - imageadd: Resprites most crates and the trash cart! - - rscdel: Removes crates.dmi from the goon folder. + - imageadd: Resprites most crates and the trash cart! + - rscdel: Removes crates.dmi from the goon folder. Vexylius: - - bugfix: fixed runtimes or whatever - - rscdel: removed NAD's ship affection - - rscdel: removed highlander antagonist + - bugfix: fixed runtimes or whatever + - rscdel: removed NAD's ship affection + - rscdel: removed highlander antagonist 2022-04-29: DatBoiTim: - - rscadd: Added species specific tongues where needed - - refactor: SayMods are now determined by tongues + - rscadd: Added species specific tongues where needed + - refactor: SayMods are now determined by tongues Fikou: - - bugfix: fixes wrong flash being used on some maps + - bugfix: fixes wrong flash being used on some maps IndusRobot: - - bugfix: Updates the cancel tool for robot type surgery + - bugfix: Updates the cancel tool for robot type surgery TypeVar: - - rscadd: Nemo-class Spacelife research Vessel + - rscadd: Nemo-class Spacelife research Vessel Vexylius: - - rscadd: You can now enter THROWMODE by holding down space(by default) + - rscadd: You can now enter THROWMODE by holding down space(by default) triplezeta: - - balance: some windows have had their health numbers changed - - bugfix: titanium windows are able to be deconned - - bugfix: survival pod windows will now spawn properly + - balance: some windows have had their health numbers changed + - bugfix: titanium windows are able to be deconned + - bugfix: survival pod windows will now spawn properly 2022-05-01: MarkSuckerberg: - - rscadd: Helm consoles now say what went wrong if docking fails. + - rscadd: Helm consoles now say what went wrong if docking fails. TypeVar: - - rscadd: Adds a new ship + - rscadd: Adds a new ship triplezeta: - - rscadd: you can build shutters now! + - rscadd: you can build shutters now! 2022-05-05: DatBoiTim: - - bugfix: Felinids stop using the uwutongue, that apparently exists. - - bugfix: removes felinid saymod from the direct port of my code from Bee. + - bugfix: Felinids stop using the uwutongue, that apparently exists. + - bugfix: removes felinid saymod from the direct port of my code from Bee. zestybastard: - - imageadd: Resprites the softsuit + variants + - imageadd: Resprites the softsuit + variants 2022-05-06: IndusRobot: - - bugfix: Fixes modular computers creating double IDs on eject + - bugfix: Fixes modular computers creating double IDs on eject 2022-05-07: Apogee-dev: - - bugfix: Replaced research monitor board on Osprey with rnd console board + - bugfix: Replaced research monitor board on Osprey with rnd console board Kylerace, CoffeeKat: - - rscadd: Added a speech controller - - code_imp: improved get_hearers_in_view() + - rscadd: Added a speech controller + - code_imp: improved get_hearers_in_view() PrefabQuasar: - - rscadd: Added a new set of malleable glasses, which can be reskinned to any of - 24(!!) different styles - - rscadd: Garnishing items can be crafted and placed on these glasses to add some - extra flair to your drinks. - - tweak: sand and volcanic ash are now primarily silicon, with salt and ash(and - microbes) mixed in respectively. + - rscadd: + Added a new set of malleable glasses, which can be reskinned to any of + 24(!!) different styles + - rscadd: + Garnishing items can be crafted and placed on these glasses to add some + extra flair to your drinks. + - tweak: + sand and volcanic ash are now primarily silicon, with salt and ash(and + microbes) mixed in respectively. bluezorua: - - rscadd: Boyardee grill has fuel - - tweak: Fixed missplaced floortiles and airlocks in boyardee - - bugfix: Boyardee sofa is no longer misaligned - - rscadd: Moth Hair + - rscadd: Boyardee grill has fuel + - tweak: Fixed missplaced floortiles and airlocks in boyardee + - bugfix: Boyardee sofa is no longer misaligned + - rscadd: Moth Hair 2022-05-08: Apogee-dev: - - rscadd: Added even more names for ship generation + - rscadd: Added even more names for ship generation The-Moon-Itself: - - tweak: Empty wands have a rare chance to activate one last time when used. + - tweak: Empty wands have a rare chance to activate one last time when used. bluezorua: - - rscadd: Assistants now have PDAs + - rscadd: Assistants now have PDAs 2022-05-09: Vexylius: - - tweak: statpanel appears faster + - tweak: statpanel appears faster 2022-05-10: Fikou: - - tweak: the tartarus carrier has been improved a bit + - tweak: the tartarus carrier has been improved a bit 2022-05-11: Zevotech: - - rscdel: originalcontent.dmm and originalcontent.dm have been deleted. - - rscdel: code mentions of originalcontent.dmm have been deleted. - - rscdel: removes the originalcontent items from the icemoon corporate rejects ruin + - rscdel: originalcontent.dmm and originalcontent.dm have been deleted. + - rscdel: code mentions of originalcontent.dmm have been deleted. + - rscdel: removes the originalcontent items from the icemoon corporate rejects ruin retlaw34: - - soundadd: Intercoms and radios now will click when toggling buttons - - soundadd: Storage items will have different sounds depening on what they are opening - - soundadd: A TON of sounds added when picking up and dropping things + - soundadd: Intercoms and radios now will click when toggling buttons + - soundadd: Storage items will have different sounds depening on what they are opening + - soundadd: A TON of sounds added when picking up and dropping things 2022-05-12: Hardly: - - rscadd: Mining scanners now have a speaker option. - - tweak: Automatic mining scanners have their speakers set to off by default. + - rscadd: Mining scanners now have a speaker option. + - tweak: Automatic mining scanners have their speakers set to off by default. tiramisuapimancer: - - tweak: Diets of humans, moths, kepori, and jellys have been tweaked - - tweak: IPCs, sarathi, and rachnids can wear undergarments again + - tweak: Diets of humans, moths, kepori, and jellys have been tweaked + - tweak: IPCs, sarathi, and rachnids can wear undergarments again 2022-05-13: Kapu1178, E-MonaRhg, Drawsstuff: - - rscadd: Vox species - - refactor: Body temperature threshholds have been generalized and dumped into species - vars. - - refactor: Age is now freeform + - rscadd: Vox species + - refactor: + Body temperature threshholds have been generalized and dumped into species + vars. + - refactor: Age is now freeform TheNeoGamer42: - - rscdel: Arrowhead-class - - rscadd: The Arrowhead-class Long Range Scoutship exists now. + - rscdel: Arrowhead-class + - rscadd: The Arrowhead-class Long Range Scoutship exists now. 2022-05-14: bluezorua: - - rscadd: Small tweaks around the Boyardee + - rscadd: Small tweaks around the Boyardee 2022-05-15: Apogee-dev: - - rscadd: Added briefing room and extra cargo space to Carina - - rscadd: Added R&D console and seclathe to Carina - - tweak: Secure doors and lockers on Carina now require proper access + - rscadd: Added briefing room and extra cargo space to Carina + - rscadd: Added R&D console and seclathe to Carina + - tweak: Secure doors and lockers on Carina now require proper access Bokkiewokkie: - - bugfix: Fixed plastic plating causing crashes. - - code_imp: Minor improvement to turf transparency element - - code_imp: Tweaked material datum opacity usage + - bugfix: Fixed plastic plating causing crashes. + - code_imp: Minor improvement to turf transparency element + - code_imp: Tweaked material datum opacity usage Ebin-Halcyon: - - imageadd: Digitigrade Syndicate hardsuits have been updated + - imageadd: Digitigrade Syndicate hardsuits have been updated PositiveEntropy: - - imageadd: Resprites the normal and syndicate sleepers! - - imagedel: Erases Cryogenics2.dmi from existence. + - imageadd: Resprites the normal and syndicate sleepers! + - imagedel: Erases Cryogenics2.dmi from existence. ZephyrTFA: - - bugfix: You can no longer infinitely cut items for cloth + - bugfix: You can no longer infinitely cut items for cloth retlaw34: - - rscadd: powered ballistics - - bugfix: fixed a bug where the loading sound effect would play when ejecting a - magazine + - rscadd: powered ballistics + - bugfix: + fixed a bug where the loading sound effect would play when ejecting a + magazine 2022-05-18: Bokkiewokkie: - - rscdel: Removed COVID-19 disease - - rscdel: Removed 'frank' and anti-COVID lawsets - - code_imp: Moved all of the code out of the whitesands folder + - rscdel: Removed COVID-19 disease + - rscdel: Removed 'frank' and anti-COVID lawsets + - code_imp: Moved all of the code out of the whitesands folder Recoherent: - - bugfix: Changed ash/salt garnish to be created in the crafting menu instead of - chemically. + - bugfix: + Changed ash/salt garnish to be created in the crafting menu instead of + chemically. kestoloppu: - - bugfix: fixed a missing wire on the libertatia-class hauler + - bugfix: fixed a missing wire on the libertatia-class hauler 2022-05-21: Iamgoofball: - - bugfix: Fixes the lack of Trek uniforms in the loadout. + - bugfix: Fixes the lack of Trek uniforms in the loadout. IndusRobot: - - rscadd: Adds integrated NTNET relays for just about any machine, and adds it to - the helm console + - rscadd: + Adds integrated NTNET relays for just about any machine, and adds it to + the helm console Lianvee: - - rscadd: You can now craft Prescription HUD Glasses. Diagnostic versions not included:tm:! + - rscadd: You can now craft Prescription HUD Glasses. Diagnostic versions not included:tm:! SandPoot, Mark Suckerberg: - - bugfix: Dead people are no longer rolling in their graves. + - bugfix: Dead people are no longer rolling in their graves. tiramisuapimancer: - - bugfix: vox tailfeather actually a neck quill as intended + - bugfix: vox tailfeather actually a neck quill as intended 2022-05-23: kestoloppu: - - rscadd: Added explorer gas mask sprite for vox + - rscadd: Added explorer gas mask sprite for vox 2022-05-25: ZephyrTFA: - - rscadd: Helm Consoles can now be locked with a shipkey - - rscadd: Shipkeys, if your ship does not already have one , or was destroyed by - an idiot, your helm console can print one + - rscadd: Helm Consoles can now be locked with a shipkey + - rscadd: + Shipkeys, if your ship does not already have one , or was destroyed by + an idiot, your helm console can print one 2022-05-26: Thera-Pissed: - - rscadd: Bubbles, a new IPC screen + - rscadd: Bubbles, a new IPC screen retlaw34: - - rscadd: Turf fires, again - - rscadd: Whitesands ballisks are now unique - - rscadd: More stuff to do on the overmap! - - rscadd: New crusher trophies for crytsal mobs - - balance: Crystal mobs have been rebalanced, and now drop unique trophies! - - balance: Cult templar made easier, and by that I mean they are slower now - - bugfix: reebe works again, still disabled - - rscadd: SolGov has released evidence against Nanotrasen using a bio weapon to - wipe out the Blue Moon colony in the outer sectors. Nanotrasen denies any claims - despite overwhelming evidence. A spokesperson says.... + - rscadd: Turf fires, again + - rscadd: Whitesands ballisks are now unique + - rscadd: More stuff to do on the overmap! + - rscadd: New crusher trophies for crytsal mobs + - balance: Crystal mobs have been rebalanced, and now drop unique trophies! + - balance: Cult templar made easier, and by that I mean they are slower now + - bugfix: reebe works again, still disabled + - rscadd: + SolGov has released evidence against Nanotrasen using a bio weapon to + wipe out the Blue Moon colony in the outer sectors. Nanotrasen denies any claims + despite overwhelming evidence. A spokesperson says.... 2022-05-27: Apogee-dev: - - rscadd: Added even more names to the ship namelists + - rscadd: Added even more names to the ship namelists HanSolo1519: - - rscadd: Superpill + - rscadd: Superpill Zevotech: - - balance: Remapped Jungle_Botany.dmm, removed its ERT hardsuits - - balance: Made Ice Whelps no longer tear down walls and murder entire ships (Now - also applies to polar bears) - - balance: Lowered the amount of hide goliaths drop from 4 to 2, as requested by - a lead - - bugfix: fixed goliaths, ice whelps, polar bears and ice demons shoving wrenched - windows + - balance: Remapped Jungle_Botany.dmm, removed its ERT hardsuits + - balance: + Made Ice Whelps no longer tear down walls and murder entire ships (Now + also applies to polar bears) + - balance: + Lowered the amount of hide goliaths drop from 4 to 2, as requested by + a lead + - bugfix: + fixed goliaths, ice whelps, polar bears and ice demons shoving wrenched + windows someguyjust: - - rscadd: Scav-classed Drifter + - rscadd: Scav-classed Drifter 2022-05-28: MarkSuckerberg: - - bugfix: The join menu should no longer break randomly. + - bugfix: The join menu should no longer break randomly. 2022-05-29: - 'Irra ': - - balance: SMES's now have a EMP interaction - - imageadd: Smes sprites + "Irra ": + - balance: SMES's now have a EMP interaction + - imageadd: Smes sprites SweetBlueSylveon: - - rscadd: Added the Rube-Goldberg Class Engineering Project ship. - - imageadd: Added a steering wheel (sprite by Dexxiol) + - rscadd: Added the Rube-Goldberg Class Engineering Project ship. + - imageadd: Added a steering wheel (sprite by Dexxiol) phoaly and Any%: - - rscadd: Added Lab 4071 space ruin. - - rscadd: Added Syndicate Battle Sphere space ruin. + - rscadd: Added Lab 4071 space ruin. + - rscadd: Added Syndicate Battle Sphere space ruin. 2022-05-30: Vexylius: - - bugfix: A pirate wideband radio jamming station has been taken taken down by a - group of unidentified ships. One of them seemed to be a Minuteman Carina-class - ship, however Minuteman spokesperson denies Minuteman involvement in this operation - (Fixed wideband intercoms) + - bugfix: + A pirate wideband radio jamming station has been taken taken down by a + group of unidentified ships. One of them seemed to be a Minuteman Carina-class + ship, however Minuteman spokesperson denies Minuteman involvement in this operation + (Fixed wideband intercoms) 2022-06-02: Ebin-Halcyon: - - imageadd: The IRMG have sent in a shipment of clothing for their frontline engineers - and medical officers! + - imageadd: + The IRMG have sent in a shipment of clothing for their frontline engineers + and medical officers! Vexylius: - - bugfix: An update of autolathe software is now ready for download. This update - fixes a glitch that was blocking printing of floor painters (you can now actually - print floor painters and don't have to do anything). - - rscadd: Masinyane-Class Ship + - bugfix: + An update of autolathe software is now ready for download. This update + fixes a glitch that was blocking printing of floor painters (you can now actually + print floor painters and don't have to do anything). + - rscadd: Masinyane-Class Ship coleminerman: - - rscadd: Added the creatively named "Admin Gun Dealer Ship" - - rscadd: Added a json that actually makes it function + - rscadd: Added the creatively named "Admin Gun Dealer Ship" + - rscadd: Added a json that actually makes it function retlaw34: - - imageadd: resprites goggles + - imageadd: resprites goggles tiramisuapimancer: - - tweak: phorids and skeletons like food with the DAIRY tag now + - tweak: phorids and skeletons like food with the DAIRY tag now 2022-06-06: Azarak: - - rscadd: Weathers + - rscadd: Weathers 2022-06-07: MarkSuckerberg: - - rscdel: Paychecks. Where were they coming from anyways? - - rscdel: Most functions of departmental budget cards. + - rscdel: Paychecks. Where were they coming from anyways? + - rscdel: Most functions of departmental budget cards. PrefabQuasar: - - bugfix: fixed herbal healing item icons - - bugfix: fixed a bug where you were able to dupe certain item reactions with foam - - tweak: herbal healing items have been nerfed to be on par with sutures and mesh + - bugfix: fixed herbal healing item icons + - bugfix: fixed a bug where you were able to dupe certain item reactions with foam + - tweak: herbal healing items have been nerfed to be on par with sutures and mesh Zevotech: - - balance: remapped jungle_seedling.dmm + - balance: remapped jungle_seedling.dmm 2022-06-08: Apogee-dev: - - rscadd: Added Inteq Colossus-class Armored Frigate + - rscadd: Added Inteq Colossus-class Armored Frigate AquillaF: - - rscadd: Caravan-Class Modular Ship + - rscadd: Caravan-Class Modular Ship IndusRobot: - - bugfix: Fixes missing nautical sword sprite by applying cutlassred icon - - bugfix: Fixes flipped tables trapping movement until righted - - bugfix: Fixes Canary alert program not loading alerts + - bugfix: Fixes missing nautical sword sprite by applying cutlassred icon + - bugfix: Fixes flipped tables trapping movement until righted + - bugfix: Fixes Canary alert program not loading alerts PositiveEntropy: - - imageadd: Resprites the Morpheus Cyberkinetics IPC Chassis, as well as the Synth - Chassis, of which it was a duplicate of. + - imageadd: + Resprites the Morpheus Cyberkinetics IPC Chassis, as well as the Synth + Chassis, of which it was a duplicate of. PositiveEntropy, AxieTheAxolotl: - - imageadd: Syndicate turtleneck and combat uniforms have been resprited. + - imageadd: Syndicate turtleneck and combat uniforms have been resprited. Recoherent: - - bugfix: Fixes joining through administrator lock via spawning new ship. + - bugfix: Fixes joining through administrator lock via spawning new ship. TheNeoGamer42: - - bugfix: The helm console no longer draws 10kW for little reason. Probably. + - bugfix: The helm console no longer draws 10kW for little reason. Probably. disappointedButNotSuprised: - - rscadd: Added the MedTech lab ruin + - rscadd: Added the MedTech lab ruin kestoloppu: - - tweak: shortened vox glove sprite directionals + - tweak: shortened vox glove sprite directionals phoaly: - - tweak: Minor map changes to the Rube Goldberg + - tweak: Minor map changes to the Rube Goldberg retlaw34: - - imageadd: Disk sprites have been edited slightly. + - imageadd: Disk sprites have been edited slightly. tiramisuapimancer: - - rscdel: red armband gone from loadout + - rscdel: red armband gone from loadout triplezeta: - - bugfix: ghosts can view the helm console again - - bugfix: helm viewscreens can be used even if your helm is locked + - bugfix: ghosts can view the helm console again + - bugfix: helm viewscreens can be used even if your helm is locked 2022-06-10: PrefabQuasar: - - tweak: midway has been remapped + - tweak: midway has been remapped 2022-06-11: Recoherent: - - bugfix: Space Radioshack got new tablets in stock, so you can select actual functional - ones in your loadout as opposed to the completely useless empty display tablets. + - bugfix: + Space Radioshack got new tablets in stock, so you can select actual functional + ones in your loadout as opposed to the completely useless empty display tablets. dragomagol: - - tweak: borgs now choose their starting module with a radial menu + - tweak: borgs now choose their starting module with a radial menu 2022-06-12: tiramisuapimancer: - - bugfix: IPC stomach and ears shouldn't decay while dead now + - bugfix: IPC stomach and ears shouldn't decay while dead now 2022-06-13: PositiveEntropy: - - imageadd: Resprites the IPC/pAI recharge cable! + - imageadd: Resprites the IPC/pAI recharge cable! bluezorua: - - tweak: You now require twice as much nicotine to OD you - - tweak: Cigarettes and cigars now deal less damage to your lungs + - tweak: You now require twice as much nicotine to OD you + - tweak: Cigarettes and cigars now deal less damage to your lungs retlaw34: - - rscadd: Cobra 20 - - imageadd: The bulldog and C20r have been resprited + - rscadd: Cobra 20 + - imageadd: The bulldog and C20r have been resprited triplezeta: - - spellcheck: renames the cybersun raincoat to the cybersun labcoat + - spellcheck: renames the cybersun raincoat to the cybersun labcoat 2022-06-15: IndusRobot: - - bugfix: Fixes defib mounts eating defibs with no cell - - bugfix: Fixes unpowered holopads bricking calling holopads - - bugfix: Fix engi borgs losing the tile module when reskinning the tile - - bugfix: Rename floor tile crafting names for iron sheet crafting - - bugfix: Fixes rnd servers not initializing correctly on map load + - bugfix: Fixes defib mounts eating defibs with no cell + - bugfix: Fixes unpowered holopads bricking calling holopads + - bugfix: Fix engi borgs losing the tile module when reskinning the tile + - bugfix: Rename floor tile crafting names for iron sheet crafting + - bugfix: Fixes rnd servers not initializing correctly on map load Qustinnus: - - refactor: Ambience is now in a subsystem, and plays every now and then without - you having to move to a new area for it to play + - refactor: + Ambience is now in a subsystem, and plays every now and then without + you having to move to a new area for it to play dragomagol: - - server: makes the discord verification instructions accurate + - server: makes the discord verification instructions accurate thgvr: - - imageadd: New digitigrade sprites & compatability for mining boots, winter boots, - workboots, and jackboots. + - imageadd: + New digitigrade sprites & compatability for mining boots, winter boots, + workboots, and jackboots. tmtmtl30: - - bugfix: the end-round bluespace jump shouldn't spam the runtime log anymore - - tweak: Overmap encounter docking port placement has been tweaked to be slightly - more consistent. + - bugfix: the end-round bluespace jump shouldn't spam the runtime log anymore + - tweak: + Overmap encounter docking port placement has been tweaked to be slightly + more consistent. 2022-06-17: IndusRobot: - - rscadd: Added unique ship access - - rscadd: Added an option to card modification programs to toggle unique ship access - - rscadd: Added an option to card modification programs to toggle ID access to your - ship - - rscadd: Added a borg/AI upgrade chip that can be printed at card modification - programs - - config: Added an option to force unique ship access on a specific ship when it - is created + - rscadd: Added unique ship access + - rscadd: Added an option to card modification programs to toggle unique ship access + - rscadd: + Added an option to card modification programs to toggle ID access to your + ship + - rscadd: + Added a borg/AI upgrade chip that can be printed at card modification + programs + - config: + Added an option to force unique ship access on a specific ship when it + is created MarkSuckerberg: - - imageadd: Totally resprites Kepori! - - imageadd: Totally resprites Kepori feather patterns, as well. There's a lot more - than there used to be! - - rscadd: Kepori now have sprites for bedsheets and belts. - - tweak: Kepori body size adjustment removed for sake of sprite clarity. - - code_imp: Added a new, better offset system copied from Baystation 12. + - imageadd: Totally resprites Kepori! + - imageadd: + Totally resprites Kepori feather patterns, as well. There's a lot more + than there used to be! + - rscadd: Kepori now have sprites for bedsheets and belts. + - tweak: Kepori body size adjustment removed for sake of sprite clarity. + - code_imp: Added a new, better offset system copied from Baystation 12. Quantum-M, Retlaw34: - - tweak: Resprites intercoms + - tweak: Resprites intercoms bluezorua: - - rscadd: Boyardee-B class updates + - rscadd: Boyardee-B class updates jupyterkat: - - bugfix: fixed hearing being broken sometimes + - bugfix: fixed hearing being broken sometimes mel-byond: - - rscadd: Added more design disks, with varying capacity. - - rscadd: Autolathes can now fabricate autolathe-friendly designs off a disk, working - with more types of materials. - - balance: Autolathes no longer import designs, instead it takes one disk at a time - with designs on it. + - rscadd: Added more design disks, with varying capacity. + - rscadd: + Autolathes can now fabricate autolathe-friendly designs off a disk, working + with more types of materials. + - balance: + Autolathes no longer import designs, instead it takes one disk at a time + with designs on it. retlaw34, Apogee, Imaginos16, Azlan: - - rscadd: indie engineer outfit - - imageadd: A ton of enigneer clothing was redone + - rscadd: indie engineer outfit + - imageadd: A ton of enigneer clothing was redone tetrazeta, ApogeeDev, Halcyon: - - imageadd: Updated sprites for security helmets, swat helmets, and riot helmets. - - refactor: helmet flashlights are now overlays + - imageadd: Updated sprites for security helmets, swat helmets, and riot helmets. + - refactor: helmet flashlights are now overlays 2022-06-20: tmtmtl30: - - code_imp: Removed deprecated map_generator variable on /area. + - code_imp: Removed deprecated map_generator variable on /area. 2022-06-22: PrefabQuasar: - - rscadd: The Tranquility-class Flying Apartment Complex is now available for purchase! + - rscadd: The Tranquility-class Flying Apartment Complex is now available for purchase! mel-byond: - - rscadd: TGUI for ejecting materials from the Autolathe - - bugfix: Autolathe not accepting plastic - - bugfix: Autolathe material display not showing colors correctly + - rscadd: TGUI for ejecting materials from the Autolathe + - bugfix: Autolathe not accepting plastic + - bugfix: Autolathe material display not showing colors correctly 2022-06-24: - ? '' - : - rscadd: Added Kepori tail feathers + "": + - rscadd: Added Kepori tail feathers - imageadd: Kepori plumage now works when it's a different color from the base - imageadd: Added Kepori tail feathers - spellcheck: Fixed the text of various UI elements Bokkiewokkie: - - rscadd: Added the option for IPCs to spawn with MMI's instead of posibrains - - code_imp: Slightly refactored IPC brain spawning behaviour. + - rscadd: Added the option for IPCs to spawn with MMI's instead of posibrains + - code_imp: Slightly refactored IPC brain spawning behaviour. Mothblocks, Rohesie, IndieanaJones, jjpark-kb: - - rscadd: Disarming a monkey is now the same as disarming a human. - - rscadd: Monkeys can now be shoved into humans and vice versa. - - refactor: Allows damage that baked beanomorphs, monkeys and slimes deal to humans - to be modified instead of being hardcoded values. - - refactor: Allows different xenomorph types to deal different amounts of damage, - if future coders or VV-happy admins will it. - - balance: Xenos have been rebalanced, removing their hardstuns on their disarm - and neurotoxin, along with a slew of other changes. - - bugfix: Queen death now properly slows down xenomorphs - - bugfix: Facehuggers will now attempt to get near targets and impregnate them autonomously - again - - refactor: Facehuggers have been refactored into simplemobs, as opposed to being - items - - balance: xeno weeds spread cooldown lowered from 15-20 seconds to 5-10 seconds + - rscadd: Disarming a monkey is now the same as disarming a human. + - rscadd: Monkeys can now be shoved into humans and vice versa. + - refactor: + Allows damage that baked beanomorphs, monkeys and slimes deal to humans + to be modified instead of being hardcoded values. + - refactor: + Allows different xenomorph types to deal different amounts of damage, + if future coders or VV-happy admins will it. + - balance: + Xenos have been rebalanced, removing their hardstuns on their disarm + and neurotoxin, along with a slew of other changes. + - bugfix: Queen death now properly slows down xenomorphs + - bugfix: + Facehuggers will now attempt to get near targets and impregnate them autonomously + again + - refactor: + Facehuggers have been refactored into simplemobs, as opposed to being + items + - balance: xeno weeds spread cooldown lowered from 15-20 seconds to 5-10 seconds retlaw34: - - rscadd: 'New minor faction: Saint-Roumain Militia' - - rscadd: A new loadout outfit that makes you feel like you need to quest - - rscadd: The Rigoureux has gotten a makeover, courtesy of the Roumains. It is still - at drydock. - - rscdel: The old Rigoureux has been renamed to Riggs-T and is unbuyable - - bugfix: fixes wood tile colors (ships that look odd with the fixed colors can - use the floors tiles in hand to recolor them) - - imageadd: floor tile object resprite + - rscadd: "New minor faction: Saint-Roumain Militia" + - rscadd: A new loadout outfit that makes you feel like you need to quest + - rscadd: + The Rigoureux has gotten a makeover, courtesy of the Roumains. It is still + at drydock. + - rscdel: The old Rigoureux has been renamed to Riggs-T and is unbuyable + - bugfix: + fixes wood tile colors (ships that look odd with the fixed colors can + use the floors tiles in hand to recolor them) + - imageadd: floor tile object resprite tmtmtl30: - - bugfix: Fixed some instances in the code where biotypes were assumed to be lists, - instead of bitflags, when they're supposed to be bitflags. + - bugfix: + Fixed some instances in the code where biotypes were assumed to be lists, + instead of bitflags, when they're supposed to be bitflags. triplezeta: - - rscadd: fireblossoms can be worn on your head + - rscadd: fireblossoms can be worn on your head 2022-06-25: Phoaly: - - tweak: Tweaks the Rube Goldberg + - tweak: Tweaks the Rube Goldberg PrefabQuasar: - - tweak: kepori pounces are now a species action toggle! + - tweak: kepori pounces are now a species action toggle! Zevotech: - - balance: removed health regeneration from ice mining mobs - - balance: removed armor peircing from the ice whelp - - balance: lowered the ice whelp's aggro range + - balance: removed health regeneration from ice mining mobs + - balance: removed armor peircing from the ice whelp + - balance: lowered the ice whelp's aggro range triplezeta: - - bugfix: Some clothing will now display properly on vox. + - bugfix: Some clothing will now display properly on vox. 2022-06-28: TypeVar: - - tweak: json file job list - - tweak: RND and medbay + - tweak: json file job list + - tweak: RND and medbay Vexylius: - - rscadd: Welding animation from TauCeti + - rscadd: Welding animation from TauCeti Zevotech: - - rscadd: Bombmaker's cabin, a far more tasteful remake of the unabomber cabin ruin - - rscadd: Two claymores and a heroine bud to jungle_roomates - - rscadd: Adds some extra loot to jungle_surface_ninjashrine like throwing stars - and a lesser smoke spell - - rscadd: Adds some extra various junk to the coffins on jungle_surface_coffinpirate - to make it a bit more worthwile compared to the other ruins. - - rscadd: Adds some extra loot to jungle_spider.dmm, mainly the DNA scanner and - cloning console boards needed to make the cloning pod function and a toxins - medkit - - rscdel: Unabomber cabin ruin - - tweak: Remapped and expanded Jungle_witch.dmm, including now a wizard hardsuit - as final loot - - tweak: Remapped and expanded Jungle_syndicate.dmm, with final loot now being a - c20r and syndicate hardsuit - - bugfix: Removed the two immovable rods from jungle_surface_weed_shack.dmm - - bugfix: Removed impassable lattices and pointless indestructible walls from jungle_hangar.dmm + - rscadd: Bombmaker's cabin, a far more tasteful remake of the unabomber cabin ruin + - rscadd: Two claymores and a heroine bud to jungle_roomates + - rscadd: + Adds some extra loot to jungle_surface_ninjashrine like throwing stars + and a lesser smoke spell + - rscadd: + Adds some extra various junk to the coffins on jungle_surface_coffinpirate + to make it a bit more worthwile compared to the other ruins. + - rscadd: + Adds some extra loot to jungle_spider.dmm, mainly the DNA scanner and + cloning console boards needed to make the cloning pod function and a toxins + medkit + - rscdel: Unabomber cabin ruin + - tweak: + Remapped and expanded Jungle_witch.dmm, including now a wizard hardsuit + as final loot + - tweak: + Remapped and expanded Jungle_syndicate.dmm, with final loot now being a + c20r and syndicate hardsuit + - bugfix: Removed the two immovable rods from jungle_surface_weed_shack.dmm + - bugfix: Removed impassable lattices and pointless indestructible walls from jungle_hangar.dmm 2022-06-30: tmtmtl30, tetrazeta: - - rscadd: Pouring -- you can now pour out a portion of a beaker's contents by clicking - on an object with a beaker while on help intent. - - rscadd: Liquid cement, made from heated carbon, hydrogen, oxygen, and water; it - can be concentrated into hexement by adding phenol. Don't eat it. - - rscadd: Concrete, made by adding sand to liquid cement. Similarly, hexacrete can - be made by adding sand to a beaker of hexement. - - rscadd: Concrete floors, made by pouring concrete or hexacrete onto catwalks over - plating. Use a chisel to change how they look, but be careful not to step on - them while they're wet. - - rscadd: Concrete walls, made by pouring concrete onto metal grilles. They take - 30 seconds to fully harden, and will break if subjected to enough punishment. - - rscadd: Hexacrete walls, stronger concrete walls that take longer to harden, made - by pouring hexacrete onto metal girders. Good for building explosion-resistant - bunkers. + - rscadd: + Pouring -- you can now pour out a portion of a beaker's contents by clicking + on an object with a beaker while on help intent. + - rscadd: + Liquid cement, made from heated carbon, hydrogen, oxygen, and water; it + can be concentrated into hexement by adding phenol. Don't eat it. + - rscadd: + Concrete, made by adding sand to liquid cement. Similarly, hexacrete can + be made by adding sand to a beaker of hexement. + - rscadd: + Concrete floors, made by pouring concrete or hexacrete onto catwalks over + plating. Use a chisel to change how they look, but be careful not to step on + them while they're wet. + - rscadd: + Concrete walls, made by pouring concrete onto metal grilles. They take + 30 seconds to fully harden, and will break if subjected to enough punishment. + - rscadd: + Hexacrete walls, stronger concrete walls that take longer to harden, made + by pouring hexacrete onto metal girders. Good for building explosion-resistant + bunkers. 2022-07-02: PiperDoots: - - rscadd: Added boots, coats, shorts and pants sprites for Kepori - - imageadd: Updated Kepori clothes sprites - - imageadd: Added new augment sprites for Kepori - - imageadd: Added new tail feather style based on the augments - - tweak: Kepori can now wear backpacks and duffelbags - - bugfix: Kepori legs no longer clip above arms in the side states - - bugfix: Fixed matrix coloring issues with Kepori clothes + - rscadd: Added boots, coats, shorts and pants sprites for Kepori + - imageadd: Updated Kepori clothes sprites + - imageadd: Added new augment sprites for Kepori + - imageadd: Added new tail feather style based on the augments + - tweak: Kepori can now wear backpacks and duffelbags + - bugfix: Kepori legs no longer clip above arms in the side states + - bugfix: Fixed matrix coloring issues with Kepori clothes Recoherent: - - rscadd: IPCs now have five new antennae options! You may recognize one of them - from a certain marketable character. - - bugfix: The "lights" option that people kept insisting was a real antenna has - been properly scrubbed from reality. + - rscadd: + IPCs now have five new antennae options! You may recognize one of them + from a certain marketable character. + - bugfix: + The "lights" option that people kept insisting was a real antenna has + been properly scrubbed from reality. Zevotech: - - balance: decreased the oldcode sword mob's damage from 30 to 20 - - tweak: decreased the amount of mobs in oldcodeops.dmm + - balance: decreased the oldcode sword mob's damage from 30 to 20 + - tweak: decreased the amount of mobs in oldcodeops.dmm mel-byond: - - bugfix: Advanced Airlock Controllers now considers airlocks at edge of map as - external + - bugfix: + Advanced Airlock Controllers now considers airlocks at edge of map as + external spockye: - - rscadd: Remade the pubby class light carrier - - rscadd: Adds the Cascade-class Genetics ship + - rscadd: Remade the pubby class light carrier + - rscadd: Adds the Cascade-class Genetics ship terg-but-ius: - - imageadd: Bronze tiles look prettier now! + - imageadd: Bronze tiles look prettier now! triplezeta: - - bugfix: lack of tongue no longer runtimes + - bugfix: lack of tongue no longer runtimes 2022-07-05: Apogee-dev: - - bugfix: reduced refund value of ammo boxes to close materials exploit + - bugfix: reduced refund value of ammo boxes to close materials exploit AtlasRules: - - balance: C-20r now is full auto and has a doubled fire delay. + - balance: C-20r now is full auto and has a doubled fire delay. Chubbygummibear: - - tweak: admin aheal proc moved to the right click options on mobs - - code_imp: the insert mutant organs part of regenerate organs no longer drops your - previous version on the ground if you had one. if you have a tail or wings, - it will get replaced by your default and delete the old. if you're missing the - organ entirely, you just get a new one - - admin: admins who are trying to aheal just right click a mob/player/carbon/pet - and select rejuvenate. + - tweak: admin aheal proc moved to the right click options on mobs + - code_imp: + the insert mutant organs part of regenerate organs no longer drops your + previous version on the ground if you had one. if you have a tail or wings, + it will get replaced by your default and delete the old. if you're missing the + organ entirely, you just get a new one + - admin: + admins who are trying to aheal just right click a mob/player/carbon/pet + and select rejuvenate. PiperDoots: - - rscadd: Added a new birch wood turf - - imageadd: Updated the wood turf dmi - - tweak: Reverted default wood coloring to previous color to accommodate older maps - - imageadd: added Pawsitronic United IPC frame - - imageadd: added Nyaru screen + - rscadd: Added a new birch wood turf + - imageadd: Updated the wood turf dmi + - tweak: Reverted default wood coloring to previous color to accommodate older maps + - imageadd: added Pawsitronic United IPC frame + - imageadd: added Nyaru screen retlaw34: - - rscadd: vampire cloak - - bugfix: mutated seeds are now harvestable + - rscadd: vampire cloak + - bugfix: mutated seeds are now harvestable tiramisuapimancer: - - rscdel: cringe CAS cards with offensive content in them + - rscdel: cringe CAS cards with offensive content in them tmtmtl30: - - refactor: Removed mob.computer_id; moved mob.lastKnownIP to player_details.last_known_ip - - code_imp: Borers and split personalities now move the mind reference before swapping - player control. This may or may not alleviate some bugs. + - refactor: Removed mob.computer_id; moved mob.lastKnownIP to player_details.last_known_ip + - code_imp: + Borers and split personalities now move the mind reference before swapping + player control. This may or may not alleviate some bugs. 2022-07-06: Apogee-dev: - - tweak: Made QoL improvements to the Riggs - - rscadd: Added cargo console to Riggs - - balance: Replaced protolathe board on Riggs with cargo lathe board + - tweak: Made QoL improvements to the Riggs + - rscadd: Added cargo console to Riggs + - balance: Replaced protolathe board on Riggs with cargo lathe board MarkSuckerberg: - - rscdel: Felinid mutation toxin - - rscdel: Weird flavouring of tackles were removed. (E.g. pounce vs. tackle) - - rscdel: Felinids - - rscadd: Humans can now select ears and tails - - bugfix: All species are now able to wag tails if they get them. + - rscdel: Felinid mutation toxin + - rscdel: Weird flavouring of tackles were removed. (E.g. pounce vs. tackle) + - rscdel: Felinids + - rscadd: Humans can now select ears and tails + - bugfix: All species are now able to wag tails if they get them. Myco/Yellow: - - rscadd: Adds a new jungle ruin, an old crashed interceptor + - rscadd: Adds a new jungle ruin, an old crashed interceptor TypeVar: - - rscadd: Adds the Lagoon-class Cruise Ship + - rscadd: Adds the Lagoon-class Cruise Ship spockye: - - rscadd: adds a new ship(Komodo-class Syndicate warship + - rscadd: adds a new ship(Komodo-class Syndicate warship 2022-07-10: tmtmtl30: - - rscadd: Overmap stars now spin automatically. - - rscadd: Overmap stars now always have examine text. - - rscadd: Yellow giant stars now flicker. - - refactor: Refactored overmap star code; star probabilities and colors are altered - as a result. + - rscadd: Overmap stars now spin automatically. + - rscadd: Overmap stars now always have examine text. + - rscadd: Yellow giant stars now flicker. + - refactor: + Refactored overmap star code; star probabilities and colors are altered + as a result. 2022-07-11: Cenrus: - - tweak: Shuttle landing now deletes simple mobs + - tweak: Shuttle landing now deletes simple mobs tmtmtl30: - - bugfix: The CE job is now an officer job; only one may exist per ship. + - bugfix: The CE job is now an officer job; only one may exist per ship. triplezeta: - - bugfix: wideband intercoms are now recoverable + - bugfix: wideband intercoms are now recoverable 2022-07-12: ForestCranked: - - rscadd: The Synapse-Class Viral Study Vessel, and it's corresponding config. - - bugfix: Accidentally dropped the json in configs and the shuttles folder, so i - fixed that. + - rscadd: The Synapse-Class Viral Study Vessel, and it's corresponding config. + - bugfix: + Accidentally dropped the json in configs and the shuttles folder, so i + fixed that. Ketrai: - - balance: xenoling get only 25 max chemicals, limiting ability use. - - balance: xenolings generate chemicals half as fast - - balance: xenolings only get 2 ability points - - balance: xenolings can only store half as much DNA (this affects the strength - of some abilities) - - balance: changeling fake death cost raised 15 => 30 - - balance: ALL regenerative extracts now need time to be applied. This is increased - when self applying! - - balance: Stabilized light pink extract effect decreased by 80% - - balance: Slime speed potion has a capped effect, you cannot make armor free of - slowdown anymore. - - balance: Slime armblade damage raised from 15 => 22.5 - - balance: Rainbow knife no longer deals clone damage. - - balance: Rainbow knife damage increased from 15 => 18 - - balance: Chilling sepia extract duration crippled from 30 => 7 seconds. - - balance: Regenerative extracts no longer Aheal you. Instead, they heal 35% of - all damage. Still fully heals clone damage. Heals a little organ damage. Heals - 10% of the average blood pool. - - balance: Some regenerative extracts are better at healing specific damage types. - - balance: Some extracts need less cores to be crossbred now. + - balance: xenoling get only 25 max chemicals, limiting ability use. + - balance: xenolings generate chemicals half as fast + - balance: xenolings only get 2 ability points + - balance: + xenolings can only store half as much DNA (this affects the strength + of some abilities) + - balance: changeling fake death cost raised 15 => 30 + - balance: + ALL regenerative extracts now need time to be applied. This is increased + when self applying! + - balance: Stabilized light pink extract effect decreased by 80% + - balance: + Slime speed potion has a capped effect, you cannot make armor free of + slowdown anymore. + - balance: Slime armblade damage raised from 15 => 22.5 + - balance: Rainbow knife no longer deals clone damage. + - balance: Rainbow knife damage increased from 15 => 18 + - balance: Chilling sepia extract duration crippled from 30 => 7 seconds. + - balance: + Regenerative extracts no longer Aheal you. Instead, they heal 35% of + all damage. Still fully heals clone damage. Heals a little organ damage. Heals + 10% of the average blood pool. + - balance: Some regenerative extracts are better at healing specific damage types. + - balance: Some extracts need less cores to be crossbred now. PrefabQuasar: - - rscadd: Added the SCOOPABLE trait - - tweak: kepori and dwarves now use the SCOOPABLE trait instead of HOLDABLE - - bugfix: fixed kepori frying + - rscadd: Added the SCOOPABLE trait + - tweak: kepori and dwarves now use the SCOOPABLE trait instead of HOLDABLE + - bugfix: fixed kepori frying Skies-Of-Blue: - - tweak: blind people can now perceive visible emotes - - tweak: deaf people can now perceive audible emotes + - tweak: blind people can now perceive visible emotes + - tweak: deaf people can now perceive audible emotes Zevotech: - - bugfix: lab4071 ruin has received numerous tweaks and fixes + - bugfix: lab4071 ruin has received numerous tweaks and fixes thgvr: - - bugfix: Ashwalkers' attire of choice will no longer break their legs. - - imageadd: Digitigrade sprites for a majority of syndicate jumpsuits and mining - equipment. + - bugfix: Ashwalkers' attire of choice will no longer break their legs. + - imageadd: + Digitigrade sprites for a majority of syndicate jumpsuits and mining + equipment. 2022-07-13: Apogee-dev: - - rscadd: Added the Scarlet Hardsuit, a midline syndicate hardsuit similar to security - hardsuits - - balance: Rebalanced Syndicate space suits to have much more reasonable armor - - tweak: Adjusted Hyena's suit loadout to use the new scarlet hardsuits + - rscadd: + Added the Scarlet Hardsuit, a midline syndicate hardsuit similar to security + hardsuits + - balance: Rebalanced Syndicate space suits to have much more reasonable armor + - tweak: Adjusted Hyena's suit loadout to use the new scarlet hardsuits HometownFunky: - - rscadd: Added a new flag for kepori clothing + - rscadd: Added a new flag for kepori clothing KittyNoodle: - - tweak: Elzuose now can regenerate blood. + - tweak: Elzuose now can regenerate blood. antropod: - - bugfix: Makes TEG not break when you sneeze on it + - bugfix: Makes TEG not break when you sneeze on it phoaly: - - rscadd: Adds folder of deprecated ruins and datums. - - rscdel: Removes various low quality ruins, attached areas, and datums. + - rscadd: Adds folder of deprecated ruins and datums. + - rscdel: Removes various low quality ruins, attached areas, and datums. 2022-07-15: MarkSuckerberg: - - rscadd: Explosive decomp is back + - rscadd: Explosive decomp is back 2022-07-16: Apogee-dev: - - rscdel: Removed Masinyane from roundstart spawning and purchase. + - rscdel: Removed Masinyane from roundstart spawning and purchase. Zevotech: - - rscdel: Miasma, the stinky corpse gas - - rscdel: rot.dm, and corpses/gibs creating miasma + - rscdel: Miasma, the stinky corpse gas + - rscdel: rot.dm, and corpses/gibs creating miasma 2022-07-17: Melbert, Chubbygummibear: - rscadd: new Limbgrower tgui interface @@ -42587,6 +51330,7 @@ DO NOT EDIT THIS FILE BY HAND! AUTOMATICALLY GENERATED BY ss13_genchangelog.py. i'm sorry but it works PiperDoots: - imageadd: updated Kepori body sprites to allow for better clothing. + - imageadd: updated Kepori body sprites to allow for better clothing. 2022-07-18: Apogee-dev: - rscadd: Added the Gecko-class Salvage Runner diff --git a/html/changelogs/example.yml b/html/changelogs/example.yml index c44f796755b1..b0e660681d9f 100644 --- a/html/changelogs/example.yml +++ b/html/changelogs/example.yml @@ -6,20 +6,20 @@ # Your changelog will be merged with a master changelog. (New stuff added only, and only on the date entry for the day it was merged.) # When it is, any changes listed below will disappear. # -# Valid Prefixes: +# Valid Prefixes: # bugfix # - (fixes bugs) # wip # - (work in progress) -# tweak -# - (tweaks something) +# qol +# - (quality of life) # soundadd # - (adds a sound) # sounddel # - (removes a sound) -# rscdel -# - (adds a feature) # rscadd +# - (adds a feature) +# rscdel # - (removes a feature) # imageadd # - (adds an image or sprite) @@ -29,8 +29,6 @@ # - (fixes spelling or grammar) # experiment # - (experimental change) -# tgs -# - (TGS change) # balance # - (balance changes) # code_imp @@ -45,7 +43,7 @@ # - (miscellaneous changes to server) ################################# -# Your name. +# Your name. author: " # Optional: Remove this file after generating master changelog. Useful for PR changelogs that won't get used again. @@ -56,6 +54,6 @@ delete-after: True # SCREW THIS UP AND IT WON'T WORK. # Also, this gets changed to [] after reading. Just remove the brackets when you add new shit. # Please surround your changes in double quotes ("). It works without them, but if you use certain characters it screws up compiling. The quotes will not show up in the changelog. -changes: +changes: - rscadd: "Added a changelog editing system that should cause fewer conflicts and more accurate timestamps." - rscdel: "Killed innocent kittens." diff --git a/html/create_object.html b/html/create_object.html index e5003c9b636e..a8d3790ee0cf 100644 --- a/html/create_object.html +++ b/html/create_object.html @@ -1,99 +1,136 @@ + + Create Object + + - h1, h2, h3, h4, h5, h6 - { - color: #00f; - font-family: Georgia, Arial, sans-serif; - } - img { - border: 0px; - } - p.lic { - font-size: 6pt; - } - - + + + + /* hreftokenfield */ Type + +
      + Offset: + - - - - /* hreftokenfield */ + A R +
      - Type
      - Offset: - - A - R
      - - Number: - Dir: - Name:
      - Where: - + Dir: + + Name: +
      + Where: + -

      - -
      - - - - - + function updateSearch() { + old_search = document.spawner.filter.value.toLowerCase(); + if (!old_search) return; + + var filtered = new Array(); + var i; + for (i in objects) { + var caseInsensitiveObject = objects[i].toLowerCase(); + if (caseInsensitiveObject.search(old_search) < 0) { + continue; + } + + filtered.push(objects[i]); + } + + populateList(filtered); + } + + diff --git a/html/font-awesome/css/all.min.css b/html/font-awesome/css/all.min.css index a3fb0572e89d..5c4407984031 100644 --- a/html/font-awesome/css/all.min.css +++ b/html/font-awesome/css/all.min.css @@ -2,4 +2,4376 @@ * Font Awesome Free 5.9.0 by @fontawesome - https://fontawesome.com * License - https://fontawesome.com/license/free (Icons: CC BY 4.0, Fonts: SIL OFL 1.1, Code: MIT License) */ -.fa,.fab,.fal,.far,.fas{-moz-osx-font-smoothing:grayscale;-webkit-font-smoothing:antialiased;display:inline-block;font-style:normal;font-variant:normal;text-rendering:auto;line-height:1}.fa-lg{font-size:1.33333em;line-height:.75em;vertical-align:-.0667em}.fa-xs{font-size:.75em}.fa-sm{font-size:.875em}.fa-1x{font-size:1em}.fa-2x{font-size:2em}.fa-3x{font-size:3em}.fa-4x{font-size:4em}.fa-5x{font-size:5em}.fa-6x{font-size:6em}.fa-7x{font-size:7em}.fa-8x{font-size:8em}.fa-9x{font-size:9em}.fa-10x{font-size:10em}.fa-fw{text-align:center;width:1.25em}.fa-ul{list-style-type:none;margin-left:2.5em;padding-left:0}.fa-ul>li{position:relative}.fa-li{left:-2em;position:absolute;text-align:center;width:2em;line-height:inherit}.fa-border{border:.08em solid #eee;border-radius:.1em;padding:.2em .25em .15em}.fa-pull-left{float:left}.fa-pull-right{float:right}.fa.fa-pull-left,.fab.fa-pull-left,.fal.fa-pull-left,.far.fa-pull-left,.fas.fa-pull-left{margin-right:.3em}.fa.fa-pull-right,.fab.fa-pull-right,.fal.fa-pull-right,.far.fa-pull-right,.fas.fa-pull-right{margin-left:.3em}.fa-spin{animation:fa-spin 2s infinite linear}.fa-pulse{animation:fa-spin 1s infinite steps(8)}@keyframes fa-spin{0%{transform:rotate(0deg)}to{transform:rotate(1turn)}}.fa-rotate-90{-ms-filter:"progid:DXImageTransform.Microsoft.BasicImage(rotation=1)";transform:rotate(90deg)}.fa-rotate-180{-ms-filter:"progid:DXImageTransform.Microsoft.BasicImage(rotation=2)";transform:rotate(180deg)}.fa-rotate-270{-ms-filter:"progid:DXImageTransform.Microsoft.BasicImage(rotation=3)";transform:rotate(270deg)}.fa-flip-horizontal{-ms-filter:"progid:DXImageTransform.Microsoft.BasicImage(rotation=0, mirror=1)";transform:scaleX(-1)}.fa-flip-vertical{transform:scaleY(-1)}.fa-flip-both,.fa-flip-horizontal.fa-flip-vertical,.fa-flip-vertical{-ms-filter:"progid:DXImageTransform.Microsoft.BasicImage(rotation=2, mirror=1)"}.fa-flip-both,.fa-flip-horizontal.fa-flip-vertical{transform:scale(-1)}:root .fa-flip-both,:root .fa-flip-horizontal,:root .fa-flip-vertical,:root .fa-rotate-90,:root .fa-rotate-180,:root .fa-rotate-270{filter:none}.fa-stack{display:inline-block;height:2em;line-height:2em;position:relative;vertical-align:middle;width:2.5em}.fa-stack-1x,.fa-stack-2x{left:0;position:absolute;text-align:center;width:100%}.fa-stack-1x{line-height:inherit}.fa-stack-2x{font-size:2em}.fa-inverse{color:#fff}.fa-500px:before{content:"\f26e"}.fa-accessible-icon:before{content:"\f368"}.fa-accusoft:before{content:"\f369"}.fa-acquisitions-incorporated:before{content:"\f6af"}.fa-ad:before{content:"\f641"}.fa-address-book:before{content:"\f2b9"}.fa-address-card:before{content:"\f2bb"}.fa-adjust:before{content:"\f042"}.fa-adn:before{content:"\f170"}.fa-adobe:before{content:"\f778"}.fa-adversal:before{content:"\f36a"}.fa-affiliatetheme:before{content:"\f36b"}.fa-air-freshener:before{content:"\f5d0"}.fa-airbnb:before{content:"\f834"}.fa-algolia:before{content:"\f36c"}.fa-align-center:before{content:"\f037"}.fa-align-justify:before{content:"\f039"}.fa-align-left:before{content:"\f036"}.fa-align-right:before{content:"\f038"}.fa-alipay:before{content:"\f642"}.fa-allergies:before{content:"\f461"}.fa-amazon:before{content:"\f270"}.fa-amazon-pay:before{content:"\f42c"}.fa-ambulance:before{content:"\f0f9"}.fa-american-sign-language-interpreting:before{content:"\f2a3"}.fa-amilia:before{content:"\f36d"}.fa-anchor:before{content:"\f13d"}.fa-android:before{content:"\f17b"}.fa-angellist:before{content:"\f209"}.fa-angle-double-down:before{content:"\f103"}.fa-angle-double-left:before{content:"\f100"}.fa-angle-double-right:before{content:"\f101"}.fa-angle-double-up:before{content:"\f102"}.fa-angle-down:before{content:"\f107"}.fa-angle-left:before{content:"\f104"}.fa-angle-right:before{content:"\f105"}.fa-angle-up:before{content:"\f106"}.fa-angry:before{content:"\f556"}.fa-angrycreative:before{content:"\f36e"}.fa-angular:before{content:"\f420"}.fa-ankh:before{content:"\f644"}.fa-app-store:before{content:"\f36f"}.fa-app-store-ios:before{content:"\f370"}.fa-apper:before{content:"\f371"}.fa-apple:before{content:"\f179"}.fa-apple-alt:before{content:"\f5d1"}.fa-apple-pay:before{content:"\f415"}.fa-archive:before{content:"\f187"}.fa-archway:before{content:"\f557"}.fa-arrow-alt-circle-down:before{content:"\f358"}.fa-arrow-alt-circle-left:before{content:"\f359"}.fa-arrow-alt-circle-right:before{content:"\f35a"}.fa-arrow-alt-circle-up:before{content:"\f35b"}.fa-arrow-circle-down:before{content:"\f0ab"}.fa-arrow-circle-left:before{content:"\f0a8"}.fa-arrow-circle-right:before{content:"\f0a9"}.fa-arrow-circle-up:before{content:"\f0aa"}.fa-arrow-down:before{content:"\f063"}.fa-arrow-left:before{content:"\f060"}.fa-arrow-right:before{content:"\f061"}.fa-arrow-up:before{content:"\f062"}.fa-arrows-alt:before{content:"\f0b2"}.fa-arrows-alt-h:before{content:"\f337"}.fa-arrows-alt-v:before{content:"\f338"}.fa-artstation:before{content:"\f77a"}.fa-assistive-listening-systems:before{content:"\f2a2"}.fa-asterisk:before{content:"\f069"}.fa-asymmetrik:before{content:"\f372"}.fa-at:before{content:"\f1fa"}.fa-atlas:before{content:"\f558"}.fa-atlassian:before{content:"\f77b"}.fa-atom:before{content:"\f5d2"}.fa-audible:before{content:"\f373"}.fa-audio-description:before{content:"\f29e"}.fa-autoprefixer:before{content:"\f41c"}.fa-avianex:before{content:"\f374"}.fa-aviato:before{content:"\f421"}.fa-award:before{content:"\f559"}.fa-aws:before{content:"\f375"}.fa-baby:before{content:"\f77c"}.fa-baby-carriage:before{content:"\f77d"}.fa-backspace:before{content:"\f55a"}.fa-backward:before{content:"\f04a"}.fa-bacon:before{content:"\f7e5"}.fa-balance-scale:before{content:"\f24e"}.fa-balance-scale-left:before{content:"\f515"}.fa-balance-scale-right:before{content:"\f516"}.fa-ban:before{content:"\f05e"}.fa-band-aid:before{content:"\f462"}.fa-bandcamp:before{content:"\f2d5"}.fa-barcode:before{content:"\f02a"}.fa-bars:before{content:"\f0c9"}.fa-baseball-ball:before{content:"\f433"}.fa-basketball-ball:before{content:"\f434"}.fa-bath:before{content:"\f2cd"}.fa-battery-empty:before{content:"\f244"}.fa-battery-full:before{content:"\f240"}.fa-battery-half:before{content:"\f242"}.fa-battery-quarter:before{content:"\f243"}.fa-battery-three-quarters:before{content:"\f241"}.fa-battle-net:before{content:"\f835"}.fa-bed:before{content:"\f236"}.fa-beer:before{content:"\f0fc"}.fa-behance:before{content:"\f1b4"}.fa-behance-square:before{content:"\f1b5"}.fa-bell:before{content:"\f0f3"}.fa-bell-slash:before{content:"\f1f6"}.fa-bezier-curve:before{content:"\f55b"}.fa-bible:before{content:"\f647"}.fa-bicycle:before{content:"\f206"}.fa-biking:before{content:"\f84a"}.fa-bimobject:before{content:"\f378"}.fa-binoculars:before{content:"\f1e5"}.fa-biohazard:before{content:"\f780"}.fa-birthday-cake:before{content:"\f1fd"}.fa-bitbucket:before{content:"\f171"}.fa-bitcoin:before{content:"\f379"}.fa-bity:before{content:"\f37a"}.fa-black-tie:before{content:"\f27e"}.fa-blackberry:before{content:"\f37b"}.fa-blender:before{content:"\f517"}.fa-blender-phone:before{content:"\f6b6"}.fa-blind:before{content:"\f29d"}.fa-blog:before{content:"\f781"}.fa-blogger:before{content:"\f37c"}.fa-blogger-b:before{content:"\f37d"}.fa-bluetooth:before{content:"\f293"}.fa-bluetooth-b:before{content:"\f294"}.fa-bold:before{content:"\f032"}.fa-bolt:before{content:"\f0e7"}.fa-bomb:before{content:"\f1e2"}.fa-bone:before{content:"\f5d7"}.fa-bong:before{content:"\f55c"}.fa-book:before{content:"\f02d"}.fa-book-dead:before{content:"\f6b7"}.fa-book-medical:before{content:"\f7e6"}.fa-book-open:before{content:"\f518"}.fa-book-reader:before{content:"\f5da"}.fa-bookmark:before{content:"\f02e"}.fa-bootstrap:before{content:"\f836"}.fa-border-all:before{content:"\f84c"}.fa-border-none:before{content:"\f850"}.fa-border-style:before{content:"\f853"}.fa-bowling-ball:before{content:"\f436"}.fa-box:before{content:"\f466"}.fa-box-open:before{content:"\f49e"}.fa-boxes:before{content:"\f468"}.fa-braille:before{content:"\f2a1"}.fa-brain:before{content:"\f5dc"}.fa-bread-slice:before{content:"\f7ec"}.fa-briefcase:before{content:"\f0b1"}.fa-briefcase-medical:before{content:"\f469"}.fa-broadcast-tower:before{content:"\f519"}.fa-broom:before{content:"\f51a"}.fa-brush:before{content:"\f55d"}.fa-btc:before{content:"\f15a"}.fa-buffer:before{content:"\f837"}.fa-bug:before{content:"\f188"}.fa-building:before{content:"\f1ad"}.fa-bullhorn:before{content:"\f0a1"}.fa-bullseye:before{content:"\f140"}.fa-burn:before{content:"\f46a"}.fa-buromobelexperte:before{content:"\f37f"}.fa-bus:before{content:"\f207"}.fa-bus-alt:before{content:"\f55e"}.fa-business-time:before{content:"\f64a"}.fa-buysellads:before{content:"\f20d"}.fa-calculator:before{content:"\f1ec"}.fa-calendar:before{content:"\f133"}.fa-calendar-alt:before{content:"\f073"}.fa-calendar-check:before{content:"\f274"}.fa-calendar-day:before{content:"\f783"}.fa-calendar-minus:before{content:"\f272"}.fa-calendar-plus:before{content:"\f271"}.fa-calendar-times:before{content:"\f273"}.fa-calendar-week:before{content:"\f784"}.fa-camera:before{content:"\f030"}.fa-camera-retro:before{content:"\f083"}.fa-campground:before{content:"\f6bb"}.fa-canadian-maple-leaf:before{content:"\f785"}.fa-candy-cane:before{content:"\f786"}.fa-cannabis:before{content:"\f55f"}.fa-capsules:before{content:"\f46b"}.fa-car:before{content:"\f1b9"}.fa-car-alt:before{content:"\f5de"}.fa-car-battery:before{content:"\f5df"}.fa-car-crash:before{content:"\f5e1"}.fa-car-side:before{content:"\f5e4"}.fa-caret-down:before{content:"\f0d7"}.fa-caret-left:before{content:"\f0d9"}.fa-caret-right:before{content:"\f0da"}.fa-caret-square-down:before{content:"\f150"}.fa-caret-square-left:before{content:"\f191"}.fa-caret-square-right:before{content:"\f152"}.fa-caret-square-up:before{content:"\f151"}.fa-caret-up:before{content:"\f0d8"}.fa-carrot:before{content:"\f787"}.fa-cart-arrow-down:before{content:"\f218"}.fa-cart-plus:before{content:"\f217"}.fa-cash-register:before{content:"\f788"}.fa-cat:before{content:"\f6be"}.fa-cc-amazon-pay:before{content:"\f42d"}.fa-cc-amex:before{content:"\f1f3"}.fa-cc-apple-pay:before{content:"\f416"}.fa-cc-diners-club:before{content:"\f24c"}.fa-cc-discover:before{content:"\f1f2"}.fa-cc-jcb:before{content:"\f24b"}.fa-cc-mastercard:before{content:"\f1f1"}.fa-cc-paypal:before{content:"\f1f4"}.fa-cc-stripe:before{content:"\f1f5"}.fa-cc-visa:before{content:"\f1f0"}.fa-centercode:before{content:"\f380"}.fa-centos:before{content:"\f789"}.fa-certificate:before{content:"\f0a3"}.fa-chair:before{content:"\f6c0"}.fa-chalkboard:before{content:"\f51b"}.fa-chalkboard-teacher:before{content:"\f51c"}.fa-charging-station:before{content:"\f5e7"}.fa-chart-area:before{content:"\f1fe"}.fa-chart-bar:before{content:"\f080"}.fa-chart-line:before{content:"\f201"}.fa-chart-pie:before{content:"\f200"}.fa-check:before{content:"\f00c"}.fa-check-circle:before{content:"\f058"}.fa-check-double:before{content:"\f560"}.fa-check-square:before{content:"\f14a"}.fa-cheese:before{content:"\f7ef"}.fa-chess:before{content:"\f439"}.fa-chess-bishop:before{content:"\f43a"}.fa-chess-board:before{content:"\f43c"}.fa-chess-king:before{content:"\f43f"}.fa-chess-knight:before{content:"\f441"}.fa-chess-pawn:before{content:"\f443"}.fa-chess-queen:before{content:"\f445"}.fa-chess-rook:before{content:"\f447"}.fa-chevron-circle-down:before{content:"\f13a"}.fa-chevron-circle-left:before{content:"\f137"}.fa-chevron-circle-right:before{content:"\f138"}.fa-chevron-circle-up:before{content:"\f139"}.fa-chevron-down:before{content:"\f078"}.fa-chevron-left:before{content:"\f053"}.fa-chevron-right:before{content:"\f054"}.fa-chevron-up:before{content:"\f077"}.fa-child:before{content:"\f1ae"}.fa-chrome:before{content:"\f268"}.fa-chromecast:before{content:"\f838"}.fa-church:before{content:"\f51d"}.fa-circle:before{content:"\f111"}.fa-circle-notch:before{content:"\f1ce"}.fa-city:before{content:"\f64f"}.fa-clinic-medical:before{content:"\f7f2"}.fa-clipboard:before{content:"\f328"}.fa-clipboard-check:before{content:"\f46c"}.fa-clipboard-list:before{content:"\f46d"}.fa-clock:before{content:"\f017"}.fa-clone:before{content:"\f24d"}.fa-closed-captioning:before{content:"\f20a"}.fa-cloud:before{content:"\f0c2"}.fa-cloud-download-alt:before{content:"\f381"}.fa-cloud-meatball:before{content:"\f73b"}.fa-cloud-moon:before{content:"\f6c3"}.fa-cloud-moon-rain:before{content:"\f73c"}.fa-cloud-rain:before{content:"\f73d"}.fa-cloud-showers-heavy:before{content:"\f740"}.fa-cloud-sun:before{content:"\f6c4"}.fa-cloud-sun-rain:before{content:"\f743"}.fa-cloud-upload-alt:before{content:"\f382"}.fa-cloudscale:before{content:"\f383"}.fa-cloudsmith:before{content:"\f384"}.fa-cloudversify:before{content:"\f385"}.fa-cocktail:before{content:"\f561"}.fa-code:before{content:"\f121"}.fa-code-branch:before{content:"\f126"}.fa-codepen:before{content:"\f1cb"}.fa-codiepie:before{content:"\f284"}.fa-coffee:before{content:"\f0f4"}.fa-cog:before{content:"\f013"}.fa-cogs:before{content:"\f085"}.fa-coins:before{content:"\f51e"}.fa-columns:before{content:"\f0db"}.fa-comment:before{content:"\f075"}.fa-comment-alt:before{content:"\f27a"}.fa-comment-dollar:before{content:"\f651"}.fa-comment-dots:before{content:"\f4ad"}.fa-comment-medical:before{content:"\f7f5"}.fa-comment-slash:before{content:"\f4b3"}.fa-comments:before{content:"\f086"}.fa-comments-dollar:before{content:"\f653"}.fa-compact-disc:before{content:"\f51f"}.fa-compass:before{content:"\f14e"}.fa-compress:before{content:"\f066"}.fa-compress-arrows-alt:before{content:"\f78c"}.fa-concierge-bell:before{content:"\f562"}.fa-confluence:before{content:"\f78d"}.fa-connectdevelop:before{content:"\f20e"}.fa-contao:before{content:"\f26d"}.fa-cookie:before{content:"\f563"}.fa-cookie-bite:before{content:"\f564"}.fa-copy:before{content:"\f0c5"}.fa-copyright:before{content:"\f1f9"}.fa-couch:before{content:"\f4b8"}.fa-cpanel:before{content:"\f388"}.fa-creative-commons:before{content:"\f25e"}.fa-creative-commons-by:before{content:"\f4e7"}.fa-creative-commons-nc:before{content:"\f4e8"}.fa-creative-commons-nc-eu:before{content:"\f4e9"}.fa-creative-commons-nc-jp:before{content:"\f4ea"}.fa-creative-commons-nd:before{content:"\f4eb"}.fa-creative-commons-pd:before{content:"\f4ec"}.fa-creative-commons-pd-alt:before{content:"\f4ed"}.fa-creative-commons-remix:before{content:"\f4ee"}.fa-creative-commons-sa:before{content:"\f4ef"}.fa-creative-commons-sampling:before{content:"\f4f0"}.fa-creative-commons-sampling-plus:before{content:"\f4f1"}.fa-creative-commons-share:before{content:"\f4f2"}.fa-creative-commons-zero:before{content:"\f4f3"}.fa-credit-card:before{content:"\f09d"}.fa-critical-role:before{content:"\f6c9"}.fa-crop:before{content:"\f125"}.fa-crop-alt:before{content:"\f565"}.fa-cross:before{content:"\f654"}.fa-crosshairs:before{content:"\f05b"}.fa-crow:before{content:"\f520"}.fa-crown:before{content:"\f521"}.fa-crutch:before{content:"\f7f7"}.fa-css3:before{content:"\f13c"}.fa-css3-alt:before{content:"\f38b"}.fa-cube:before{content:"\f1b2"}.fa-cubes:before{content:"\f1b3"}.fa-cut:before{content:"\f0c4"}.fa-cuttlefish:before{content:"\f38c"}.fa-d-and-d:before{content:"\f38d"}.fa-d-and-d-beyond:before{content:"\f6ca"}.fa-dashcube:before{content:"\f210"}.fa-database:before{content:"\f1c0"}.fa-deaf:before{content:"\f2a4"}.fa-delicious:before{content:"\f1a5"}.fa-democrat:before{content:"\f747"}.fa-deploydog:before{content:"\f38e"}.fa-deskpro:before{content:"\f38f"}.fa-desktop:before{content:"\f108"}.fa-dev:before{content:"\f6cc"}.fa-deviantart:before{content:"\f1bd"}.fa-dharmachakra:before{content:"\f655"}.fa-dhl:before{content:"\f790"}.fa-diagnoses:before{content:"\f470"}.fa-diaspora:before{content:"\f791"}.fa-dice:before{content:"\f522"}.fa-dice-d20:before{content:"\f6cf"}.fa-dice-d6:before{content:"\f6d1"}.fa-dice-five:before{content:"\f523"}.fa-dice-four:before{content:"\f524"}.fa-dice-one:before{content:"\f525"}.fa-dice-six:before{content:"\f526"}.fa-dice-three:before{content:"\f527"}.fa-dice-two:before{content:"\f528"}.fa-digg:before{content:"\f1a6"}.fa-digital-ocean:before{content:"\f391"}.fa-digital-tachograph:before{content:"\f566"}.fa-directions:before{content:"\f5eb"}.fa-discord:before{content:"\f392"}.fa-discourse:before{content:"\f393"}.fa-divide:before{content:"\f529"}.fa-dizzy:before{content:"\f567"}.fa-dna:before{content:"\f471"}.fa-dochub:before{content:"\f394"}.fa-docker:before{content:"\f395"}.fa-dog:before{content:"\f6d3"}.fa-dollar-sign:before{content:"\f155"}.fa-dolly:before{content:"\f472"}.fa-dolly-flatbed:before{content:"\f474"}.fa-donate:before{content:"\f4b9"}.fa-door-closed:before{content:"\f52a"}.fa-door-open:before{content:"\f52b"}.fa-dot-circle:before{content:"\f192"}.fa-dove:before{content:"\f4ba"}.fa-download:before{content:"\f019"}.fa-draft2digital:before{content:"\f396"}.fa-drafting-compass:before{content:"\f568"}.fa-dragon:before{content:"\f6d5"}.fa-draw-polygon:before{content:"\f5ee"}.fa-dribbble:before{content:"\f17d"}.fa-dribbble-square:before{content:"\f397"}.fa-dropbox:before{content:"\f16b"}.fa-drum:before{content:"\f569"}.fa-drum-steelpan:before{content:"\f56a"}.fa-drumstick-bite:before{content:"\f6d7"}.fa-drupal:before{content:"\f1a9"}.fa-dumbbell:before{content:"\f44b"}.fa-dumpster:before{content:"\f793"}.fa-dumpster-fire:before{content:"\f794"}.fa-dungeon:before{content:"\f6d9"}.fa-dyalog:before{content:"\f399"}.fa-earlybirds:before{content:"\f39a"}.fa-ebay:before{content:"\f4f4"}.fa-edge:before{content:"\f282"}.fa-edit:before{content:"\f044"}.fa-egg:before{content:"\f7fb"}.fa-eject:before{content:"\f052"}.fa-elementor:before{content:"\f430"}.fa-ellipsis-h:before{content:"\f141"}.fa-ellipsis-v:before{content:"\f142"}.fa-ello:before{content:"\f5f1"}.fa-ember:before{content:"\f423"}.fa-empire:before{content:"\f1d1"}.fa-envelope:before{content:"\f0e0"}.fa-envelope-open:before{content:"\f2b6"}.fa-envelope-open-text:before{content:"\f658"}.fa-envelope-square:before{content:"\f199"}.fa-envira:before{content:"\f299"}.fa-equals:before{content:"\f52c"}.fa-eraser:before{content:"\f12d"}.fa-erlang:before{content:"\f39d"}.fa-ethereum:before{content:"\f42e"}.fa-ethernet:before{content:"\f796"}.fa-etsy:before{content:"\f2d7"}.fa-euro-sign:before{content:"\f153"}.fa-evernote:before{content:"\f839"}.fa-exchange-alt:before{content:"\f362"}.fa-exclamation:before{content:"\f12a"}.fa-exclamation-circle:before{content:"\f06a"}.fa-exclamation-triangle:before{content:"\f071"}.fa-expand:before{content:"\f065"}.fa-expand-arrows-alt:before{content:"\f31e"}.fa-expeditedssl:before{content:"\f23e"}.fa-external-link-alt:before{content:"\f35d"}.fa-external-link-square-alt:before{content:"\f360"}.fa-eye:before{content:"\f06e"}.fa-eye-dropper:before{content:"\f1fb"}.fa-eye-slash:before{content:"\f070"}.fa-facebook:before{content:"\f09a"}.fa-facebook-f:before{content:"\f39e"}.fa-facebook-messenger:before{content:"\f39f"}.fa-facebook-square:before{content:"\f082"}.fa-fan:before{content:"\f863"}.fa-fantasy-flight-games:before{content:"\f6dc"}.fa-fast-backward:before{content:"\f049"}.fa-fast-forward:before{content:"\f050"}.fa-fax:before{content:"\f1ac"}.fa-feather:before{content:"\f52d"}.fa-feather-alt:before{content:"\f56b"}.fa-fedex:before{content:"\f797"}.fa-fedora:before{content:"\f798"}.fa-female:before{content:"\f182"}.fa-fighter-jet:before{content:"\f0fb"}.fa-figma:before{content:"\f799"}.fa-file:before{content:"\f15b"}.fa-file-alt:before{content:"\f15c"}.fa-file-archive:before{content:"\f1c6"}.fa-file-audio:before{content:"\f1c7"}.fa-file-code:before{content:"\f1c9"}.fa-file-contract:before{content:"\f56c"}.fa-file-csv:before{content:"\f6dd"}.fa-file-download:before{content:"\f56d"}.fa-file-excel:before{content:"\f1c3"}.fa-file-export:before{content:"\f56e"}.fa-file-image:before{content:"\f1c5"}.fa-file-import:before{content:"\f56f"}.fa-file-invoice:before{content:"\f570"}.fa-file-invoice-dollar:before{content:"\f571"}.fa-file-medical:before{content:"\f477"}.fa-file-medical-alt:before{content:"\f478"}.fa-file-pdf:before{content:"\f1c1"}.fa-file-powerpoint:before{content:"\f1c4"}.fa-file-prescription:before{content:"\f572"}.fa-file-signature:before{content:"\f573"}.fa-file-upload:before{content:"\f574"}.fa-file-video:before{content:"\f1c8"}.fa-file-word:before{content:"\f1c2"}.fa-fill:before{content:"\f575"}.fa-fill-drip:before{content:"\f576"}.fa-film:before{content:"\f008"}.fa-filter:before{content:"\f0b0"}.fa-fingerprint:before{content:"\f577"}.fa-fire:before{content:"\f06d"}.fa-fire-alt:before{content:"\f7e4"}.fa-fire-extinguisher:before{content:"\f134"}.fa-firefox:before{content:"\f269"}.fa-first-aid:before{content:"\f479"}.fa-first-order:before{content:"\f2b0"}.fa-first-order-alt:before{content:"\f50a"}.fa-firstdraft:before{content:"\f3a1"}.fa-fish:before{content:"\f578"}.fa-fist-raised:before{content:"\f6de"}.fa-flag:before{content:"\f024"}.fa-flag-checkered:before{content:"\f11e"}.fa-flag-usa:before{content:"\f74d"}.fa-flask:before{content:"\f0c3"}.fa-flickr:before{content:"\f16e"}.fa-flipboard:before{content:"\f44d"}.fa-flushed:before{content:"\f579"}.fa-fly:before{content:"\f417"}.fa-folder:before{content:"\f07b"}.fa-folder-minus:before{content:"\f65d"}.fa-folder-open:before{content:"\f07c"}.fa-folder-plus:before{content:"\f65e"}.fa-font:before{content:"\f031"}.fa-font-awesome:before{content:"\f2b4"}.fa-font-awesome-alt:before{content:"\f35c"}.fa-font-awesome-flag:before{content:"\f425"}.fa-font-awesome-logo-full:before{content:"\f4e6"}.fa-fonticons:before{content:"\f280"}.fa-fonticons-fi:before{content:"\f3a2"}.fa-football-ball:before{content:"\f44e"}.fa-fort-awesome:before{content:"\f286"}.fa-fort-awesome-alt:before{content:"\f3a3"}.fa-forumbee:before{content:"\f211"}.fa-forward:before{content:"\f04e"}.fa-foursquare:before{content:"\f180"}.fa-free-code-camp:before{content:"\f2c5"}.fa-freebsd:before{content:"\f3a4"}.fa-frog:before{content:"\f52e"}.fa-frown:before{content:"\f119"}.fa-frown-open:before{content:"\f57a"}.fa-fulcrum:before{content:"\f50b"}.fa-funnel-dollar:before{content:"\f662"}.fa-futbol:before{content:"\f1e3"}.fa-galactic-republic:before{content:"\f50c"}.fa-galactic-senate:before{content:"\f50d"}.fa-gamepad:before{content:"\f11b"}.fa-gas-pump:before{content:"\f52f"}.fa-gavel:before{content:"\f0e3"}.fa-gem:before{content:"\f3a5"}.fa-genderless:before{content:"\f22d"}.fa-get-pocket:before{content:"\f265"}.fa-gg:before{content:"\f260"}.fa-gg-circle:before{content:"\f261"}.fa-ghost:before{content:"\f6e2"}.fa-gift:before{content:"\f06b"}.fa-gifts:before{content:"\f79c"}.fa-git:before{content:"\f1d3"}.fa-git-alt:before{content:"\f841"}.fa-git-square:before{content:"\f1d2"}.fa-github:before{content:"\f09b"}.fa-github-alt:before{content:"\f113"}.fa-github-square:before{content:"\f092"}.fa-gitkraken:before{content:"\f3a6"}.fa-gitlab:before{content:"\f296"}.fa-gitter:before{content:"\f426"}.fa-glass-cheers:before{content:"\f79f"}.fa-glass-martini:before{content:"\f000"}.fa-glass-martini-alt:before{content:"\f57b"}.fa-glass-whiskey:before{content:"\f7a0"}.fa-glasses:before{content:"\f530"}.fa-glide:before{content:"\f2a5"}.fa-glide-g:before{content:"\f2a6"}.fa-globe:before{content:"\f0ac"}.fa-globe-africa:before{content:"\f57c"}.fa-globe-americas:before{content:"\f57d"}.fa-globe-asia:before{content:"\f57e"}.fa-globe-europe:before{content:"\f7a2"}.fa-gofore:before{content:"\f3a7"}.fa-golf-ball:before{content:"\f450"}.fa-goodreads:before{content:"\f3a8"}.fa-goodreads-g:before{content:"\f3a9"}.fa-google:before{content:"\f1a0"}.fa-google-drive:before{content:"\f3aa"}.fa-google-play:before{content:"\f3ab"}.fa-google-plus:before{content:"\f2b3"}.fa-google-plus-g:before{content:"\f0d5"}.fa-google-plus-square:before{content:"\f0d4"}.fa-google-wallet:before{content:"\f1ee"}.fa-gopuram:before{content:"\f664"}.fa-graduation-cap:before{content:"\f19d"}.fa-gratipay:before{content:"\f184"}.fa-grav:before{content:"\f2d6"}.fa-greater-than:before{content:"\f531"}.fa-greater-than-equal:before{content:"\f532"}.fa-grimace:before{content:"\f57f"}.fa-grin:before{content:"\f580"}.fa-grin-alt:before{content:"\f581"}.fa-grin-beam:before{content:"\f582"}.fa-grin-beam-sweat:before{content:"\f583"}.fa-grin-hearts:before{content:"\f584"}.fa-grin-squint:before{content:"\f585"}.fa-grin-squint-tears:before{content:"\f586"}.fa-grin-stars:before{content:"\f587"}.fa-grin-tears:before{content:"\f588"}.fa-grin-tongue:before{content:"\f589"}.fa-grin-tongue-squint:before{content:"\f58a"}.fa-grin-tongue-wink:before{content:"\f58b"}.fa-grin-wink:before{content:"\f58c"}.fa-grip-horizontal:before{content:"\f58d"}.fa-grip-lines:before{content:"\f7a4"}.fa-grip-lines-vertical:before{content:"\f7a5"}.fa-grip-vertical:before{content:"\f58e"}.fa-gripfire:before{content:"\f3ac"}.fa-grunt:before{content:"\f3ad"}.fa-guitar:before{content:"\f7a6"}.fa-gulp:before{content:"\f3ae"}.fa-h-square:before{content:"\f0fd"}.fa-hacker-news:before{content:"\f1d4"}.fa-hacker-news-square:before{content:"\f3af"}.fa-hackerrank:before{content:"\f5f7"}.fa-hamburger:before{content:"\f805"}.fa-hammer:before{content:"\f6e3"}.fa-hamsa:before{content:"\f665"}.fa-hand-holding:before{content:"\f4bd"}.fa-hand-holding-heart:before{content:"\f4be"}.fa-hand-holding-usd:before{content:"\f4c0"}.fa-hand-lizard:before{content:"\f258"}.fa-hand-middle-finger:before{content:"\f806"}.fa-hand-paper:before{content:"\f256"}.fa-hand-peace:before{content:"\f25b"}.fa-hand-point-down:before{content:"\f0a7"}.fa-hand-point-left:before{content:"\f0a5"}.fa-hand-point-right:before{content:"\f0a4"}.fa-hand-point-up:before{content:"\f0a6"}.fa-hand-pointer:before{content:"\f25a"}.fa-hand-rock:before{content:"\f255"}.fa-hand-scissors:before{content:"\f257"}.fa-hand-spock:before{content:"\f259"}.fa-hands:before{content:"\f4c2"}.fa-hands-helping:before{content:"\f4c4"}.fa-handshake:before{content:"\f2b5"}.fa-hanukiah:before{content:"\f6e6"}.fa-hard-hat:before{content:"\f807"}.fa-hashtag:before{content:"\f292"}.fa-hat-wizard:before{content:"\f6e8"}.fa-haykal:before{content:"\f666"}.fa-hdd:before{content:"\f0a0"}.fa-heading:before{content:"\f1dc"}.fa-headphones:before{content:"\f025"}.fa-headphones-alt:before{content:"\f58f"}.fa-headset:before{content:"\f590"}.fa-heart:before{content:"\f004"}.fa-heart-broken:before{content:"\f7a9"}.fa-heartbeat:before{content:"\f21e"}.fa-helicopter:before{content:"\f533"}.fa-highlighter:before{content:"\f591"}.fa-hiking:before{content:"\f6ec"}.fa-hippo:before{content:"\f6ed"}.fa-hips:before{content:"\f452"}.fa-hire-a-helper:before{content:"\f3b0"}.fa-history:before{content:"\f1da"}.fa-hockey-puck:before{content:"\f453"}.fa-holly-berry:before{content:"\f7aa"}.fa-home:before{content:"\f015"}.fa-hooli:before{content:"\f427"}.fa-hornbill:before{content:"\f592"}.fa-horse:before{content:"\f6f0"}.fa-horse-head:before{content:"\f7ab"}.fa-hospital:before{content:"\f0f8"}.fa-hospital-alt:before{content:"\f47d"}.fa-hospital-symbol:before{content:"\f47e"}.fa-hot-tub:before{content:"\f593"}.fa-hotdog:before{content:"\f80f"}.fa-hotel:before{content:"\f594"}.fa-hotjar:before{content:"\f3b1"}.fa-hourglass:before{content:"\f254"}.fa-hourglass-end:before{content:"\f253"}.fa-hourglass-half:before{content:"\f252"}.fa-hourglass-start:before{content:"\f251"}.fa-house-damage:before{content:"\f6f1"}.fa-houzz:before{content:"\f27c"}.fa-hryvnia:before{content:"\f6f2"}.fa-html5:before{content:"\f13b"}.fa-hubspot:before{content:"\f3b2"}.fa-i-cursor:before{content:"\f246"}.fa-ice-cream:before{content:"\f810"}.fa-icicles:before{content:"\f7ad"}.fa-icons:before{content:"\f86d"}.fa-id-badge:before{content:"\f2c1"}.fa-id-card:before{content:"\f2c2"}.fa-id-card-alt:before{content:"\f47f"}.fa-igloo:before{content:"\f7ae"}.fa-image:before{content:"\f03e"}.fa-images:before{content:"\f302"}.fa-imdb:before{content:"\f2d8"}.fa-inbox:before{content:"\f01c"}.fa-indent:before{content:"\f03c"}.fa-industry:before{content:"\f275"}.fa-infinity:before{content:"\f534"}.fa-info:before{content:"\f129"}.fa-info-circle:before{content:"\f05a"}.fa-instagram:before{content:"\f16d"}.fa-intercom:before{content:"\f7af"}.fa-internet-explorer:before{content:"\f26b"}.fa-invision:before{content:"\f7b0"}.fa-ioxhost:before{content:"\f208"}.fa-italic:before{content:"\f033"}.fa-itch-io:before{content:"\f83a"}.fa-itunes:before{content:"\f3b4"}.fa-itunes-note:before{content:"\f3b5"}.fa-java:before{content:"\f4e4"}.fa-jedi:before{content:"\f669"}.fa-jedi-order:before{content:"\f50e"}.fa-jenkins:before{content:"\f3b6"}.fa-jira:before{content:"\f7b1"}.fa-joget:before{content:"\f3b7"}.fa-joint:before{content:"\f595"}.fa-joomla:before{content:"\f1aa"}.fa-journal-whills:before{content:"\f66a"}.fa-js:before{content:"\f3b8"}.fa-js-square:before{content:"\f3b9"}.fa-jsfiddle:before{content:"\f1cc"}.fa-kaaba:before{content:"\f66b"}.fa-kaggle:before{content:"\f5fa"}.fa-key:before{content:"\f084"}.fa-keybase:before{content:"\f4f5"}.fa-keyboard:before{content:"\f11c"}.fa-keycdn:before{content:"\f3ba"}.fa-khanda:before{content:"\f66d"}.fa-kickstarter:before{content:"\f3bb"}.fa-kickstarter-k:before{content:"\f3bc"}.fa-kiss:before{content:"\f596"}.fa-kiss-beam:before{content:"\f597"}.fa-kiss-wink-heart:before{content:"\f598"}.fa-kiwi-bird:before{content:"\f535"}.fa-korvue:before{content:"\f42f"}.fa-landmark:before{content:"\f66f"}.fa-language:before{content:"\f1ab"}.fa-laptop:before{content:"\f109"}.fa-laptop-code:before{content:"\f5fc"}.fa-laptop-medical:before{content:"\f812"}.fa-laravel:before{content:"\f3bd"}.fa-lastfm:before{content:"\f202"}.fa-lastfm-square:before{content:"\f203"}.fa-laugh:before{content:"\f599"}.fa-laugh-beam:before{content:"\f59a"}.fa-laugh-squint:before{content:"\f59b"}.fa-laugh-wink:before{content:"\f59c"}.fa-layer-group:before{content:"\f5fd"}.fa-leaf:before{content:"\f06c"}.fa-leanpub:before{content:"\f212"}.fa-lemon:before{content:"\f094"}.fa-less:before{content:"\f41d"}.fa-less-than:before{content:"\f536"}.fa-less-than-equal:before{content:"\f537"}.fa-level-down-alt:before{content:"\f3be"}.fa-level-up-alt:before{content:"\f3bf"}.fa-life-ring:before{content:"\f1cd"}.fa-lightbulb:before{content:"\f0eb"}.fa-line:before{content:"\f3c0"}.fa-link:before{content:"\f0c1"}.fa-linkedin:before{content:"\f08c"}.fa-linkedin-in:before{content:"\f0e1"}.fa-linode:before{content:"\f2b8"}.fa-linux:before{content:"\f17c"}.fa-lira-sign:before{content:"\f195"}.fa-list:before{content:"\f03a"}.fa-list-alt:before{content:"\f022"}.fa-list-ol:before{content:"\f0cb"}.fa-list-ul:before{content:"\f0ca"}.fa-location-arrow:before{content:"\f124"}.fa-lock:before{content:"\f023"}.fa-lock-open:before{content:"\f3c1"}.fa-long-arrow-alt-down:before{content:"\f309"}.fa-long-arrow-alt-left:before{content:"\f30a"}.fa-long-arrow-alt-right:before{content:"\f30b"}.fa-long-arrow-alt-up:before{content:"\f30c"}.fa-low-vision:before{content:"\f2a8"}.fa-luggage-cart:before{content:"\f59d"}.fa-lyft:before{content:"\f3c3"}.fa-magento:before{content:"\f3c4"}.fa-magic:before{content:"\f0d0"}.fa-magnet:before{content:"\f076"}.fa-mail-bulk:before{content:"\f674"}.fa-mailchimp:before{content:"\f59e"}.fa-male:before{content:"\f183"}.fa-mandalorian:before{content:"\f50f"}.fa-map:before{content:"\f279"}.fa-map-marked:before{content:"\f59f"}.fa-map-marked-alt:before{content:"\f5a0"}.fa-map-marker:before{content:"\f041"}.fa-map-marker-alt:before{content:"\f3c5"}.fa-map-pin:before{content:"\f276"}.fa-map-signs:before{content:"\f277"}.fa-markdown:before{content:"\f60f"}.fa-marker:before{content:"\f5a1"}.fa-mars:before{content:"\f222"}.fa-mars-double:before{content:"\f227"}.fa-mars-stroke:before{content:"\f229"}.fa-mars-stroke-h:before{content:"\f22b"}.fa-mars-stroke-v:before{content:"\f22a"}.fa-mask:before{content:"\f6fa"}.fa-mastodon:before{content:"\f4f6"}.fa-maxcdn:before{content:"\f136"}.fa-medal:before{content:"\f5a2"}.fa-medapps:before{content:"\f3c6"}.fa-medium:before{content:"\f23a"}.fa-medium-m:before{content:"\f3c7"}.fa-medkit:before{content:"\f0fa"}.fa-medrt:before{content:"\f3c8"}.fa-meetup:before{content:"\f2e0"}.fa-megaport:before{content:"\f5a3"}.fa-meh:before{content:"\f11a"}.fa-meh-blank:before{content:"\f5a4"}.fa-meh-rolling-eyes:before{content:"\f5a5"}.fa-memory:before{content:"\f538"}.fa-mendeley:before{content:"\f7b3"}.fa-menorah:before{content:"\f676"}.fa-mercury:before{content:"\f223"}.fa-meteor:before{content:"\f753"}.fa-microchip:before{content:"\f2db"}.fa-microphone:before{content:"\f130"}.fa-microphone-alt:before{content:"\f3c9"}.fa-microphone-alt-slash:before{content:"\f539"}.fa-microphone-slash:before{content:"\f131"}.fa-microscope:before{content:"\f610"}.fa-microsoft:before{content:"\f3ca"}.fa-minus:before{content:"\f068"}.fa-minus-circle:before{content:"\f056"}.fa-minus-square:before{content:"\f146"}.fa-mitten:before{content:"\f7b5"}.fa-mix:before{content:"\f3cb"}.fa-mixcloud:before{content:"\f289"}.fa-mizuni:before{content:"\f3cc"}.fa-mobile:before{content:"\f10b"}.fa-mobile-alt:before{content:"\f3cd"}.fa-modx:before{content:"\f285"}.fa-monero:before{content:"\f3d0"}.fa-money-bill:before{content:"\f0d6"}.fa-money-bill-alt:before{content:"\f3d1"}.fa-money-bill-wave:before{content:"\f53a"}.fa-money-bill-wave-alt:before{content:"\f53b"}.fa-money-check:before{content:"\f53c"}.fa-money-check-alt:before{content:"\f53d"}.fa-monument:before{content:"\f5a6"}.fa-moon:before{content:"\f186"}.fa-mortar-pestle:before{content:"\f5a7"}.fa-mosque:before{content:"\f678"}.fa-motorcycle:before{content:"\f21c"}.fa-mountain:before{content:"\f6fc"}.fa-mouse-pointer:before{content:"\f245"}.fa-mug-hot:before{content:"\f7b6"}.fa-music:before{content:"\f001"}.fa-napster:before{content:"\f3d2"}.fa-neos:before{content:"\f612"}.fa-network-wired:before{content:"\f6ff"}.fa-neuter:before{content:"\f22c"}.fa-newspaper:before{content:"\f1ea"}.fa-nimblr:before{content:"\f5a8"}.fa-node:before{content:"\f419"}.fa-node-js:before{content:"\f3d3"}.fa-not-equal:before{content:"\f53e"}.fa-notes-medical:before{content:"\f481"}.fa-npm:before{content:"\f3d4"}.fa-ns8:before{content:"\f3d5"}.fa-nutritionix:before{content:"\f3d6"}.fa-object-group:before{content:"\f247"}.fa-object-ungroup:before{content:"\f248"}.fa-odnoklassniki:before{content:"\f263"}.fa-odnoklassniki-square:before{content:"\f264"}.fa-oil-can:before{content:"\f613"}.fa-old-republic:before{content:"\f510"}.fa-om:before{content:"\f679"}.fa-opencart:before{content:"\f23d"}.fa-openid:before{content:"\f19b"}.fa-opera:before{content:"\f26a"}.fa-optin-monster:before{content:"\f23c"}.fa-osi:before{content:"\f41a"}.fa-otter:before{content:"\f700"}.fa-outdent:before{content:"\f03b"}.fa-page4:before{content:"\f3d7"}.fa-pagelines:before{content:"\f18c"}.fa-pager:before{content:"\f815"}.fa-paint-brush:before{content:"\f1fc"}.fa-paint-roller:before{content:"\f5aa"}.fa-palette:before{content:"\f53f"}.fa-palfed:before{content:"\f3d8"}.fa-pallet:before{content:"\f482"}.fa-paper-plane:before{content:"\f1d8"}.fa-paperclip:before{content:"\f0c6"}.fa-parachute-box:before{content:"\f4cd"}.fa-paragraph:before{content:"\f1dd"}.fa-parking:before{content:"\f540"}.fa-passport:before{content:"\f5ab"}.fa-pastafarianism:before{content:"\f67b"}.fa-paste:before{content:"\f0ea"}.fa-patreon:before{content:"\f3d9"}.fa-pause:before{content:"\f04c"}.fa-pause-circle:before{content:"\f28b"}.fa-paw:before{content:"\f1b0"}.fa-paypal:before{content:"\f1ed"}.fa-peace:before{content:"\f67c"}.fa-pen:before{content:"\f304"}.fa-pen-alt:before{content:"\f305"}.fa-pen-fancy:before{content:"\f5ac"}.fa-pen-nib:before{content:"\f5ad"}.fa-pen-square:before{content:"\f14b"}.fa-pencil-alt:before{content:"\f303"}.fa-pencil-ruler:before{content:"\f5ae"}.fa-penny-arcade:before{content:"\f704"}.fa-people-carry:before{content:"\f4ce"}.fa-pepper-hot:before{content:"\f816"}.fa-percent:before{content:"\f295"}.fa-percentage:before{content:"\f541"}.fa-periscope:before{content:"\f3da"}.fa-person-booth:before{content:"\f756"}.fa-phabricator:before{content:"\f3db"}.fa-phoenix-framework:before{content:"\f3dc"}.fa-phoenix-squadron:before{content:"\f511"}.fa-phone:before{content:"\f095"}.fa-phone-alt:before{content:"\f879"}.fa-phone-slash:before{content:"\f3dd"}.fa-phone-square:before{content:"\f098"}.fa-phone-square-alt:before{content:"\f87b"}.fa-phone-volume:before{content:"\f2a0"}.fa-photo-video:before{content:"\f87c"}.fa-php:before{content:"\f457"}.fa-pied-piper:before{content:"\f2ae"}.fa-pied-piper-alt:before{content:"\f1a8"}.fa-pied-piper-hat:before{content:"\f4e5"}.fa-pied-piper-pp:before{content:"\f1a7"}.fa-piggy-bank:before{content:"\f4d3"}.fa-pills:before{content:"\f484"}.fa-pinterest:before{content:"\f0d2"}.fa-pinterest-p:before{content:"\f231"}.fa-pinterest-square:before{content:"\f0d3"}.fa-pizza-slice:before{content:"\f818"}.fa-place-of-worship:before{content:"\f67f"}.fa-plane:before{content:"\f072"}.fa-plane-arrival:before{content:"\f5af"}.fa-plane-departure:before{content:"\f5b0"}.fa-play:before{content:"\f04b"}.fa-play-circle:before{content:"\f144"}.fa-playstation:before{content:"\f3df"}.fa-plug:before{content:"\f1e6"}.fa-plus:before{content:"\f067"}.fa-plus-circle:before{content:"\f055"}.fa-plus-square:before{content:"\f0fe"}.fa-podcast:before{content:"\f2ce"}.fa-poll:before{content:"\f681"}.fa-poll-h:before{content:"\f682"}.fa-poo:before{content:"\f2fe"}.fa-poo-storm:before{content:"\f75a"}.fa-poop:before{content:"\f619"}.fa-portrait:before{content:"\f3e0"}.fa-pound-sign:before{content:"\f154"}.fa-power-off:before{content:"\f011"}.fa-pray:before{content:"\f683"}.fa-praying-hands:before{content:"\f684"}.fa-prescription:before{content:"\f5b1"}.fa-prescription-bottle:before{content:"\f485"}.fa-prescription-bottle-alt:before{content:"\f486"}.fa-print:before{content:"\f02f"}.fa-procedures:before{content:"\f487"}.fa-product-hunt:before{content:"\f288"}.fa-project-diagram:before{content:"\f542"}.fa-pushed:before{content:"\f3e1"}.fa-puzzle-piece:before{content:"\f12e"}.fa-python:before{content:"\f3e2"}.fa-qq:before{content:"\f1d6"}.fa-qrcode:before{content:"\f029"}.fa-question:before{content:"\f128"}.fa-question-circle:before{content:"\f059"}.fa-quidditch:before{content:"\f458"}.fa-quinscape:before{content:"\f459"}.fa-quora:before{content:"\f2c4"}.fa-quote-left:before{content:"\f10d"}.fa-quote-right:before{content:"\f10e"}.fa-quran:before{content:"\f687"}.fa-r-project:before{content:"\f4f7"}.fa-radiation:before{content:"\f7b9"}.fa-radiation-alt:before{content:"\f7ba"}.fa-rainbow:before{content:"\f75b"}.fa-random:before{content:"\f074"}.fa-raspberry-pi:before{content:"\f7bb"}.fa-ravelry:before{content:"\f2d9"}.fa-react:before{content:"\f41b"}.fa-reacteurope:before{content:"\f75d"}.fa-readme:before{content:"\f4d5"}.fa-rebel:before{content:"\f1d0"}.fa-receipt:before{content:"\f543"}.fa-recycle:before{content:"\f1b8"}.fa-red-river:before{content:"\f3e3"}.fa-reddit:before{content:"\f1a1"}.fa-reddit-alien:before{content:"\f281"}.fa-reddit-square:before{content:"\f1a2"}.fa-redhat:before{content:"\f7bc"}.fa-redo:before{content:"\f01e"}.fa-redo-alt:before{content:"\f2f9"}.fa-registered:before{content:"\f25d"}.fa-remove-format:before{content:"\f87d"}.fa-renren:before{content:"\f18b"}.fa-reply:before{content:"\f3e5"}.fa-reply-all:before{content:"\f122"}.fa-replyd:before{content:"\f3e6"}.fa-republican:before{content:"\f75e"}.fa-researchgate:before{content:"\f4f8"}.fa-resolving:before{content:"\f3e7"}.fa-restroom:before{content:"\f7bd"}.fa-retweet:before{content:"\f079"}.fa-rev:before{content:"\f5b2"}.fa-ribbon:before{content:"\f4d6"}.fa-ring:before{content:"\f70b"}.fa-road:before{content:"\f018"}.fa-robot:before{content:"\f544"}.fa-rocket:before{content:"\f135"}.fa-rocketchat:before{content:"\f3e8"}.fa-rockrms:before{content:"\f3e9"}.fa-route:before{content:"\f4d7"}.fa-rss:before{content:"\f09e"}.fa-rss-square:before{content:"\f143"}.fa-ruble-sign:before{content:"\f158"}.fa-ruler:before{content:"\f545"}.fa-ruler-combined:before{content:"\f546"}.fa-ruler-horizontal:before{content:"\f547"}.fa-ruler-vertical:before{content:"\f548"}.fa-running:before{content:"\f70c"}.fa-rupee-sign:before{content:"\f156"}.fa-sad-cry:before{content:"\f5b3"}.fa-sad-tear:before{content:"\f5b4"}.fa-safari:before{content:"\f267"}.fa-salesforce:before{content:"\f83b"}.fa-sass:before{content:"\f41e"}.fa-satellite:before{content:"\f7bf"}.fa-satellite-dish:before{content:"\f7c0"}.fa-save:before{content:"\f0c7"}.fa-schlix:before{content:"\f3ea"}.fa-school:before{content:"\f549"}.fa-screwdriver:before{content:"\f54a"}.fa-scribd:before{content:"\f28a"}.fa-scroll:before{content:"\f70e"}.fa-sd-card:before{content:"\f7c2"}.fa-search:before{content:"\f002"}.fa-search-dollar:before{content:"\f688"}.fa-search-location:before{content:"\f689"}.fa-search-minus:before{content:"\f010"}.fa-search-plus:before{content:"\f00e"}.fa-searchengin:before{content:"\f3eb"}.fa-seedling:before{content:"\f4d8"}.fa-sellcast:before{content:"\f2da"}.fa-sellsy:before{content:"\f213"}.fa-server:before{content:"\f233"}.fa-servicestack:before{content:"\f3ec"}.fa-shapes:before{content:"\f61f"}.fa-share:before{content:"\f064"}.fa-share-alt:before{content:"\f1e0"}.fa-share-alt-square:before{content:"\f1e1"}.fa-share-square:before{content:"\f14d"}.fa-shekel-sign:before{content:"\f20b"}.fa-shield-alt:before{content:"\f3ed"}.fa-ship:before{content:"\f21a"}.fa-shipping-fast:before{content:"\f48b"}.fa-shirtsinbulk:before{content:"\f214"}.fa-shoe-prints:before{content:"\f54b"}.fa-shopping-bag:before{content:"\f290"}.fa-shopping-basket:before{content:"\f291"}.fa-shopping-cart:before{content:"\f07a"}.fa-shopware:before{content:"\f5b5"}.fa-shower:before{content:"\f2cc"}.fa-shuttle-van:before{content:"\f5b6"}.fa-sign:before{content:"\f4d9"}.fa-sign-in-alt:before{content:"\f2f6"}.fa-sign-language:before{content:"\f2a7"}.fa-sign-out-alt:before{content:"\f2f5"}.fa-signal:before{content:"\f012"}.fa-signature:before{content:"\f5b7"}.fa-sim-card:before{content:"\f7c4"}.fa-simplybuilt:before{content:"\f215"}.fa-sistrix:before{content:"\f3ee"}.fa-sitemap:before{content:"\f0e8"}.fa-sith:before{content:"\f512"}.fa-skating:before{content:"\f7c5"}.fa-sketch:before{content:"\f7c6"}.fa-skiing:before{content:"\f7c9"}.fa-skiing-nordic:before{content:"\f7ca"}.fa-skull:before{content:"\f54c"}.fa-skull-crossbones:before{content:"\f714"}.fa-skyatlas:before{content:"\f216"}.fa-skype:before{content:"\f17e"}.fa-slack:before{content:"\f198"}.fa-slack-hash:before{content:"\f3ef"}.fa-slash:before{content:"\f715"}.fa-sleigh:before{content:"\f7cc"}.fa-sliders-h:before{content:"\f1de"}.fa-slideshare:before{content:"\f1e7"}.fa-smile:before{content:"\f118"}.fa-smile-beam:before{content:"\f5b8"}.fa-smile-wink:before{content:"\f4da"}.fa-smog:before{content:"\f75f"}.fa-smoking:before{content:"\f48d"}.fa-smoking-ban:before{content:"\f54d"}.fa-sms:before{content:"\f7cd"}.fa-snapchat:before{content:"\f2ab"}.fa-snapchat-ghost:before{content:"\f2ac"}.fa-snapchat-square:before{content:"\f2ad"}.fa-snowboarding:before{content:"\f7ce"}.fa-snowflake:before{content:"\f2dc"}.fa-snowman:before{content:"\f7d0"}.fa-snowplow:before{content:"\f7d2"}.fa-socks:before{content:"\f696"}.fa-solar-panel:before{content:"\f5ba"}.fa-sort:before{content:"\f0dc"}.fa-sort-alpha-down:before{content:"\f15d"}.fa-sort-alpha-down-alt:before{content:"\f881"}.fa-sort-alpha-up:before{content:"\f15e"}.fa-sort-alpha-up-alt:before{content:"\f882"}.fa-sort-amount-down:before{content:"\f160"}.fa-sort-amount-down-alt:before{content:"\f884"}.fa-sort-amount-up:before{content:"\f161"}.fa-sort-amount-up-alt:before{content:"\f885"}.fa-sort-down:before{content:"\f0dd"}.fa-sort-numeric-down:before{content:"\f162"}.fa-sort-numeric-down-alt:before{content:"\f886"}.fa-sort-numeric-up:before{content:"\f163"}.fa-sort-numeric-up-alt:before{content:"\f887"}.fa-sort-up:before{content:"\f0de"}.fa-soundcloud:before{content:"\f1be"}.fa-sourcetree:before{content:"\f7d3"}.fa-spa:before{content:"\f5bb"}.fa-space-shuttle:before{content:"\f197"}.fa-speakap:before{content:"\f3f3"}.fa-speaker-deck:before{content:"\f83c"}.fa-spell-check:before{content:"\f891"}.fa-spider:before{content:"\f717"}.fa-spinner:before{content:"\f110"}.fa-splotch:before{content:"\f5bc"}.fa-spotify:before{content:"\f1bc"}.fa-spray-can:before{content:"\f5bd"}.fa-square:before{content:"\f0c8"}.fa-square-full:before{content:"\f45c"}.fa-square-root-alt:before{content:"\f698"}.fa-squarespace:before{content:"\f5be"}.fa-stack-exchange:before{content:"\f18d"}.fa-stack-overflow:before{content:"\f16c"}.fa-stackpath:before{content:"\f842"}.fa-stamp:before{content:"\f5bf"}.fa-star:before{content:"\f005"}.fa-star-and-crescent:before{content:"\f699"}.fa-star-half:before{content:"\f089"}.fa-star-half-alt:before{content:"\f5c0"}.fa-star-of-david:before{content:"\f69a"}.fa-star-of-life:before{content:"\f621"}.fa-staylinked:before{content:"\f3f5"}.fa-steam:before{content:"\f1b6"}.fa-steam-square:before{content:"\f1b7"}.fa-steam-symbol:before{content:"\f3f6"}.fa-step-backward:before{content:"\f048"}.fa-step-forward:before{content:"\f051"}.fa-stethoscope:before{content:"\f0f1"}.fa-sticker-mule:before{content:"\f3f7"}.fa-sticky-note:before{content:"\f249"}.fa-stop:before{content:"\f04d"}.fa-stop-circle:before{content:"\f28d"}.fa-stopwatch:before{content:"\f2f2"}.fa-store:before{content:"\f54e"}.fa-store-alt:before{content:"\f54f"}.fa-strava:before{content:"\f428"}.fa-stream:before{content:"\f550"}.fa-street-view:before{content:"\f21d"}.fa-strikethrough:before{content:"\f0cc"}.fa-stripe:before{content:"\f429"}.fa-stripe-s:before{content:"\f42a"}.fa-stroopwafel:before{content:"\f551"}.fa-studiovinari:before{content:"\f3f8"}.fa-stumbleupon:before{content:"\f1a4"}.fa-stumbleupon-circle:before{content:"\f1a3"}.fa-subscript:before{content:"\f12c"}.fa-subway:before{content:"\f239"}.fa-suitcase:before{content:"\f0f2"}.fa-suitcase-rolling:before{content:"\f5c1"}.fa-sun:before{content:"\f185"}.fa-superpowers:before{content:"\f2dd"}.fa-superscript:before{content:"\f12b"}.fa-supple:before{content:"\f3f9"}.fa-surprise:before{content:"\f5c2"}.fa-suse:before{content:"\f7d6"}.fa-swatchbook:before{content:"\f5c3"}.fa-swimmer:before{content:"\f5c4"}.fa-swimming-pool:before{content:"\f5c5"}.fa-symfony:before{content:"\f83d"}.fa-synagogue:before{content:"\f69b"}.fa-sync:before{content:"\f021"}.fa-sync-alt:before{content:"\f2f1"}.fa-syringe:before{content:"\f48e"}.fa-table:before{content:"\f0ce"}.fa-table-tennis:before{content:"\f45d"}.fa-tablet:before{content:"\f10a"}.fa-tablet-alt:before{content:"\f3fa"}.fa-tablets:before{content:"\f490"}.fa-tachometer-alt:before{content:"\f3fd"}.fa-tag:before{content:"\f02b"}.fa-tags:before{content:"\f02c"}.fa-tape:before{content:"\f4db"}.fa-tasks:before{content:"\f0ae"}.fa-taxi:before{content:"\f1ba"}.fa-teamspeak:before{content:"\f4f9"}.fa-teeth:before{content:"\f62e"}.fa-teeth-open:before{content:"\f62f"}.fa-telegram:before{content:"\f2c6"}.fa-telegram-plane:before{content:"\f3fe"}.fa-temperature-high:before{content:"\f769"}.fa-temperature-low:before{content:"\f76b"}.fa-tencent-weibo:before{content:"\f1d5"}.fa-tenge:before{content:"\f7d7"}.fa-terminal:before{content:"\f120"}.fa-text-height:before{content:"\f034"}.fa-text-width:before{content:"\f035"}.fa-th:before{content:"\f00a"}.fa-th-large:before{content:"\f009"}.fa-th-list:before{content:"\f00b"}.fa-the-red-yeti:before{content:"\f69d"}.fa-theater-masks:before{content:"\f630"}.fa-themeco:before{content:"\f5c6"}.fa-themeisle:before{content:"\f2b2"}.fa-thermometer:before{content:"\f491"}.fa-thermometer-empty:before{content:"\f2cb"}.fa-thermometer-full:before{content:"\f2c7"}.fa-thermometer-half:before{content:"\f2c9"}.fa-thermometer-quarter:before{content:"\f2ca"}.fa-thermometer-three-quarters:before{content:"\f2c8"}.fa-think-peaks:before{content:"\f731"}.fa-thumbs-down:before{content:"\f165"}.fa-thumbs-up:before{content:"\f164"}.fa-thumbtack:before{content:"\f08d"}.fa-ticket-alt:before{content:"\f3ff"}.fa-times:before{content:"\f00d"}.fa-times-circle:before{content:"\f057"}.fa-tint:before{content:"\f043"}.fa-tint-slash:before{content:"\f5c7"}.fa-tired:before{content:"\f5c8"}.fa-toggle-off:before{content:"\f204"}.fa-toggle-on:before{content:"\f205"}.fa-toilet:before{content:"\f7d8"}.fa-toilet-paper:before{content:"\f71e"}.fa-toolbox:before{content:"\f552"}.fa-tools:before{content:"\f7d9"}.fa-tooth:before{content:"\f5c9"}.fa-torah:before{content:"\f6a0"}.fa-torii-gate:before{content:"\f6a1"}.fa-tractor:before{content:"\f722"}.fa-trade-federation:before{content:"\f513"}.fa-trademark:before{content:"\f25c"}.fa-traffic-light:before{content:"\f637"}.fa-train:before{content:"\f238"}.fa-tram:before{content:"\f7da"}.fa-transgender:before{content:"\f224"}.fa-transgender-alt:before{content:"\f225"}.fa-trash:before{content:"\f1f8"}.fa-trash-alt:before{content:"\f2ed"}.fa-trash-restore:before{content:"\f829"}.fa-trash-restore-alt:before{content:"\f82a"}.fa-tree:before{content:"\f1bb"}.fa-trello:before{content:"\f181"}.fa-tripadvisor:before{content:"\f262"}.fa-trophy:before{content:"\f091"}.fa-truck:before{content:"\f0d1"}.fa-truck-loading:before{content:"\f4de"}.fa-truck-monster:before{content:"\f63b"}.fa-truck-moving:before{content:"\f4df"}.fa-truck-pickup:before{content:"\f63c"}.fa-tshirt:before{content:"\f553"}.fa-tty:before{content:"\f1e4"}.fa-tumblr:before{content:"\f173"}.fa-tumblr-square:before{content:"\f174"}.fa-tv:before{content:"\f26c"}.fa-twitch:before{content:"\f1e8"}.fa-twitter:before{content:"\f099"}.fa-twitter-square:before{content:"\f081"}.fa-typo3:before{content:"\f42b"}.fa-uber:before{content:"\f402"}.fa-ubuntu:before{content:"\f7df"}.fa-uikit:before{content:"\f403"}.fa-umbrella:before{content:"\f0e9"}.fa-umbrella-beach:before{content:"\f5ca"}.fa-underline:before{content:"\f0cd"}.fa-undo:before{content:"\f0e2"}.fa-undo-alt:before{content:"\f2ea"}.fa-uniregistry:before{content:"\f404"}.fa-universal-access:before{content:"\f29a"}.fa-university:before{content:"\f19c"}.fa-unlink:before{content:"\f127"}.fa-unlock:before{content:"\f09c"}.fa-unlock-alt:before{content:"\f13e"}.fa-untappd:before{content:"\f405"}.fa-upload:before{content:"\f093"}.fa-ups:before{content:"\f7e0"}.fa-usb:before{content:"\f287"}.fa-user:before{content:"\f007"}.fa-user-alt:before{content:"\f406"}.fa-user-alt-slash:before{content:"\f4fa"}.fa-user-astronaut:before{content:"\f4fb"}.fa-user-check:before{content:"\f4fc"}.fa-user-circle:before{content:"\f2bd"}.fa-user-clock:before{content:"\f4fd"}.fa-user-cog:before{content:"\f4fe"}.fa-user-edit:before{content:"\f4ff"}.fa-user-friends:before{content:"\f500"}.fa-user-graduate:before{content:"\f501"}.fa-user-injured:before{content:"\f728"}.fa-user-lock:before{content:"\f502"}.fa-user-md:before{content:"\f0f0"}.fa-user-minus:before{content:"\f503"}.fa-user-ninja:before{content:"\f504"}.fa-user-nurse:before{content:"\f82f"}.fa-user-plus:before{content:"\f234"}.fa-user-secret:before{content:"\f21b"}.fa-user-shield:before{content:"\f505"}.fa-user-slash:before{content:"\f506"}.fa-user-tag:before{content:"\f507"}.fa-user-tie:before{content:"\f508"}.fa-user-times:before{content:"\f235"}.fa-users:before{content:"\f0c0"}.fa-users-cog:before{content:"\f509"}.fa-usps:before{content:"\f7e1"}.fa-ussunnah:before{content:"\f407"}.fa-utensil-spoon:before{content:"\f2e5"}.fa-utensils:before{content:"\f2e7"}.fa-vaadin:before{content:"\f408"}.fa-vector-square:before{content:"\f5cb"}.fa-venus:before{content:"\f221"}.fa-venus-double:before{content:"\f226"}.fa-venus-mars:before{content:"\f228"}.fa-viacoin:before{content:"\f237"}.fa-viadeo:before{content:"\f2a9"}.fa-viadeo-square:before{content:"\f2aa"}.fa-vial:before{content:"\f492"}.fa-vials:before{content:"\f493"}.fa-viber:before{content:"\f409"}.fa-video:before{content:"\f03d"}.fa-video-slash:before{content:"\f4e2"}.fa-vihara:before{content:"\f6a7"}.fa-vimeo:before{content:"\f40a"}.fa-vimeo-square:before{content:"\f194"}.fa-vimeo-v:before{content:"\f27d"}.fa-vine:before{content:"\f1ca"}.fa-vk:before{content:"\f189"}.fa-vnv:before{content:"\f40b"}.fa-voicemail:before{content:"\f897"}.fa-volleyball-ball:before{content:"\f45f"}.fa-volume-down:before{content:"\f027"}.fa-volume-mute:before{content:"\f6a9"}.fa-volume-off:before{content:"\f026"}.fa-volume-up:before{content:"\f028"}.fa-vote-yea:before{content:"\f772"}.fa-vr-cardboard:before{content:"\f729"}.fa-vuejs:before{content:"\f41f"}.fa-walking:before{content:"\f554"}.fa-wallet:before{content:"\f555"}.fa-warehouse:before{content:"\f494"}.fa-water:before{content:"\f773"}.fa-wave-square:before{content:"\f83e"}.fa-waze:before{content:"\f83f"}.fa-weebly:before{content:"\f5cc"}.fa-weibo:before{content:"\f18a"}.fa-weight:before{content:"\f496"}.fa-weight-hanging:before{content:"\f5cd"}.fa-weixin:before{content:"\f1d7"}.fa-whatsapp:before{content:"\f232"}.fa-whatsapp-square:before{content:"\f40c"}.fa-wheelchair:before{content:"\f193"}.fa-whmcs:before{content:"\f40d"}.fa-wifi:before{content:"\f1eb"}.fa-wikipedia-w:before{content:"\f266"}.fa-wind:before{content:"\f72e"}.fa-window-close:before{content:"\f410"}.fa-window-maximize:before{content:"\f2d0"}.fa-window-minimize:before{content:"\f2d1"}.fa-window-restore:before{content:"\f2d2"}.fa-windows:before{content:"\f17a"}.fa-wine-bottle:before{content:"\f72f"}.fa-wine-glass:before{content:"\f4e3"}.fa-wine-glass-alt:before{content:"\f5ce"}.fa-wix:before{content:"\f5cf"}.fa-wizards-of-the-coast:before{content:"\f730"}.fa-wolf-pack-battalion:before{content:"\f514"}.fa-won-sign:before{content:"\f159"}.fa-wordpress:before{content:"\f19a"}.fa-wordpress-simple:before{content:"\f411"}.fa-wpbeginner:before{content:"\f297"}.fa-wpexplorer:before{content:"\f2de"}.fa-wpforms:before{content:"\f298"}.fa-wpressr:before{content:"\f3e4"}.fa-wrench:before{content:"\f0ad"}.fa-x-ray:before{content:"\f497"}.fa-xbox:before{content:"\f412"}.fa-xing:before{content:"\f168"}.fa-xing-square:before{content:"\f169"}.fa-y-combinator:before{content:"\f23b"}.fa-yahoo:before{content:"\f19e"}.fa-yammer:before{content:"\f840"}.fa-yandex:before{content:"\f413"}.fa-yandex-international:before{content:"\f414"}.fa-yarn:before{content:"\f7e3"}.fa-yelp:before{content:"\f1e9"}.fa-yen-sign:before{content:"\f157"}.fa-yin-yang:before{content:"\f6ad"}.fa-yoast:before{content:"\f2b1"}.fa-youtube:before{content:"\f167"}.fa-youtube-square:before{content:"\f431"}.fa-zhihu:before{content:"\f63f"}.sr-only{border:0;clip:rect(0,0,0,0);height:1px;margin:-1px;overflow:hidden;padding:0;position:absolute;width:1px}.sr-only-focusable:active,.sr-only-focusable:focus{clip:auto;height:auto;margin:0;overflow:visible;position:static;width:auto}@font-face{font-family:"Font Awesome 5 Free";font-style:normal;font-weight:400;font-display:auto;src:url(fa-regular-400.eot);src:url(fa-regular-400.eot?#iefix) format("embedded-opentype"),url(fa-regular-400.woff) format("woff")}.far{font-weight:400}@font-face{font-family:"Font Awesome 5 Free";font-style:normal;font-weight:900;font-display:auto;src:url(fa-solid-900.eot);src:url(fa-solid-900.eot?#iefix) format("embedded-opentype"),url(fa-solid-900.woff) format("woff")}.fa,.far,.fas{font-family:"Font Awesome 5 Free"}.fa,.fas{font-weight:900} +.fa, +.fab, +.fal, +.far, +.fas { + -moz-osx-font-smoothing: grayscale; + -webkit-font-smoothing: antialiased; + display: inline-block; + font-style: normal; + font-variant: normal; + text-rendering: auto; + line-height: 1; +} +.fa-lg { + font-size: 1.33333em; + line-height: 0.75em; + vertical-align: -0.0667em; +} +.fa-xs { + font-size: 0.75em; +} +.fa-sm { + font-size: 0.875em; +} +.fa-1x { + font-size: 1em; +} +.fa-2x { + font-size: 2em; +} +.fa-3x { + font-size: 3em; +} +.fa-4x { + font-size: 4em; +} +.fa-5x { + font-size: 5em; +} +.fa-6x { + font-size: 6em; +} +.fa-7x { + font-size: 7em; +} +.fa-8x { + font-size: 8em; +} +.fa-9x { + font-size: 9em; +} +.fa-10x { + font-size: 10em; +} +.fa-fw { + text-align: center; + width: 1.25em; +} +.fa-ul { + list-style-type: none; + margin-left: 2.5em; + padding-left: 0; +} +.fa-ul > li { + position: relative; +} +.fa-li { + left: -2em; + position: absolute; + text-align: center; + width: 2em; + line-height: inherit; +} +.fa-border { + border: 0.08em solid #eee; + border-radius: 0.1em; + padding: 0.2em 0.25em 0.15em; +} +.fa-pull-left { + float: left; +} +.fa-pull-right { + float: right; +} +.fa.fa-pull-left, +.fab.fa-pull-left, +.fal.fa-pull-left, +.far.fa-pull-left, +.fas.fa-pull-left { + margin-right: 0.3em; +} +.fa.fa-pull-right, +.fab.fa-pull-right, +.fal.fa-pull-right, +.far.fa-pull-right, +.fas.fa-pull-right { + margin-left: 0.3em; +} +.fa-spin { + animation: fa-spin 2s infinite linear; +} +.fa-pulse { + animation: fa-spin 1s infinite steps(8); +} +@keyframes fa-spin { + 0% { + transform: rotate(0deg); + } + to { + transform: rotate(1turn); + } +} +.fa-rotate-90 { + -ms-filter: "progid:DXImageTransform.Microsoft.BasicImage(rotation=1)"; + transform: rotate(90deg); +} +.fa-rotate-180 { + -ms-filter: "progid:DXImageTransform.Microsoft.BasicImage(rotation=2)"; + transform: rotate(180deg); +} +.fa-rotate-270 { + -ms-filter: "progid:DXImageTransform.Microsoft.BasicImage(rotation=3)"; + transform: rotate(270deg); +} +.fa-flip-horizontal { + -ms-filter: "progid:DXImageTransform.Microsoft.BasicImage(rotation=0, mirror=1)"; + transform: scaleX(-1); +} +.fa-flip-vertical { + transform: scaleY(-1); +} +.fa-flip-both, +.fa-flip-horizontal.fa-flip-vertical, +.fa-flip-vertical { + -ms-filter: "progid:DXImageTransform.Microsoft.BasicImage(rotation=2, mirror=1)"; +} +.fa-flip-both, +.fa-flip-horizontal.fa-flip-vertical { + transform: scale(-1); +} +:root .fa-flip-both, +:root .fa-flip-horizontal, +:root .fa-flip-vertical, +:root .fa-rotate-90, +:root .fa-rotate-180, +:root .fa-rotate-270 { + filter: none; +} +.fa-stack { + display: inline-block; + height: 2em; + line-height: 2em; + position: relative; + vertical-align: middle; + width: 2.5em; +} +.fa-stack-1x, +.fa-stack-2x { + left: 0; + position: absolute; + text-align: center; + width: 100%; +} +.fa-stack-1x { + line-height: inherit; +} +.fa-stack-2x { + font-size: 2em; +} +.fa-inverse { + color: #fff; +} +.fa-500px:before { + content: "\f26e"; +} +.fa-accessible-icon:before { + content: "\f368"; +} +.fa-accusoft:before { + content: "\f369"; +} +.fa-acquisitions-incorporated:before { + content: "\f6af"; +} +.fa-ad:before { + content: "\f641"; +} +.fa-address-book:before { + content: "\f2b9"; +} +.fa-address-card:before { + content: "\f2bb"; +} +.fa-adjust:before { + content: "\f042"; +} +.fa-adn:before { + content: "\f170"; +} +.fa-adobe:before { + content: "\f778"; +} +.fa-adversal:before { + content: "\f36a"; +} +.fa-affiliatetheme:before { + content: "\f36b"; +} +.fa-air-freshener:before { + content: "\f5d0"; +} +.fa-airbnb:before { + content: "\f834"; +} +.fa-algolia:before { + content: "\f36c"; +} +.fa-align-center:before { + content: "\f037"; +} +.fa-align-justify:before { + content: "\f039"; +} +.fa-align-left:before { + content: "\f036"; +} +.fa-align-right:before { + content: "\f038"; +} +.fa-alipay:before { + content: "\f642"; +} +.fa-allergies:before { + content: "\f461"; +} +.fa-amazon:before { + content: "\f270"; +} +.fa-amazon-pay:before { + content: "\f42c"; +} +.fa-ambulance:before { + content: "\f0f9"; +} +.fa-american-sign-language-interpreting:before { + content: "\f2a3"; +} +.fa-amilia:before { + content: "\f36d"; +} +.fa-anchor:before { + content: "\f13d"; +} +.fa-android:before { + content: "\f17b"; +} +.fa-angellist:before { + content: "\f209"; +} +.fa-angle-double-down:before { + content: "\f103"; +} +.fa-angle-double-left:before { + content: "\f100"; +} +.fa-angle-double-right:before { + content: "\f101"; +} +.fa-angle-double-up:before { + content: "\f102"; +} +.fa-angle-down:before { + content: "\f107"; +} +.fa-angle-left:before { + content: "\f104"; +} +.fa-angle-right:before { + content: "\f105"; +} +.fa-angle-up:before { + content: "\f106"; +} +.fa-angry:before { + content: "\f556"; +} +.fa-angrycreative:before { + content: "\f36e"; +} +.fa-angular:before { + content: "\f420"; +} +.fa-ankh:before { + content: "\f644"; +} +.fa-app-store:before { + content: "\f36f"; +} +.fa-app-store-ios:before { + content: "\f370"; +} +.fa-apper:before { + content: "\f371"; +} +.fa-apple:before { + content: "\f179"; +} +.fa-apple-alt:before { + content: "\f5d1"; +} +.fa-apple-pay:before { + content: "\f415"; +} +.fa-archive:before { + content: "\f187"; +} +.fa-archway:before { + content: "\f557"; +} +.fa-arrow-alt-circle-down:before { + content: "\f358"; +} +.fa-arrow-alt-circle-left:before { + content: "\f359"; +} +.fa-arrow-alt-circle-right:before { + content: "\f35a"; +} +.fa-arrow-alt-circle-up:before { + content: "\f35b"; +} +.fa-arrow-circle-down:before { + content: "\f0ab"; +} +.fa-arrow-circle-left:before { + content: "\f0a8"; +} +.fa-arrow-circle-right:before { + content: "\f0a9"; +} +.fa-arrow-circle-up:before { + content: "\f0aa"; +} +.fa-arrow-down:before { + content: "\f063"; +} +.fa-arrow-left:before { + content: "\f060"; +} +.fa-arrow-right:before { + content: "\f061"; +} +.fa-arrow-up:before { + content: "\f062"; +} +.fa-arrows-alt:before { + content: "\f0b2"; +} +.fa-arrows-alt-h:before { + content: "\f337"; +} +.fa-arrows-alt-v:before { + content: "\f338"; +} +.fa-artstation:before { + content: "\f77a"; +} +.fa-assistive-listening-systems:before { + content: "\f2a2"; +} +.fa-asterisk:before { + content: "\f069"; +} +.fa-asymmetrik:before { + content: "\f372"; +} +.fa-at:before { + content: "\f1fa"; +} +.fa-atlas:before { + content: "\f558"; +} +.fa-atlassian:before { + content: "\f77b"; +} +.fa-atom:before { + content: "\f5d2"; +} +.fa-audible:before { + content: "\f373"; +} +.fa-audio-description:before { + content: "\f29e"; +} +.fa-autoprefixer:before { + content: "\f41c"; +} +.fa-avianex:before { + content: "\f374"; +} +.fa-aviato:before { + content: "\f421"; +} +.fa-award:before { + content: "\f559"; +} +.fa-aws:before { + content: "\f375"; +} +.fa-baby:before { + content: "\f77c"; +} +.fa-baby-carriage:before { + content: "\f77d"; +} +.fa-backspace:before { + content: "\f55a"; +} +.fa-backward:before { + content: "\f04a"; +} +.fa-bacon:before { + content: "\f7e5"; +} +.fa-balance-scale:before { + content: "\f24e"; +} +.fa-balance-scale-left:before { + content: "\f515"; +} +.fa-balance-scale-right:before { + content: "\f516"; +} +.fa-ban:before { + content: "\f05e"; +} +.fa-band-aid:before { + content: "\f462"; +} +.fa-bandcamp:before { + content: "\f2d5"; +} +.fa-barcode:before { + content: "\f02a"; +} +.fa-bars:before { + content: "\f0c9"; +} +.fa-baseball-ball:before { + content: "\f433"; +} +.fa-basketball-ball:before { + content: "\f434"; +} +.fa-bath:before { + content: "\f2cd"; +} +.fa-battery-empty:before { + content: "\f244"; +} +.fa-battery-full:before { + content: "\f240"; +} +.fa-battery-half:before { + content: "\f242"; +} +.fa-battery-quarter:before { + content: "\f243"; +} +.fa-battery-three-quarters:before { + content: "\f241"; +} +.fa-battle-net:before { + content: "\f835"; +} +.fa-bed:before { + content: "\f236"; +} +.fa-beer:before { + content: "\f0fc"; +} +.fa-behance:before { + content: "\f1b4"; +} +.fa-behance-square:before { + content: "\f1b5"; +} +.fa-bell:before { + content: "\f0f3"; +} +.fa-bell-slash:before { + content: "\f1f6"; +} +.fa-bezier-curve:before { + content: "\f55b"; +} +.fa-bible:before { + content: "\f647"; +} +.fa-bicycle:before { + content: "\f206"; +} +.fa-biking:before { + content: "\f84a"; +} +.fa-bimobject:before { + content: "\f378"; +} +.fa-binoculars:before { + content: "\f1e5"; +} +.fa-biohazard:before { + content: "\f780"; +} +.fa-birthday-cake:before { + content: "\f1fd"; +} +.fa-bitbucket:before { + content: "\f171"; +} +.fa-bitcoin:before { + content: "\f379"; +} +.fa-bity:before { + content: "\f37a"; +} +.fa-black-tie:before { + content: "\f27e"; +} +.fa-blackberry:before { + content: "\f37b"; +} +.fa-blender:before { + content: "\f517"; +} +.fa-blender-phone:before { + content: "\f6b6"; +} +.fa-blind:before { + content: "\f29d"; +} +.fa-blog:before { + content: "\f781"; +} +.fa-blogger:before { + content: "\f37c"; +} +.fa-blogger-b:before { + content: "\f37d"; +} +.fa-bluetooth:before { + content: "\f293"; +} +.fa-bluetooth-b:before { + content: "\f294"; +} +.fa-bold:before { + content: "\f032"; +} +.fa-bolt:before { + content: "\f0e7"; +} +.fa-bomb:before { + content: "\f1e2"; +} +.fa-bone:before { + content: "\f5d7"; +} +.fa-bong:before { + content: "\f55c"; +} +.fa-book:before { + content: "\f02d"; +} +.fa-book-dead:before { + content: "\f6b7"; +} +.fa-book-medical:before { + content: "\f7e6"; +} +.fa-book-open:before { + content: "\f518"; +} +.fa-book-reader:before { + content: "\f5da"; +} +.fa-bookmark:before { + content: "\f02e"; +} +.fa-bootstrap:before { + content: "\f836"; +} +.fa-border-all:before { + content: "\f84c"; +} +.fa-border-none:before { + content: "\f850"; +} +.fa-border-style:before { + content: "\f853"; +} +.fa-bowling-ball:before { + content: "\f436"; +} +.fa-box:before { + content: "\f466"; +} +.fa-box-open:before { + content: "\f49e"; +} +.fa-boxes:before { + content: "\f468"; +} +.fa-braille:before { + content: "\f2a1"; +} +.fa-brain:before { + content: "\f5dc"; +} +.fa-bread-slice:before { + content: "\f7ec"; +} +.fa-briefcase:before { + content: "\f0b1"; +} +.fa-briefcase-medical:before { + content: "\f469"; +} +.fa-broadcast-tower:before { + content: "\f519"; +} +.fa-broom:before { + content: "\f51a"; +} +.fa-brush:before { + content: "\f55d"; +} +.fa-btc:before { + content: "\f15a"; +} +.fa-buffer:before { + content: "\f837"; +} +.fa-bug:before { + content: "\f188"; +} +.fa-building:before { + content: "\f1ad"; +} +.fa-bullhorn:before { + content: "\f0a1"; +} +.fa-bullseye:before { + content: "\f140"; +} +.fa-burn:before { + content: "\f46a"; +} +.fa-buromobelexperte:before { + content: "\f37f"; +} +.fa-bus:before { + content: "\f207"; +} +.fa-bus-alt:before { + content: "\f55e"; +} +.fa-business-time:before { + content: "\f64a"; +} +.fa-buysellads:before { + content: "\f20d"; +} +.fa-calculator:before { + content: "\f1ec"; +} +.fa-calendar:before { + content: "\f133"; +} +.fa-calendar-alt:before { + content: "\f073"; +} +.fa-calendar-check:before { + content: "\f274"; +} +.fa-calendar-day:before { + content: "\f783"; +} +.fa-calendar-minus:before { + content: "\f272"; +} +.fa-calendar-plus:before { + content: "\f271"; +} +.fa-calendar-times:before { + content: "\f273"; +} +.fa-calendar-week:before { + content: "\f784"; +} +.fa-camera:before { + content: "\f030"; +} +.fa-camera-retro:before { + content: "\f083"; +} +.fa-campground:before { + content: "\f6bb"; +} +.fa-canadian-maple-leaf:before { + content: "\f785"; +} +.fa-candy-cane:before { + content: "\f786"; +} +.fa-cannabis:before { + content: "\f55f"; +} +.fa-capsules:before { + content: "\f46b"; +} +.fa-car:before { + content: "\f1b9"; +} +.fa-car-alt:before { + content: "\f5de"; +} +.fa-car-battery:before { + content: "\f5df"; +} +.fa-car-crash:before { + content: "\f5e1"; +} +.fa-car-side:before { + content: "\f5e4"; +} +.fa-caret-down:before { + content: "\f0d7"; +} +.fa-caret-left:before { + content: "\f0d9"; +} +.fa-caret-right:before { + content: "\f0da"; +} +.fa-caret-square-down:before { + content: "\f150"; +} +.fa-caret-square-left:before { + content: "\f191"; +} +.fa-caret-square-right:before { + content: "\f152"; +} +.fa-caret-square-up:before { + content: "\f151"; +} +.fa-caret-up:before { + content: "\f0d8"; +} +.fa-carrot:before { + content: "\f787"; +} +.fa-cart-arrow-down:before { + content: "\f218"; +} +.fa-cart-plus:before { + content: "\f217"; +} +.fa-cash-register:before { + content: "\f788"; +} +.fa-cat:before { + content: "\f6be"; +} +.fa-cc-amazon-pay:before { + content: "\f42d"; +} +.fa-cc-amex:before { + content: "\f1f3"; +} +.fa-cc-apple-pay:before { + content: "\f416"; +} +.fa-cc-diners-club:before { + content: "\f24c"; +} +.fa-cc-discover:before { + content: "\f1f2"; +} +.fa-cc-jcb:before { + content: "\f24b"; +} +.fa-cc-mastercard:before { + content: "\f1f1"; +} +.fa-cc-paypal:before { + content: "\f1f4"; +} +.fa-cc-stripe:before { + content: "\f1f5"; +} +.fa-cc-visa:before { + content: "\f1f0"; +} +.fa-centercode:before { + content: "\f380"; +} +.fa-centos:before { + content: "\f789"; +} +.fa-certificate:before { + content: "\f0a3"; +} +.fa-chair:before { + content: "\f6c0"; +} +.fa-chalkboard:before { + content: "\f51b"; +} +.fa-chalkboard-teacher:before { + content: "\f51c"; +} +.fa-charging-station:before { + content: "\f5e7"; +} +.fa-chart-area:before { + content: "\f1fe"; +} +.fa-chart-bar:before { + content: "\f080"; +} +.fa-chart-line:before { + content: "\f201"; +} +.fa-chart-pie:before { + content: "\f200"; +} +.fa-check:before { + content: "\f00c"; +} +.fa-check-circle:before { + content: "\f058"; +} +.fa-check-double:before { + content: "\f560"; +} +.fa-check-square:before { + content: "\f14a"; +} +.fa-cheese:before { + content: "\f7ef"; +} +.fa-chess:before { + content: "\f439"; +} +.fa-chess-bishop:before { + content: "\f43a"; +} +.fa-chess-board:before { + content: "\f43c"; +} +.fa-chess-king:before { + content: "\f43f"; +} +.fa-chess-knight:before { + content: "\f441"; +} +.fa-chess-pawn:before { + content: "\f443"; +} +.fa-chess-queen:before { + content: "\f445"; +} +.fa-chess-rook:before { + content: "\f447"; +} +.fa-chevron-circle-down:before { + content: "\f13a"; +} +.fa-chevron-circle-left:before { + content: "\f137"; +} +.fa-chevron-circle-right:before { + content: "\f138"; +} +.fa-chevron-circle-up:before { + content: "\f139"; +} +.fa-chevron-down:before { + content: "\f078"; +} +.fa-chevron-left:before { + content: "\f053"; +} +.fa-chevron-right:before { + content: "\f054"; +} +.fa-chevron-up:before { + content: "\f077"; +} +.fa-child:before { + content: "\f1ae"; +} +.fa-chrome:before { + content: "\f268"; +} +.fa-chromecast:before { + content: "\f838"; +} +.fa-church:before { + content: "\f51d"; +} +.fa-circle:before { + content: "\f111"; +} +.fa-circle-notch:before { + content: "\f1ce"; +} +.fa-city:before { + content: "\f64f"; +} +.fa-clinic-medical:before { + content: "\f7f2"; +} +.fa-clipboard:before { + content: "\f328"; +} +.fa-clipboard-check:before { + content: "\f46c"; +} +.fa-clipboard-list:before { + content: "\f46d"; +} +.fa-clock:before { + content: "\f017"; +} +.fa-clone:before { + content: "\f24d"; +} +.fa-closed-captioning:before { + content: "\f20a"; +} +.fa-cloud:before { + content: "\f0c2"; +} +.fa-cloud-download-alt:before { + content: "\f381"; +} +.fa-cloud-meatball:before { + content: "\f73b"; +} +.fa-cloud-moon:before { + content: "\f6c3"; +} +.fa-cloud-moon-rain:before { + content: "\f73c"; +} +.fa-cloud-rain:before { + content: "\f73d"; +} +.fa-cloud-showers-heavy:before { + content: "\f740"; +} +.fa-cloud-sun:before { + content: "\f6c4"; +} +.fa-cloud-sun-rain:before { + content: "\f743"; +} +.fa-cloud-upload-alt:before { + content: "\f382"; +} +.fa-cloudscale:before { + content: "\f383"; +} +.fa-cloudsmith:before { + content: "\f384"; +} +.fa-cloudversify:before { + content: "\f385"; +} +.fa-cocktail:before { + content: "\f561"; +} +.fa-code:before { + content: "\f121"; +} +.fa-code-branch:before { + content: "\f126"; +} +.fa-codepen:before { + content: "\f1cb"; +} +.fa-codiepie:before { + content: "\f284"; +} +.fa-coffee:before { + content: "\f0f4"; +} +.fa-cog:before { + content: "\f013"; +} +.fa-cogs:before { + content: "\f085"; +} +.fa-coins:before { + content: "\f51e"; +} +.fa-columns:before { + content: "\f0db"; +} +.fa-comment:before { + content: "\f075"; +} +.fa-comment-alt:before { + content: "\f27a"; +} +.fa-comment-dollar:before { + content: "\f651"; +} +.fa-comment-dots:before { + content: "\f4ad"; +} +.fa-comment-medical:before { + content: "\f7f5"; +} +.fa-comment-slash:before { + content: "\f4b3"; +} +.fa-comments:before { + content: "\f086"; +} +.fa-comments-dollar:before { + content: "\f653"; +} +.fa-compact-disc:before { + content: "\f51f"; +} +.fa-compass:before { + content: "\f14e"; +} +.fa-compress:before { + content: "\f066"; +} +.fa-compress-arrows-alt:before { + content: "\f78c"; +} +.fa-concierge-bell:before { + content: "\f562"; +} +.fa-confluence:before { + content: "\f78d"; +} +.fa-connectdevelop:before { + content: "\f20e"; +} +.fa-contao:before { + content: "\f26d"; +} +.fa-cookie:before { + content: "\f563"; +} +.fa-cookie-bite:before { + content: "\f564"; +} +.fa-copy:before { + content: "\f0c5"; +} +.fa-copyright:before { + content: "\f1f9"; +} +.fa-couch:before { + content: "\f4b8"; +} +.fa-cpanel:before { + content: "\f388"; +} +.fa-creative-commons:before { + content: "\f25e"; +} +.fa-creative-commons-by:before { + content: "\f4e7"; +} +.fa-creative-commons-nc:before { + content: "\f4e8"; +} +.fa-creative-commons-nc-eu:before { + content: "\f4e9"; +} +.fa-creative-commons-nc-jp:before { + content: "\f4ea"; +} +.fa-creative-commons-nd:before { + content: "\f4eb"; +} +.fa-creative-commons-pd:before { + content: "\f4ec"; +} +.fa-creative-commons-pd-alt:before { + content: "\f4ed"; +} +.fa-creative-commons-remix:before { + content: "\f4ee"; +} +.fa-creative-commons-sa:before { + content: "\f4ef"; +} +.fa-creative-commons-sampling:before { + content: "\f4f0"; +} +.fa-creative-commons-sampling-plus:before { + content: "\f4f1"; +} +.fa-creative-commons-share:before { + content: "\f4f2"; +} +.fa-creative-commons-zero:before { + content: "\f4f3"; +} +.fa-credit-card:before { + content: "\f09d"; +} +.fa-critical-role:before { + content: "\f6c9"; +} +.fa-crop:before { + content: "\f125"; +} +.fa-crop-alt:before { + content: "\f565"; +} +.fa-cross:before { + content: "\f654"; +} +.fa-crosshairs:before { + content: "\f05b"; +} +.fa-crow:before { + content: "\f520"; +} +.fa-crown:before { + content: "\f521"; +} +.fa-crutch:before { + content: "\f7f7"; +} +.fa-css3:before { + content: "\f13c"; +} +.fa-css3-alt:before { + content: "\f38b"; +} +.fa-cube:before { + content: "\f1b2"; +} +.fa-cubes:before { + content: "\f1b3"; +} +.fa-cut:before { + content: "\f0c4"; +} +.fa-cuttlefish:before { + content: "\f38c"; +} +.fa-d-and-d:before { + content: "\f38d"; +} +.fa-d-and-d-beyond:before { + content: "\f6ca"; +} +.fa-dashcube:before { + content: "\f210"; +} +.fa-database:before { + content: "\f1c0"; +} +.fa-deaf:before { + content: "\f2a4"; +} +.fa-delicious:before { + content: "\f1a5"; +} +.fa-democrat:before { + content: "\f747"; +} +.fa-deploydog:before { + content: "\f38e"; +} +.fa-deskpro:before { + content: "\f38f"; +} +.fa-desktop:before { + content: "\f108"; +} +.fa-dev:before { + content: "\f6cc"; +} +.fa-deviantart:before { + content: "\f1bd"; +} +.fa-dharmachakra:before { + content: "\f655"; +} +.fa-dhl:before { + content: "\f790"; +} +.fa-diagnoses:before { + content: "\f470"; +} +.fa-diaspora:before { + content: "\f791"; +} +.fa-dice:before { + content: "\f522"; +} +.fa-dice-d20:before { + content: "\f6cf"; +} +.fa-dice-d6:before { + content: "\f6d1"; +} +.fa-dice-five:before { + content: "\f523"; +} +.fa-dice-four:before { + content: "\f524"; +} +.fa-dice-one:before { + content: "\f525"; +} +.fa-dice-six:before { + content: "\f526"; +} +.fa-dice-three:before { + content: "\f527"; +} +.fa-dice-two:before { + content: "\f528"; +} +.fa-digg:before { + content: "\f1a6"; +} +.fa-digital-ocean:before { + content: "\f391"; +} +.fa-digital-tachograph:before { + content: "\f566"; +} +.fa-directions:before { + content: "\f5eb"; +} +.fa-discord:before { + content: "\f392"; +} +.fa-discourse:before { + content: "\f393"; +} +.fa-divide:before { + content: "\f529"; +} +.fa-dizzy:before { + content: "\f567"; +} +.fa-dna:before { + content: "\f471"; +} +.fa-dochub:before { + content: "\f394"; +} +.fa-docker:before { + content: "\f395"; +} +.fa-dog:before { + content: "\f6d3"; +} +.fa-dollar-sign:before { + content: "\f155"; +} +.fa-dolly:before { + content: "\f472"; +} +.fa-dolly-flatbed:before { + content: "\f474"; +} +.fa-donate:before { + content: "\f4b9"; +} +.fa-door-closed:before { + content: "\f52a"; +} +.fa-door-open:before { + content: "\f52b"; +} +.fa-dot-circle:before { + content: "\f192"; +} +.fa-dove:before { + content: "\f4ba"; +} +.fa-download:before { + content: "\f019"; +} +.fa-draft2digital:before { + content: "\f396"; +} +.fa-drafting-compass:before { + content: "\f568"; +} +.fa-dragon:before { + content: "\f6d5"; +} +.fa-draw-polygon:before { + content: "\f5ee"; +} +.fa-dribbble:before { + content: "\f17d"; +} +.fa-dribbble-square:before { + content: "\f397"; +} +.fa-dropbox:before { + content: "\f16b"; +} +.fa-drum:before { + content: "\f569"; +} +.fa-drum-steelpan:before { + content: "\f56a"; +} +.fa-drumstick-bite:before { + content: "\f6d7"; +} +.fa-drupal:before { + content: "\f1a9"; +} +.fa-dumbbell:before { + content: "\f44b"; +} +.fa-dumpster:before { + content: "\f793"; +} +.fa-dumpster-fire:before { + content: "\f794"; +} +.fa-dungeon:before { + content: "\f6d9"; +} +.fa-dyalog:before { + content: "\f399"; +} +.fa-earlybirds:before { + content: "\f39a"; +} +.fa-ebay:before { + content: "\f4f4"; +} +.fa-edge:before { + content: "\f282"; +} +.fa-edit:before { + content: "\f044"; +} +.fa-egg:before { + content: "\f7fb"; +} +.fa-eject:before { + content: "\f052"; +} +.fa-elementor:before { + content: "\f430"; +} +.fa-ellipsis-h:before { + content: "\f141"; +} +.fa-ellipsis-v:before { + content: "\f142"; +} +.fa-ello:before { + content: "\f5f1"; +} +.fa-ember:before { + content: "\f423"; +} +.fa-empire:before { + content: "\f1d1"; +} +.fa-envelope:before { + content: "\f0e0"; +} +.fa-envelope-open:before { + content: "\f2b6"; +} +.fa-envelope-open-text:before { + content: "\f658"; +} +.fa-envelope-square:before { + content: "\f199"; +} +.fa-envira:before { + content: "\f299"; +} +.fa-equals:before { + content: "\f52c"; +} +.fa-eraser:before { + content: "\f12d"; +} +.fa-erlang:before { + content: "\f39d"; +} +.fa-ethereum:before { + content: "\f42e"; +} +.fa-ethernet:before { + content: "\f796"; +} +.fa-etsy:before { + content: "\f2d7"; +} +.fa-euro-sign:before { + content: "\f153"; +} +.fa-evernote:before { + content: "\f839"; +} +.fa-exchange-alt:before { + content: "\f362"; +} +.fa-exclamation:before { + content: "\f12a"; +} +.fa-exclamation-circle:before { + content: "\f06a"; +} +.fa-exclamation-triangle:before { + content: "\f071"; +} +.fa-expand:before { + content: "\f065"; +} +.fa-expand-arrows-alt:before { + content: "\f31e"; +} +.fa-expeditedssl:before { + content: "\f23e"; +} +.fa-external-link-alt:before { + content: "\f35d"; +} +.fa-external-link-square-alt:before { + content: "\f360"; +} +.fa-eye:before { + content: "\f06e"; +} +.fa-eye-dropper:before { + content: "\f1fb"; +} +.fa-eye-slash:before { + content: "\f070"; +} +.fa-facebook:before { + content: "\f09a"; +} +.fa-facebook-f:before { + content: "\f39e"; +} +.fa-facebook-messenger:before { + content: "\f39f"; +} +.fa-facebook-square:before { + content: "\f082"; +} +.fa-fan:before { + content: "\f863"; +} +.fa-fantasy-flight-games:before { + content: "\f6dc"; +} +.fa-fast-backward:before { + content: "\f049"; +} +.fa-fast-forward:before { + content: "\f050"; +} +.fa-fax:before { + content: "\f1ac"; +} +.fa-feather:before { + content: "\f52d"; +} +.fa-feather-alt:before { + content: "\f56b"; +} +.fa-fedex:before { + content: "\f797"; +} +.fa-fedora:before { + content: "\f798"; +} +.fa-female:before { + content: "\f182"; +} +.fa-fighter-jet:before { + content: "\f0fb"; +} +.fa-figma:before { + content: "\f799"; +} +.fa-file:before { + content: "\f15b"; +} +.fa-file-alt:before { + content: "\f15c"; +} +.fa-file-archive:before { + content: "\f1c6"; +} +.fa-file-audio:before { + content: "\f1c7"; +} +.fa-file-code:before { + content: "\f1c9"; +} +.fa-file-contract:before { + content: "\f56c"; +} +.fa-file-csv:before { + content: "\f6dd"; +} +.fa-file-download:before { + content: "\f56d"; +} +.fa-file-excel:before { + content: "\f1c3"; +} +.fa-file-export:before { + content: "\f56e"; +} +.fa-file-image:before { + content: "\f1c5"; +} +.fa-file-import:before { + content: "\f56f"; +} +.fa-file-invoice:before { + content: "\f570"; +} +.fa-file-invoice-dollar:before { + content: "\f571"; +} +.fa-file-medical:before { + content: "\f477"; +} +.fa-file-medical-alt:before { + content: "\f478"; +} +.fa-file-pdf:before { + content: "\f1c1"; +} +.fa-file-powerpoint:before { + content: "\f1c4"; +} +.fa-file-prescription:before { + content: "\f572"; +} +.fa-file-signature:before { + content: "\f573"; +} +.fa-file-upload:before { + content: "\f574"; +} +.fa-file-video:before { + content: "\f1c8"; +} +.fa-file-word:before { + content: "\f1c2"; +} +.fa-fill:before { + content: "\f575"; +} +.fa-fill-drip:before { + content: "\f576"; +} +.fa-film:before { + content: "\f008"; +} +.fa-filter:before { + content: "\f0b0"; +} +.fa-fingerprint:before { + content: "\f577"; +} +.fa-fire:before { + content: "\f06d"; +} +.fa-fire-alt:before { + content: "\f7e4"; +} +.fa-fire-extinguisher:before { + content: "\f134"; +} +.fa-firefox:before { + content: "\f269"; +} +.fa-first-aid:before { + content: "\f479"; +} +.fa-first-order:before { + content: "\f2b0"; +} +.fa-first-order-alt:before { + content: "\f50a"; +} +.fa-firstdraft:before { + content: "\f3a1"; +} +.fa-fish:before { + content: "\f578"; +} +.fa-fist-raised:before { + content: "\f6de"; +} +.fa-flag:before { + content: "\f024"; +} +.fa-flag-checkered:before { + content: "\f11e"; +} +.fa-flag-usa:before { + content: "\f74d"; +} +.fa-flask:before { + content: "\f0c3"; +} +.fa-flickr:before { + content: "\f16e"; +} +.fa-flipboard:before { + content: "\f44d"; +} +.fa-flushed:before { + content: "\f579"; +} +.fa-fly:before { + content: "\f417"; +} +.fa-folder:before { + content: "\f07b"; +} +.fa-folder-minus:before { + content: "\f65d"; +} +.fa-folder-open:before { + content: "\f07c"; +} +.fa-folder-plus:before { + content: "\f65e"; +} +.fa-font:before { + content: "\f031"; +} +.fa-font-awesome:before { + content: "\f2b4"; +} +.fa-font-awesome-alt:before { + content: "\f35c"; +} +.fa-font-awesome-flag:before { + content: "\f425"; +} +.fa-font-awesome-logo-full:before { + content: "\f4e6"; +} +.fa-fonticons:before { + content: "\f280"; +} +.fa-fonticons-fi:before { + content: "\f3a2"; +} +.fa-football-ball:before { + content: "\f44e"; +} +.fa-fort-awesome:before { + content: "\f286"; +} +.fa-fort-awesome-alt:before { + content: "\f3a3"; +} +.fa-forumbee:before { + content: "\f211"; +} +.fa-forward:before { + content: "\f04e"; +} +.fa-foursquare:before { + content: "\f180"; +} +.fa-free-code-camp:before { + content: "\f2c5"; +} +.fa-freebsd:before { + content: "\f3a4"; +} +.fa-frog:before { + content: "\f52e"; +} +.fa-frown:before { + content: "\f119"; +} +.fa-frown-open:before { + content: "\f57a"; +} +.fa-fulcrum:before { + content: "\f50b"; +} +.fa-funnel-dollar:before { + content: "\f662"; +} +.fa-futbol:before { + content: "\f1e3"; +} +.fa-galactic-republic:before { + content: "\f50c"; +} +.fa-galactic-senate:before { + content: "\f50d"; +} +.fa-gamepad:before { + content: "\f11b"; +} +.fa-gas-pump:before { + content: "\f52f"; +} +.fa-gavel:before { + content: "\f0e3"; +} +.fa-gem:before { + content: "\f3a5"; +} +.fa-genderless:before { + content: "\f22d"; +} +.fa-get-pocket:before { + content: "\f265"; +} +.fa-gg:before { + content: "\f260"; +} +.fa-gg-circle:before { + content: "\f261"; +} +.fa-ghost:before { + content: "\f6e2"; +} +.fa-gift:before { + content: "\f06b"; +} +.fa-gifts:before { + content: "\f79c"; +} +.fa-git:before { + content: "\f1d3"; +} +.fa-git-alt:before { + content: "\f841"; +} +.fa-git-square:before { + content: "\f1d2"; +} +.fa-github:before { + content: "\f09b"; +} +.fa-github-alt:before { + content: "\f113"; +} +.fa-github-square:before { + content: "\f092"; +} +.fa-gitkraken:before { + content: "\f3a6"; +} +.fa-gitlab:before { + content: "\f296"; +} +.fa-gitter:before { + content: "\f426"; +} +.fa-glass-cheers:before { + content: "\f79f"; +} +.fa-glass-martini:before { + content: "\f000"; +} +.fa-glass-martini-alt:before { + content: "\f57b"; +} +.fa-glass-whiskey:before { + content: "\f7a0"; +} +.fa-glasses:before { + content: "\f530"; +} +.fa-glide:before { + content: "\f2a5"; +} +.fa-glide-g:before { + content: "\f2a6"; +} +.fa-globe:before { + content: "\f0ac"; +} +.fa-globe-africa:before { + content: "\f57c"; +} +.fa-globe-americas:before { + content: "\f57d"; +} +.fa-globe-asia:before { + content: "\f57e"; +} +.fa-globe-europe:before { + content: "\f7a2"; +} +.fa-gofore:before { + content: "\f3a7"; +} +.fa-golf-ball:before { + content: "\f450"; +} +.fa-goodreads:before { + content: "\f3a8"; +} +.fa-goodreads-g:before { + content: "\f3a9"; +} +.fa-google:before { + content: "\f1a0"; +} +.fa-google-drive:before { + content: "\f3aa"; +} +.fa-google-play:before { + content: "\f3ab"; +} +.fa-google-plus:before { + content: "\f2b3"; +} +.fa-google-plus-g:before { + content: "\f0d5"; +} +.fa-google-plus-square:before { + content: "\f0d4"; +} +.fa-google-wallet:before { + content: "\f1ee"; +} +.fa-gopuram:before { + content: "\f664"; +} +.fa-graduation-cap:before { + content: "\f19d"; +} +.fa-gratipay:before { + content: "\f184"; +} +.fa-grav:before { + content: "\f2d6"; +} +.fa-greater-than:before { + content: "\f531"; +} +.fa-greater-than-equal:before { + content: "\f532"; +} +.fa-grimace:before { + content: "\f57f"; +} +.fa-grin:before { + content: "\f580"; +} +.fa-grin-alt:before { + content: "\f581"; +} +.fa-grin-beam:before { + content: "\f582"; +} +.fa-grin-beam-sweat:before { + content: "\f583"; +} +.fa-grin-hearts:before { + content: "\f584"; +} +.fa-grin-squint:before { + content: "\f585"; +} +.fa-grin-squint-tears:before { + content: "\f586"; +} +.fa-grin-stars:before { + content: "\f587"; +} +.fa-grin-tears:before { + content: "\f588"; +} +.fa-grin-tongue:before { + content: "\f589"; +} +.fa-grin-tongue-squint:before { + content: "\f58a"; +} +.fa-grin-tongue-wink:before { + content: "\f58b"; +} +.fa-grin-wink:before { + content: "\f58c"; +} +.fa-grip-horizontal:before { + content: "\f58d"; +} +.fa-grip-lines:before { + content: "\f7a4"; +} +.fa-grip-lines-vertical:before { + content: "\f7a5"; +} +.fa-grip-vertical:before { + content: "\f58e"; +} +.fa-gripfire:before { + content: "\f3ac"; +} +.fa-grunt:before { + content: "\f3ad"; +} +.fa-guitar:before { + content: "\f7a6"; +} +.fa-gulp:before { + content: "\f3ae"; +} +.fa-h-square:before { + content: "\f0fd"; +} +.fa-hacker-news:before { + content: "\f1d4"; +} +.fa-hacker-news-square:before { + content: "\f3af"; +} +.fa-hackerrank:before { + content: "\f5f7"; +} +.fa-hamburger:before { + content: "\f805"; +} +.fa-hammer:before { + content: "\f6e3"; +} +.fa-hamsa:before { + content: "\f665"; +} +.fa-hand-holding:before { + content: "\f4bd"; +} +.fa-hand-holding-heart:before { + content: "\f4be"; +} +.fa-hand-holding-usd:before { + content: "\f4c0"; +} +.fa-hand-lizard:before { + content: "\f258"; +} +.fa-hand-middle-finger:before { + content: "\f806"; +} +.fa-hand-paper:before { + content: "\f256"; +} +.fa-hand-peace:before { + content: "\f25b"; +} +.fa-hand-point-down:before { + content: "\f0a7"; +} +.fa-hand-point-left:before { + content: "\f0a5"; +} +.fa-hand-point-right:before { + content: "\f0a4"; +} +.fa-hand-point-up:before { + content: "\f0a6"; +} +.fa-hand-pointer:before { + content: "\f25a"; +} +.fa-hand-rock:before { + content: "\f255"; +} +.fa-hand-scissors:before { + content: "\f257"; +} +.fa-hand-spock:before { + content: "\f259"; +} +.fa-hands:before { + content: "\f4c2"; +} +.fa-hands-helping:before { + content: "\f4c4"; +} +.fa-handshake:before { + content: "\f2b5"; +} +.fa-hanukiah:before { + content: "\f6e6"; +} +.fa-hard-hat:before { + content: "\f807"; +} +.fa-hashtag:before { + content: "\f292"; +} +.fa-hat-wizard:before { + content: "\f6e8"; +} +.fa-haykal:before { + content: "\f666"; +} +.fa-hdd:before { + content: "\f0a0"; +} +.fa-heading:before { + content: "\f1dc"; +} +.fa-headphones:before { + content: "\f025"; +} +.fa-headphones-alt:before { + content: "\f58f"; +} +.fa-headset:before { + content: "\f590"; +} +.fa-heart:before { + content: "\f004"; +} +.fa-heart-broken:before { + content: "\f7a9"; +} +.fa-heartbeat:before { + content: "\f21e"; +} +.fa-helicopter:before { + content: "\f533"; +} +.fa-highlighter:before { + content: "\f591"; +} +.fa-hiking:before { + content: "\f6ec"; +} +.fa-hippo:before { + content: "\f6ed"; +} +.fa-hips:before { + content: "\f452"; +} +.fa-hire-a-helper:before { + content: "\f3b0"; +} +.fa-history:before { + content: "\f1da"; +} +.fa-hockey-puck:before { + content: "\f453"; +} +.fa-holly-berry:before { + content: "\f7aa"; +} +.fa-home:before { + content: "\f015"; +} +.fa-hooli:before { + content: "\f427"; +} +.fa-hornbill:before { + content: "\f592"; +} +.fa-horse:before { + content: "\f6f0"; +} +.fa-horse-head:before { + content: "\f7ab"; +} +.fa-hospital:before { + content: "\f0f8"; +} +.fa-hospital-alt:before { + content: "\f47d"; +} +.fa-hospital-symbol:before { + content: "\f47e"; +} +.fa-hot-tub:before { + content: "\f593"; +} +.fa-hotdog:before { + content: "\f80f"; +} +.fa-hotel:before { + content: "\f594"; +} +.fa-hotjar:before { + content: "\f3b1"; +} +.fa-hourglass:before { + content: "\f254"; +} +.fa-hourglass-end:before { + content: "\f253"; +} +.fa-hourglass-half:before { + content: "\f252"; +} +.fa-hourglass-start:before { + content: "\f251"; +} +.fa-house-damage:before { + content: "\f6f1"; +} +.fa-houzz:before { + content: "\f27c"; +} +.fa-hryvnia:before { + content: "\f6f2"; +} +.fa-html5:before { + content: "\f13b"; +} +.fa-hubspot:before { + content: "\f3b2"; +} +.fa-i-cursor:before { + content: "\f246"; +} +.fa-ice-cream:before { + content: "\f810"; +} +.fa-icicles:before { + content: "\f7ad"; +} +.fa-icons:before { + content: "\f86d"; +} +.fa-id-badge:before { + content: "\f2c1"; +} +.fa-id-card:before { + content: "\f2c2"; +} +.fa-id-card-alt:before { + content: "\f47f"; +} +.fa-igloo:before { + content: "\f7ae"; +} +.fa-image:before { + content: "\f03e"; +} +.fa-images:before { + content: "\f302"; +} +.fa-imdb:before { + content: "\f2d8"; +} +.fa-inbox:before { + content: "\f01c"; +} +.fa-indent:before { + content: "\f03c"; +} +.fa-industry:before { + content: "\f275"; +} +.fa-infinity:before { + content: "\f534"; +} +.fa-info:before { + content: "\f129"; +} +.fa-info-circle:before { + content: "\f05a"; +} +.fa-instagram:before { + content: "\f16d"; +} +.fa-intercom:before { + content: "\f7af"; +} +.fa-internet-explorer:before { + content: "\f26b"; +} +.fa-invision:before { + content: "\f7b0"; +} +.fa-ioxhost:before { + content: "\f208"; +} +.fa-italic:before { + content: "\f033"; +} +.fa-itch-io:before { + content: "\f83a"; +} +.fa-itunes:before { + content: "\f3b4"; +} +.fa-itunes-note:before { + content: "\f3b5"; +} +.fa-java:before { + content: "\f4e4"; +} +.fa-jedi:before { + content: "\f669"; +} +.fa-jedi-order:before { + content: "\f50e"; +} +.fa-jenkins:before { + content: "\f3b6"; +} +.fa-jira:before { + content: "\f7b1"; +} +.fa-joget:before { + content: "\f3b7"; +} +.fa-joint:before { + content: "\f595"; +} +.fa-joomla:before { + content: "\f1aa"; +} +.fa-journal-whills:before { + content: "\f66a"; +} +.fa-js:before { + content: "\f3b8"; +} +.fa-js-square:before { + content: "\f3b9"; +} +.fa-jsfiddle:before { + content: "\f1cc"; +} +.fa-kaaba:before { + content: "\f66b"; +} +.fa-kaggle:before { + content: "\f5fa"; +} +.fa-key:before { + content: "\f084"; +} +.fa-keybase:before { + content: "\f4f5"; +} +.fa-keyboard:before { + content: "\f11c"; +} +.fa-keycdn:before { + content: "\f3ba"; +} +.fa-khanda:before { + content: "\f66d"; +} +.fa-kickstarter:before { + content: "\f3bb"; +} +.fa-kickstarter-k:before { + content: "\f3bc"; +} +.fa-kiss:before { + content: "\f596"; +} +.fa-kiss-beam:before { + content: "\f597"; +} +.fa-kiss-wink-heart:before { + content: "\f598"; +} +.fa-kiwi-bird:before { + content: "\f535"; +} +.fa-korvue:before { + content: "\f42f"; +} +.fa-landmark:before { + content: "\f66f"; +} +.fa-language:before { + content: "\f1ab"; +} +.fa-laptop:before { + content: "\f109"; +} +.fa-laptop-code:before { + content: "\f5fc"; +} +.fa-laptop-medical:before { + content: "\f812"; +} +.fa-laravel:before { + content: "\f3bd"; +} +.fa-lastfm:before { + content: "\f202"; +} +.fa-lastfm-square:before { + content: "\f203"; +} +.fa-laugh:before { + content: "\f599"; +} +.fa-laugh-beam:before { + content: "\f59a"; +} +.fa-laugh-squint:before { + content: "\f59b"; +} +.fa-laugh-wink:before { + content: "\f59c"; +} +.fa-layer-group:before { + content: "\f5fd"; +} +.fa-leaf:before { + content: "\f06c"; +} +.fa-leanpub:before { + content: "\f212"; +} +.fa-lemon:before { + content: "\f094"; +} +.fa-less:before { + content: "\f41d"; +} +.fa-less-than:before { + content: "\f536"; +} +.fa-less-than-equal:before { + content: "\f537"; +} +.fa-level-down-alt:before { + content: "\f3be"; +} +.fa-level-up-alt:before { + content: "\f3bf"; +} +.fa-life-ring:before { + content: "\f1cd"; +} +.fa-lightbulb:before { + content: "\f0eb"; +} +.fa-line:before { + content: "\f3c0"; +} +.fa-link:before { + content: "\f0c1"; +} +.fa-linkedin:before { + content: "\f08c"; +} +.fa-linkedin-in:before { + content: "\f0e1"; +} +.fa-linode:before { + content: "\f2b8"; +} +.fa-linux:before { + content: "\f17c"; +} +.fa-lira-sign:before { + content: "\f195"; +} +.fa-list:before { + content: "\f03a"; +} +.fa-list-alt:before { + content: "\f022"; +} +.fa-list-ol:before { + content: "\f0cb"; +} +.fa-list-ul:before { + content: "\f0ca"; +} +.fa-location-arrow:before { + content: "\f124"; +} +.fa-lock:before { + content: "\f023"; +} +.fa-lock-open:before { + content: "\f3c1"; +} +.fa-long-arrow-alt-down:before { + content: "\f309"; +} +.fa-long-arrow-alt-left:before { + content: "\f30a"; +} +.fa-long-arrow-alt-right:before { + content: "\f30b"; +} +.fa-long-arrow-alt-up:before { + content: "\f30c"; +} +.fa-low-vision:before { + content: "\f2a8"; +} +.fa-luggage-cart:before { + content: "\f59d"; +} +.fa-lyft:before { + content: "\f3c3"; +} +.fa-magento:before { + content: "\f3c4"; +} +.fa-magic:before { + content: "\f0d0"; +} +.fa-magnet:before { + content: "\f076"; +} +.fa-mail-bulk:before { + content: "\f674"; +} +.fa-mailchimp:before { + content: "\f59e"; +} +.fa-male:before { + content: "\f183"; +} +.fa-mandalorian:before { + content: "\f50f"; +} +.fa-map:before { + content: "\f279"; +} +.fa-map-marked:before { + content: "\f59f"; +} +.fa-map-marked-alt:before { + content: "\f5a0"; +} +.fa-map-marker:before { + content: "\f041"; +} +.fa-map-marker-alt:before { + content: "\f3c5"; +} +.fa-map-pin:before { + content: "\f276"; +} +.fa-map-signs:before { + content: "\f277"; +} +.fa-markdown:before { + content: "\f60f"; +} +.fa-marker:before { + content: "\f5a1"; +} +.fa-mars:before { + content: "\f222"; +} +.fa-mars-double:before { + content: "\f227"; +} +.fa-mars-stroke:before { + content: "\f229"; +} +.fa-mars-stroke-h:before { + content: "\f22b"; +} +.fa-mars-stroke-v:before { + content: "\f22a"; +} +.fa-mask:before { + content: "\f6fa"; +} +.fa-mastodon:before { + content: "\f4f6"; +} +.fa-maxcdn:before { + content: "\f136"; +} +.fa-medal:before { + content: "\f5a2"; +} +.fa-medapps:before { + content: "\f3c6"; +} +.fa-medium:before { + content: "\f23a"; +} +.fa-medium-m:before { + content: "\f3c7"; +} +.fa-medkit:before { + content: "\f0fa"; +} +.fa-medrt:before { + content: "\f3c8"; +} +.fa-meetup:before { + content: "\f2e0"; +} +.fa-megaport:before { + content: "\f5a3"; +} +.fa-meh:before { + content: "\f11a"; +} +.fa-meh-blank:before { + content: "\f5a4"; +} +.fa-meh-rolling-eyes:before { + content: "\f5a5"; +} +.fa-memory:before { + content: "\f538"; +} +.fa-mendeley:before { + content: "\f7b3"; +} +.fa-menorah:before { + content: "\f676"; +} +.fa-mercury:before { + content: "\f223"; +} +.fa-meteor:before { + content: "\f753"; +} +.fa-microchip:before { + content: "\f2db"; +} +.fa-microphone:before { + content: "\f130"; +} +.fa-microphone-alt:before { + content: "\f3c9"; +} +.fa-microphone-alt-slash:before { + content: "\f539"; +} +.fa-microphone-slash:before { + content: "\f131"; +} +.fa-microscope:before { + content: "\f610"; +} +.fa-microsoft:before { + content: "\f3ca"; +} +.fa-minus:before { + content: "\f068"; +} +.fa-minus-circle:before { + content: "\f056"; +} +.fa-minus-square:before { + content: "\f146"; +} +.fa-mitten:before { + content: "\f7b5"; +} +.fa-mix:before { + content: "\f3cb"; +} +.fa-mixcloud:before { + content: "\f289"; +} +.fa-mizuni:before { + content: "\f3cc"; +} +.fa-mobile:before { + content: "\f10b"; +} +.fa-mobile-alt:before { + content: "\f3cd"; +} +.fa-modx:before { + content: "\f285"; +} +.fa-monero:before { + content: "\f3d0"; +} +.fa-money-bill:before { + content: "\f0d6"; +} +.fa-money-bill-alt:before { + content: "\f3d1"; +} +.fa-money-bill-wave:before { + content: "\f53a"; +} +.fa-money-bill-wave-alt:before { + content: "\f53b"; +} +.fa-money-check:before { + content: "\f53c"; +} +.fa-money-check-alt:before { + content: "\f53d"; +} +.fa-monument:before { + content: "\f5a6"; +} +.fa-moon:before { + content: "\f186"; +} +.fa-mortar-pestle:before { + content: "\f5a7"; +} +.fa-mosque:before { + content: "\f678"; +} +.fa-motorcycle:before { + content: "\f21c"; +} +.fa-mountain:before { + content: "\f6fc"; +} +.fa-mouse-pointer:before { + content: "\f245"; +} +.fa-mug-hot:before { + content: "\f7b6"; +} +.fa-music:before { + content: "\f001"; +} +.fa-napster:before { + content: "\f3d2"; +} +.fa-neos:before { + content: "\f612"; +} +.fa-network-wired:before { + content: "\f6ff"; +} +.fa-neuter:before { + content: "\f22c"; +} +.fa-newspaper:before { + content: "\f1ea"; +} +.fa-nimblr:before { + content: "\f5a8"; +} +.fa-node:before { + content: "\f419"; +} +.fa-node-js:before { + content: "\f3d3"; +} +.fa-not-equal:before { + content: "\f53e"; +} +.fa-notes-medical:before { + content: "\f481"; +} +.fa-npm:before { + content: "\f3d4"; +} +.fa-ns8:before { + content: "\f3d5"; +} +.fa-nutritionix:before { + content: "\f3d6"; +} +.fa-object-group:before { + content: "\f247"; +} +.fa-object-ungroup:before { + content: "\f248"; +} +.fa-odnoklassniki:before { + content: "\f263"; +} +.fa-odnoklassniki-square:before { + content: "\f264"; +} +.fa-oil-can:before { + content: "\f613"; +} +.fa-old-republic:before { + content: "\f510"; +} +.fa-om:before { + content: "\f679"; +} +.fa-opencart:before { + content: "\f23d"; +} +.fa-openid:before { + content: "\f19b"; +} +.fa-opera:before { + content: "\f26a"; +} +.fa-optin-monster:before { + content: "\f23c"; +} +.fa-osi:before { + content: "\f41a"; +} +.fa-otter:before { + content: "\f700"; +} +.fa-outdent:before { + content: "\f03b"; +} +.fa-page4:before { + content: "\f3d7"; +} +.fa-pagelines:before { + content: "\f18c"; +} +.fa-pager:before { + content: "\f815"; +} +.fa-paint-brush:before { + content: "\f1fc"; +} +.fa-paint-roller:before { + content: "\f5aa"; +} +.fa-palette:before { + content: "\f53f"; +} +.fa-palfed:before { + content: "\f3d8"; +} +.fa-pallet:before { + content: "\f482"; +} +.fa-paper-plane:before { + content: "\f1d8"; +} +.fa-paperclip:before { + content: "\f0c6"; +} +.fa-parachute-box:before { + content: "\f4cd"; +} +.fa-paragraph:before { + content: "\f1dd"; +} +.fa-parking:before { + content: "\f540"; +} +.fa-passport:before { + content: "\f5ab"; +} +.fa-pastafarianism:before { + content: "\f67b"; +} +.fa-paste:before { + content: "\f0ea"; +} +.fa-patreon:before { + content: "\f3d9"; +} +.fa-pause:before { + content: "\f04c"; +} +.fa-pause-circle:before { + content: "\f28b"; +} +.fa-paw:before { + content: "\f1b0"; +} +.fa-paypal:before { + content: "\f1ed"; +} +.fa-peace:before { + content: "\f67c"; +} +.fa-pen:before { + content: "\f304"; +} +.fa-pen-alt:before { + content: "\f305"; +} +.fa-pen-fancy:before { + content: "\f5ac"; +} +.fa-pen-nib:before { + content: "\f5ad"; +} +.fa-pen-square:before { + content: "\f14b"; +} +.fa-pencil-alt:before { + content: "\f303"; +} +.fa-pencil-ruler:before { + content: "\f5ae"; +} +.fa-penny-arcade:before { + content: "\f704"; +} +.fa-people-carry:before { + content: "\f4ce"; +} +.fa-pepper-hot:before { + content: "\f816"; +} +.fa-percent:before { + content: "\f295"; +} +.fa-percentage:before { + content: "\f541"; +} +.fa-periscope:before { + content: "\f3da"; +} +.fa-person-booth:before { + content: "\f756"; +} +.fa-phabricator:before { + content: "\f3db"; +} +.fa-phoenix-framework:before { + content: "\f3dc"; +} +.fa-phoenix-squadron:before { + content: "\f511"; +} +.fa-phone:before { + content: "\f095"; +} +.fa-phone-alt:before { + content: "\f879"; +} +.fa-phone-slash:before { + content: "\f3dd"; +} +.fa-phone-square:before { + content: "\f098"; +} +.fa-phone-square-alt:before { + content: "\f87b"; +} +.fa-phone-volume:before { + content: "\f2a0"; +} +.fa-photo-video:before { + content: "\f87c"; +} +.fa-php:before { + content: "\f457"; +} +.fa-pied-piper:before { + content: "\f2ae"; +} +.fa-pied-piper-alt:before { + content: "\f1a8"; +} +.fa-pied-piper-hat:before { + content: "\f4e5"; +} +.fa-pied-piper-pp:before { + content: "\f1a7"; +} +.fa-piggy-bank:before { + content: "\f4d3"; +} +.fa-pills:before { + content: "\f484"; +} +.fa-pinterest:before { + content: "\f0d2"; +} +.fa-pinterest-p:before { + content: "\f231"; +} +.fa-pinterest-square:before { + content: "\f0d3"; +} +.fa-pizza-slice:before { + content: "\f818"; +} +.fa-place-of-worship:before { + content: "\f67f"; +} +.fa-plane:before { + content: "\f072"; +} +.fa-plane-arrival:before { + content: "\f5af"; +} +.fa-plane-departure:before { + content: "\f5b0"; +} +.fa-play:before { + content: "\f04b"; +} +.fa-play-circle:before { + content: "\f144"; +} +.fa-playstation:before { + content: "\f3df"; +} +.fa-plug:before { + content: "\f1e6"; +} +.fa-plus:before { + content: "\f067"; +} +.fa-plus-circle:before { + content: "\f055"; +} +.fa-plus-square:before { + content: "\f0fe"; +} +.fa-podcast:before { + content: "\f2ce"; +} +.fa-poll:before { + content: "\f681"; +} +.fa-poll-h:before { + content: "\f682"; +} +.fa-poo:before { + content: "\f2fe"; +} +.fa-poo-storm:before { + content: "\f75a"; +} +.fa-poop:before { + content: "\f619"; +} +.fa-portrait:before { + content: "\f3e0"; +} +.fa-pound-sign:before { + content: "\f154"; +} +.fa-power-off:before { + content: "\f011"; +} +.fa-pray:before { + content: "\f683"; +} +.fa-praying-hands:before { + content: "\f684"; +} +.fa-prescription:before { + content: "\f5b1"; +} +.fa-prescription-bottle:before { + content: "\f485"; +} +.fa-prescription-bottle-alt:before { + content: "\f486"; +} +.fa-print:before { + content: "\f02f"; +} +.fa-procedures:before { + content: "\f487"; +} +.fa-product-hunt:before { + content: "\f288"; +} +.fa-project-diagram:before { + content: "\f542"; +} +.fa-pushed:before { + content: "\f3e1"; +} +.fa-puzzle-piece:before { + content: "\f12e"; +} +.fa-python:before { + content: "\f3e2"; +} +.fa-qq:before { + content: "\f1d6"; +} +.fa-qrcode:before { + content: "\f029"; +} +.fa-question:before { + content: "\f128"; +} +.fa-question-circle:before { + content: "\f059"; +} +.fa-quidditch:before { + content: "\f458"; +} +.fa-quinscape:before { + content: "\f459"; +} +.fa-quora:before { + content: "\f2c4"; +} +.fa-quote-left:before { + content: "\f10d"; +} +.fa-quote-right:before { + content: "\f10e"; +} +.fa-quran:before { + content: "\f687"; +} +.fa-r-project:before { + content: "\f4f7"; +} +.fa-radiation:before { + content: "\f7b9"; +} +.fa-radiation-alt:before { + content: "\f7ba"; +} +.fa-rainbow:before { + content: "\f75b"; +} +.fa-random:before { + content: "\f074"; +} +.fa-raspberry-pi:before { + content: "\f7bb"; +} +.fa-ravelry:before { + content: "\f2d9"; +} +.fa-react:before { + content: "\f41b"; +} +.fa-reacteurope:before { + content: "\f75d"; +} +.fa-readme:before { + content: "\f4d5"; +} +.fa-rebel:before { + content: "\f1d0"; +} +.fa-receipt:before { + content: "\f543"; +} +.fa-recycle:before { + content: "\f1b8"; +} +.fa-red-river:before { + content: "\f3e3"; +} +.fa-reddit:before { + content: "\f1a1"; +} +.fa-reddit-alien:before { + content: "\f281"; +} +.fa-reddit-square:before { + content: "\f1a2"; +} +.fa-redhat:before { + content: "\f7bc"; +} +.fa-redo:before { + content: "\f01e"; +} +.fa-redo-alt:before { + content: "\f2f9"; +} +.fa-registered:before { + content: "\f25d"; +} +.fa-remove-format:before { + content: "\f87d"; +} +.fa-renren:before { + content: "\f18b"; +} +.fa-reply:before { + content: "\f3e5"; +} +.fa-reply-all:before { + content: "\f122"; +} +.fa-replyd:before { + content: "\f3e6"; +} +.fa-republican:before { + content: "\f75e"; +} +.fa-researchgate:before { + content: "\f4f8"; +} +.fa-resolving:before { + content: "\f3e7"; +} +.fa-restroom:before { + content: "\f7bd"; +} +.fa-retweet:before { + content: "\f079"; +} +.fa-rev:before { + content: "\f5b2"; +} +.fa-ribbon:before { + content: "\f4d6"; +} +.fa-ring:before { + content: "\f70b"; +} +.fa-road:before { + content: "\f018"; +} +.fa-robot:before { + content: "\f544"; +} +.fa-rocket:before { + content: "\f135"; +} +.fa-rocketchat:before { + content: "\f3e8"; +} +.fa-rockrms:before { + content: "\f3e9"; +} +.fa-route:before { + content: "\f4d7"; +} +.fa-rss:before { + content: "\f09e"; +} +.fa-rss-square:before { + content: "\f143"; +} +.fa-ruble-sign:before { + content: "\f158"; +} +.fa-ruler:before { + content: "\f545"; +} +.fa-ruler-combined:before { + content: "\f546"; +} +.fa-ruler-horizontal:before { + content: "\f547"; +} +.fa-ruler-vertical:before { + content: "\f548"; +} +.fa-running:before { + content: "\f70c"; +} +.fa-rupee-sign:before { + content: "\f156"; +} +.fa-sad-cry:before { + content: "\f5b3"; +} +.fa-sad-tear:before { + content: "\f5b4"; +} +.fa-safari:before { + content: "\f267"; +} +.fa-salesforce:before { + content: "\f83b"; +} +.fa-sass:before { + content: "\f41e"; +} +.fa-satellite:before { + content: "\f7bf"; +} +.fa-satellite-dish:before { + content: "\f7c0"; +} +.fa-save:before { + content: "\f0c7"; +} +.fa-schlix:before { + content: "\f3ea"; +} +.fa-school:before { + content: "\f549"; +} +.fa-screwdriver:before { + content: "\f54a"; +} +.fa-scribd:before { + content: "\f28a"; +} +.fa-scroll:before { + content: "\f70e"; +} +.fa-sd-card:before { + content: "\f7c2"; +} +.fa-search:before { + content: "\f002"; +} +.fa-search-dollar:before { + content: "\f688"; +} +.fa-search-location:before { + content: "\f689"; +} +.fa-search-minus:before { + content: "\f010"; +} +.fa-search-plus:before { + content: "\f00e"; +} +.fa-searchengin:before { + content: "\f3eb"; +} +.fa-seedling:before { + content: "\f4d8"; +} +.fa-sellcast:before { + content: "\f2da"; +} +.fa-sellsy:before { + content: "\f213"; +} +.fa-server:before { + content: "\f233"; +} +.fa-servicestack:before { + content: "\f3ec"; +} +.fa-shapes:before { + content: "\f61f"; +} +.fa-share:before { + content: "\f064"; +} +.fa-share-alt:before { + content: "\f1e0"; +} +.fa-share-alt-square:before { + content: "\f1e1"; +} +.fa-share-square:before { + content: "\f14d"; +} +.fa-shekel-sign:before { + content: "\f20b"; +} +.fa-shield-alt:before { + content: "\f3ed"; +} +.fa-ship:before { + content: "\f21a"; +} +.fa-shipping-fast:before { + content: "\f48b"; +} +.fa-shirtsinbulk:before { + content: "\f214"; +} +.fa-shoe-prints:before { + content: "\f54b"; +} +.fa-shopping-bag:before { + content: "\f290"; +} +.fa-shopping-basket:before { + content: "\f291"; +} +.fa-shopping-cart:before { + content: "\f07a"; +} +.fa-shopware:before { + content: "\f5b5"; +} +.fa-shower:before { + content: "\f2cc"; +} +.fa-shuttle-van:before { + content: "\f5b6"; +} +.fa-sign:before { + content: "\f4d9"; +} +.fa-sign-in-alt:before { + content: "\f2f6"; +} +.fa-sign-language:before { + content: "\f2a7"; +} +.fa-sign-out-alt:before { + content: "\f2f5"; +} +.fa-signal:before { + content: "\f012"; +} +.fa-signature:before { + content: "\f5b7"; +} +.fa-sim-card:before { + content: "\f7c4"; +} +.fa-simplybuilt:before { + content: "\f215"; +} +.fa-sistrix:before { + content: "\f3ee"; +} +.fa-sitemap:before { + content: "\f0e8"; +} +.fa-sith:before { + content: "\f512"; +} +.fa-skating:before { + content: "\f7c5"; +} +.fa-sketch:before { + content: "\f7c6"; +} +.fa-skiing:before { + content: "\f7c9"; +} +.fa-skiing-nordic:before { + content: "\f7ca"; +} +.fa-skull:before { + content: "\f54c"; +} +.fa-skull-crossbones:before { + content: "\f714"; +} +.fa-skyatlas:before { + content: "\f216"; +} +.fa-skype:before { + content: "\f17e"; +} +.fa-slack:before { + content: "\f198"; +} +.fa-slack-hash:before { + content: "\f3ef"; +} +.fa-slash:before { + content: "\f715"; +} +.fa-sleigh:before { + content: "\f7cc"; +} +.fa-sliders-h:before { + content: "\f1de"; +} +.fa-slideshare:before { + content: "\f1e7"; +} +.fa-smile:before { + content: "\f118"; +} +.fa-smile-beam:before { + content: "\f5b8"; +} +.fa-smile-wink:before { + content: "\f4da"; +} +.fa-smog:before { + content: "\f75f"; +} +.fa-smoking:before { + content: "\f48d"; +} +.fa-smoking-ban:before { + content: "\f54d"; +} +.fa-sms:before { + content: "\f7cd"; +} +.fa-snapchat:before { + content: "\f2ab"; +} +.fa-snapchat-ghost:before { + content: "\f2ac"; +} +.fa-snapchat-square:before { + content: "\f2ad"; +} +.fa-snowboarding:before { + content: "\f7ce"; +} +.fa-snowflake:before { + content: "\f2dc"; +} +.fa-snowman:before { + content: "\f7d0"; +} +.fa-snowplow:before { + content: "\f7d2"; +} +.fa-socks:before { + content: "\f696"; +} +.fa-solar-panel:before { + content: "\f5ba"; +} +.fa-sort:before { + content: "\f0dc"; +} +.fa-sort-alpha-down:before { + content: "\f15d"; +} +.fa-sort-alpha-down-alt:before { + content: "\f881"; +} +.fa-sort-alpha-up:before { + content: "\f15e"; +} +.fa-sort-alpha-up-alt:before { + content: "\f882"; +} +.fa-sort-amount-down:before { + content: "\f160"; +} +.fa-sort-amount-down-alt:before { + content: "\f884"; +} +.fa-sort-amount-up:before { + content: "\f161"; +} +.fa-sort-amount-up-alt:before { + content: "\f885"; +} +.fa-sort-down:before { + content: "\f0dd"; +} +.fa-sort-numeric-down:before { + content: "\f162"; +} +.fa-sort-numeric-down-alt:before { + content: "\f886"; +} +.fa-sort-numeric-up:before { + content: "\f163"; +} +.fa-sort-numeric-up-alt:before { + content: "\f887"; +} +.fa-sort-up:before { + content: "\f0de"; +} +.fa-soundcloud:before { + content: "\f1be"; +} +.fa-sourcetree:before { + content: "\f7d3"; +} +.fa-spa:before { + content: "\f5bb"; +} +.fa-space-shuttle:before { + content: "\f197"; +} +.fa-speakap:before { + content: "\f3f3"; +} +.fa-speaker-deck:before { + content: "\f83c"; +} +.fa-spell-check:before { + content: "\f891"; +} +.fa-spider:before { + content: "\f717"; +} +.fa-spinner:before { + content: "\f110"; +} +.fa-splotch:before { + content: "\f5bc"; +} +.fa-spotify:before { + content: "\f1bc"; +} +.fa-spray-can:before { + content: "\f5bd"; +} +.fa-square:before { + content: "\f0c8"; +} +.fa-square-full:before { + content: "\f45c"; +} +.fa-square-root-alt:before { + content: "\f698"; +} +.fa-squarespace:before { + content: "\f5be"; +} +.fa-stack-exchange:before { + content: "\f18d"; +} +.fa-stack-overflow:before { + content: "\f16c"; +} +.fa-stackpath:before { + content: "\f842"; +} +.fa-stamp:before { + content: "\f5bf"; +} +.fa-star:before { + content: "\f005"; +} +.fa-star-and-crescent:before { + content: "\f699"; +} +.fa-star-half:before { + content: "\f089"; +} +.fa-star-half-alt:before { + content: "\f5c0"; +} +.fa-star-of-david:before { + content: "\f69a"; +} +.fa-star-of-life:before { + content: "\f621"; +} +.fa-staylinked:before { + content: "\f3f5"; +} +.fa-steam:before { + content: "\f1b6"; +} +.fa-steam-square:before { + content: "\f1b7"; +} +.fa-steam-symbol:before { + content: "\f3f6"; +} +.fa-step-backward:before { + content: "\f048"; +} +.fa-step-forward:before { + content: "\f051"; +} +.fa-stethoscope:before { + content: "\f0f1"; +} +.fa-sticker-mule:before { + content: "\f3f7"; +} +.fa-sticky-note:before { + content: "\f249"; +} +.fa-stop:before { + content: "\f04d"; +} +.fa-stop-circle:before { + content: "\f28d"; +} +.fa-stopwatch:before { + content: "\f2f2"; +} +.fa-store:before { + content: "\f54e"; +} +.fa-store-alt:before { + content: "\f54f"; +} +.fa-strava:before { + content: "\f428"; +} +.fa-stream:before { + content: "\f550"; +} +.fa-street-view:before { + content: "\f21d"; +} +.fa-strikethrough:before { + content: "\f0cc"; +} +.fa-stripe:before { + content: "\f429"; +} +.fa-stripe-s:before { + content: "\f42a"; +} +.fa-stroopwafel:before { + content: "\f551"; +} +.fa-studiovinari:before { + content: "\f3f8"; +} +.fa-stumbleupon:before { + content: "\f1a4"; +} +.fa-stumbleupon-circle:before { + content: "\f1a3"; +} +.fa-subscript:before { + content: "\f12c"; +} +.fa-subway:before { + content: "\f239"; +} +.fa-suitcase:before { + content: "\f0f2"; +} +.fa-suitcase-rolling:before { + content: "\f5c1"; +} +.fa-sun:before { + content: "\f185"; +} +.fa-superpowers:before { + content: "\f2dd"; +} +.fa-superscript:before { + content: "\f12b"; +} +.fa-supple:before { + content: "\f3f9"; +} +.fa-surprise:before { + content: "\f5c2"; +} +.fa-suse:before { + content: "\f7d6"; +} +.fa-swatchbook:before { + content: "\f5c3"; +} +.fa-swimmer:before { + content: "\f5c4"; +} +.fa-swimming-pool:before { + content: "\f5c5"; +} +.fa-symfony:before { + content: "\f83d"; +} +.fa-synagogue:before { + content: "\f69b"; +} +.fa-sync:before { + content: "\f021"; +} +.fa-sync-alt:before { + content: "\f2f1"; +} +.fa-syringe:before { + content: "\f48e"; +} +.fa-table:before { + content: "\f0ce"; +} +.fa-table-tennis:before { + content: "\f45d"; +} +.fa-tablet:before { + content: "\f10a"; +} +.fa-tablet-alt:before { + content: "\f3fa"; +} +.fa-tablets:before { + content: "\f490"; +} +.fa-tachometer-alt:before { + content: "\f3fd"; +} +.fa-tag:before { + content: "\f02b"; +} +.fa-tags:before { + content: "\f02c"; +} +.fa-tape:before { + content: "\f4db"; +} +.fa-tasks:before { + content: "\f0ae"; +} +.fa-taxi:before { + content: "\f1ba"; +} +.fa-teamspeak:before { + content: "\f4f9"; +} +.fa-teeth:before { + content: "\f62e"; +} +.fa-teeth-open:before { + content: "\f62f"; +} +.fa-telegram:before { + content: "\f2c6"; +} +.fa-telegram-plane:before { + content: "\f3fe"; +} +.fa-temperature-high:before { + content: "\f769"; +} +.fa-temperature-low:before { + content: "\f76b"; +} +.fa-tencent-weibo:before { + content: "\f1d5"; +} +.fa-tenge:before { + content: "\f7d7"; +} +.fa-terminal:before { + content: "\f120"; +} +.fa-text-height:before { + content: "\f034"; +} +.fa-text-width:before { + content: "\f035"; +} +.fa-th:before { + content: "\f00a"; +} +.fa-th-large:before { + content: "\f009"; +} +.fa-th-list:before { + content: "\f00b"; +} +.fa-the-red-yeti:before { + content: "\f69d"; +} +.fa-theater-masks:before { + content: "\f630"; +} +.fa-themeco:before { + content: "\f5c6"; +} +.fa-themeisle:before { + content: "\f2b2"; +} +.fa-thermometer:before { + content: "\f491"; +} +.fa-thermometer-empty:before { + content: "\f2cb"; +} +.fa-thermometer-full:before { + content: "\f2c7"; +} +.fa-thermometer-half:before { + content: "\f2c9"; +} +.fa-thermometer-quarter:before { + content: "\f2ca"; +} +.fa-thermometer-three-quarters:before { + content: "\f2c8"; +} +.fa-think-peaks:before { + content: "\f731"; +} +.fa-thumbs-down:before { + content: "\f165"; +} +.fa-thumbs-up:before { + content: "\f164"; +} +.fa-thumbtack:before { + content: "\f08d"; +} +.fa-ticket-alt:before { + content: "\f3ff"; +} +.fa-times:before { + content: "\f00d"; +} +.fa-times-circle:before { + content: "\f057"; +} +.fa-tint:before { + content: "\f043"; +} +.fa-tint-slash:before { + content: "\f5c7"; +} +.fa-tired:before { + content: "\f5c8"; +} +.fa-toggle-off:before { + content: "\f204"; +} +.fa-toggle-on:before { + content: "\f205"; +} +.fa-toilet:before { + content: "\f7d8"; +} +.fa-toilet-paper:before { + content: "\f71e"; +} +.fa-toolbox:before { + content: "\f552"; +} +.fa-tools:before { + content: "\f7d9"; +} +.fa-tooth:before { + content: "\f5c9"; +} +.fa-torah:before { + content: "\f6a0"; +} +.fa-torii-gate:before { + content: "\f6a1"; +} +.fa-tractor:before { + content: "\f722"; +} +.fa-trade-federation:before { + content: "\f513"; +} +.fa-trademark:before { + content: "\f25c"; +} +.fa-traffic-light:before { + content: "\f637"; +} +.fa-train:before { + content: "\f238"; +} +.fa-tram:before { + content: "\f7da"; +} +.fa-transgender:before { + content: "\f224"; +} +.fa-transgender-alt:before { + content: "\f225"; +} +.fa-trash:before { + content: "\f1f8"; +} +.fa-trash-alt:before { + content: "\f2ed"; +} +.fa-trash-restore:before { + content: "\f829"; +} +.fa-trash-restore-alt:before { + content: "\f82a"; +} +.fa-tree:before { + content: "\f1bb"; +} +.fa-trello:before { + content: "\f181"; +} +.fa-tripadvisor:before { + content: "\f262"; +} +.fa-trophy:before { + content: "\f091"; +} +.fa-truck:before { + content: "\f0d1"; +} +.fa-truck-loading:before { + content: "\f4de"; +} +.fa-truck-monster:before { + content: "\f63b"; +} +.fa-truck-moving:before { + content: "\f4df"; +} +.fa-truck-pickup:before { + content: "\f63c"; +} +.fa-tshirt:before { + content: "\f553"; +} +.fa-tty:before { + content: "\f1e4"; +} +.fa-tumblr:before { + content: "\f173"; +} +.fa-tumblr-square:before { + content: "\f174"; +} +.fa-tv:before { + content: "\f26c"; +} +.fa-twitch:before { + content: "\f1e8"; +} +.fa-twitter:before { + content: "\f099"; +} +.fa-twitter-square:before { + content: "\f081"; +} +.fa-typo3:before { + content: "\f42b"; +} +.fa-uber:before { + content: "\f402"; +} +.fa-ubuntu:before { + content: "\f7df"; +} +.fa-uikit:before { + content: "\f403"; +} +.fa-umbrella:before { + content: "\f0e9"; +} +.fa-umbrella-beach:before { + content: "\f5ca"; +} +.fa-underline:before { + content: "\f0cd"; +} +.fa-undo:before { + content: "\f0e2"; +} +.fa-undo-alt:before { + content: "\f2ea"; +} +.fa-uniregistry:before { + content: "\f404"; +} +.fa-universal-access:before { + content: "\f29a"; +} +.fa-university:before { + content: "\f19c"; +} +.fa-unlink:before { + content: "\f127"; +} +.fa-unlock:before { + content: "\f09c"; +} +.fa-unlock-alt:before { + content: "\f13e"; +} +.fa-untappd:before { + content: "\f405"; +} +.fa-upload:before { + content: "\f093"; +} +.fa-ups:before { + content: "\f7e0"; +} +.fa-usb:before { + content: "\f287"; +} +.fa-user:before { + content: "\f007"; +} +.fa-user-alt:before { + content: "\f406"; +} +.fa-user-alt-slash:before { + content: "\f4fa"; +} +.fa-user-astronaut:before { + content: "\f4fb"; +} +.fa-user-check:before { + content: "\f4fc"; +} +.fa-user-circle:before { + content: "\f2bd"; +} +.fa-user-clock:before { + content: "\f4fd"; +} +.fa-user-cog:before { + content: "\f4fe"; +} +.fa-user-edit:before { + content: "\f4ff"; +} +.fa-user-friends:before { + content: "\f500"; +} +.fa-user-graduate:before { + content: "\f501"; +} +.fa-user-injured:before { + content: "\f728"; +} +.fa-user-lock:before { + content: "\f502"; +} +.fa-user-md:before { + content: "\f0f0"; +} +.fa-user-minus:before { + content: "\f503"; +} +.fa-user-ninja:before { + content: "\f504"; +} +.fa-user-nurse:before { + content: "\f82f"; +} +.fa-user-plus:before { + content: "\f234"; +} +.fa-user-secret:before { + content: "\f21b"; +} +.fa-user-shield:before { + content: "\f505"; +} +.fa-user-slash:before { + content: "\f506"; +} +.fa-user-tag:before { + content: "\f507"; +} +.fa-user-tie:before { + content: "\f508"; +} +.fa-user-times:before { + content: "\f235"; +} +.fa-users:before { + content: "\f0c0"; +} +.fa-users-cog:before { + content: "\f509"; +} +.fa-usps:before { + content: "\f7e1"; +} +.fa-ussunnah:before { + content: "\f407"; +} +.fa-utensil-spoon:before { + content: "\f2e5"; +} +.fa-utensils:before { + content: "\f2e7"; +} +.fa-vaadin:before { + content: "\f408"; +} +.fa-vector-square:before { + content: "\f5cb"; +} +.fa-venus:before { + content: "\f221"; +} +.fa-venus-double:before { + content: "\f226"; +} +.fa-venus-mars:before { + content: "\f228"; +} +.fa-viacoin:before { + content: "\f237"; +} +.fa-viadeo:before { + content: "\f2a9"; +} +.fa-viadeo-square:before { + content: "\f2aa"; +} +.fa-vial:before { + content: "\f492"; +} +.fa-vials:before { + content: "\f493"; +} +.fa-viber:before { + content: "\f409"; +} +.fa-video:before { + content: "\f03d"; +} +.fa-video-slash:before { + content: "\f4e2"; +} +.fa-vihara:before { + content: "\f6a7"; +} +.fa-vimeo:before { + content: "\f40a"; +} +.fa-vimeo-square:before { + content: "\f194"; +} +.fa-vimeo-v:before { + content: "\f27d"; +} +.fa-vine:before { + content: "\f1ca"; +} +.fa-vk:before { + content: "\f189"; +} +.fa-vnv:before { + content: "\f40b"; +} +.fa-voicemail:before { + content: "\f897"; +} +.fa-volleyball-ball:before { + content: "\f45f"; +} +.fa-volume-down:before { + content: "\f027"; +} +.fa-volume-mute:before { + content: "\f6a9"; +} +.fa-volume-off:before { + content: "\f026"; +} +.fa-volume-up:before { + content: "\f028"; +} +.fa-vote-yea:before { + content: "\f772"; +} +.fa-vr-cardboard:before { + content: "\f729"; +} +.fa-vuejs:before { + content: "\f41f"; +} +.fa-walking:before { + content: "\f554"; +} +.fa-wallet:before { + content: "\f555"; +} +.fa-warehouse:before { + content: "\f494"; +} +.fa-water:before { + content: "\f773"; +} +.fa-wave-square:before { + content: "\f83e"; +} +.fa-waze:before { + content: "\f83f"; +} +.fa-weebly:before { + content: "\f5cc"; +} +.fa-weibo:before { + content: "\f18a"; +} +.fa-weight:before { + content: "\f496"; +} +.fa-weight-hanging:before { + content: "\f5cd"; +} +.fa-weixin:before { + content: "\f1d7"; +} +.fa-whatsapp:before { + content: "\f232"; +} +.fa-whatsapp-square:before { + content: "\f40c"; +} +.fa-wheelchair:before { + content: "\f193"; +} +.fa-whmcs:before { + content: "\f40d"; +} +.fa-wifi:before { + content: "\f1eb"; +} +.fa-wikipedia-w:before { + content: "\f266"; +} +.fa-wind:before { + content: "\f72e"; +} +.fa-window-close:before { + content: "\f410"; +} +.fa-window-maximize:before { + content: "\f2d0"; +} +.fa-window-minimize:before { + content: "\f2d1"; +} +.fa-window-restore:before { + content: "\f2d2"; +} +.fa-windows:before { + content: "\f17a"; +} +.fa-wine-bottle:before { + content: "\f72f"; +} +.fa-wine-glass:before { + content: "\f4e3"; +} +.fa-wine-glass-alt:before { + content: "\f5ce"; +} +.fa-wix:before { + content: "\f5cf"; +} +.fa-wizards-of-the-coast:before { + content: "\f730"; +} +.fa-wolf-pack-battalion:before { + content: "\f514"; +} +.fa-won-sign:before { + content: "\f159"; +} +.fa-wordpress:before { + content: "\f19a"; +} +.fa-wordpress-simple:before { + content: "\f411"; +} +.fa-wpbeginner:before { + content: "\f297"; +} +.fa-wpexplorer:before { + content: "\f2de"; +} +.fa-wpforms:before { + content: "\f298"; +} +.fa-wpressr:before { + content: "\f3e4"; +} +.fa-wrench:before { + content: "\f0ad"; +} +.fa-x-ray:before { + content: "\f497"; +} +.fa-xbox:before { + content: "\f412"; +} +.fa-xing:before { + content: "\f168"; +} +.fa-xing-square:before { + content: "\f169"; +} +.fa-y-combinator:before { + content: "\f23b"; +} +.fa-yahoo:before { + content: "\f19e"; +} +.fa-yammer:before { + content: "\f840"; +} +.fa-yandex:before { + content: "\f413"; +} +.fa-yandex-international:before { + content: "\f414"; +} +.fa-yarn:before { + content: "\f7e3"; +} +.fa-yelp:before { + content: "\f1e9"; +} +.fa-yen-sign:before { + content: "\f157"; +} +.fa-yin-yang:before { + content: "\f6ad"; +} +.fa-yoast:before { + content: "\f2b1"; +} +.fa-youtube:before { + content: "\f167"; +} +.fa-youtube-square:before { + content: "\f431"; +} +.fa-zhihu:before { + content: "\f63f"; +} +.sr-only { + border: 0; + clip: rect(0, 0, 0, 0); + height: 1px; + margin: -1px; + overflow: hidden; + padding: 0; + position: absolute; + width: 1px; +} +.sr-only-focusable:active, +.sr-only-focusable:focus { + clip: auto; + height: auto; + margin: 0; + overflow: visible; + position: static; + width: auto; +} +@font-face { + font-family: "Font Awesome 5 Free"; + font-style: normal; + font-weight: 400; + font-display: auto; + src: url(fa-regular-400.eot); + src: url(fa-regular-400.eot?#iefix) format("embedded-opentype"), + url(fa-regular-400.woff) format("woff"); +} +.far { + font-weight: 400; +} +@font-face { + font-family: "Font Awesome 5 Free"; + font-style: normal; + font-weight: 900; + font-display: auto; + src: url(fa-solid-900.eot); + src: url(fa-solid-900.eot?#iefix) format("embedded-opentype"), + url(fa-solid-900.woff) format("woff"); +} +.fa, +.far, +.fas { + font-family: "Font Awesome 5 Free"; +} +.fa, +.fas { + font-weight: 900; +} diff --git a/html/font-awesome/css/v4-shims.min.css b/html/font-awesome/css/v4-shims.min.css index b2b65a4ea194..9316727d18d3 100644 --- a/html/font-awesome/css/v4-shims.min.css +++ b/html/font-awesome/css/v4-shims.min.css @@ -2,4 +2,1693 @@ * Font Awesome Free 5.9.0 by @fontawesome - https://fontawesome.com * License - https://fontawesome.com/license/free (Icons: CC BY 4.0, Fonts: SIL OFL 1.1, Code: MIT License) */ -.fa.fa-glass:before{content:"\f000"}.fa.fa-meetup{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-star-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-star-o:before{content:"\f005"}.fa.fa-close:before,.fa.fa-remove:before{content:"\f00d"}.fa.fa-gear:before{content:"\f013"}.fa.fa-trash-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-trash-o:before{content:"\f2ed"}.fa.fa-file-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-file-o:before{content:"\f15b"}.fa.fa-clock-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-clock-o:before{content:"\f017"}.fa.fa-arrow-circle-o-down{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-arrow-circle-o-down:before{content:"\f358"}.fa.fa-arrow-circle-o-up{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-arrow-circle-o-up:before{content:"\f35b"}.fa.fa-play-circle-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-play-circle-o:before{content:"\f144"}.fa.fa-repeat:before,.fa.fa-rotate-right:before{content:"\f01e"}.fa.fa-refresh:before{content:"\f021"}.fa.fa-list-alt{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-dedent:before{content:"\f03b"}.fa.fa-video-camera:before{content:"\f03d"}.fa.fa-picture-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-picture-o:before{content:"\f03e"}.fa.fa-photo{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-photo:before{content:"\f03e"}.fa.fa-image{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-image:before{content:"\f03e"}.fa.fa-pencil:before{content:"\f303"}.fa.fa-map-marker:before{content:"\f3c5"}.fa.fa-pencil-square-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-pencil-square-o:before{content:"\f044"}.fa.fa-share-square-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-share-square-o:before{content:"\f14d"}.fa.fa-check-square-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-check-square-o:before{content:"\f14a"}.fa.fa-arrows:before{content:"\f0b2"}.fa.fa-times-circle-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-times-circle-o:before{content:"\f057"}.fa.fa-check-circle-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-check-circle-o:before{content:"\f058"}.fa.fa-mail-forward:before{content:"\f064"}.fa.fa-eye,.fa.fa-eye-slash{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-warning:before{content:"\f071"}.fa.fa-calendar:before{content:"\f073"}.fa.fa-arrows-v:before{content:"\f338"}.fa.fa-arrows-h:before{content:"\f337"}.fa.fa-bar-chart{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-bar-chart:before{content:"\f080"}.fa.fa-bar-chart-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-bar-chart-o:before{content:"\f080"}.fa.fa-facebook-square,.fa.fa-twitter-square{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-gears:before{content:"\f085"}.fa.fa-thumbs-o-up{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-thumbs-o-up:before{content:"\f164"}.fa.fa-thumbs-o-down{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-thumbs-o-down:before{content:"\f165"}.fa.fa-heart-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-heart-o:before{content:"\f004"}.fa.fa-sign-out:before{content:"\f2f5"}.fa.fa-linkedin-square{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-linkedin-square:before{content:"\f08c"}.fa.fa-thumb-tack:before{content:"\f08d"}.fa.fa-external-link:before{content:"\f35d"}.fa.fa-sign-in:before{content:"\f2f6"}.fa.fa-github-square{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-lemon-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-lemon-o:before{content:"\f094"}.fa.fa-square-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-square-o:before{content:"\f0c8"}.fa.fa-bookmark-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-bookmark-o:before{content:"\f02e"}.fa.fa-facebook,.fa.fa-twitter{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-facebook:before{content:"\f39e"}.fa.fa-facebook-f{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-facebook-f:before{content:"\f39e"}.fa.fa-github{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-credit-card{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-feed:before{content:"\f09e"}.fa.fa-hdd-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-hdd-o:before{content:"\f0a0"}.fa.fa-hand-o-right{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-hand-o-right:before{content:"\f0a4"}.fa.fa-hand-o-left{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-hand-o-left:before{content:"\f0a5"}.fa.fa-hand-o-up{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-hand-o-up:before{content:"\f0a6"}.fa.fa-hand-o-down{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-hand-o-down:before{content:"\f0a7"}.fa.fa-arrows-alt:before{content:"\f31e"}.fa.fa-group:before{content:"\f0c0"}.fa.fa-chain:before{content:"\f0c1"}.fa.fa-scissors:before{content:"\f0c4"}.fa.fa-files-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-files-o:before{content:"\f0c5"}.fa.fa-floppy-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-floppy-o:before{content:"\f0c7"}.fa.fa-navicon:before,.fa.fa-reorder:before{content:"\f0c9"}.fa.fa-google-plus,.fa.fa-google-plus-square,.fa.fa-pinterest,.fa.fa-pinterest-square{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-google-plus:before{content:"\f0d5"}.fa.fa-money{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-money:before{content:"\f3d1"}.fa.fa-unsorted:before{content:"\f0dc"}.fa.fa-sort-desc:before{content:"\f0dd"}.fa.fa-sort-asc:before{content:"\f0de"}.fa.fa-linkedin{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-linkedin:before{content:"\f0e1"}.fa.fa-rotate-left:before{content:"\f0e2"}.fa.fa-legal:before{content:"\f0e3"}.fa.fa-dashboard:before,.fa.fa-tachometer:before{content:"\f3fd"}.fa.fa-comment-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-comment-o:before{content:"\f075"}.fa.fa-comments-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-comments-o:before{content:"\f086"}.fa.fa-flash:before{content:"\f0e7"}.fa.fa-clipboard,.fa.fa-paste{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-paste:before{content:"\f328"}.fa.fa-lightbulb-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-lightbulb-o:before{content:"\f0eb"}.fa.fa-exchange:before{content:"\f362"}.fa.fa-cloud-download:before{content:"\f381"}.fa.fa-cloud-upload:before{content:"\f382"}.fa.fa-bell-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-bell-o:before{content:"\f0f3"}.fa.fa-cutlery:before{content:"\f2e7"}.fa.fa-file-text-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-file-text-o:before{content:"\f15c"}.fa.fa-building-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-building-o:before{content:"\f1ad"}.fa.fa-hospital-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-hospital-o:before{content:"\f0f8"}.fa.fa-tablet:before{content:"\f3fa"}.fa.fa-mobile-phone:before,.fa.fa-mobile:before{content:"\f3cd"}.fa.fa-circle-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-circle-o:before{content:"\f111"}.fa.fa-mail-reply:before{content:"\f3e5"}.fa.fa-github-alt{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-folder-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-folder-o:before{content:"\f07b"}.fa.fa-folder-open-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-folder-open-o:before{content:"\f07c"}.fa.fa-smile-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-smile-o:before{content:"\f118"}.fa.fa-frown-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-frown-o:before{content:"\f119"}.fa.fa-meh-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-meh-o:before{content:"\f11a"}.fa.fa-keyboard-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-keyboard-o:before{content:"\f11c"}.fa.fa-flag-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-flag-o:before{content:"\f024"}.fa.fa-mail-reply-all:before{content:"\f122"}.fa.fa-star-half-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-star-half-o:before{content:"\f089"}.fa.fa-star-half-empty{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-star-half-empty:before{content:"\f089"}.fa.fa-star-half-full{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-star-half-full:before{content:"\f089"}.fa.fa-code-fork:before{content:"\f126"}.fa.fa-chain-broken:before{content:"\f127"}.fa.fa-shield:before{content:"\f3ed"}.fa.fa-calendar-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-calendar-o:before{content:"\f133"}.fa.fa-css3,.fa.fa-html5,.fa.fa-maxcdn{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-ticket:before{content:"\f3ff"}.fa.fa-minus-square-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-minus-square-o:before{content:"\f146"}.fa.fa-level-up:before{content:"\f3bf"}.fa.fa-level-down:before{content:"\f3be"}.fa.fa-pencil-square:before{content:"\f14b"}.fa.fa-external-link-square:before{content:"\f360"}.fa.fa-compass{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-caret-square-o-down{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-caret-square-o-down:before{content:"\f150"}.fa.fa-toggle-down{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-toggle-down:before{content:"\f150"}.fa.fa-caret-square-o-up{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-caret-square-o-up:before{content:"\f151"}.fa.fa-toggle-up{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-toggle-up:before{content:"\f151"}.fa.fa-caret-square-o-right{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-caret-square-o-right:before{content:"\f152"}.fa.fa-toggle-right{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-toggle-right:before{content:"\f152"}.fa.fa-eur:before,.fa.fa-euro:before{content:"\f153"}.fa.fa-gbp:before{content:"\f154"}.fa.fa-dollar:before,.fa.fa-usd:before{content:"\f155"}.fa.fa-inr:before,.fa.fa-rupee:before{content:"\f156"}.fa.fa-cny:before,.fa.fa-jpy:before,.fa.fa-rmb:before,.fa.fa-yen:before{content:"\f157"}.fa.fa-rouble:before,.fa.fa-rub:before,.fa.fa-ruble:before{content:"\f158"}.fa.fa-krw:before,.fa.fa-won:before{content:"\f159"}.fa.fa-bitcoin,.fa.fa-btc{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-bitcoin:before{content:"\f15a"}.fa.fa-file-text:before{content:"\f15c"}.fa.fa-sort-alpha-asc:before{content:"\f15d"}.fa.fa-sort-alpha-desc:before{content:"\f15e"}.fa.fa-sort-amount-asc:before{content:"\f160"}.fa.fa-sort-amount-desc:before{content:"\f161"}.fa.fa-sort-numeric-asc:before{content:"\f162"}.fa.fa-sort-numeric-desc:before{content:"\f163"}.fa.fa-xing,.fa.fa-xing-square,.fa.fa-youtube,.fa.fa-youtube-play,.fa.fa-youtube-square{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-youtube-play:before{content:"\f167"}.fa.fa-adn,.fa.fa-bitbucket,.fa.fa-bitbucket-square,.fa.fa-dropbox,.fa.fa-flickr,.fa.fa-instagram,.fa.fa-stack-overflow{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-bitbucket-square:before{content:"\f171"}.fa.fa-tumblr,.fa.fa-tumblr-square{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-long-arrow-down:before{content:"\f309"}.fa.fa-long-arrow-up:before{content:"\f30c"}.fa.fa-long-arrow-left:before{content:"\f30a"}.fa.fa-long-arrow-right:before{content:"\f30b"}.fa.fa-android,.fa.fa-apple,.fa.fa-dribbble,.fa.fa-foursquare,.fa.fa-gittip,.fa.fa-gratipay,.fa.fa-linux,.fa.fa-skype,.fa.fa-trello,.fa.fa-windows{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-gittip:before{content:"\f184"}.fa.fa-sun-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-sun-o:before{content:"\f185"}.fa.fa-moon-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-moon-o:before{content:"\f186"}.fa.fa-pagelines,.fa.fa-renren,.fa.fa-stack-exchange,.fa.fa-vk,.fa.fa-weibo{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-arrow-circle-o-right{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-arrow-circle-o-right:before{content:"\f35a"}.fa.fa-arrow-circle-o-left{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-arrow-circle-o-left:before{content:"\f359"}.fa.fa-caret-square-o-left{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-caret-square-o-left:before{content:"\f191"}.fa.fa-toggle-left{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-toggle-left:before{content:"\f191"}.fa.fa-dot-circle-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-dot-circle-o:before{content:"\f192"}.fa.fa-vimeo-square{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-try:before,.fa.fa-turkish-lira:before{content:"\f195"}.fa.fa-plus-square-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-plus-square-o:before{content:"\f0fe"}.fa.fa-openid,.fa.fa-slack,.fa.fa-wordpress{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-bank:before,.fa.fa-institution:before{content:"\f19c"}.fa.fa-mortar-board:before{content:"\f19d"}.fa.fa-delicious,.fa.fa-digg,.fa.fa-drupal,.fa.fa-google,.fa.fa-joomla,.fa.fa-pied-piper-alt,.fa.fa-pied-piper-pp,.fa.fa-reddit,.fa.fa-reddit-square,.fa.fa-stumbleupon,.fa.fa-stumbleupon-circle,.fa.fa-yahoo{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-spoon:before{content:"\f2e5"}.fa.fa-behance,.fa.fa-behance-square,.fa.fa-steam,.fa.fa-steam-square{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-automobile:before{content:"\f1b9"}.fa.fa-cab:before{content:"\f1ba"}.fa.fa-envelope-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-envelope-o:before{content:"\f0e0"}.fa.fa-deviantart,.fa.fa-soundcloud{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-file-pdf-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-file-pdf-o:before{content:"\f1c1"}.fa.fa-file-word-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-file-word-o:before{content:"\f1c2"}.fa.fa-file-excel-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-file-excel-o:before{content:"\f1c3"}.fa.fa-file-powerpoint-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-file-powerpoint-o:before{content:"\f1c4"}.fa.fa-file-image-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-file-image-o:before{content:"\f1c5"}.fa.fa-file-photo-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-file-photo-o:before{content:"\f1c5"}.fa.fa-file-picture-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-file-picture-o:before{content:"\f1c5"}.fa.fa-file-archive-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-file-archive-o:before{content:"\f1c6"}.fa.fa-file-zip-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-file-zip-o:before{content:"\f1c6"}.fa.fa-file-audio-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-file-audio-o:before{content:"\f1c7"}.fa.fa-file-sound-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-file-sound-o:before{content:"\f1c7"}.fa.fa-file-video-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-file-video-o:before{content:"\f1c8"}.fa.fa-file-movie-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-file-movie-o:before{content:"\f1c8"}.fa.fa-file-code-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-file-code-o:before{content:"\f1c9"}.fa.fa-codepen,.fa.fa-jsfiddle,.fa.fa-vine{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-life-bouy,.fa.fa-life-ring{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-life-bouy:before{content:"\f1cd"}.fa.fa-life-buoy{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-life-buoy:before{content:"\f1cd"}.fa.fa-life-saver{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-life-saver:before{content:"\f1cd"}.fa.fa-support{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-support:before{content:"\f1cd"}.fa.fa-circle-o-notch:before{content:"\f1ce"}.fa.fa-ra,.fa.fa-rebel{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-ra:before{content:"\f1d0"}.fa.fa-resistance{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-resistance:before{content:"\f1d0"}.fa.fa-empire,.fa.fa-ge{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-ge:before{content:"\f1d1"}.fa.fa-git,.fa.fa-git-square,.fa.fa-hacker-news,.fa.fa-y-combinator-square{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-y-combinator-square:before{content:"\f1d4"}.fa.fa-yc-square{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-yc-square:before{content:"\f1d4"}.fa.fa-qq,.fa.fa-tencent-weibo,.fa.fa-wechat,.fa.fa-weixin{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-wechat:before{content:"\f1d7"}.fa.fa-send:before{content:"\f1d8"}.fa.fa-paper-plane-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-paper-plane-o:before{content:"\f1d8"}.fa.fa-send-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-send-o:before{content:"\f1d8"}.fa.fa-circle-thin{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-circle-thin:before{content:"\f111"}.fa.fa-header:before{content:"\f1dc"}.fa.fa-sliders:before{content:"\f1de"}.fa.fa-futbol-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-futbol-o:before{content:"\f1e3"}.fa.fa-soccer-ball-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-soccer-ball-o:before{content:"\f1e3"}.fa.fa-slideshare,.fa.fa-twitch,.fa.fa-yelp{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-newspaper-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-newspaper-o:before{content:"\f1ea"}.fa.fa-cc-amex,.fa.fa-cc-discover,.fa.fa-cc-mastercard,.fa.fa-cc-paypal,.fa.fa-cc-stripe,.fa.fa-cc-visa,.fa.fa-google-wallet,.fa.fa-paypal{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-bell-slash-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-bell-slash-o:before{content:"\f1f6"}.fa.fa-trash:before{content:"\f2ed"}.fa.fa-copyright{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-eyedropper:before{content:"\f1fb"}.fa.fa-area-chart:before{content:"\f1fe"}.fa.fa-pie-chart:before{content:"\f200"}.fa.fa-line-chart:before{content:"\f201"}.fa.fa-angellist,.fa.fa-ioxhost,.fa.fa-lastfm,.fa.fa-lastfm-square{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-cc{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-cc:before{content:"\f20a"}.fa.fa-ils:before,.fa.fa-shekel:before,.fa.fa-sheqel:before{content:"\f20b"}.fa.fa-meanpath{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-meanpath:before{content:"\f2b4"}.fa.fa-buysellads,.fa.fa-connectdevelop,.fa.fa-dashcube,.fa.fa-forumbee,.fa.fa-leanpub,.fa.fa-sellsy,.fa.fa-shirtsinbulk,.fa.fa-simplybuilt,.fa.fa-skyatlas{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-diamond{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-diamond:before{content:"\f3a5"}.fa.fa-intersex:before{content:"\f224"}.fa.fa-facebook-official{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-facebook-official:before{content:"\f09a"}.fa.fa-pinterest-p,.fa.fa-whatsapp{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-hotel:before{content:"\f236"}.fa.fa-medium,.fa.fa-viacoin,.fa.fa-y-combinator,.fa.fa-yc{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-yc:before{content:"\f23b"}.fa.fa-expeditedssl,.fa.fa-opencart,.fa.fa-optin-monster{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-battery-4:before,.fa.fa-battery:before{content:"\f240"}.fa.fa-battery-3:before{content:"\f241"}.fa.fa-battery-2:before{content:"\f242"}.fa.fa-battery-1:before{content:"\f243"}.fa.fa-battery-0:before{content:"\f244"}.fa.fa-object-group,.fa.fa-object-ungroup,.fa.fa-sticky-note-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-sticky-note-o:before{content:"\f249"}.fa.fa-cc-diners-club,.fa.fa-cc-jcb{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-clone,.fa.fa-hourglass-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-hourglass-o:before{content:"\f254"}.fa.fa-hourglass-1:before{content:"\f251"}.fa.fa-hourglass-2:before{content:"\f252"}.fa.fa-hourglass-3:before{content:"\f253"}.fa.fa-hand-rock-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-hand-rock-o:before{content:"\f255"}.fa.fa-hand-grab-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-hand-grab-o:before{content:"\f255"}.fa.fa-hand-paper-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-hand-paper-o:before{content:"\f256"}.fa.fa-hand-stop-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-hand-stop-o:before{content:"\f256"}.fa.fa-hand-scissors-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-hand-scissors-o:before{content:"\f257"}.fa.fa-hand-lizard-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-hand-lizard-o:before{content:"\f258"}.fa.fa-hand-spock-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-hand-spock-o:before{content:"\f259"}.fa.fa-hand-pointer-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-hand-pointer-o:before{content:"\f25a"}.fa.fa-hand-peace-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-hand-peace-o:before{content:"\f25b"}.fa.fa-registered{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-chrome,.fa.fa-creative-commons,.fa.fa-firefox,.fa.fa-get-pocket,.fa.fa-gg,.fa.fa-gg-circle,.fa.fa-internet-explorer,.fa.fa-odnoklassniki,.fa.fa-odnoklassniki-square,.fa.fa-opera,.fa.fa-safari,.fa.fa-tripadvisor,.fa.fa-wikipedia-w{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-television:before{content:"\f26c"}.fa.fa-500px,.fa.fa-amazon,.fa.fa-contao{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-calendar-plus-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-calendar-plus-o:before{content:"\f271"}.fa.fa-calendar-minus-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-calendar-minus-o:before{content:"\f272"}.fa.fa-calendar-times-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-calendar-times-o:before{content:"\f273"}.fa.fa-calendar-check-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-calendar-check-o:before{content:"\f274"}.fa.fa-map-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-map-o:before{content:"\f279"}.fa.fa-commenting:before{content:"\f4ad"}.fa.fa-commenting-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-commenting-o:before{content:"\f4ad"}.fa.fa-houzz,.fa.fa-vimeo{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-vimeo:before{content:"\f27d"}.fa.fa-black-tie,.fa.fa-edge,.fa.fa-fonticons,.fa.fa-reddit-alien{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-credit-card-alt:before{content:"\f09d"}.fa.fa-codiepie,.fa.fa-fort-awesome,.fa.fa-mixcloud,.fa.fa-modx,.fa.fa-product-hunt,.fa.fa-scribd,.fa.fa-usb{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-pause-circle-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-pause-circle-o:before{content:"\f28b"}.fa.fa-stop-circle-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-stop-circle-o:before{content:"\f28d"}.fa.fa-bluetooth,.fa.fa-bluetooth-b,.fa.fa-envira,.fa.fa-gitlab,.fa.fa-wheelchair-alt,.fa.fa-wpbeginner,.fa.fa-wpforms{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-wheelchair-alt:before{content:"\f368"}.fa.fa-question-circle-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-question-circle-o:before{content:"\f059"}.fa.fa-volume-control-phone:before{content:"\f2a0"}.fa.fa-asl-interpreting:before{content:"\f2a3"}.fa.fa-deafness:before,.fa.fa-hard-of-hearing:before{content:"\f2a4"}.fa.fa-glide,.fa.fa-glide-g{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-signing:before{content:"\f2a7"}.fa.fa-first-order,.fa.fa-google-plus-official,.fa.fa-pied-piper,.fa.fa-snapchat,.fa.fa-snapchat-ghost,.fa.fa-snapchat-square,.fa.fa-themeisle,.fa.fa-viadeo,.fa.fa-viadeo-square,.fa.fa-yoast{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-google-plus-official:before{content:"\f2b3"}.fa.fa-google-plus-circle{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-google-plus-circle:before{content:"\f2b3"}.fa.fa-fa,.fa.fa-font-awesome{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-fa:before{content:"\f2b4"}.fa.fa-handshake-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-handshake-o:before{content:"\f2b5"}.fa.fa-envelope-open-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-envelope-open-o:before{content:"\f2b6"}.fa.fa-linode{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-address-book-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-address-book-o:before{content:"\f2b9"}.fa.fa-vcard:before{content:"\f2bb"}.fa.fa-address-card-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-address-card-o:before{content:"\f2bb"}.fa.fa-vcard-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-vcard-o:before{content:"\f2bb"}.fa.fa-user-circle-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-user-circle-o:before{content:"\f2bd"}.fa.fa-user-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-user-o:before{content:"\f007"}.fa.fa-id-badge{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-drivers-license:before{content:"\f2c2"}.fa.fa-id-card-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-id-card-o:before{content:"\f2c2"}.fa.fa-drivers-license-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-drivers-license-o:before{content:"\f2c2"}.fa.fa-free-code-camp,.fa.fa-quora,.fa.fa-telegram{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-thermometer-4:before,.fa.fa-thermometer:before{content:"\f2c7"}.fa.fa-thermometer-3:before{content:"\f2c8"}.fa.fa-thermometer-2:before{content:"\f2c9"}.fa.fa-thermometer-1:before{content:"\f2ca"}.fa.fa-thermometer-0:before{content:"\f2cb"}.fa.fa-bathtub:before,.fa.fa-s15:before{content:"\f2cd"}.fa.fa-window-maximize,.fa.fa-window-restore{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-times-rectangle:before{content:"\f410"}.fa.fa-window-close-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-window-close-o:before{content:"\f410"}.fa.fa-times-rectangle-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-times-rectangle-o:before{content:"\f410"}.fa.fa-bandcamp,.fa.fa-eercast,.fa.fa-etsy,.fa.fa-grav,.fa.fa-imdb,.fa.fa-ravelry{font-family:"Font Awesome 5 Brands";font-weight:400}.fa.fa-eercast:before{content:"\f2da"}.fa.fa-snowflake-o{font-family:"Font Awesome 5 Free";font-weight:400}.fa.fa-snowflake-o:before{content:"\f2dc"}.fa.fa-spotify,.fa.fa-superpowers,.fa.fa-wpexplorer{font-family:"Font Awesome 5 Brands";font-weight:400} +.fa.fa-glass:before { + content: "\f000"; +} +.fa.fa-meetup { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-star-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-star-o:before { + content: "\f005"; +} +.fa.fa-close:before, +.fa.fa-remove:before { + content: "\f00d"; +} +.fa.fa-gear:before { + content: "\f013"; +} +.fa.fa-trash-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-trash-o:before { + content: "\f2ed"; +} +.fa.fa-file-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-file-o:before { + content: "\f15b"; +} +.fa.fa-clock-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-clock-o:before { + content: "\f017"; +} +.fa.fa-arrow-circle-o-down { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-arrow-circle-o-down:before { + content: "\f358"; +} +.fa.fa-arrow-circle-o-up { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-arrow-circle-o-up:before { + content: "\f35b"; +} +.fa.fa-play-circle-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-play-circle-o:before { + content: "\f144"; +} +.fa.fa-repeat:before, +.fa.fa-rotate-right:before { + content: "\f01e"; +} +.fa.fa-refresh:before { + content: "\f021"; +} +.fa.fa-list-alt { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-dedent:before { + content: "\f03b"; +} +.fa.fa-video-camera:before { + content: "\f03d"; +} +.fa.fa-picture-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-picture-o:before { + content: "\f03e"; +} +.fa.fa-photo { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-photo:before { + content: "\f03e"; +} +.fa.fa-image { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-image:before { + content: "\f03e"; +} +.fa.fa-pencil:before { + content: "\f303"; +} +.fa.fa-map-marker:before { + content: "\f3c5"; +} +.fa.fa-pencil-square-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-pencil-square-o:before { + content: "\f044"; +} +.fa.fa-share-square-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-share-square-o:before { + content: "\f14d"; +} +.fa.fa-check-square-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-check-square-o:before { + content: "\f14a"; +} +.fa.fa-arrows:before { + content: "\f0b2"; +} +.fa.fa-times-circle-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-times-circle-o:before { + content: "\f057"; +} +.fa.fa-check-circle-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-check-circle-o:before { + content: "\f058"; +} +.fa.fa-mail-forward:before { + content: "\f064"; +} +.fa.fa-eye, +.fa.fa-eye-slash { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-warning:before { + content: "\f071"; +} +.fa.fa-calendar:before { + content: "\f073"; +} +.fa.fa-arrows-v:before { + content: "\f338"; +} +.fa.fa-arrows-h:before { + content: "\f337"; +} +.fa.fa-bar-chart { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-bar-chart:before { + content: "\f080"; +} +.fa.fa-bar-chart-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-bar-chart-o:before { + content: "\f080"; +} +.fa.fa-facebook-square, +.fa.fa-twitter-square { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-gears:before { + content: "\f085"; +} +.fa.fa-thumbs-o-up { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-thumbs-o-up:before { + content: "\f164"; +} +.fa.fa-thumbs-o-down { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-thumbs-o-down:before { + content: "\f165"; +} +.fa.fa-heart-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-heart-o:before { + content: "\f004"; +} +.fa.fa-sign-out:before { + content: "\f2f5"; +} +.fa.fa-linkedin-square { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-linkedin-square:before { + content: "\f08c"; +} +.fa.fa-thumb-tack:before { + content: "\f08d"; +} +.fa.fa-external-link:before { + content: "\f35d"; +} +.fa.fa-sign-in:before { + content: "\f2f6"; +} +.fa.fa-github-square { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-lemon-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-lemon-o:before { + content: "\f094"; +} +.fa.fa-square-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-square-o:before { + content: "\f0c8"; +} +.fa.fa-bookmark-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-bookmark-o:before { + content: "\f02e"; +} +.fa.fa-facebook, +.fa.fa-twitter { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-facebook:before { + content: "\f39e"; +} +.fa.fa-facebook-f { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-facebook-f:before { + content: "\f39e"; +} +.fa.fa-github { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-credit-card { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-feed:before { + content: "\f09e"; +} +.fa.fa-hdd-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-hdd-o:before { + content: "\f0a0"; +} +.fa.fa-hand-o-right { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-hand-o-right:before { + content: "\f0a4"; +} +.fa.fa-hand-o-left { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-hand-o-left:before { + content: "\f0a5"; +} +.fa.fa-hand-o-up { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-hand-o-up:before { + content: "\f0a6"; +} +.fa.fa-hand-o-down { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-hand-o-down:before { + content: "\f0a7"; +} +.fa.fa-arrows-alt:before { + content: "\f31e"; +} +.fa.fa-group:before { + content: "\f0c0"; +} +.fa.fa-chain:before { + content: "\f0c1"; +} +.fa.fa-scissors:before { + content: "\f0c4"; +} +.fa.fa-files-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-files-o:before { + content: "\f0c5"; +} +.fa.fa-floppy-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-floppy-o:before { + content: "\f0c7"; +} +.fa.fa-navicon:before, +.fa.fa-reorder:before { + content: "\f0c9"; +} +.fa.fa-google-plus, +.fa.fa-google-plus-square, +.fa.fa-pinterest, +.fa.fa-pinterest-square { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-google-plus:before { + content: "\f0d5"; +} +.fa.fa-money { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-money:before { + content: "\f3d1"; +} +.fa.fa-unsorted:before { + content: "\f0dc"; +} +.fa.fa-sort-desc:before { + content: "\f0dd"; +} +.fa.fa-sort-asc:before { + content: "\f0de"; +} +.fa.fa-linkedin { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-linkedin:before { + content: "\f0e1"; +} +.fa.fa-rotate-left:before { + content: "\f0e2"; +} +.fa.fa-legal:before { + content: "\f0e3"; +} +.fa.fa-dashboard:before, +.fa.fa-tachometer:before { + content: "\f3fd"; +} +.fa.fa-comment-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-comment-o:before { + content: "\f075"; +} +.fa.fa-comments-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-comments-o:before { + content: "\f086"; +} +.fa.fa-flash:before { + content: "\f0e7"; +} +.fa.fa-clipboard, +.fa.fa-paste { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-paste:before { + content: "\f328"; +} +.fa.fa-lightbulb-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-lightbulb-o:before { + content: "\f0eb"; +} +.fa.fa-exchange:before { + content: "\f362"; +} +.fa.fa-cloud-download:before { + content: "\f381"; +} +.fa.fa-cloud-upload:before { + content: "\f382"; +} +.fa.fa-bell-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-bell-o:before { + content: "\f0f3"; +} +.fa.fa-cutlery:before { + content: "\f2e7"; +} +.fa.fa-file-text-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-file-text-o:before { + content: "\f15c"; +} +.fa.fa-building-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-building-o:before { + content: "\f1ad"; +} +.fa.fa-hospital-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-hospital-o:before { + content: "\f0f8"; +} +.fa.fa-tablet:before { + content: "\f3fa"; +} +.fa.fa-mobile-phone:before, +.fa.fa-mobile:before { + content: "\f3cd"; +} +.fa.fa-circle-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-circle-o:before { + content: "\f111"; +} +.fa.fa-mail-reply:before { + content: "\f3e5"; +} +.fa.fa-github-alt { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-folder-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-folder-o:before { + content: "\f07b"; +} +.fa.fa-folder-open-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-folder-open-o:before { + content: "\f07c"; +} +.fa.fa-smile-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-smile-o:before { + content: "\f118"; +} +.fa.fa-frown-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-frown-o:before { + content: "\f119"; +} +.fa.fa-meh-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-meh-o:before { + content: "\f11a"; +} +.fa.fa-keyboard-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-keyboard-o:before { + content: "\f11c"; +} +.fa.fa-flag-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-flag-o:before { + content: "\f024"; +} +.fa.fa-mail-reply-all:before { + content: "\f122"; +} +.fa.fa-star-half-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-star-half-o:before { + content: "\f089"; +} +.fa.fa-star-half-empty { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-star-half-empty:before { + content: "\f089"; +} +.fa.fa-star-half-full { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-star-half-full:before { + content: "\f089"; +} +.fa.fa-code-fork:before { + content: "\f126"; +} +.fa.fa-chain-broken:before { + content: "\f127"; +} +.fa.fa-shield:before { + content: "\f3ed"; +} +.fa.fa-calendar-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-calendar-o:before { + content: "\f133"; +} +.fa.fa-css3, +.fa.fa-html5, +.fa.fa-maxcdn { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-ticket:before { + content: "\f3ff"; +} +.fa.fa-minus-square-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-minus-square-o:before { + content: "\f146"; +} +.fa.fa-level-up:before { + content: "\f3bf"; +} +.fa.fa-level-down:before { + content: "\f3be"; +} +.fa.fa-pencil-square:before { + content: "\f14b"; +} +.fa.fa-external-link-square:before { + content: "\f360"; +} +.fa.fa-compass { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-caret-square-o-down { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-caret-square-o-down:before { + content: "\f150"; +} +.fa.fa-toggle-down { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-toggle-down:before { + content: "\f150"; +} +.fa.fa-caret-square-o-up { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-caret-square-o-up:before { + content: "\f151"; +} +.fa.fa-toggle-up { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-toggle-up:before { + content: "\f151"; +} +.fa.fa-caret-square-o-right { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-caret-square-o-right:before { + content: "\f152"; +} +.fa.fa-toggle-right { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-toggle-right:before { + content: "\f152"; +} +.fa.fa-eur:before, +.fa.fa-euro:before { + content: "\f153"; +} +.fa.fa-gbp:before { + content: "\f154"; +} +.fa.fa-dollar:before, +.fa.fa-usd:before { + content: "\f155"; +} +.fa.fa-inr:before, +.fa.fa-rupee:before { + content: "\f156"; +} +.fa.fa-cny:before, +.fa.fa-jpy:before, +.fa.fa-rmb:before, +.fa.fa-yen:before { + content: "\f157"; +} +.fa.fa-rouble:before, +.fa.fa-rub:before, +.fa.fa-ruble:before { + content: "\f158"; +} +.fa.fa-krw:before, +.fa.fa-won:before { + content: "\f159"; +} +.fa.fa-bitcoin, +.fa.fa-btc { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-bitcoin:before { + content: "\f15a"; +} +.fa.fa-file-text:before { + content: "\f15c"; +} +.fa.fa-sort-alpha-asc:before { + content: "\f15d"; +} +.fa.fa-sort-alpha-desc:before { + content: "\f15e"; +} +.fa.fa-sort-amount-asc:before { + content: "\f160"; +} +.fa.fa-sort-amount-desc:before { + content: "\f161"; +} +.fa.fa-sort-numeric-asc:before { + content: "\f162"; +} +.fa.fa-sort-numeric-desc:before { + content: "\f163"; +} +.fa.fa-xing, +.fa.fa-xing-square, +.fa.fa-youtube, +.fa.fa-youtube-play, +.fa.fa-youtube-square { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-youtube-play:before { + content: "\f167"; +} +.fa.fa-adn, +.fa.fa-bitbucket, +.fa.fa-bitbucket-square, +.fa.fa-dropbox, +.fa.fa-flickr, +.fa.fa-instagram, +.fa.fa-stack-overflow { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-bitbucket-square:before { + content: "\f171"; +} +.fa.fa-tumblr, +.fa.fa-tumblr-square { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-long-arrow-down:before { + content: "\f309"; +} +.fa.fa-long-arrow-up:before { + content: "\f30c"; +} +.fa.fa-long-arrow-left:before { + content: "\f30a"; +} +.fa.fa-long-arrow-right:before { + content: "\f30b"; +} +.fa.fa-android, +.fa.fa-apple, +.fa.fa-dribbble, +.fa.fa-foursquare, +.fa.fa-gittip, +.fa.fa-gratipay, +.fa.fa-linux, +.fa.fa-skype, +.fa.fa-trello, +.fa.fa-windows { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-gittip:before { + content: "\f184"; +} +.fa.fa-sun-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-sun-o:before { + content: "\f185"; +} +.fa.fa-moon-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-moon-o:before { + content: "\f186"; +} +.fa.fa-pagelines, +.fa.fa-renren, +.fa.fa-stack-exchange, +.fa.fa-vk, +.fa.fa-weibo { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-arrow-circle-o-right { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-arrow-circle-o-right:before { + content: "\f35a"; +} +.fa.fa-arrow-circle-o-left { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-arrow-circle-o-left:before { + content: "\f359"; +} +.fa.fa-caret-square-o-left { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-caret-square-o-left:before { + content: "\f191"; +} +.fa.fa-toggle-left { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-toggle-left:before { + content: "\f191"; +} +.fa.fa-dot-circle-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-dot-circle-o:before { + content: "\f192"; +} +.fa.fa-vimeo-square { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-try:before, +.fa.fa-turkish-lira:before { + content: "\f195"; +} +.fa.fa-plus-square-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-plus-square-o:before { + content: "\f0fe"; +} +.fa.fa-openid, +.fa.fa-slack, +.fa.fa-wordpress { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-bank:before, +.fa.fa-institution:before { + content: "\f19c"; +} +.fa.fa-mortar-board:before { + content: "\f19d"; +} +.fa.fa-delicious, +.fa.fa-digg, +.fa.fa-drupal, +.fa.fa-google, +.fa.fa-joomla, +.fa.fa-pied-piper-alt, +.fa.fa-pied-piper-pp, +.fa.fa-reddit, +.fa.fa-reddit-square, +.fa.fa-stumbleupon, +.fa.fa-stumbleupon-circle, +.fa.fa-yahoo { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-spoon:before { + content: "\f2e5"; +} +.fa.fa-behance, +.fa.fa-behance-square, +.fa.fa-steam, +.fa.fa-steam-square { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-automobile:before { + content: "\f1b9"; +} +.fa.fa-cab:before { + content: "\f1ba"; +} +.fa.fa-envelope-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-envelope-o:before { + content: "\f0e0"; +} +.fa.fa-deviantart, +.fa.fa-soundcloud { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-file-pdf-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-file-pdf-o:before { + content: "\f1c1"; +} +.fa.fa-file-word-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-file-word-o:before { + content: "\f1c2"; +} +.fa.fa-file-excel-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-file-excel-o:before { + content: "\f1c3"; +} +.fa.fa-file-powerpoint-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-file-powerpoint-o:before { + content: "\f1c4"; +} +.fa.fa-file-image-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-file-image-o:before { + content: "\f1c5"; +} +.fa.fa-file-photo-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-file-photo-o:before { + content: "\f1c5"; +} +.fa.fa-file-picture-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-file-picture-o:before { + content: "\f1c5"; +} +.fa.fa-file-archive-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-file-archive-o:before { + content: "\f1c6"; +} +.fa.fa-file-zip-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-file-zip-o:before { + content: "\f1c6"; +} +.fa.fa-file-audio-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-file-audio-o:before { + content: "\f1c7"; +} +.fa.fa-file-sound-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-file-sound-o:before { + content: "\f1c7"; +} +.fa.fa-file-video-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-file-video-o:before { + content: "\f1c8"; +} +.fa.fa-file-movie-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-file-movie-o:before { + content: "\f1c8"; +} +.fa.fa-file-code-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-file-code-o:before { + content: "\f1c9"; +} +.fa.fa-codepen, +.fa.fa-jsfiddle, +.fa.fa-vine { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-life-bouy, +.fa.fa-life-ring { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-life-bouy:before { + content: "\f1cd"; +} +.fa.fa-life-buoy { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-life-buoy:before { + content: "\f1cd"; +} +.fa.fa-life-saver { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-life-saver:before { + content: "\f1cd"; +} +.fa.fa-support { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-support:before { + content: "\f1cd"; +} +.fa.fa-circle-o-notch:before { + content: "\f1ce"; +} +.fa.fa-ra, +.fa.fa-rebel { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-ra:before { + content: "\f1d0"; +} +.fa.fa-resistance { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-resistance:before { + content: "\f1d0"; +} +.fa.fa-empire, +.fa.fa-ge { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-ge:before { + content: "\f1d1"; +} +.fa.fa-git, +.fa.fa-git-square, +.fa.fa-hacker-news, +.fa.fa-y-combinator-square { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-y-combinator-square:before { + content: "\f1d4"; +} +.fa.fa-yc-square { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-yc-square:before { + content: "\f1d4"; +} +.fa.fa-qq, +.fa.fa-tencent-weibo, +.fa.fa-wechat, +.fa.fa-weixin { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-wechat:before { + content: "\f1d7"; +} +.fa.fa-send:before { + content: "\f1d8"; +} +.fa.fa-paper-plane-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-paper-plane-o:before { + content: "\f1d8"; +} +.fa.fa-send-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-send-o:before { + content: "\f1d8"; +} +.fa.fa-circle-thin { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-circle-thin:before { + content: "\f111"; +} +.fa.fa-header:before { + content: "\f1dc"; +} +.fa.fa-sliders:before { + content: "\f1de"; +} +.fa.fa-futbol-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-futbol-o:before { + content: "\f1e3"; +} +.fa.fa-soccer-ball-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-soccer-ball-o:before { + content: "\f1e3"; +} +.fa.fa-slideshare, +.fa.fa-twitch, +.fa.fa-yelp { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-newspaper-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-newspaper-o:before { + content: "\f1ea"; +} +.fa.fa-cc-amex, +.fa.fa-cc-discover, +.fa.fa-cc-mastercard, +.fa.fa-cc-paypal, +.fa.fa-cc-stripe, +.fa.fa-cc-visa, +.fa.fa-google-wallet, +.fa.fa-paypal { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-bell-slash-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-bell-slash-o:before { + content: "\f1f6"; +} +.fa.fa-trash:before { + content: "\f2ed"; +} +.fa.fa-copyright { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-eyedropper:before { + content: "\f1fb"; +} +.fa.fa-area-chart:before { + content: "\f1fe"; +} +.fa.fa-pie-chart:before { + content: "\f200"; +} +.fa.fa-line-chart:before { + content: "\f201"; +} +.fa.fa-angellist, +.fa.fa-ioxhost, +.fa.fa-lastfm, +.fa.fa-lastfm-square { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-cc { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-cc:before { + content: "\f20a"; +} +.fa.fa-ils:before, +.fa.fa-shekel:before, +.fa.fa-sheqel:before { + content: "\f20b"; +} +.fa.fa-meanpath { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-meanpath:before { + content: "\f2b4"; +} +.fa.fa-buysellads, +.fa.fa-connectdevelop, +.fa.fa-dashcube, +.fa.fa-forumbee, +.fa.fa-leanpub, +.fa.fa-sellsy, +.fa.fa-shirtsinbulk, +.fa.fa-simplybuilt, +.fa.fa-skyatlas { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-diamond { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-diamond:before { + content: "\f3a5"; +} +.fa.fa-intersex:before { + content: "\f224"; +} +.fa.fa-facebook-official { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-facebook-official:before { + content: "\f09a"; +} +.fa.fa-pinterest-p, +.fa.fa-whatsapp { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-hotel:before { + content: "\f236"; +} +.fa.fa-medium, +.fa.fa-viacoin, +.fa.fa-y-combinator, +.fa.fa-yc { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-yc:before { + content: "\f23b"; +} +.fa.fa-expeditedssl, +.fa.fa-opencart, +.fa.fa-optin-monster { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-battery-4:before, +.fa.fa-battery:before { + content: "\f240"; +} +.fa.fa-battery-3:before { + content: "\f241"; +} +.fa.fa-battery-2:before { + content: "\f242"; +} +.fa.fa-battery-1:before { + content: "\f243"; +} +.fa.fa-battery-0:before { + content: "\f244"; +} +.fa.fa-object-group, +.fa.fa-object-ungroup, +.fa.fa-sticky-note-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-sticky-note-o:before { + content: "\f249"; +} +.fa.fa-cc-diners-club, +.fa.fa-cc-jcb { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-clone, +.fa.fa-hourglass-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-hourglass-o:before { + content: "\f254"; +} +.fa.fa-hourglass-1:before { + content: "\f251"; +} +.fa.fa-hourglass-2:before { + content: "\f252"; +} +.fa.fa-hourglass-3:before { + content: "\f253"; +} +.fa.fa-hand-rock-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-hand-rock-o:before { + content: "\f255"; +} +.fa.fa-hand-grab-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-hand-grab-o:before { + content: "\f255"; +} +.fa.fa-hand-paper-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-hand-paper-o:before { + content: "\f256"; +} +.fa.fa-hand-stop-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-hand-stop-o:before { + content: "\f256"; +} +.fa.fa-hand-scissors-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-hand-scissors-o:before { + content: "\f257"; +} +.fa.fa-hand-lizard-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-hand-lizard-o:before { + content: "\f258"; +} +.fa.fa-hand-spock-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-hand-spock-o:before { + content: "\f259"; +} +.fa.fa-hand-pointer-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-hand-pointer-o:before { + content: "\f25a"; +} +.fa.fa-hand-peace-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-hand-peace-o:before { + content: "\f25b"; +} +.fa.fa-registered { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-chrome, +.fa.fa-creative-commons, +.fa.fa-firefox, +.fa.fa-get-pocket, +.fa.fa-gg, +.fa.fa-gg-circle, +.fa.fa-internet-explorer, +.fa.fa-odnoklassniki, +.fa.fa-odnoklassniki-square, +.fa.fa-opera, +.fa.fa-safari, +.fa.fa-tripadvisor, +.fa.fa-wikipedia-w { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-television:before { + content: "\f26c"; +} +.fa.fa-500px, +.fa.fa-amazon, +.fa.fa-contao { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-calendar-plus-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-calendar-plus-o:before { + content: "\f271"; +} +.fa.fa-calendar-minus-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-calendar-minus-o:before { + content: "\f272"; +} +.fa.fa-calendar-times-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-calendar-times-o:before { + content: "\f273"; +} +.fa.fa-calendar-check-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-calendar-check-o:before { + content: "\f274"; +} +.fa.fa-map-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-map-o:before { + content: "\f279"; +} +.fa.fa-commenting:before { + content: "\f4ad"; +} +.fa.fa-commenting-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-commenting-o:before { + content: "\f4ad"; +} +.fa.fa-houzz, +.fa.fa-vimeo { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-vimeo:before { + content: "\f27d"; +} +.fa.fa-black-tie, +.fa.fa-edge, +.fa.fa-fonticons, +.fa.fa-reddit-alien { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-credit-card-alt:before { + content: "\f09d"; +} +.fa.fa-codiepie, +.fa.fa-fort-awesome, +.fa.fa-mixcloud, +.fa.fa-modx, +.fa.fa-product-hunt, +.fa.fa-scribd, +.fa.fa-usb { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-pause-circle-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-pause-circle-o:before { + content: "\f28b"; +} +.fa.fa-stop-circle-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-stop-circle-o:before { + content: "\f28d"; +} +.fa.fa-bluetooth, +.fa.fa-bluetooth-b, +.fa.fa-envira, +.fa.fa-gitlab, +.fa.fa-wheelchair-alt, +.fa.fa-wpbeginner, +.fa.fa-wpforms { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-wheelchair-alt:before { + content: "\f368"; +} +.fa.fa-question-circle-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-question-circle-o:before { + content: "\f059"; +} +.fa.fa-volume-control-phone:before { + content: "\f2a0"; +} +.fa.fa-asl-interpreting:before { + content: "\f2a3"; +} +.fa.fa-deafness:before, +.fa.fa-hard-of-hearing:before { + content: "\f2a4"; +} +.fa.fa-glide, +.fa.fa-glide-g { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-signing:before { + content: "\f2a7"; +} +.fa.fa-first-order, +.fa.fa-google-plus-official, +.fa.fa-pied-piper, +.fa.fa-snapchat, +.fa.fa-snapchat-ghost, +.fa.fa-snapchat-square, +.fa.fa-themeisle, +.fa.fa-viadeo, +.fa.fa-viadeo-square, +.fa.fa-yoast { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-google-plus-official:before { + content: "\f2b3"; +} +.fa.fa-google-plus-circle { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-google-plus-circle:before { + content: "\f2b3"; +} +.fa.fa-fa, +.fa.fa-font-awesome { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-fa:before { + content: "\f2b4"; +} +.fa.fa-handshake-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-handshake-o:before { + content: "\f2b5"; +} +.fa.fa-envelope-open-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-envelope-open-o:before { + content: "\f2b6"; +} +.fa.fa-linode { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-address-book-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-address-book-o:before { + content: "\f2b9"; +} +.fa.fa-vcard:before { + content: "\f2bb"; +} +.fa.fa-address-card-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-address-card-o:before { + content: "\f2bb"; +} +.fa.fa-vcard-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-vcard-o:before { + content: "\f2bb"; +} +.fa.fa-user-circle-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-user-circle-o:before { + content: "\f2bd"; +} +.fa.fa-user-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-user-o:before { + content: "\f007"; +} +.fa.fa-id-badge { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-drivers-license:before { + content: "\f2c2"; +} +.fa.fa-id-card-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-id-card-o:before { + content: "\f2c2"; +} +.fa.fa-drivers-license-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-drivers-license-o:before { + content: "\f2c2"; +} +.fa.fa-free-code-camp, +.fa.fa-quora, +.fa.fa-telegram { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-thermometer-4:before, +.fa.fa-thermometer:before { + content: "\f2c7"; +} +.fa.fa-thermometer-3:before { + content: "\f2c8"; +} +.fa.fa-thermometer-2:before { + content: "\f2c9"; +} +.fa.fa-thermometer-1:before { + content: "\f2ca"; +} +.fa.fa-thermometer-0:before { + content: "\f2cb"; +} +.fa.fa-bathtub:before, +.fa.fa-s15:before { + content: "\f2cd"; +} +.fa.fa-window-maximize, +.fa.fa-window-restore { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-times-rectangle:before { + content: "\f410"; +} +.fa.fa-window-close-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-window-close-o:before { + content: "\f410"; +} +.fa.fa-times-rectangle-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-times-rectangle-o:before { + content: "\f410"; +} +.fa.fa-bandcamp, +.fa.fa-eercast, +.fa.fa-etsy, +.fa.fa-grav, +.fa.fa-imdb, +.fa.fa-ravelry { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} +.fa.fa-eercast:before { + content: "\f2da"; +} +.fa.fa-snowflake-o { + font-family: "Font Awesome 5 Free"; + font-weight: 400; +} +.fa.fa-snowflake-o:before { + content: "\f2dc"; +} +.fa.fa-spotify, +.fa.fa-superpowers, +.fa.fa-wpexplorer { + font-family: "Font Awesome 5 Brands"; + font-weight: 400; +} diff --git a/html/jquery.min.js b/html/jquery.min.js index ab28a24729b3..b03fb9d15865 100644 --- a/html/jquery.min.js +++ b/html/jquery.min.js @@ -1,4 +1,6408 @@ /*! jQuery v1.11.1 | (c) 2005, 2014 jQuery Foundation, Inc. | jquery.org/license */ -!function(a,b){"object"==typeof module&&"object"==typeof module.exports?module.exports=a.document?b(a,!0):function(a){if(!a.document)throw new Error("jQuery requires a window with a document");return b(a)}:b(a)}("undefined"!=typeof window?window:this,function(a,b){var c=[],d=c.slice,e=c.concat,f=c.push,g=c.indexOf,h={},i=h.toString,j=h.hasOwnProperty,k={},l="1.11.1",m=function(a,b){return new m.fn.init(a,b)},n=/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,o=/^-ms-/,p=/-([\da-z])/gi,q=function(a,b){return b.toUpperCase()};m.fn=m.prototype={jquery:l,constructor:m,selector:"",length:0,toArray:function(){return d.call(this)},get:function(a){return null!=a?0>a?this[a+this.length]:this[a]:d.call(this)},pushStack:function(a){var b=m.merge(this.constructor(),a);return b.prevObject=this,b.context=this.context,b},each:function(a,b){return m.each(this,a,b)},map:function(a){return this.pushStack(m.map(this,function(b,c){return a.call(b,c,b)}))},slice:function(){return this.pushStack(d.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},eq:function(a){var b=this.length,c=+a+(0>a?b:0);return this.pushStack(c>=0&&b>c?[this[c]]:[])},end:function(){return this.prevObject||this.constructor(null)},push:f,sort:c.sort,splice:c.splice},m.extend=m.fn.extend=function(){var a,b,c,d,e,f,g=arguments[0]||{},h=1,i=arguments.length,j=!1;for("boolean"==typeof g&&(j=g,g=arguments[h]||{},h++),"object"==typeof g||m.isFunction(g)||(g={}),h===i&&(g=this,h--);i>h;h++)if(null!=(e=arguments[h]))for(d in e)a=g[d],c=e[d],g!==c&&(j&&c&&(m.isPlainObject(c)||(b=m.isArray(c)))?(b?(b=!1,f=a&&m.isArray(a)?a:[]):f=a&&m.isPlainObject(a)?a:{},g[d]=m.extend(j,f,c)):void 0!==c&&(g[d]=c));return g},m.extend({expando:"jQuery"+(l+Math.random()).replace(/\D/g,""),isReady:!0,error:function(a){throw new Error(a)},noop:function(){},isFunction:function(a){return"function"===m.type(a)},isArray:Array.isArray||function(a){return"array"===m.type(a)},isWindow:function(a){return null!=a&&a==a.window},isNumeric:function(a){return!m.isArray(a)&&a-parseFloat(a)>=0},isEmptyObject:function(a){var b;for(b in a)return!1;return!0},isPlainObject:function(a){var b;if(!a||"object"!==m.type(a)||a.nodeType||m.isWindow(a))return!1;try{if(a.constructor&&!j.call(a,"constructor")&&!j.call(a.constructor.prototype,"isPrototypeOf"))return!1}catch(c){return!1}if(k.ownLast)for(b in a)return j.call(a,b);for(b in a);return void 0===b||j.call(a,b)},type:function(a){return null==a?a+"":"object"==typeof a||"function"==typeof a?h[i.call(a)]||"object":typeof a},globalEval:function(b){b&&m.trim(b)&&(a.execScript||function(b){a.eval.call(a,b)})(b)},camelCase:function(a){return a.replace(o,"ms-").replace(p,q)},nodeName:function(a,b){return a.nodeName&&a.nodeName.toLowerCase()===b.toLowerCase()},each:function(a,b,c){var d,e=0,f=a.length,g=r(a);if(c){if(g){for(;f>e;e++)if(d=b.apply(a[e],c),d===!1)break}else for(e in a)if(d=b.apply(a[e],c),d===!1)break}else if(g){for(;f>e;e++)if(d=b.call(a[e],e,a[e]),d===!1)break}else for(e in a)if(d=b.call(a[e],e,a[e]),d===!1)break;return a},trim:function(a){return null==a?"":(a+"").replace(n,"")},makeArray:function(a,b){var c=b||[];return null!=a&&(r(Object(a))?m.merge(c,"string"==typeof a?[a]:a):f.call(c,a)),c},inArray:function(a,b,c){var d;if(b){if(g)return g.call(b,a,c);for(d=b.length,c=c?0>c?Math.max(0,d+c):c:0;d>c;c++)if(c in b&&b[c]===a)return c}return-1},merge:function(a,b){var c=+b.length,d=0,e=a.length;while(c>d)a[e++]=b[d++];if(c!==c)while(void 0!==b[d])a[e++]=b[d++];return a.length=e,a},grep:function(a,b,c){for(var d,e=[],f=0,g=a.length,h=!c;g>f;f++)d=!b(a[f],f),d!==h&&e.push(a[f]);return e},map:function(a,b,c){var d,f=0,g=a.length,h=r(a),i=[];if(h)for(;g>f;f++)d=b(a[f],f,c),null!=d&&i.push(d);else for(f in a)d=b(a[f],f,c),null!=d&&i.push(d);return e.apply([],i)},guid:1,proxy:function(a,b){var c,e,f;return"string"==typeof b&&(f=a[b],b=a,a=f),m.isFunction(a)?(c=d.call(arguments,2),e=function(){return a.apply(b||this,c.concat(d.call(arguments)))},e.guid=a.guid=a.guid||m.guid++,e):void 0},now:function(){return+new Date},support:k}),m.each("Boolean Number String Function Array Date RegExp Object Error".split(" "),function(a,b){h["[object "+b+"]"]=b.toLowerCase()});function r(a){var b=a.length,c=m.type(a);return"function"===c||m.isWindow(a)?!1:1===a.nodeType&&b?!0:"array"===c||0===b||"number"==typeof b&&b>0&&b-1 in a}var s=function(a){var b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u="sizzle"+-new Date,v=a.document,w=0,x=0,y=gb(),z=gb(),A=gb(),B=function(a,b){return a===b&&(l=!0),0},C="undefined",D=1<<31,E={}.hasOwnProperty,F=[],G=F.pop,H=F.push,I=F.push,J=F.slice,K=F.indexOf||function(a){for(var b=0,c=this.length;c>b;b++)if(this[b]===a)return b;return-1},L="checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped",M="[\\x20\\t\\r\\n\\f]",N="(?:\\\\.|[\\w-]|[^\\x00-\\xa0])+",O=N.replace("w","w#"),P="\\["+M+"*("+N+")(?:"+M+"*([*^$|!~]?=)"+M+"*(?:'((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\"|("+O+"))|)"+M+"*\\]",Q=":("+N+")(?:\\((('((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\")|((?:\\\\.|[^\\\\()[\\]]|"+P+")*)|.*)\\)|)",R=new RegExp("^"+M+"+|((?:^|[^\\\\])(?:\\\\.)*)"+M+"+$","g"),S=new RegExp("^"+M+"*,"+M+"*"),T=new RegExp("^"+M+"*([>+~]|"+M+")"+M+"*"),U=new RegExp("="+M+"*([^\\]'\"]*?)"+M+"*\\]","g"),V=new RegExp(Q),W=new RegExp("^"+O+"$"),X={ID:new RegExp("^#("+N+")"),CLASS:new RegExp("^\\.("+N+")"),TAG:new RegExp("^("+N.replace("w","w*")+")"),ATTR:new RegExp("^"+P),PSEUDO:new RegExp("^"+Q),CHILD:new RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+M+"*(even|odd|(([+-]|)(\\d*)n|)"+M+"*(?:([+-]|)"+M+"*(\\d+)|))"+M+"*\\)|)","i"),bool:new RegExp("^(?:"+L+")$","i"),needsContext:new RegExp("^"+M+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+M+"*((?:-\\d)?\\d*)"+M+"*\\)|)(?=[^-]|$)","i")},Y=/^(?:input|select|textarea|button)$/i,Z=/^h\d$/i,$=/^[^{]+\{\s*\[native \w/,_=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,ab=/[+~]/,bb=/'|\\/g,cb=new RegExp("\\\\([\\da-f]{1,6}"+M+"?|("+M+")|.)","ig"),db=function(a,b,c){var d="0x"+b-65536;return d!==d||c?b:0>d?String.fromCharCode(d+65536):String.fromCharCode(d>>10|55296,1023&d|56320)};try{I.apply(F=J.call(v.childNodes),v.childNodes),F[v.childNodes.length].nodeType}catch(eb){I={apply:F.length?function(a,b){H.apply(a,J.call(b))}:function(a,b){var c=a.length,d=0;while(a[c++]=b[d++]);a.length=c-1}}}function fb(a,b,d,e){var f,h,j,k,l,o,r,s,w,x;if((b?b.ownerDocument||b:v)!==n&&m(b),b=b||n,d=d||[],!a||"string"!=typeof a)return d;if(1!==(k=b.nodeType)&&9!==k)return[];if(p&&!e){if(f=_.exec(a))if(j=f[1]){if(9===k){if(h=b.getElementById(j),!h||!h.parentNode)return d;if(h.id===j)return d.push(h),d}else if(b.ownerDocument&&(h=b.ownerDocument.getElementById(j))&&t(b,h)&&h.id===j)return d.push(h),d}else{if(f[2])return I.apply(d,b.getElementsByTagName(a)),d;if((j=f[3])&&c.getElementsByClassName&&b.getElementsByClassName)return I.apply(d,b.getElementsByClassName(j)),d}if(c.qsa&&(!q||!q.test(a))){if(s=r=u,w=b,x=9===k&&a,1===k&&"object"!==b.nodeName.toLowerCase()){o=g(a),(r=b.getAttribute("id"))?s=r.replace(bb,"\\$&"):b.setAttribute("id",s),s="[id='"+s+"'] ",l=o.length;while(l--)o[l]=s+qb(o[l]);w=ab.test(a)&&ob(b.parentNode)||b,x=o.join(",")}if(x)try{return I.apply(d,w.querySelectorAll(x)),d}catch(y){}finally{r||b.removeAttribute("id")}}}return i(a.replace(R,"$1"),b,d,e)}function gb(){var a=[];function b(c,e){return a.push(c+" ")>d.cacheLength&&delete b[a.shift()],b[c+" "]=e}return b}function hb(a){return a[u]=!0,a}function ib(a){var b=n.createElement("div");try{return!!a(b)}catch(c){return!1}finally{b.parentNode&&b.parentNode.removeChild(b),b=null}}function jb(a,b){var c=a.split("|"),e=a.length;while(e--)d.attrHandle[c[e]]=b}function kb(a,b){var c=b&&a,d=c&&1===a.nodeType&&1===b.nodeType&&(~b.sourceIndex||D)-(~a.sourceIndex||D);if(d)return d;if(c)while(c=c.nextSibling)if(c===b)return-1;return a?1:-1}function lb(a){return function(b){var c=b.nodeName.toLowerCase();return"input"===c&&b.type===a}}function mb(a){return function(b){var c=b.nodeName.toLowerCase();return("input"===c||"button"===c)&&b.type===a}}function nb(a){return hb(function(b){return b=+b,hb(function(c,d){var e,f=a([],c.length,b),g=f.length;while(g--)c[e=f[g]]&&(c[e]=!(d[e]=c[e]))})})}function ob(a){return a&&typeof a.getElementsByTagName!==C&&a}c=fb.support={},f=fb.isXML=function(a){var b=a&&(a.ownerDocument||a).documentElement;return b?"HTML"!==b.nodeName:!1},m=fb.setDocument=function(a){var b,e=a?a.ownerDocument||a:v,g=e.defaultView;return e!==n&&9===e.nodeType&&e.documentElement?(n=e,o=e.documentElement,p=!f(e),g&&g!==g.top&&(g.addEventListener?g.addEventListener("unload",function(){m()},!1):g.attachEvent&&g.attachEvent("onunload",function(){m()})),c.attributes=ib(function(a){return a.className="i",!a.getAttribute("className")}),c.getElementsByTagName=ib(function(a){return a.appendChild(e.createComment("")),!a.getElementsByTagName("*").length}),c.getElementsByClassName=$.test(e.getElementsByClassName)&&ib(function(a){return a.innerHTML="
      ",a.firstChild.className="i",2===a.getElementsByClassName("i").length}),c.getById=ib(function(a){return o.appendChild(a).id=u,!e.getElementsByName||!e.getElementsByName(u).length}),c.getById?(d.find.ID=function(a,b){if(typeof b.getElementById!==C&&p){var c=b.getElementById(a);return c&&c.parentNode?[c]:[]}},d.filter.ID=function(a){var b=a.replace(cb,db);return function(a){return a.getAttribute("id")===b}}):(delete d.find.ID,d.filter.ID=function(a){var b=a.replace(cb,db);return function(a){var c=typeof a.getAttributeNode!==C&&a.getAttributeNode("id");return c&&c.value===b}}),d.find.TAG=c.getElementsByTagName?function(a,b){return typeof b.getElementsByTagName!==C?b.getElementsByTagName(a):void 0}:function(a,b){var c,d=[],e=0,f=b.getElementsByTagName(a);if("*"===a){while(c=f[e++])1===c.nodeType&&d.push(c);return d}return f},d.find.CLASS=c.getElementsByClassName&&function(a,b){return typeof b.getElementsByClassName!==C&&p?b.getElementsByClassName(a):void 0},r=[],q=[],(c.qsa=$.test(e.querySelectorAll))&&(ib(function(a){a.innerHTML="",a.querySelectorAll("[msallowclip^='']").length&&q.push("[*^$]="+M+"*(?:''|\"\")"),a.querySelectorAll("[selected]").length||q.push("\\["+M+"*(?:value|"+L+")"),a.querySelectorAll(":checked").length||q.push(":checked")}),ib(function(a){var b=e.createElement("input");b.setAttribute("type","hidden"),a.appendChild(b).setAttribute("name","D"),a.querySelectorAll("[name=d]").length&&q.push("name"+M+"*[*^$|!~]?="),a.querySelectorAll(":enabled").length||q.push(":enabled",":disabled"),a.querySelectorAll("*,:x"),q.push(",.*:")})),(c.matchesSelector=$.test(s=o.matches||o.webkitMatchesSelector||o.mozMatchesSelector||o.oMatchesSelector||o.msMatchesSelector))&&ib(function(a){c.disconnectedMatch=s.call(a,"div"),s.call(a,"[s!='']:x"),r.push("!=",Q)}),q=q.length&&new RegExp(q.join("|")),r=r.length&&new RegExp(r.join("|")),b=$.test(o.compareDocumentPosition),t=b||$.test(o.contains)?function(a,b){var c=9===a.nodeType?a.documentElement:a,d=b&&b.parentNode;return a===d||!(!d||1!==d.nodeType||!(c.contains?c.contains(d):a.compareDocumentPosition&&16&a.compareDocumentPosition(d)))}:function(a,b){if(b)while(b=b.parentNode)if(b===a)return!0;return!1},B=b?function(a,b){if(a===b)return l=!0,0;var d=!a.compareDocumentPosition-!b.compareDocumentPosition;return d?d:(d=(a.ownerDocument||a)===(b.ownerDocument||b)?a.compareDocumentPosition(b):1,1&d||!c.sortDetached&&b.compareDocumentPosition(a)===d?a===e||a.ownerDocument===v&&t(v,a)?-1:b===e||b.ownerDocument===v&&t(v,b)?1:k?K.call(k,a)-K.call(k,b):0:4&d?-1:1)}:function(a,b){if(a===b)return l=!0,0;var c,d=0,f=a.parentNode,g=b.parentNode,h=[a],i=[b];if(!f||!g)return a===e?-1:b===e?1:f?-1:g?1:k?K.call(k,a)-K.call(k,b):0;if(f===g)return kb(a,b);c=a;while(c=c.parentNode)h.unshift(c);c=b;while(c=c.parentNode)i.unshift(c);while(h[d]===i[d])d++;return d?kb(h[d],i[d]):h[d]===v?-1:i[d]===v?1:0},e):n},fb.matches=function(a,b){return fb(a,null,null,b)},fb.matchesSelector=function(a,b){if((a.ownerDocument||a)!==n&&m(a),b=b.replace(U,"='$1']"),!(!c.matchesSelector||!p||r&&r.test(b)||q&&q.test(b)))try{var d=s.call(a,b);if(d||c.disconnectedMatch||a.document&&11!==a.document.nodeType)return d}catch(e){}return fb(b,n,null,[a]).length>0},fb.contains=function(a,b){return(a.ownerDocument||a)!==n&&m(a),t(a,b)},fb.attr=function(a,b){(a.ownerDocument||a)!==n&&m(a);var e=d.attrHandle[b.toLowerCase()],f=e&&E.call(d.attrHandle,b.toLowerCase())?e(a,b,!p):void 0;return void 0!==f?f:c.attributes||!p?a.getAttribute(b):(f=a.getAttributeNode(b))&&f.specified?f.value:null},fb.error=function(a){throw new Error("Syntax error, unrecognized expression: "+a)},fb.uniqueSort=function(a){var b,d=[],e=0,f=0;if(l=!c.detectDuplicates,k=!c.sortStable&&a.slice(0),a.sort(B),l){while(b=a[f++])b===a[f]&&(e=d.push(f));while(e--)a.splice(d[e],1)}return k=null,a},e=fb.getText=function(a){var b,c="",d=0,f=a.nodeType;if(f){if(1===f||9===f||11===f){if("string"==typeof a.textContent)return a.textContent;for(a=a.firstChild;a;a=a.nextSibling)c+=e(a)}else if(3===f||4===f)return a.nodeValue}else while(b=a[d++])c+=e(b);return c},d=fb.selectors={cacheLength:50,createPseudo:hb,match:X,attrHandle:{},find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(a){return a[1]=a[1].replace(cb,db),a[3]=(a[3]||a[4]||a[5]||"").replace(cb,db),"~="===a[2]&&(a[3]=" "+a[3]+" "),a.slice(0,4)},CHILD:function(a){return a[1]=a[1].toLowerCase(),"nth"===a[1].slice(0,3)?(a[3]||fb.error(a[0]),a[4]=+(a[4]?a[5]+(a[6]||1):2*("even"===a[3]||"odd"===a[3])),a[5]=+(a[7]+a[8]||"odd"===a[3])):a[3]&&fb.error(a[0]),a},PSEUDO:function(a){var b,c=!a[6]&&a[2];return X.CHILD.test(a[0])?null:(a[3]?a[2]=a[4]||a[5]||"":c&&V.test(c)&&(b=g(c,!0))&&(b=c.indexOf(")",c.length-b)-c.length)&&(a[0]=a[0].slice(0,b),a[2]=c.slice(0,b)),a.slice(0,3))}},filter:{TAG:function(a){var b=a.replace(cb,db).toLowerCase();return"*"===a?function(){return!0}:function(a){return a.nodeName&&a.nodeName.toLowerCase()===b}},CLASS:function(a){var b=y[a+" "];return b||(b=new RegExp("(^|"+M+")"+a+"("+M+"|$)"))&&y(a,function(a){return b.test("string"==typeof a.className&&a.className||typeof a.getAttribute!==C&&a.getAttribute("class")||"")})},ATTR:function(a,b,c){return function(d){var e=fb.attr(d,a);return null==e?"!="===b:b?(e+="","="===b?e===c:"!="===b?e!==c:"^="===b?c&&0===e.indexOf(c):"*="===b?c&&e.indexOf(c)>-1:"$="===b?c&&e.slice(-c.length)===c:"~="===b?(" "+e+" ").indexOf(c)>-1:"|="===b?e===c||e.slice(0,c.length+1)===c+"-":!1):!0}},CHILD:function(a,b,c,d,e){var f="nth"!==a.slice(0,3),g="last"!==a.slice(-4),h="of-type"===b;return 1===d&&0===e?function(a){return!!a.parentNode}:function(b,c,i){var j,k,l,m,n,o,p=f!==g?"nextSibling":"previousSibling",q=b.parentNode,r=h&&b.nodeName.toLowerCase(),s=!i&&!h;if(q){if(f){while(p){l=b;while(l=l[p])if(h?l.nodeName.toLowerCase()===r:1===l.nodeType)return!1;o=p="only"===a&&!o&&"nextSibling"}return!0}if(o=[g?q.firstChild:q.lastChild],g&&s){k=q[u]||(q[u]={}),j=k[a]||[],n=j[0]===w&&j[1],m=j[0]===w&&j[2],l=n&&q.childNodes[n];while(l=++n&&l&&l[p]||(m=n=0)||o.pop())if(1===l.nodeType&&++m&&l===b){k[a]=[w,n,m];break}}else if(s&&(j=(b[u]||(b[u]={}))[a])&&j[0]===w)m=j[1];else while(l=++n&&l&&l[p]||(m=n=0)||o.pop())if((h?l.nodeName.toLowerCase()===r:1===l.nodeType)&&++m&&(s&&((l[u]||(l[u]={}))[a]=[w,m]),l===b))break;return m-=e,m===d||m%d===0&&m/d>=0}}},PSEUDO:function(a,b){var c,e=d.pseudos[a]||d.setFilters[a.toLowerCase()]||fb.error("unsupported pseudo: "+a);return e[u]?e(b):e.length>1?(c=[a,a,"",b],d.setFilters.hasOwnProperty(a.toLowerCase())?hb(function(a,c){var d,f=e(a,b),g=f.length;while(g--)d=K.call(a,f[g]),a[d]=!(c[d]=f[g])}):function(a){return e(a,0,c)}):e}},pseudos:{not:hb(function(a){var b=[],c=[],d=h(a.replace(R,"$1"));return d[u]?hb(function(a,b,c,e){var f,g=d(a,null,e,[]),h=a.length;while(h--)(f=g[h])&&(a[h]=!(b[h]=f))}):function(a,e,f){return b[0]=a,d(b,null,f,c),!c.pop()}}),has:hb(function(a){return function(b){return fb(a,b).length>0}}),contains:hb(function(a){return function(b){return(b.textContent||b.innerText||e(b)).indexOf(a)>-1}}),lang:hb(function(a){return W.test(a||"")||fb.error("unsupported lang: "+a),a=a.replace(cb,db).toLowerCase(),function(b){var c;do if(c=p?b.lang:b.getAttribute("xml:lang")||b.getAttribute("lang"))return c=c.toLowerCase(),c===a||0===c.indexOf(a+"-");while((b=b.parentNode)&&1===b.nodeType);return!1}}),target:function(b){var c=a.location&&a.location.hash;return c&&c.slice(1)===b.id},root:function(a){return a===o},focus:function(a){return a===n.activeElement&&(!n.hasFocus||n.hasFocus())&&!!(a.type||a.href||~a.tabIndex)},enabled:function(a){return a.disabled===!1},disabled:function(a){return a.disabled===!0},checked:function(a){var b=a.nodeName.toLowerCase();return"input"===b&&!!a.checked||"option"===b&&!!a.selected},selected:function(a){return a.parentNode&&a.parentNode.selectedIndex,a.selected===!0},empty:function(a){for(a=a.firstChild;a;a=a.nextSibling)if(a.nodeType<6)return!1;return!0},parent:function(a){return!d.pseudos.empty(a)},header:function(a){return Z.test(a.nodeName)},input:function(a){return Y.test(a.nodeName)},button:function(a){var b=a.nodeName.toLowerCase();return"input"===b&&"button"===a.type||"button"===b},text:function(a){var b;return"input"===a.nodeName.toLowerCase()&&"text"===a.type&&(null==(b=a.getAttribute("type"))||"text"===b.toLowerCase())},first:nb(function(){return[0]}),last:nb(function(a,b){return[b-1]}),eq:nb(function(a,b,c){return[0>c?c+b:c]}),even:nb(function(a,b){for(var c=0;b>c;c+=2)a.push(c);return a}),odd:nb(function(a,b){for(var c=1;b>c;c+=2)a.push(c);return a}),lt:nb(function(a,b,c){for(var d=0>c?c+b:c;--d>=0;)a.push(d);return a}),gt:nb(function(a,b,c){for(var d=0>c?c+b:c;++db;b++)d+=a[b].value;return d}function rb(a,b,c){var d=b.dir,e=c&&"parentNode"===d,f=x++;return b.first?function(b,c,f){while(b=b[d])if(1===b.nodeType||e)return a(b,c,f)}:function(b,c,g){var h,i,j=[w,f];if(g){while(b=b[d])if((1===b.nodeType||e)&&a(b,c,g))return!0}else while(b=b[d])if(1===b.nodeType||e){if(i=b[u]||(b[u]={}),(h=i[d])&&h[0]===w&&h[1]===f)return j[2]=h[2];if(i[d]=j,j[2]=a(b,c,g))return!0}}}function sb(a){return a.length>1?function(b,c,d){var e=a.length;while(e--)if(!a[e](b,c,d))return!1;return!0}:a[0]}function tb(a,b,c){for(var d=0,e=b.length;e>d;d++)fb(a,b[d],c);return c}function ub(a,b,c,d,e){for(var f,g=[],h=0,i=a.length,j=null!=b;i>h;h++)(f=a[h])&&(!c||c(f,d,e))&&(g.push(f),j&&b.push(h));return g}function vb(a,b,c,d,e,f){return d&&!d[u]&&(d=vb(d)),e&&!e[u]&&(e=vb(e,f)),hb(function(f,g,h,i){var j,k,l,m=[],n=[],o=g.length,p=f||tb(b||"*",h.nodeType?[h]:h,[]),q=!a||!f&&b?p:ub(p,m,a,h,i),r=c?e||(f?a:o||d)?[]:g:q;if(c&&c(q,r,h,i),d){j=ub(r,n),d(j,[],h,i),k=j.length;while(k--)(l=j[k])&&(r[n[k]]=!(q[n[k]]=l))}if(f){if(e||a){if(e){j=[],k=r.length;while(k--)(l=r[k])&&j.push(q[k]=l);e(null,r=[],j,i)}k=r.length;while(k--)(l=r[k])&&(j=e?K.call(f,l):m[k])>-1&&(f[j]=!(g[j]=l))}}else r=ub(r===g?r.splice(o,r.length):r),e?e(null,g,r,i):I.apply(g,r)})}function wb(a){for(var b,c,e,f=a.length,g=d.relative[a[0].type],h=g||d.relative[" "],i=g?1:0,k=rb(function(a){return a===b},h,!0),l=rb(function(a){return K.call(b,a)>-1},h,!0),m=[function(a,c,d){return!g&&(d||c!==j)||((b=c).nodeType?k(a,c,d):l(a,c,d))}];f>i;i++)if(c=d.relative[a[i].type])m=[rb(sb(m),c)];else{if(c=d.filter[a[i].type].apply(null,a[i].matches),c[u]){for(e=++i;f>e;e++)if(d.relative[a[e].type])break;return vb(i>1&&sb(m),i>1&&qb(a.slice(0,i-1).concat({value:" "===a[i-2].type?"*":""})).replace(R,"$1"),c,e>i&&wb(a.slice(i,e)),f>e&&wb(a=a.slice(e)),f>e&&qb(a))}m.push(c)}return sb(m)}function xb(a,b){var c=b.length>0,e=a.length>0,f=function(f,g,h,i,k){var l,m,o,p=0,q="0",r=f&&[],s=[],t=j,u=f||e&&d.find.TAG("*",k),v=w+=null==t?1:Math.random()||.1,x=u.length;for(k&&(j=g!==n&&g);q!==x&&null!=(l=u[q]);q++){if(e&&l){m=0;while(o=a[m++])if(o(l,g,h)){i.push(l);break}k&&(w=v)}c&&((l=!o&&l)&&p--,f&&r.push(l))}if(p+=q,c&&q!==p){m=0;while(o=b[m++])o(r,s,g,h);if(f){if(p>0)while(q--)r[q]||s[q]||(s[q]=G.call(i));s=ub(s)}I.apply(i,s),k&&!f&&s.length>0&&p+b.length>1&&fb.uniqueSort(i)}return k&&(w=v,j=t),r};return c?hb(f):f}return h=fb.compile=function(a,b){var c,d=[],e=[],f=A[a+" "];if(!f){b||(b=g(a)),c=b.length;while(c--)f=wb(b[c]),f[u]?d.push(f):e.push(f);f=A(a,xb(e,d)),f.selector=a}return f},i=fb.select=function(a,b,e,f){var i,j,k,l,m,n="function"==typeof a&&a,o=!f&&g(a=n.selector||a);if(e=e||[],1===o.length){if(j=o[0]=o[0].slice(0),j.length>2&&"ID"===(k=j[0]).type&&c.getById&&9===b.nodeType&&p&&d.relative[j[1].type]){if(b=(d.find.ID(k.matches[0].replace(cb,db),b)||[])[0],!b)return e;n&&(b=b.parentNode),a=a.slice(j.shift().value.length)}i=X.needsContext.test(a)?0:j.length;while(i--){if(k=j[i],d.relative[l=k.type])break;if((m=d.find[l])&&(f=m(k.matches[0].replace(cb,db),ab.test(j[0].type)&&ob(b.parentNode)||b))){if(j.splice(i,1),a=f.length&&qb(j),!a)return I.apply(e,f),e;break}}}return(n||h(a,o))(f,b,!p,e,ab.test(a)&&ob(b.parentNode)||b),e},c.sortStable=u.split("").sort(B).join("")===u,c.detectDuplicates=!!l,m(),c.sortDetached=ib(function(a){return 1&a.compareDocumentPosition(n.createElement("div"))}),ib(function(a){return a.innerHTML="
      ","#"===a.firstChild.getAttribute("href")})||jb("type|href|height|width",function(a,b,c){return c?void 0:a.getAttribute(b,"type"===b.toLowerCase()?1:2)}),c.attributes&&ib(function(a){return a.innerHTML="",a.firstChild.setAttribute("value",""),""===a.firstChild.getAttribute("value")})||jb("value",function(a,b,c){return c||"input"!==a.nodeName.toLowerCase()?void 0:a.defaultValue}),ib(function(a){return null==a.getAttribute("disabled")})||jb(L,function(a,b,c){var d;return c?void 0:a[b]===!0?b.toLowerCase():(d=a.getAttributeNode(b))&&d.specified?d.value:null}),fb}(a);m.find=s,m.expr=s.selectors,m.expr[":"]=m.expr.pseudos,m.unique=s.uniqueSort,m.text=s.getText,m.isXMLDoc=s.isXML,m.contains=s.contains;var t=m.expr.match.needsContext,u=/^<(\w+)\s*\/?>(?:<\/\1>|)$/,v=/^.[^:#\[\.,]*$/;function w(a,b,c){if(m.isFunction(b))return m.grep(a,function(a,d){return!!b.call(a,d,a)!==c});if(b.nodeType)return m.grep(a,function(a){return a===b!==c});if("string"==typeof b){if(v.test(b))return m.filter(b,a,c);b=m.filter(b,a)}return m.grep(a,function(a){return m.inArray(a,b)>=0!==c})}m.filter=function(a,b,c){var d=b[0];return c&&(a=":not("+a+")"),1===b.length&&1===d.nodeType?m.find.matchesSelector(d,a)?[d]:[]:m.find.matches(a,m.grep(b,function(a){return 1===a.nodeType}))},m.fn.extend({find:function(a){var b,c=[],d=this,e=d.length;if("string"!=typeof a)return this.pushStack(m(a).filter(function(){for(b=0;e>b;b++)if(m.contains(d[b],this))return!0}));for(b=0;e>b;b++)m.find(a,d[b],c);return c=this.pushStack(e>1?m.unique(c):c),c.selector=this.selector?this.selector+" "+a:a,c},filter:function(a){return this.pushStack(w(this,a||[],!1))},not:function(a){return this.pushStack(w(this,a||[],!0))},is:function(a){return!!w(this,"string"==typeof a&&t.test(a)?m(a):a||[],!1).length}});var x,y=a.document,z=/^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]*))$/,A=m.fn.init=function(a,b){var c,d;if(!a)return this;if("string"==typeof a){if(c="<"===a.charAt(0)&&">"===a.charAt(a.length-1)&&a.length>=3?[null,a,null]:z.exec(a),!c||!c[1]&&b)return!b||b.jquery?(b||x).find(a):this.constructor(b).find(a);if(c[1]){if(b=b instanceof m?b[0]:b,m.merge(this,m.parseHTML(c[1],b&&b.nodeType?b.ownerDocument||b:y,!0)),u.test(c[1])&&m.isPlainObject(b))for(c in b)m.isFunction(this[c])?this[c](b[c]):this.attr(c,b[c]);return this}if(d=y.getElementById(c[2]),d&&d.parentNode){if(d.id!==c[2])return x.find(a);this.length=1,this[0]=d}return this.context=y,this.selector=a,this}return a.nodeType?(this.context=this[0]=a,this.length=1,this):m.isFunction(a)?"undefined"!=typeof x.ready?x.ready(a):a(m):(void 0!==a.selector&&(this.selector=a.selector,this.context=a.context),m.makeArray(a,this))};A.prototype=m.fn,x=m(y);var B=/^(?:parents|prev(?:Until|All))/,C={children:!0,contents:!0,next:!0,prev:!0};m.extend({dir:function(a,b,c){var d=[],e=a[b];while(e&&9!==e.nodeType&&(void 0===c||1!==e.nodeType||!m(e).is(c)))1===e.nodeType&&d.push(e),e=e[b];return d},sibling:function(a,b){for(var c=[];a;a=a.nextSibling)1===a.nodeType&&a!==b&&c.push(a);return c}}),m.fn.extend({has:function(a){var b,c=m(a,this),d=c.length;return this.filter(function(){for(b=0;d>b;b++)if(m.contains(this,c[b]))return!0})},closest:function(a,b){for(var c,d=0,e=this.length,f=[],g=t.test(a)||"string"!=typeof a?m(a,b||this.context):0;e>d;d++)for(c=this[d];c&&c!==b;c=c.parentNode)if(c.nodeType<11&&(g?g.index(c)>-1:1===c.nodeType&&m.find.matchesSelector(c,a))){f.push(c);break}return this.pushStack(f.length>1?m.unique(f):f)},index:function(a){return a?"string"==typeof a?m.inArray(this[0],m(a)):m.inArray(a.jquery?a[0]:a,this):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(a,b){return this.pushStack(m.unique(m.merge(this.get(),m(a,b))))},addBack:function(a){return this.add(null==a?this.prevObject:this.prevObject.filter(a))}});function D(a,b){do a=a[b];while(a&&1!==a.nodeType);return a}m.each({parent:function(a){var b=a.parentNode;return b&&11!==b.nodeType?b:null},parents:function(a){return m.dir(a,"parentNode")},parentsUntil:function(a,b,c){return m.dir(a,"parentNode",c)},next:function(a){return D(a,"nextSibling")},prev:function(a){return D(a,"previousSibling")},nextAll:function(a){return m.dir(a,"nextSibling")},prevAll:function(a){return m.dir(a,"previousSibling")},nextUntil:function(a,b,c){return m.dir(a,"nextSibling",c)},prevUntil:function(a,b,c){return m.dir(a,"previousSibling",c)},siblings:function(a){return m.sibling((a.parentNode||{}).firstChild,a)},children:function(a){return m.sibling(a.firstChild)},contents:function(a){return m.nodeName(a,"iframe")?a.contentDocument||a.contentWindow.document:m.merge([],a.childNodes)}},function(a,b){m.fn[a]=function(c,d){var e=m.map(this,b,c);return"Until"!==a.slice(-5)&&(d=c),d&&"string"==typeof d&&(e=m.filter(d,e)),this.length>1&&(C[a]||(e=m.unique(e)),B.test(a)&&(e=e.reverse())),this.pushStack(e)}});var E=/\S+/g,F={};function G(a){var b=F[a]={};return m.each(a.match(E)||[],function(a,c){b[c]=!0}),b}m.Callbacks=function(a){a="string"==typeof a?F[a]||G(a):m.extend({},a);var b,c,d,e,f,g,h=[],i=!a.once&&[],j=function(l){for(c=a.memory&&l,d=!0,f=g||0,g=0,e=h.length,b=!0;h&&e>f;f++)if(h[f].apply(l[0],l[1])===!1&&a.stopOnFalse){c=!1;break}b=!1,h&&(i?i.length&&j(i.shift()):c?h=[]:k.disable())},k={add:function(){if(h){var d=h.length;!function f(b){m.each(b,function(b,c){var d=m.type(c);"function"===d?a.unique&&k.has(c)||h.push(c):c&&c.length&&"string"!==d&&f(c)})}(arguments),b?e=h.length:c&&(g=d,j(c))}return this},remove:function(){return h&&m.each(arguments,function(a,c){var d;while((d=m.inArray(c,h,d))>-1)h.splice(d,1),b&&(e>=d&&e--,f>=d&&f--)}),this},has:function(a){return a?m.inArray(a,h)>-1:!(!h||!h.length)},empty:function(){return h=[],e=0,this},disable:function(){return h=i=c=void 0,this},disabled:function(){return!h},lock:function(){return i=void 0,c||k.disable(),this},locked:function(){return!i},fireWith:function(a,c){return!h||d&&!i||(c=c||[],c=[a,c.slice?c.slice():c],b?i.push(c):j(c)),this},fire:function(){return k.fireWith(this,arguments),this},fired:function(){return!!d}};return k},m.extend({Deferred:function(a){var b=[["resolve","done",m.Callbacks("once memory"),"resolved"],["reject","fail",m.Callbacks("once memory"),"rejected"],["notify","progress",m.Callbacks("memory")]],c="pending",d={state:function(){return c},always:function(){return e.done(arguments).fail(arguments),this},then:function(){var a=arguments;return m.Deferred(function(c){m.each(b,function(b,f){var g=m.isFunction(a[b])&&a[b];e[f[1]](function(){var a=g&&g.apply(this,arguments);a&&m.isFunction(a.promise)?a.promise().done(c.resolve).fail(c.reject).progress(c.notify):c[f[0]+"With"](this===d?c.promise():this,g?[a]:arguments)})}),a=null}).promise()},promise:function(a){return null!=a?m.extend(a,d):d}},e={};return d.pipe=d.then,m.each(b,function(a,f){var g=f[2],h=f[3];d[f[1]]=g.add,h&&g.add(function(){c=h},b[1^a][2].disable,b[2][2].lock),e[f[0]]=function(){return e[f[0]+"With"](this===e?d:this,arguments),this},e[f[0]+"With"]=g.fireWith}),d.promise(e),a&&a.call(e,e),e},when:function(a){var b=0,c=d.call(arguments),e=c.length,f=1!==e||a&&m.isFunction(a.promise)?e:0,g=1===f?a:m.Deferred(),h=function(a,b,c){return function(e){b[a]=this,c[a]=arguments.length>1?d.call(arguments):e,c===i?g.notifyWith(b,c):--f||g.resolveWith(b,c)}},i,j,k;if(e>1)for(i=new Array(e),j=new Array(e),k=new Array(e);e>b;b++)c[b]&&m.isFunction(c[b].promise)?c[b].promise().done(h(b,k,c)).fail(g.reject).progress(h(b,j,i)):--f;return f||g.resolveWith(k,c),g.promise()}});var H;m.fn.ready=function(a){return m.ready.promise().done(a),this},m.extend({isReady:!1,readyWait:1,holdReady:function(a){a?m.readyWait++:m.ready(!0)},ready:function(a){if(a===!0?!--m.readyWait:!m.isReady){if(!y.body)return setTimeout(m.ready);m.isReady=!0,a!==!0&&--m.readyWait>0||(H.resolveWith(y,[m]),m.fn.triggerHandler&&(m(y).triggerHandler("ready"),m(y).off("ready")))}}});function I(){y.addEventListener?(y.removeEventListener("DOMContentLoaded",J,!1),a.removeEventListener("load",J,!1)):(y.detachEvent("onreadystatechange",J),a.detachEvent("onload",J))}function J(){(y.addEventListener||"load"===event.type||"complete"===y.readyState)&&(I(),m.ready())}m.ready.promise=function(b){if(!H)if(H=m.Deferred(),"complete"===y.readyState)setTimeout(m.ready);else if(y.addEventListener)y.addEventListener("DOMContentLoaded",J,!1),a.addEventListener("load",J,!1);else{y.attachEvent("onreadystatechange",J),a.attachEvent("onload",J);var c=!1;try{c=null==a.frameElement&&y.documentElement}catch(d){}c&&c.doScroll&&!function e(){if(!m.isReady){try{c.doScroll("left")}catch(a){return setTimeout(e,50)}I(),m.ready()}}()}return H.promise(b)};var K="undefined",L;for(L in m(k))break;k.ownLast="0"!==L,k.inlineBlockNeedsLayout=!1,m(function(){var a,b,c,d;c=y.getElementsByTagName("body")[0],c&&c.style&&(b=y.createElement("div"),d=y.createElement("div"),d.style.cssText="position:absolute;border:0;width:0;height:0;top:0;left:-9999px",c.appendChild(d).appendChild(b),typeof b.style.zoom!==K&&(b.style.cssText="display:inline;margin:0;border:0;padding:1px;width:1px;zoom:1",k.inlineBlockNeedsLayout=a=3===b.offsetWidth,a&&(c.style.zoom=1)),c.removeChild(d))}),function(){var a=y.createElement("div");if(null==k.deleteExpando){k.deleteExpando=!0;try{delete a.test}catch(b){k.deleteExpando=!1}}a=null}(),m.acceptData=function(a){var b=m.noData[(a.nodeName+" ").toLowerCase()],c=+a.nodeType||1;return 1!==c&&9!==c?!1:!b||b!==!0&&a.getAttribute("classid")===b};var M=/^(?:\{[\w\W]*\}|\[[\w\W]*\])$/,N=/([A-Z])/g;function O(a,b,c){if(void 0===c&&1===a.nodeType){var d="data-"+b.replace(N,"-$1").toLowerCase();if(c=a.getAttribute(d),"string"==typeof c){try{c="true"===c?!0:"false"===c?!1:"null"===c?null:+c+""===c?+c:M.test(c)?m.parseJSON(c):c}catch(e){}m.data(a,b,c)}else c=void 0}return c}function P(a){var b;for(b in a)if(("data"!==b||!m.isEmptyObject(a[b]))&&"toJSON"!==b)return!1;return!0}function Q(a,b,d,e){if(m.acceptData(a)){var f,g,h=m.expando,i=a.nodeType,j=i?m.cache:a,k=i?a[h]:a[h]&&h; -if(k&&j[k]&&(e||j[k].data)||void 0!==d||"string"!=typeof b)return k||(k=i?a[h]=c.pop()||m.guid++:h),j[k]||(j[k]=i?{}:{toJSON:m.noop}),("object"==typeof b||"function"==typeof b)&&(e?j[k]=m.extend(j[k],b):j[k].data=m.extend(j[k].data,b)),g=j[k],e||(g.data||(g.data={}),g=g.data),void 0!==d&&(g[m.camelCase(b)]=d),"string"==typeof b?(f=g[b],null==f&&(f=g[m.camelCase(b)])):f=g,f}}function R(a,b,c){if(m.acceptData(a)){var d,e,f=a.nodeType,g=f?m.cache:a,h=f?a[m.expando]:m.expando;if(g[h]){if(b&&(d=c?g[h]:g[h].data)){m.isArray(b)?b=b.concat(m.map(b,m.camelCase)):b in d?b=[b]:(b=m.camelCase(b),b=b in d?[b]:b.split(" ")),e=b.length;while(e--)delete d[b[e]];if(c?!P(d):!m.isEmptyObject(d))return}(c||(delete g[h].data,P(g[h])))&&(f?m.cleanData([a],!0):k.deleteExpando||g!=g.window?delete g[h]:g[h]=null)}}}m.extend({cache:{},noData:{"applet ":!0,"embed ":!0,"object ":"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000"},hasData:function(a){return a=a.nodeType?m.cache[a[m.expando]]:a[m.expando],!!a&&!P(a)},data:function(a,b,c){return Q(a,b,c)},removeData:function(a,b){return R(a,b)},_data:function(a,b,c){return Q(a,b,c,!0)},_removeData:function(a,b){return R(a,b,!0)}}),m.fn.extend({data:function(a,b){var c,d,e,f=this[0],g=f&&f.attributes;if(void 0===a){if(this.length&&(e=m.data(f),1===f.nodeType&&!m._data(f,"parsedAttrs"))){c=g.length;while(c--)g[c]&&(d=g[c].name,0===d.indexOf("data-")&&(d=m.camelCase(d.slice(5)),O(f,d,e[d])));m._data(f,"parsedAttrs",!0)}return e}return"object"==typeof a?this.each(function(){m.data(this,a)}):arguments.length>1?this.each(function(){m.data(this,a,b)}):f?O(f,a,m.data(f,a)):void 0},removeData:function(a){return this.each(function(){m.removeData(this,a)})}}),m.extend({queue:function(a,b,c){var d;return a?(b=(b||"fx")+"queue",d=m._data(a,b),c&&(!d||m.isArray(c)?d=m._data(a,b,m.makeArray(c)):d.push(c)),d||[]):void 0},dequeue:function(a,b){b=b||"fx";var c=m.queue(a,b),d=c.length,e=c.shift(),f=m._queueHooks(a,b),g=function(){m.dequeue(a,b)};"inprogress"===e&&(e=c.shift(),d--),e&&("fx"===b&&c.unshift("inprogress"),delete f.stop,e.call(a,g,f)),!d&&f&&f.empty.fire()},_queueHooks:function(a,b){var c=b+"queueHooks";return m._data(a,c)||m._data(a,c,{empty:m.Callbacks("once memory").add(function(){m._removeData(a,b+"queue"),m._removeData(a,c)})})}}),m.fn.extend({queue:function(a,b){var c=2;return"string"!=typeof a&&(b=a,a="fx",c--),arguments.lengthh;h++)b(a[h],c,g?d:d.call(a[h],h,b(a[h],c)));return e?a:j?b.call(a):i?b(a[0],c):f},W=/^(?:checkbox|radio)$/i;!function(){var a=y.createElement("input"),b=y.createElement("div"),c=y.createDocumentFragment();if(b.innerHTML="
      a",k.leadingWhitespace=3===b.firstChild.nodeType,k.tbody=!b.getElementsByTagName("tbody").length,k.htmlSerialize=!!b.getElementsByTagName("link").length,k.html5Clone="<:nav>"!==y.createElement("nav").cloneNode(!0).outerHTML,a.type="checkbox",a.checked=!0,c.appendChild(a),k.appendChecked=a.checked,b.innerHTML="",k.noCloneChecked=!!b.cloneNode(!0).lastChild.defaultValue,c.appendChild(b),b.innerHTML="",k.checkClone=b.cloneNode(!0).cloneNode(!0).lastChild.checked,k.noCloneEvent=!0,b.attachEvent&&(b.attachEvent("onclick",function(){k.noCloneEvent=!1}),b.cloneNode(!0).click()),null==k.deleteExpando){k.deleteExpando=!0;try{delete b.test}catch(d){k.deleteExpando=!1}}}(),function(){var b,c,d=y.createElement("div");for(b in{submit:!0,change:!0,focusin:!0})c="on"+b,(k[b+"Bubbles"]=c in a)||(d.setAttribute(c,"t"),k[b+"Bubbles"]=d.attributes[c].expando===!1);d=null}();var X=/^(?:input|select|textarea)$/i,Y=/^key/,Z=/^(?:mouse|pointer|contextmenu)|click/,$=/^(?:focusinfocus|focusoutblur)$/,_=/^([^.]*)(?:\.(.+)|)$/;function ab(){return!0}function bb(){return!1}function cb(){try{return y.activeElement}catch(a){}}m.event={global:{},add:function(a,b,c,d,e){var f,g,h,i,j,k,l,n,o,p,q,r=m._data(a);if(r){c.handler&&(i=c,c=i.handler,e=i.selector),c.guid||(c.guid=m.guid++),(g=r.events)||(g=r.events={}),(k=r.handle)||(k=r.handle=function(a){return typeof m===K||a&&m.event.triggered===a.type?void 0:m.event.dispatch.apply(k.elem,arguments)},k.elem=a),b=(b||"").match(E)||[""],h=b.length;while(h--)f=_.exec(b[h])||[],o=q=f[1],p=(f[2]||"").split(".").sort(),o&&(j=m.event.special[o]||{},o=(e?j.delegateType:j.bindType)||o,j=m.event.special[o]||{},l=m.extend({type:o,origType:q,data:d,handler:c,guid:c.guid,selector:e,needsContext:e&&m.expr.match.needsContext.test(e),namespace:p.join(".")},i),(n=g[o])||(n=g[o]=[],n.delegateCount=0,j.setup&&j.setup.call(a,d,p,k)!==!1||(a.addEventListener?a.addEventListener(o,k,!1):a.attachEvent&&a.attachEvent("on"+o,k))),j.add&&(j.add.call(a,l),l.handler.guid||(l.handler.guid=c.guid)),e?n.splice(n.delegateCount++,0,l):n.push(l),m.event.global[o]=!0);a=null}},remove:function(a,b,c,d,e){var f,g,h,i,j,k,l,n,o,p,q,r=m.hasData(a)&&m._data(a);if(r&&(k=r.events)){b=(b||"").match(E)||[""],j=b.length;while(j--)if(h=_.exec(b[j])||[],o=q=h[1],p=(h[2]||"").split(".").sort(),o){l=m.event.special[o]||{},o=(d?l.delegateType:l.bindType)||o,n=k[o]||[],h=h[2]&&new RegExp("(^|\\.)"+p.join("\\.(?:.*\\.|)")+"(\\.|$)"),i=f=n.length;while(f--)g=n[f],!e&&q!==g.origType||c&&c.guid!==g.guid||h&&!h.test(g.namespace)||d&&d!==g.selector&&("**"!==d||!g.selector)||(n.splice(f,1),g.selector&&n.delegateCount--,l.remove&&l.remove.call(a,g));i&&!n.length&&(l.teardown&&l.teardown.call(a,p,r.handle)!==!1||m.removeEvent(a,o,r.handle),delete k[o])}else for(o in k)m.event.remove(a,o+b[j],c,d,!0);m.isEmptyObject(k)&&(delete r.handle,m._removeData(a,"events"))}},trigger:function(b,c,d,e){var f,g,h,i,k,l,n,o=[d||y],p=j.call(b,"type")?b.type:b,q=j.call(b,"namespace")?b.namespace.split("."):[];if(h=l=d=d||y,3!==d.nodeType&&8!==d.nodeType&&!$.test(p+m.event.triggered)&&(p.indexOf(".")>=0&&(q=p.split("."),p=q.shift(),q.sort()),g=p.indexOf(":")<0&&"on"+p,b=b[m.expando]?b:new m.Event(p,"object"==typeof b&&b),b.isTrigger=e?2:3,b.namespace=q.join("."),b.namespace_re=b.namespace?new RegExp("(^|\\.)"+q.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,b.result=void 0,b.target||(b.target=d),c=null==c?[b]:m.makeArray(c,[b]),k=m.event.special[p]||{},e||!k.trigger||k.trigger.apply(d,c)!==!1)){if(!e&&!k.noBubble&&!m.isWindow(d)){for(i=k.delegateType||p,$.test(i+p)||(h=h.parentNode);h;h=h.parentNode)o.push(h),l=h;l===(d.ownerDocument||y)&&o.push(l.defaultView||l.parentWindow||a)}n=0;while((h=o[n++])&&!b.isPropagationStopped())b.type=n>1?i:k.bindType||p,f=(m._data(h,"events")||{})[b.type]&&m._data(h,"handle"),f&&f.apply(h,c),f=g&&h[g],f&&f.apply&&m.acceptData(h)&&(b.result=f.apply(h,c),b.result===!1&&b.preventDefault());if(b.type=p,!e&&!b.isDefaultPrevented()&&(!k._default||k._default.apply(o.pop(),c)===!1)&&m.acceptData(d)&&g&&d[p]&&!m.isWindow(d)){l=d[g],l&&(d[g]=null),m.event.triggered=p;try{d[p]()}catch(r){}m.event.triggered=void 0,l&&(d[g]=l)}return b.result}},dispatch:function(a){a=m.event.fix(a);var b,c,e,f,g,h=[],i=d.call(arguments),j=(m._data(this,"events")||{})[a.type]||[],k=m.event.special[a.type]||{};if(i[0]=a,a.delegateTarget=this,!k.preDispatch||k.preDispatch.call(this,a)!==!1){h=m.event.handlers.call(this,a,j),b=0;while((f=h[b++])&&!a.isPropagationStopped()){a.currentTarget=f.elem,g=0;while((e=f.handlers[g++])&&!a.isImmediatePropagationStopped())(!a.namespace_re||a.namespace_re.test(e.namespace))&&(a.handleObj=e,a.data=e.data,c=((m.event.special[e.origType]||{}).handle||e.handler).apply(f.elem,i),void 0!==c&&(a.result=c)===!1&&(a.preventDefault(),a.stopPropagation()))}return k.postDispatch&&k.postDispatch.call(this,a),a.result}},handlers:function(a,b){var c,d,e,f,g=[],h=b.delegateCount,i=a.target;if(h&&i.nodeType&&(!a.button||"click"!==a.type))for(;i!=this;i=i.parentNode||this)if(1===i.nodeType&&(i.disabled!==!0||"click"!==a.type)){for(e=[],f=0;h>f;f++)d=b[f],c=d.selector+" ",void 0===e[c]&&(e[c]=d.needsContext?m(c,this).index(i)>=0:m.find(c,this,null,[i]).length),e[c]&&e.push(d);e.length&&g.push({elem:i,handlers:e})}return h]","i"),hb=/^\s+/,ib=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/gi,jb=/<([\w:]+)/,kb=/\s*$/g,rb={option:[1,""],legend:[1,"
      ","
      "],area:[1,"",""],param:[1,"",""],thead:[1,"","
      "],tr:[2,"","
      "],col:[2,"","
      "],td:[3,"","
      "],_default:k.htmlSerialize?[0,"",""]:[1,"X
      ","
      "]},sb=db(y),tb=sb.appendChild(y.createElement("div"));rb.optgroup=rb.option,rb.tbody=rb.tfoot=rb.colgroup=rb.caption=rb.thead,rb.th=rb.td;function ub(a,b){var c,d,e=0,f=typeof a.getElementsByTagName!==K?a.getElementsByTagName(b||"*"):typeof a.querySelectorAll!==K?a.querySelectorAll(b||"*"):void 0;if(!f)for(f=[],c=a.childNodes||a;null!=(d=c[e]);e++)!b||m.nodeName(d,b)?f.push(d):m.merge(f,ub(d,b));return void 0===b||b&&m.nodeName(a,b)?m.merge([a],f):f}function vb(a){W.test(a.type)&&(a.defaultChecked=a.checked)}function wb(a,b){return m.nodeName(a,"table")&&m.nodeName(11!==b.nodeType?b:b.firstChild,"tr")?a.getElementsByTagName("tbody")[0]||a.appendChild(a.ownerDocument.createElement("tbody")):a}function xb(a){return a.type=(null!==m.find.attr(a,"type"))+"/"+a.type,a}function yb(a){var b=pb.exec(a.type);return b?a.type=b[1]:a.removeAttribute("type"),a}function zb(a,b){for(var c,d=0;null!=(c=a[d]);d++)m._data(c,"globalEval",!b||m._data(b[d],"globalEval"))}function Ab(a,b){if(1===b.nodeType&&m.hasData(a)){var c,d,e,f=m._data(a),g=m._data(b,f),h=f.events;if(h){delete g.handle,g.events={};for(c in h)for(d=0,e=h[c].length;e>d;d++)m.event.add(b,c,h[c][d])}g.data&&(g.data=m.extend({},g.data))}}function Bb(a,b){var c,d,e;if(1===b.nodeType){if(c=b.nodeName.toLowerCase(),!k.noCloneEvent&&b[m.expando]){e=m._data(b);for(d in e.events)m.removeEvent(b,d,e.handle);b.removeAttribute(m.expando)}"script"===c&&b.text!==a.text?(xb(b).text=a.text,yb(b)):"object"===c?(b.parentNode&&(b.outerHTML=a.outerHTML),k.html5Clone&&a.innerHTML&&!m.trim(b.innerHTML)&&(b.innerHTML=a.innerHTML)):"input"===c&&W.test(a.type)?(b.defaultChecked=b.checked=a.checked,b.value!==a.value&&(b.value=a.value)):"option"===c?b.defaultSelected=b.selected=a.defaultSelected:("input"===c||"textarea"===c)&&(b.defaultValue=a.defaultValue)}}m.extend({clone:function(a,b,c){var d,e,f,g,h,i=m.contains(a.ownerDocument,a);if(k.html5Clone||m.isXMLDoc(a)||!gb.test("<"+a.nodeName+">")?f=a.cloneNode(!0):(tb.innerHTML=a.outerHTML,tb.removeChild(f=tb.firstChild)),!(k.noCloneEvent&&k.noCloneChecked||1!==a.nodeType&&11!==a.nodeType||m.isXMLDoc(a)))for(d=ub(f),h=ub(a),g=0;null!=(e=h[g]);++g)d[g]&&Bb(e,d[g]);if(b)if(c)for(h=h||ub(a),d=d||ub(f),g=0;null!=(e=h[g]);g++)Ab(e,d[g]);else Ab(a,f);return d=ub(f,"script"),d.length>0&&zb(d,!i&&ub(a,"script")),d=h=e=null,f},buildFragment:function(a,b,c,d){for(var e,f,g,h,i,j,l,n=a.length,o=db(b),p=[],q=0;n>q;q++)if(f=a[q],f||0===f)if("object"===m.type(f))m.merge(p,f.nodeType?[f]:f);else if(lb.test(f)){h=h||o.appendChild(b.createElement("div")),i=(jb.exec(f)||["",""])[1].toLowerCase(),l=rb[i]||rb._default,h.innerHTML=l[1]+f.replace(ib,"<$1>")+l[2],e=l[0];while(e--)h=h.lastChild;if(!k.leadingWhitespace&&hb.test(f)&&p.push(b.createTextNode(hb.exec(f)[0])),!k.tbody){f="table"!==i||kb.test(f)?""!==l[1]||kb.test(f)?0:h:h.firstChild,e=f&&f.childNodes.length;while(e--)m.nodeName(j=f.childNodes[e],"tbody")&&!j.childNodes.length&&f.removeChild(j)}m.merge(p,h.childNodes),h.textContent="";while(h.firstChild)h.removeChild(h.firstChild);h=o.lastChild}else p.push(b.createTextNode(f));h&&o.removeChild(h),k.appendChecked||m.grep(ub(p,"input"),vb),q=0;while(f=p[q++])if((!d||-1===m.inArray(f,d))&&(g=m.contains(f.ownerDocument,f),h=ub(o.appendChild(f),"script"),g&&zb(h),c)){e=0;while(f=h[e++])ob.test(f.type||"")&&c.push(f)}return h=null,o},cleanData:function(a,b){for(var d,e,f,g,h=0,i=m.expando,j=m.cache,l=k.deleteExpando,n=m.event.special;null!=(d=a[h]);h++)if((b||m.acceptData(d))&&(f=d[i],g=f&&j[f])){if(g.events)for(e in g.events)n[e]?m.event.remove(d,e):m.removeEvent(d,e,g.handle);j[f]&&(delete j[f],l?delete d[i]:typeof d.removeAttribute!==K?d.removeAttribute(i):d[i]=null,c.push(f))}}}),m.fn.extend({text:function(a){return V(this,function(a){return void 0===a?m.text(this):this.empty().append((this[0]&&this[0].ownerDocument||y).createTextNode(a))},null,a,arguments.length)},append:function(){return this.domManip(arguments,function(a){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var b=wb(this,a);b.appendChild(a)}})},prepend:function(){return this.domManip(arguments,function(a){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var b=wb(this,a);b.insertBefore(a,b.firstChild)}})},before:function(){return this.domManip(arguments,function(a){this.parentNode&&this.parentNode.insertBefore(a,this)})},after:function(){return this.domManip(arguments,function(a){this.parentNode&&this.parentNode.insertBefore(a,this.nextSibling)})},remove:function(a,b){for(var c,d=a?m.filter(a,this):this,e=0;null!=(c=d[e]);e++)b||1!==c.nodeType||m.cleanData(ub(c)),c.parentNode&&(b&&m.contains(c.ownerDocument,c)&&zb(ub(c,"script")),c.parentNode.removeChild(c));return this},empty:function(){for(var a,b=0;null!=(a=this[b]);b++){1===a.nodeType&&m.cleanData(ub(a,!1));while(a.firstChild)a.removeChild(a.firstChild);a.options&&m.nodeName(a,"select")&&(a.options.length=0)}return this},clone:function(a,b){return a=null==a?!1:a,b=null==b?a:b,this.map(function(){return m.clone(this,a,b)})},html:function(a){return V(this,function(a){var b=this[0]||{},c=0,d=this.length;if(void 0===a)return 1===b.nodeType?b.innerHTML.replace(fb,""):void 0;if(!("string"!=typeof a||mb.test(a)||!k.htmlSerialize&&gb.test(a)||!k.leadingWhitespace&&hb.test(a)||rb[(jb.exec(a)||["",""])[1].toLowerCase()])){a=a.replace(ib,"<$1>");try{for(;d>c;c++)b=this[c]||{},1===b.nodeType&&(m.cleanData(ub(b,!1)),b.innerHTML=a);b=0}catch(e){}}b&&this.empty().append(a)},null,a,arguments.length)},replaceWith:function(){var a=arguments[0];return this.domManip(arguments,function(b){a=this.parentNode,m.cleanData(ub(this)),a&&a.replaceChild(b,this)}),a&&(a.length||a.nodeType)?this:this.remove()},detach:function(a){return this.remove(a,!0)},domManip:function(a,b){a=e.apply([],a);var c,d,f,g,h,i,j=0,l=this.length,n=this,o=l-1,p=a[0],q=m.isFunction(p);if(q||l>1&&"string"==typeof p&&!k.checkClone&&nb.test(p))return this.each(function(c){var d=n.eq(c);q&&(a[0]=p.call(this,c,d.html())),d.domManip(a,b)});if(l&&(i=m.buildFragment(a,this[0].ownerDocument,!1,this),c=i.firstChild,1===i.childNodes.length&&(i=c),c)){for(g=m.map(ub(i,"script"),xb),f=g.length;l>j;j++)d=i,j!==o&&(d=m.clone(d,!0,!0),f&&m.merge(g,ub(d,"script"))),b.call(this[j],d,j);if(f)for(h=g[g.length-1].ownerDocument,m.map(g,yb),j=0;f>j;j++)d=g[j],ob.test(d.type||"")&&!m._data(d,"globalEval")&&m.contains(h,d)&&(d.src?m._evalUrl&&m._evalUrl(d.src):m.globalEval((d.text||d.textContent||d.innerHTML||"").replace(qb,"")));i=c=null}return this}}),m.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(a,b){m.fn[a]=function(a){for(var c,d=0,e=[],g=m(a),h=g.length-1;h>=d;d++)c=d===h?this:this.clone(!0),m(g[d])[b](c),f.apply(e,c.get());return this.pushStack(e)}});var Cb,Db={};function Eb(b,c){var d,e=m(c.createElement(b)).appendTo(c.body),f=a.getDefaultComputedStyle&&(d=a.getDefaultComputedStyle(e[0]))?d.display:m.css(e[0],"display");return e.detach(),f}function Fb(a){var b=y,c=Db[a];return c||(c=Eb(a,b),"none"!==c&&c||(Cb=(Cb||m("