The round has ended.")
+ if(LAZYLEN(GLOB.round_end_notifiees))
+ send2irc("Notice", "[GLOB.round_end_notifiees.Join(", ")] the round has ended.")
+
+ /*for(var/client/C in GLOB.clients)
+ if(!C.credits)
+ C.RollCredits()
+ C.playtitlemusic(40)*/
+
+ display_report()
+
+ gather_roundend_feedback()
+
+ CHECK_TICK
+
+ // Add AntagHUD to everyone, see who was really evil the whole time!
+ for(var/datum/atom_hud/antag/H in GLOB.huds)
+ for(var/m in GLOB.player_list)
+ var/mob/M = m
+ H.add_hud_to(M)
+
+ CHECK_TICK
+
+ //Set news report and mode result
+ mode.set_round_result()
+
+ send2irc("Server", "Round just ended.")
+
+ if(CONFIG_GET(string/cross_server_address))
+ send_news_report()
+
+ CHECK_TICK
+
+ //These need update to actually reflect the real antagonists
+ //Print a list of antagonists to the server log
+ var/list/total_antagonists = list()
+ //Look into all mobs in world, dead or alive
+ for(var/datum/mind/Mind in minds)
+ var/temprole = Mind.special_role
+ if(temprole) //if they are an antagonist of some sort.
+ if(temprole in total_antagonists) //If the role exists already, add the name to it
+ total_antagonists[temprole] += ", [Mind.name]([Mind.key])"
+ else
+ total_antagonists.Add(temprole) //If the role doesnt exist in the list, create it and add the mob
+ total_antagonists[temprole] += ": [Mind.name]([Mind.key])"
+
+ CHECK_TICK
+
+ //Now print them all into the log!
+ log_game("Antagonists at round end were...")
+ for(var/i in total_antagonists)
+ log_game("[i]s[total_antagonists[i]].")
+
+ CHECK_TICK
+
+ //Collects persistence features
+ if(mode.allow_persistence_save)
+ SSpersistence.CollectData()
+
+ //stop collecting feedback during grifftime
+ SSblackbox.Seal()
+
+ sleep(50)
+ ready_for_reboot = TRUE
+ standard_reboot()
+
+/datum/controller/subsystem/ticker/proc/standard_reboot()
+ if(ready_for_reboot)
+ if(mode.station_was_nuked)
+ Reboot("Station destroyed by Nuclear Device.", "nuke")
+ else
+ Reboot("Round ended.", "proper completion")
+ else
+ CRASH("Attempted standard reboot without ticker roundend completion")
+
+//Common part of the report
+/datum/controller/subsystem/ticker/proc/build_roundend_report()
+ var/list/parts = list()
+
+ //Gamemode specific things. Should be empty most of the time.
+ parts += mode.special_report()
+
+ CHECK_TICK
+
+ //AI laws
+ parts += law_report()
+
+ CHECK_TICK
+
+ //Antagonists
+ parts += antag_report()
+
+ CHECK_TICK
+ //Medals
+ parts += medal_report()
+ //Station Goals
+ parts += goal_report()
+
+ listclearnulls(parts)
+
+ return parts.Join()
+
+/datum/controller/subsystem/ticker/proc/count_survivors()
+ . = list()
+ var/station_evacuated = EMERGENCY_ESCAPED_OR_ENDGAMED
+ var/num_survivors = 0
+ var/num_escapees = 0
+ var/num_shuttle_escapees = 0
+ var/num_ghosts = 0
+ var/num_human_survivors = 0
+ var/num_human_escapees = 0
+
+ //Player status report
+ for(var/i in GLOB.mob_list)
+ var/mob/Player = i
+ if(Player.mind && !isnewplayer(Player))
+ if(isobserver(Player))
+ num_ghosts++
+ if(Player.stat != DEAD && !isbrain(Player))
+ num_survivors++
+ if(ishuman(Player))
+ num_human_survivors++
+ if(station_evacuated) //If the shuttle has already left the station
+ var/list/area/shuttle_areas
+ if(SSshuttle && SSshuttle.emergency)
+ shuttle_areas = SSshuttle.emergency.shuttle_areas
+ if(Player.onCentCom() || Player.onSyndieBase())
+ num_escapees++
+ if(ishuman(Player))
+ num_human_escapees++
+ if(shuttle_areas[get_area(Player)])
+ num_shuttle_escapees++
+
+ .[POPCOUNT_SURVIVORS] = num_survivors
+ .[POPCOUNT_ESCAPEES] = num_escapees
+ .[POPCOUNT_SHUTTLE_ESCAPEES] = num_shuttle_escapees
+ .[POPCOUNT_HUMAN_SURVIVORS] = num_human_survivors
+ .[POPCOUNT_HUMAN_ESCAPEES] = num_human_escapees
+ .[POPCOUNT_GHOSTS] = num_ghosts
+
+/datum/controller/subsystem/ticker/proc/survivor_report()
+ var/list/parts = list()
+ var/station_evacuated = EMERGENCY_ESCAPED_OR_ENDGAMED
+ var/popcount = count_survivors()
+
+ //Round statistics report
+ var/datum/station_state/end_state = new /datum/station_state()
+ end_state.count()
+ var/station_integrity = min(PERCENT(GLOB.start_state.score(end_state)), 100)
+
+ parts += "[GLOB.TAB]Shift Duration: [DisplayTimeText(world.time - SSticker.round_start_time)]"
+ parts += "[GLOB.TAB]Station Integrity: [mode.station_was_nuked ? "Destroyed" : "[station_integrity]%"]"
+ var/total_players = GLOB.joined_player_list.len
+ if(total_players)
+ parts+= "[GLOB.TAB]Total Population: [total_players]"
+ if(station_evacuated)
+ parts += " [GLOB.TAB]Evacuation Rate: [popcount[POPCOUNT_ESCAPEES]] ([PERCENT(popcount[POPCOUNT_ESCAPEES]/total_players)]%)"
+ parts += "[GLOB.TAB](on emergency shuttle): [popcount[POPCOUNT_SHUTTLE_ESCAPEES]] ([PERCENT(popcount[POPCOUNT_SHUTTLE_ESCAPEES]/total_players)]%)"
+ parts += "[GLOB.TAB]Survival Rate: [popcount[POPCOUNT_SURVIVORS]] ([PERCENT(popcount[POPCOUNT_SURVIVORS]/total_players)]%)"
+ return parts.Join(" ")
+
+/datum/controller/subsystem/ticker/proc/show_roundend_report(client/C,common_report)
+ var/list/report_parts = list()
+
+ report_parts += personal_report(C)
+ report_parts += common_report
+
+ var/datum/browser/roundend_report = new(C, "roundend")
+ roundend_report.width = 800
+ roundend_report.height = 600
+ roundend_report.set_content(report_parts.Join())
+ roundend_report.stylesheets = list()
+ roundend_report.add_stylesheet("roundend",'html/browser/roundend.css')
+
+ roundend_report.open(0)
+
+/datum/controller/subsystem/ticker/proc/personal_report(client/C)
+ var/list/parts = list()
+ var/mob/M = C.mob
+ if(M.mind && !isnewplayer(M))
+ if(M.stat != DEAD && !isbrain(M))
+ if(EMERGENCY_ESCAPED_OR_ENDGAMED)
+ if(!M.onCentCom() || !M.onSyndieBase())
+ parts += "
"
+ parts += "You managed to survive, but were marooned on [station_name()]..."
+ else
+ parts += "
"
+ parts += "You managed to survive the events on [station_name()] as [M.real_name]."
+ else
+ parts += "
"
+ parts += "You managed to survive the events on [station_name()] as [M.real_name]."
+
+ else
+ parts += "
"
+ parts += "You did not survive the events on [station_name()]..."
+ else
+ parts += "
"
+ parts += " "
+ if(GLOB.survivor_report)
+ parts += GLOB.survivor_report
+ else
+ parts += survivor_report()
+
+ parts += "
"
+
+ return parts.Join()
+
+/datum/controller/subsystem/ticker/proc/display_report()
+ GLOB.common_report = build_roundend_report()
+ for(var/client/C in GLOB.clients)
+ show_roundend_report(C,GLOB.common_report)
+ give_show_report_button(C)
+ CHECK_TICK
+
+/datum/controller/subsystem/ticker/proc/law_report()
+ var/list/parts = list()
+ //Silicon laws report
+ for (var/i in GLOB.ai_list)
+ var/mob/living/silicon/ai/aiPlayer = i
+ if(aiPlayer.mind)
+ parts += "[aiPlayer.name] (Played by: [aiPlayer.mind.key])'s laws [aiPlayer.stat != DEAD ? "at the end of the round" : "when it was deactivated"] were:"
+ parts += aiPlayer.laws.get_law_list(include_zeroth=TRUE)
+
+ parts += "Total law changes: [aiPlayer.law_change_counter]"
+
+ if (aiPlayer.connected_robots.len)
+ var/robolist = "[aiPlayer.real_name]'s minions were: "
+ for(var/mob/living/silicon/robot/robo in aiPlayer.connected_robots)
+ if(robo.mind)
+ robolist += "[robo.name][robo.stat?" (Deactivated) (Played by: [robo.mind.key]), ":" (Played by: [robo.mind.key]), "]"
+ parts += "[robolist]"
+
+ for (var/mob/living/silicon/robot/robo in GLOB.silicon_mobs)
+ if (!robo.connected_ai && robo.mind)
+ if (robo.stat != DEAD)
+ parts += "[robo.name] (Played by: [robo.mind.key]) survived as an AI-less borg! Its laws were:"
+ else
+ parts += "[robo.name] (Played by: [robo.mind.key]) was unable to survive the rigors of being a cyborg without an AI. Its laws were:"
+
+ if(robo) //How the hell do we lose robo between here and the world messages directly above this?
+ parts += robo.laws.get_law_list(include_zeroth=TRUE)
+ if(parts.len)
+ return "
[parts.Join(" ")]
"
+ else
+ return ""
+
+/datum/controller/subsystem/ticker/proc/goal_report()
+ var/list/parts = list()
+ if(mode.station_goals.len)
+ for(var/V in mode.station_goals)
+ var/datum/station_goal/G = V
+ parts += G.get_result()
+ return "
[parts.Join()]
"
+
+/datum/controller/subsystem/ticker/proc/medal_report()
+ if(GLOB.commendations.len)
+ var/list/parts = list()
+ parts += "Medal Commendations:"
+ for (var/com in GLOB.commendations)
+ parts += com
+ return "
[parts.Join(" ")]
"
+ return ""
+
+/datum/controller/subsystem/ticker/proc/antag_report()
+ var/list/result = list()
+ var/list/all_teams = list()
+ var/list/all_antagonists = list()
+
+ for(var/datum/antagonist/A in GLOB.antagonists)
+ all_teams |= A.get_team()
+ all_antagonists += A
+
+ for(var/datum/team/T in all_teams)
+ result += T.roundend_report()
+ for(var/datum/antagonist/X in all_antagonists)
+ if(X.get_team() == T)
+ all_antagonists -= X
+ result += " "//newline between teams
+
+ var/currrent_category
+ var/datum/antagonist/previous_category
+
+ sortTim(all_antagonists, /proc/cmp_antag_category)
+
+ for(var/datum/antagonist/A in all_antagonists)
+ if(!A.show_in_roundend)
+ continue
+ if(A.roundend_category != currrent_category)
+ if(previous_category)
+ result += previous_category.roundend_report_footer()
+ result += "
"
+ result += "
"
+ result += A.roundend_report_header()
+ currrent_category = A.roundend_category
+ previous_category = A
+ result += A.roundend_report()
+ result += " "
+
+ if(all_antagonists.len)
+ var/datum/antagonist/last = all_antagonists[all_antagonists.len]
+ result += last.roundend_report_footer()
+ result += "
"
+
+ return result.Join()
+
+/proc/cmp_antag_category(datum/antagonist/A,datum/antagonist/B)
+ return sorttext(B.roundend_category,A.roundend_category)
+
+
+/datum/controller/subsystem/ticker/proc/give_show_report_button(client/C)
+ var/datum/action/report/R = new
+ C.player_details.player_actions += R
+ R.Grant(C.mob)
+ to_chat(C,"Show roundend report again")
+
+/datum/action/report
+ name = "Show roundend report"
+ button_icon_state = "vote"
+
+/datum/action/report/Trigger()
+ if(owner && GLOB.common_report && SSticker.current_state == GAME_STATE_FINISHED)
+ SSticker.show_roundend_report(owner.client,GLOB.common_report)
+
+/datum/action/report/IsAvailable()
+ return 1
+
+/datum/action/report/Topic(href,href_list)
+ if(usr != owner)
+ return
+ if(href_list["report"])
+ Trigger()
+ return
+
+
+/proc/printplayer(datum/mind/ply, fleecheck)
+ var/text = "[ply.key] was [ply.name] the [ply.assigned_role] and"
+ if(ply.current)
+ if(ply.current.stat == DEAD)
+ text += " died"
+ else
+ text += " survived"
+ if(fleecheck)
+ var/turf/T = get_turf(ply.current)
+ if(!T || !(T.z in GLOB.station_z_levels))
+ text += " while fleeing the station"
+ if(ply.current.real_name != ply.name)
+ text += " as [ply.current.real_name]"
+ else
+ text += " had their body destroyed"
+ return text
+
+/proc/printplayerlist(list/players,fleecheck)
+ var/list/parts = list()
+
+ parts += "
"
+ for(var/datum/mind/M in players)
+ parts += "
[printplayer(M,fleecheck)]
"
+ parts += "
"
+ return parts.Join()
+
+
+/proc/printobjectives(datum/mind/ply)
+ var/list/objective_parts = list()
+ var/count = 1
+ for(var/datum/objective/objective in ply.objectives)
+ if(objective.check_completion())
+ objective_parts += "Objective #[count]: [objective.explanation_text] Success!"
+ else
+ objective_parts += "Objective #[count]: [objective.explanation_text] Fail."
+ count++
+ return objective_parts.Join(" ")
diff --git a/code/__HELPERS/time.dm b/code/__HELPERS/time.dm
index 74c565da52..68ab173ecd 100644
--- a/code/__HELPERS/time.dm
+++ b/code/__HELPERS/time.dm
@@ -60,7 +60,7 @@ GLOBAL_VAR_INIT(rollovercheck_last_timeofday, 0)
if(!second)
return "0 seconds"
if(second >= 60)
- minute = round_down(second/60)
+ minute = FLOOR(second/60, 1)
second = round(second - (minute*60), 0.1)
second_rounded = TRUE
if(second) //check if we still have seconds remaining to format, or if everything went into minute.
@@ -91,7 +91,7 @@ GLOBAL_VAR_INIT(rollovercheck_last_timeofday, 0)
if(!minute)
return "[second]"
if(minute >= 60)
- hour = round_down(minute/60,1)
+ hour = FLOOR(minute/60, 1)
minute = (minute - (hour*60))
if(minute) //alot simpler from here since you don't have to worry about fractions
if(minute != 1)
@@ -114,7 +114,7 @@ GLOBAL_VAR_INIT(rollovercheck_last_timeofday, 0)
if(!hour)
return "[minute][second]"
if(hour >= 24)
- day = round_down(hour/24,1)
+ day = FLOOR(hour/24, 1)
hour = (hour - (day*24))
if(hour)
if(hour != 1)
diff --git a/code/__HELPERS/type2type.dm b/code/__HELPERS/type2type.dm
index bae773b27e..2ebe24b85b 100644
--- a/code/__HELPERS/type2type.dm
+++ b/code/__HELPERS/type2type.dm
@@ -117,7 +117,7 @@
//Converts an angle (degrees) into an ss13 direction
/proc/angle2dir(degree)
- degree = SimplifyDegrees(degree)
+ degree = SIMPLIFY_DEGREES(degree)
switch(degree)
if(0 to 22.5) //north requires two angle ranges
return NORTH
diff --git a/code/__HELPERS/unsorted.dm b/code/__HELPERS/unsorted.dm
index 9ec23fa966..1fd60c2bd4 100644
--- a/code/__HELPERS/unsorted.dm
+++ b/code/__HELPERS/unsorted.dm
@@ -147,10 +147,10 @@ Turf and target are separate in case you want to teleport some distance from a t
var/line[] = list(locate(px,py,M.z))
var/dx=N.x-px //x distance
var/dy=N.y-py
- var/dxabs=abs(dx)//Absolute value of x distance
- var/dyabs=abs(dy)
- var/sdx=sign(dx) //Sign of x distance (+ or -)
- var/sdy=sign(dy)
+ var/dxabs = abs(dx)//Absolute value of x distance
+ var/dyabs = abs(dy)
+ var/sdx = SIGN(dx) //Sign of x distance (+ or -)
+ var/sdy = SIGN(dy)
var/x=dxabs>>1 //Counters for steps taken, setting to distance/2
var/y=dyabs>>1 //Bit-shifting makes me l33t. It also makes getline() unnessecarrily fast.
var/j //Generic integer for counting
@@ -953,8 +953,8 @@ GLOBAL_LIST_INIT(WALLITEMS_INVERSE, typecacheof(list(
tY = tY[1]
tX = splittext(tX[1], ":")
tX = tX[1]
- tX = Clamp(origin.x + text2num(tX) - world.view - 1, 1, world.maxx)
- tY = Clamp(origin.y + text2num(tY) - world.view - 1, 1, world.maxy)
+ tX = CLAMP(origin.x + text2num(tX) - world.view - 1, 1, world.maxx)
+ tY = CLAMP(origin.y + text2num(tY) - world.view - 1, 1, world.maxy)
return locate(tX, tY, tZ)
/proc/screen_loc2turf(text, turf/origin)
@@ -966,8 +966,8 @@ GLOBAL_LIST_INIT(WALLITEMS_INVERSE, typecacheof(list(
tX = splittext(tZ[2], "-")
tX = text2num(tX[2])
tZ = origin.z
- tX = Clamp(origin.x + 7 - tX, 1, world.maxx)
- tY = Clamp(origin.y + 7 - tY, 1, world.maxy)
+ tX = CLAMP(origin.x + 7 - tX, 1, world.maxx)
+ tY = CLAMP(origin.y + 7 - tY, 1, world.maxy)
return locate(tX, tY, tZ)
/proc/IsValidSrc(datum/D)
@@ -1272,7 +1272,7 @@ proc/pick_closest_path(value, list/matches = get_fancy_list_of_atom_types())
. = 0
var/i = DS2TICKS(initial_delay)
do
- . += Ceiling(i*DELTA_CALC)
+ . += CEILING(i*DELTA_CALC, 1)
sleep(i*world.tick_lag*DELTA_CALC)
i *= 2
while (TICK_USAGE > min(TICK_LIMIT_TO_RUN, Master.current_ticklimit))
@@ -1508,9 +1508,34 @@ GLOBAL_DATUM_INIT(dview_mob, /mob/dview, new)
return "\[[url_encode(thing.tag)]\]"
return "\ref[input]"
+// Makes a call in the context of a different usr
+// Use sparingly
+/world/proc/PushUsr(mob/M, datum/callback/CB)
+ var/temp = usr
+ usr = M
+ . = CB.Invoke()
+ usr = temp
+
//Returns a list of all servants of Ratvar and observers.
/proc/servants_and_ghosts()
. = list()
for(var/V in GLOB.player_list)
if(is_servant_of_ratvar(V) || isobserver(V))
. += V
+
+//datum may be null, but it does need to be a typed var
+#define NAMEOF(datum, X) (list(##datum.##X, #X)[2])
+
+#define VARSET_LIST_CALLBACK(target, var_name, var_value) CALLBACK(GLOBAL_PROC, /proc/___callbackvarset, ##target, ##var_name, ##var_value)
+//dupe code because dm can't handle 3 level deep macros
+#define VARSET_CALLBACK(datum, var, var_value) CALLBACK(GLOBAL_PROC, /proc/___callbackvarset, ##datum, NAMEOF(##datum, ##var), ##var_value)
+
+/proc/___callbackvarset(list_or_datum, var_name, var_value)
+ if(length(list_or_datum))
+ list_or_datum[var_name] = var_value
+ return
+ var/datum/D = list_or_datum
+ if(IsAdminAdvancedProcCall())
+ D.vv_edit_var(var_name, var_value) //same result generally, unless badmemes
+ else
+ D.vars[var_name] = var_value
diff --git a/code/_globalvars/game_modes.dm b/code/_globalvars/game_modes.dm
index 9c3af923f1..3822f7077d 100644
--- a/code/_globalvars/game_modes.dm
+++ b/code/_globalvars/game_modes.dm
@@ -1,18 +1,12 @@
GLOBAL_VAR_INIT(master_mode, "traitor") //"extended"
GLOBAL_VAR_INIT(secret_force_mode, "secret") // if this is anything but "secret", the secret rotation will forceably choose this mode
+GLOBAL_VAR(common_report) //Contains commmon part of roundend report
+GLOBAL_VAR(survivor_report) //Contains shared surivor report for roundend report (part of personal report)
+
GLOBAL_VAR_INIT(wavesecret, 0) // meteor mode, delays wave progression, terrible name
GLOBAL_DATUM(start_state, /datum/station_state) // Used in round-end report
-// Cult, needs to be global so admin cultists are functional
-GLOBAL_VAR_INIT(blood_target, null) // Cult Master's target or Construct's Master
-GLOBAL_DATUM(blood_target_image, /image)
-GLOBAL_VAR_INIT(blood_target_reset_timer, null)
-GLOBAL_DATUM(sac_mind, /datum/mind)
-GLOBAL_VAR_INIT(sac_image, null)
-GLOBAL_VAR_INIT(cult_vote_called, FALSE)
-GLOBAL_VAR_INIT(cult_mastered, FALSE)
-GLOBAL_VAR_INIT(reckoning_complete, FALSE)
-GLOBAL_VAR_INIT(sac_complete, FALSE)
-GLOBAL_DATUM(cult_narsie, /obj/singularity/narsie/large/cult)
-GLOBAL_LIST_EMPTY(summon_spots)
\ No newline at end of file
+
+//TODO clear this one up too
+GLOBAL_DATUM(cult_narsie, /obj/singularity/narsie/large/cult)
\ No newline at end of file
diff --git a/code/_globalvars/misc.dm b/code/_globalvars/misc.dm
index bb86b4cbb0..8b8b817586 100644
--- a/code/_globalvars/misc.dm
+++ b/code/_globalvars/misc.dm
@@ -16,3 +16,5 @@ GLOBAL_VAR_INIT(CHARGELEVEL, 0.001) // Cap for how fast cells charge, as a perce
GLOBAL_LIST_EMPTY(powernets)
GLOBAL_VAR_INIT(bsa_unlock, FALSE) //BSA unlocked by head ID swipes
+
+GLOBAL_LIST_EMPTY(player_details) // ckey -> /datum/player_details
\ No newline at end of file
diff --git a/code/_onclick/hud/ai.dm b/code/_onclick/hud/ai.dm
index 87a33afc13..b2af85d1b0 100644
--- a/code/_onclick/hud/ai.dm
+++ b/code/_onclick/hud/ai.dm
@@ -23,8 +23,7 @@
if(..())
return
var/mob/living/silicon/ai/AI = usr
- var/camera = input(AI, "Choose which camera you want to view", "Cameras") as null|anything in AI.get_camera_list()
- AI.ai_camera_list(camera)
+ AI.show_camera_list()
/obj/screen/ai/camera_track
name = "Track With Camera"
diff --git a/code/_onclick/hud/alert.dm b/code/_onclick/hud/alert.dm
index 0006d72d3b..2ad2eb76f5 100644
--- a/code/_onclick/hud/alert.dm
+++ b/code/_onclick/hud/alert.dm
@@ -302,32 +302,41 @@ or shoot a gun to move around via Newton's 3rd Law of Motion."
/obj/screen/alert/bloodsense/process()
var/atom/blood_target
- if(GLOB.blood_target)
- if(!get_turf(GLOB.blood_target))
- GLOB.blood_target = null
+
+ var/datum/antagonist/cult/antag = mob_viewer.mind.has_antag_datum(/datum/antagonist/cult,TRUE)
+ if(!antag)
+ return
+ var/datum/objective/sacrifice/sac_objective = locate() in antag.cult_team.objectives
+
+ if(antag.cult_team.blood_target)
+ if(!get_turf(antag.cult_team.blood_target))
+ antag.cult_team.blood_target = null
else
- blood_target = GLOB.blood_target
+ blood_target = antag.cult_team.blood_target
if(Cviewer && Cviewer.seeking && Cviewer.master)
blood_target = Cviewer.master
desc = "Your blood sense is leading you to [Cviewer.master]"
if(!blood_target)
- if(!GLOB.sac_complete)
+ if(sac_objective && !sac_objective.check_completion())
if(icon_state == "runed_sense0")
return
animate(src, transform = null, time = 1, loop = 0)
angle = 0
cut_overlays()
icon_state = "runed_sense0"
- desc = "Nar-Sie demands that [GLOB.sac_mind] be sacrificed before the summoning ritual can begin."
- add_overlay(GLOB.sac_image)
+ desc = "Nar-Sie demands that [sac_objective.target] be sacrificed before the summoning ritual can begin."
+ add_overlay(sac_objective.sac_image)
else
+ var/datum/objective/eldergod/summon_objective = locate() in antag.cult_team.objectives
+ if(!summon_objective)
+ return
if(icon_state == "runed_sense1")
return
animate(src, transform = null, time = 1, loop = 0)
angle = 0
cut_overlays()
icon_state = "runed_sense1"
- desc = "The sacrifice is complete, summon Nar-Sie! The summoning can only take place in [english_list(GLOB.summon_spots)]!"
+ desc = "The sacrifice is complete, summon Nar-Sie! The summoning can only take place in [english_list(summon_objective.summon_spots)]!"
add_overlay(narnar)
return
var/turf/P = get_turf(blood_target)
@@ -388,11 +397,13 @@ or shoot a gun to move around via Newton's 3rd Law of Motion."
desc = "CHETR NYY HAGEHUGF-NAQ-UBABE RATVAR."
else
var/servants = 0
- var/list/textlist
+ var/list/textlist = list()
for(var/mob/living/L in GLOB.alive_mob_list)
if(is_servant_of_ratvar(L))
servants++
- textlist = list("[SSticker.mode.eminence ? "There is an Eminence." : "There is no Eminence! Get one ASAP!"] ")
+ var/datum/antagonist/clockcult/C = mob_viewer.mind.has_antag_datum(/datum/antagonist/clockcult,TRUE)
+ if(C && C.clock_team)
+ textlist += "[C.clock_team.eminence ? "There is an Eminence." : "There is no Eminence! Get one ASAP!"] "
textlist += "There are currently [servants] servant[servants > 1 ? "s" : ""] of Ratvar. "
for(var/i in SSticker.scripture_states)
if(i != SCRIPTURE_DRIVER) //ignore the always-unlocked stuff
diff --git a/code/_onclick/hud/parallax.dm b/code/_onclick/hud/parallax.dm
index ff38107bfb..52319b7866 100755
--- a/code/_onclick/hud/parallax.dm
+++ b/code/_onclick/hud/parallax.dm
@@ -257,8 +257,8 @@
view = world.view
var/list/viewscales = getviewsize(view)
- var/countx = Ceiling((viewscales[1]/2)/(480/world.icon_size))+1
- var/county = Ceiling((viewscales[2]/2)/(480/world.icon_size))+1
+ var/countx = CEILING((viewscales[1]/2)/(480/world.icon_size), 1)+1
+ var/county = CEILING((viewscales[2]/2)/(480/world.icon_size), 1)+1
var/list/new_overlays = new
for(var/x in -countx to countx)
for(var/y in -county to county)
diff --git a/code/_onclick/hud/robot.dm b/code/_onclick/hud/robot.dm
index f1ec409520..769cdb2244 100644
--- a/code/_onclick/hud/robot.dm
+++ b/code/_onclick/hud/robot.dm
@@ -1,277 +1,277 @@
-/obj/screen/robot
- icon = 'icons/mob/screen_cyborg.dmi'
-
-/obj/screen/robot/module
- name = "cyborg module"
- icon_state = "nomod"
-
-/obj/screen/robot/Click()
- if(isobserver(usr))
- return 1
-
-/obj/screen/robot/module/Click()
- if(..())
- return
- var/mob/living/silicon/robot/R = usr
- if(R.module.type != /obj/item/robot_module)
- R.hud_used.toggle_show_robot_modules()
- return 1
- R.pick_module()
-
-/obj/screen/robot/module1
- name = "module1"
- icon_state = "inv1"
-
-/obj/screen/robot/module1/Click()
- if(..())
- return
- var/mob/living/silicon/robot/R = usr
- R.toggle_module(1)
-
-/obj/screen/robot/module2
- name = "module2"
- icon_state = "inv2"
-
-/obj/screen/robot/module2/Click()
- if(..())
- return
- var/mob/living/silicon/robot/R = usr
- R.toggle_module(2)
-
-/obj/screen/robot/module3
- name = "module3"
- icon_state = "inv3"
-
-/obj/screen/robot/module3/Click()
- if(..())
- return
- var/mob/living/silicon/robot/R = usr
- R.toggle_module(3)
-
-/obj/screen/robot/radio
- name = "radio"
- icon_state = "radio"
-
-/obj/screen/robot/radio/Click()
- if(..())
- return
- var/mob/living/silicon/robot/R = usr
- R.radio.interact(R)
-
-/obj/screen/robot/store
- name = "store"
- icon_state = "store"
-
-/obj/screen/robot/store/Click()
- if(..())
- return
- var/mob/living/silicon/robot/R = usr
- R.uneq_active()
-
-/obj/screen/robot/lamp
- name = "headlamp"
- icon_state = "lamp0"
-
-/obj/screen/robot/lamp/Click()
- if(..())
- return
- var/mob/living/silicon/robot/R = usr
- R.control_headlamp()
-
-/obj/screen/robot/thrusters
- name = "ion thrusters"
- icon_state = "ionpulse0"
-
-/obj/screen/robot/thrusters/Click()
- if(..())
- return
- var/mob/living/silicon/robot/R = usr
- R.toggle_ionpulse()
-
-/datum/hud/robot
- ui_style_icon = 'icons/mob/screen_cyborg.dmi'
-
-/datum/hud/robot/New(mob/owner, ui_style = 'icons/mob/screen_cyborg.dmi')
- ..()
- var/mob/living/silicon/robot/mymobR = mymob
- var/obj/screen/using
-
- using = new/obj/screen/language_menu
- using.screen_loc = ui_borg_language_menu
- static_inventory += using
-
-//Radio
- using = new /obj/screen/robot/radio()
- using.screen_loc = ui_borg_radio
- static_inventory += using
-
-//Module select
- using = new /obj/screen/robot/module1()
- using.screen_loc = ui_inv1
- static_inventory += using
- mymobR.inv1 = using
-
- using = new /obj/screen/robot/module2()
- using.screen_loc = ui_inv2
- static_inventory += using
- mymobR.inv2 = using
-
- using = new /obj/screen/robot/module3()
- using.screen_loc = ui_inv3
- static_inventory += using
- mymobR.inv3 = using
-
-//End of module select
-
-//Photography stuff
- using = new /obj/screen/ai/image_take()
- using.screen_loc = ui_borg_camera
- static_inventory += using
-
- using = new /obj/screen/ai/image_view()
- using.screen_loc = ui_borg_album
- static_inventory += using
-
-//Sec/Med HUDs
- using = new /obj/screen/ai/sensors()
- using.screen_loc = ui_borg_sensor
- static_inventory += using
-
-//Headlamp control
- using = new /obj/screen/robot/lamp()
- using.screen_loc = ui_borg_lamp
- static_inventory += using
- mymobR.lamp_button = using
-
-//Thrusters
- using = new /obj/screen/robot/thrusters()
- using.screen_loc = ui_borg_thrusters
- static_inventory += using
- mymobR.thruster_button = using
-
-//Intent
- action_intent = new /obj/screen/act_intent/robot()
- action_intent.icon_state = mymob.a_intent
- static_inventory += action_intent
-
-//Health
- healths = new /obj/screen/healths/robot()
- infodisplay += healths
-
-//Installed Module
- mymobR.hands = new /obj/screen/robot/module()
- mymobR.hands.screen_loc = ui_borg_module
- static_inventory += mymobR.hands
-
-//Store
- module_store_icon = new /obj/screen/robot/store()
- module_store_icon.screen_loc = ui_borg_store
-
- pull_icon = new /obj/screen/pull()
- pull_icon.icon = 'icons/mob/screen_cyborg.dmi'
- pull_icon.update_icon(mymob)
- pull_icon.screen_loc = ui_borg_pull
- hotkeybuttons += pull_icon
-
-
- zone_select = new /obj/screen/zone_sel/robot()
- zone_select.update_icon(mymob)
- static_inventory += zone_select
-
-
-/datum/hud/proc/toggle_show_robot_modules()
- if(!iscyborg(mymob))
- return
-
- var/mob/living/silicon/robot/R = mymob
-
- R.shown_robot_modules = !R.shown_robot_modules
- update_robot_modules_display()
-
-/datum/hud/proc/update_robot_modules_display(mob/viewer)
- if(!iscyborg(mymob))
- return
-
- var/mob/living/silicon/robot/R = mymob
-
- var/mob/screenmob = viewer || R
-
- if(!R.module)
- return
-
- if(!R.client)
- return
-
- if(R.shown_robot_modules && screenmob.hud_used.hud_shown)
- //Modules display is shown
- screenmob.client.screen += module_store_icon //"store" icon
-
- if(!R.module.modules)
- to_chat(usr, "Selected module has no modules to select")
- return
-
- if(!R.robot_modules_background)
- return
-
- var/display_rows = Ceiling(length(R.module.get_inactive_modules()) / 8)
- R.robot_modules_background.screen_loc = "CENTER-4:16,SOUTH+1:7 to CENTER+3:16,SOUTH+[display_rows]:7"
- screenmob.client.screen += R.robot_modules_background
-
- var/x = -4 //Start at CENTER-4,SOUTH+1
- var/y = 1
-
- for(var/atom/movable/A in R.module.get_inactive_modules())
- //Module is not currently active
- screenmob.client.screen += A
- if(x < 0)
- A.screen_loc = "CENTER[x]:16,SOUTH+[y]:7"
- else
- A.screen_loc = "CENTER+[x]:16,SOUTH+[y]:7"
- A.layer = ABOVE_HUD_LAYER
- A.plane = ABOVE_HUD_PLANE
-
- x++
- if(x == 4)
- x = -4
- y++
-
- else
- //Modules display is hidden
- screenmob.client.screen -= module_store_icon //"store" icon
-
- for(var/atom/A in R.module.get_inactive_modules())
- //Module is not currently active
- screenmob.client.screen -= A
- R.shown_robot_modules = 0
- screenmob.client.screen -= R.robot_modules_background
-
-/mob/living/silicon/robot/create_mob_hud()
- if(client && !hud_used)
- hud_used = new /datum/hud/robot(src)
-
-
-/datum/hud/robot/persistent_inventory_update(mob/viewer)
- if(!mymob)
- return
- var/mob/living/silicon/robot/R = mymob
-
- var/mob/screenmob = viewer || R
-
- if(screenmob.hud_used)
- if(screenmob.hud_used.hud_shown)
- for(var/i in 1 to R.held_items.len)
- var/obj/item/I = R.held_items[i]
- if(I)
- switch(i)
- if(1)
- I.screen_loc = ui_inv1
- if(2)
- I.screen_loc = ui_inv2
- if(3)
- I.screen_loc = ui_inv3
- else
- return
- screenmob.client.screen += I
- else
- for(var/obj/item/I in R.held_items)
- screenmob.client.screen -= I
+/obj/screen/robot
+ icon = 'icons/mob/screen_cyborg.dmi'
+
+/obj/screen/robot/module
+ name = "cyborg module"
+ icon_state = "nomod"
+
+/obj/screen/robot/Click()
+ if(isobserver(usr))
+ return 1
+
+/obj/screen/robot/module/Click()
+ if(..())
+ return
+ var/mob/living/silicon/robot/R = usr
+ if(R.module.type != /obj/item/robot_module)
+ R.hud_used.toggle_show_robot_modules()
+ return 1
+ R.pick_module()
+
+/obj/screen/robot/module1
+ name = "module1"
+ icon_state = "inv1"
+
+/obj/screen/robot/module1/Click()
+ if(..())
+ return
+ var/mob/living/silicon/robot/R = usr
+ R.toggle_module(1)
+
+/obj/screen/robot/module2
+ name = "module2"
+ icon_state = "inv2"
+
+/obj/screen/robot/module2/Click()
+ if(..())
+ return
+ var/mob/living/silicon/robot/R = usr
+ R.toggle_module(2)
+
+/obj/screen/robot/module3
+ name = "module3"
+ icon_state = "inv3"
+
+/obj/screen/robot/module3/Click()
+ if(..())
+ return
+ var/mob/living/silicon/robot/R = usr
+ R.toggle_module(3)
+
+/obj/screen/robot/radio
+ name = "radio"
+ icon_state = "radio"
+
+/obj/screen/robot/radio/Click()
+ if(..())
+ return
+ var/mob/living/silicon/robot/R = usr
+ R.radio.interact(R)
+
+/obj/screen/robot/store
+ name = "store"
+ icon_state = "store"
+
+/obj/screen/robot/store/Click()
+ if(..())
+ return
+ var/mob/living/silicon/robot/R = usr
+ R.uneq_active()
+
+/obj/screen/robot/lamp
+ name = "headlamp"
+ icon_state = "lamp0"
+
+/obj/screen/robot/lamp/Click()
+ if(..())
+ return
+ var/mob/living/silicon/robot/R = usr
+ R.control_headlamp()
+
+/obj/screen/robot/thrusters
+ name = "ion thrusters"
+ icon_state = "ionpulse0"
+
+/obj/screen/robot/thrusters/Click()
+ if(..())
+ return
+ var/mob/living/silicon/robot/R = usr
+ R.toggle_ionpulse()
+
+/datum/hud/robot
+ ui_style_icon = 'icons/mob/screen_cyborg.dmi'
+
+/datum/hud/robot/New(mob/owner, ui_style = 'icons/mob/screen_cyborg.dmi')
+ ..()
+ var/mob/living/silicon/robot/mymobR = mymob
+ var/obj/screen/using
+
+ using = new/obj/screen/language_menu
+ using.screen_loc = ui_borg_language_menu
+ static_inventory += using
+
+//Radio
+ using = new /obj/screen/robot/radio()
+ using.screen_loc = ui_borg_radio
+ static_inventory += using
+
+//Module select
+ using = new /obj/screen/robot/module1()
+ using.screen_loc = ui_inv1
+ static_inventory += using
+ mymobR.inv1 = using
+
+ using = new /obj/screen/robot/module2()
+ using.screen_loc = ui_inv2
+ static_inventory += using
+ mymobR.inv2 = using
+
+ using = new /obj/screen/robot/module3()
+ using.screen_loc = ui_inv3
+ static_inventory += using
+ mymobR.inv3 = using
+
+//End of module select
+
+//Photography stuff
+ using = new /obj/screen/ai/image_take()
+ using.screen_loc = ui_borg_camera
+ static_inventory += using
+
+ using = new /obj/screen/ai/image_view()
+ using.screen_loc = ui_borg_album
+ static_inventory += using
+
+//Sec/Med HUDs
+ using = new /obj/screen/ai/sensors()
+ using.screen_loc = ui_borg_sensor
+ static_inventory += using
+
+//Headlamp control
+ using = new /obj/screen/robot/lamp()
+ using.screen_loc = ui_borg_lamp
+ static_inventory += using
+ mymobR.lamp_button = using
+
+//Thrusters
+ using = new /obj/screen/robot/thrusters()
+ using.screen_loc = ui_borg_thrusters
+ static_inventory += using
+ mymobR.thruster_button = using
+
+//Intent
+ action_intent = new /obj/screen/act_intent/robot()
+ action_intent.icon_state = mymob.a_intent
+ static_inventory += action_intent
+
+//Health
+ healths = new /obj/screen/healths/robot()
+ infodisplay += healths
+
+//Installed Module
+ mymobR.hands = new /obj/screen/robot/module()
+ mymobR.hands.screen_loc = ui_borg_module
+ static_inventory += mymobR.hands
+
+//Store
+ module_store_icon = new /obj/screen/robot/store()
+ module_store_icon.screen_loc = ui_borg_store
+
+ pull_icon = new /obj/screen/pull()
+ pull_icon.icon = 'icons/mob/screen_cyborg.dmi'
+ pull_icon.update_icon(mymob)
+ pull_icon.screen_loc = ui_borg_pull
+ hotkeybuttons += pull_icon
+
+
+ zone_select = new /obj/screen/zone_sel/robot()
+ zone_select.update_icon(mymob)
+ static_inventory += zone_select
+
+
+/datum/hud/proc/toggle_show_robot_modules()
+ if(!iscyborg(mymob))
+ return
+
+ var/mob/living/silicon/robot/R = mymob
+
+ R.shown_robot_modules = !R.shown_robot_modules
+ update_robot_modules_display()
+
+/datum/hud/proc/update_robot_modules_display(mob/viewer)
+ if(!iscyborg(mymob))
+ return
+
+ var/mob/living/silicon/robot/R = mymob
+
+ var/mob/screenmob = viewer || R
+
+ if(!R.module)
+ return
+
+ if(!R.client)
+ return
+
+ if(R.shown_robot_modules && screenmob.hud_used.hud_shown)
+ //Modules display is shown
+ screenmob.client.screen += module_store_icon //"store" icon
+
+ if(!R.module.modules)
+ to_chat(usr, "Selected module has no modules to select")
+ return
+
+ if(!R.robot_modules_background)
+ return
+
+ var/display_rows = CEILING(length(R.module.get_inactive_modules()) / 8, 1)
+ R.robot_modules_background.screen_loc = "CENTER-4:16,SOUTH+1:7 to CENTER+3:16,SOUTH+[display_rows]:7"
+ screenmob.client.screen += R.robot_modules_background
+
+ var/x = -4 //Start at CENTER-4,SOUTH+1
+ var/y = 1
+
+ for(var/atom/movable/A in R.module.get_inactive_modules())
+ //Module is not currently active
+ screenmob.client.screen += A
+ if(x < 0)
+ A.screen_loc = "CENTER[x]:16,SOUTH+[y]:7"
+ else
+ A.screen_loc = "CENTER+[x]:16,SOUTH+[y]:7"
+ A.layer = ABOVE_HUD_LAYER
+ A.plane = ABOVE_HUD_PLANE
+
+ x++
+ if(x == 4)
+ x = -4
+ y++
+
+ else
+ //Modules display is hidden
+ screenmob.client.screen -= module_store_icon //"store" icon
+
+ for(var/atom/A in R.module.get_inactive_modules())
+ //Module is not currently active
+ screenmob.client.screen -= A
+ R.shown_robot_modules = 0
+ screenmob.client.screen -= R.robot_modules_background
+
+/mob/living/silicon/robot/create_mob_hud()
+ if(client && !hud_used)
+ hud_used = new /datum/hud/robot(src)
+
+
+/datum/hud/robot/persistent_inventory_update(mob/viewer)
+ if(!mymob)
+ return
+ var/mob/living/silicon/robot/R = mymob
+
+ var/mob/screenmob = viewer || R
+
+ if(screenmob.hud_used)
+ if(screenmob.hud_used.hud_shown)
+ for(var/i in 1 to R.held_items.len)
+ var/obj/item/I = R.held_items[i]
+ if(I)
+ switch(i)
+ if(1)
+ I.screen_loc = ui_inv1
+ if(2)
+ I.screen_loc = ui_inv2
+ if(3)
+ I.screen_loc = ui_inv3
+ else
+ return
+ screenmob.client.screen += I
+ else
+ for(var/obj/item/I in R.held_items)
+ screenmob.client.screen -= I
diff --git a/code/_onclick/item_attack.dm b/code/_onclick/item_attack.dm
index 859c957a43..ddfbec5935 100644
--- a/code/_onclick/item_attack.dm
+++ b/code/_onclick/item_attack.dm
@@ -58,6 +58,9 @@
SendSignal(COMSIG_ITEM_ATTACK, M, user)
if(flags_1 & NOBLUDGEON_1)
return
+
+ if(user.has_disability(DISABILITY_PACIFISM))
+ return
if(!force)
playsound(loc, 'sound/weapons/tap.ogg', get_clamped_volume(), 1, -1)
else if(hitsound)
@@ -119,9 +122,9 @@
/obj/item/proc/get_clamped_volume()
if(w_class)
if(force)
- return Clamp((force + w_class) * 4, 30, 100)// Add the item's force to its weight class and multiply by 4, then clamp the value between 30 and 100
+ return CLAMP((force + w_class) * 4, 30, 100)// Add the item's force to its weight class and multiply by 4, then clamp the value between 30 and 100
else
- return Clamp(w_class * 6, 10, 100) // Multiply the item's weight class by 6, then clamp the value between 10 and 100
+ return CLAMP(w_class * 6, 10, 100) // Multiply the item's weight class by 6, then clamp the value between 10 and 100
/mob/living/proc/send_item_attack_message(obj/item/I, mob/living/user, hit_area)
var/message_verb = "attacked"
diff --git a/code/_onclick/other_mobs.dm b/code/_onclick/other_mobs.dm
index 02cdfe7c13..d52a7f6fdc 100644
--- a/code/_onclick/other_mobs.dm
+++ b/code/_onclick/other_mobs.dm
@@ -63,6 +63,7 @@
/atom/proc/attack_animal(mob/user)
return
+
/mob/living/RestrainedClickOn(atom/A)
return
diff --git a/code/citadel/cit_arousal.dm b/code/citadel/cit_arousal.dm
index 0c03ffb399..077824fe9e 100644
--- a/code/citadel/cit_arousal.dm
+++ b/code/citadel/cit_arousal.dm
@@ -62,14 +62,14 @@
/mob/living/proc/adjustArousalLoss(amount, updating_arousal=1)
if(status_flags & GODMODE || !canbearoused)
return 0
- arousalloss = Clamp(arousalloss + amount, min_arousal, max_arousal)
+ arousalloss = CLAMP(arousalloss + amount, min_arousal, max_arousal)
if(updating_arousal)
updatearousal()
/mob/living/proc/setArousalLoss(amount, updating_arousal=1)
if(status_flags & GODMODE || !canbearoused)
return 0
- arousalloss = Clamp(amount, min_arousal, max_arousal)
+ arousalloss = CLAMP(amount, min_arousal, max_arousal)
if(updating_arousal)
updatearousal()
diff --git a/code/citadel/organs/genitals.dm b/code/citadel/organs/genitals.dm
index 1f46778aaf..79784a1eb8 100644
--- a/code/citadel/organs/genitals.dm
+++ b/code/citadel/organs/genitals.dm
@@ -260,7 +260,7 @@
for(var/L in relevant_layers) //Less hardcode
H.remove_overlay(L)
- if(H.disabilities & HUSK)
+ if(H.has_disability(DISABILITY_HUSK))
return
//start scanning for genitals
//var/list/worn_stuff = H.get_equipped_items()//cache this list so it's not built again
diff --git a/code/controllers/configuration/config_entry.dm b/code/controllers/configuration/config_entry.dm
index 92dcb9baf0..d2db743d91 100644
--- a/code/controllers/configuration/config_entry.dm
+++ b/code/controllers/configuration/config_entry.dm
@@ -9,7 +9,7 @@
var/value
var/default //read-only, just set value directly
- var/resident_file //the file which this belongs to, must be set
+ var/resident_file //the file which this was loaded from, if any
var/modified = FALSE //set to TRUE if the default has been overridden by a config entry
var/protection = NONE
@@ -18,8 +18,6 @@
var/dupes_allowed = FALSE
/datum/config_entry/New()
- if(!resident_file)
- CRASH("Config entry [type] has no resident_file set")
if(type == abstract_type)
CRASH("Abstract config entry [type] instatiated!")
name = lowertext(type2top(type))
@@ -110,7 +108,7 @@
/datum/config_entry/number/ValidateAndSet(str_val)
var/temp = text2num(trim(str_val))
if(!isnull(temp))
- value = Clamp(integer ? round(temp) : temp, min_val, max_val)
+ value = CLAMP(integer ? round(temp) : temp, min_val, max_val)
if(value != temp && !var_edited)
log_config("Changing [name] from [temp] to [value]!")
return TRUE
diff --git a/code/controllers/configuration/configuration.dm b/code/controllers/configuration/configuration.dm
index e9c0aa71b8..e5e999f003 100644
--- a/code/controllers/configuration/configuration.dm
+++ b/code/controllers/configuration/configuration.dm
@@ -20,10 +20,13 @@ GLOBAL_PROTECT(config_dir)
/datum/controller/configuration/New()
config = src
- var/list/config_files = InitEntries()
+ InitEntries()
LoadModes()
- for(var/I in config_files)
- LoadEntries(I)
+ if(LoadEntries("config.txt") <= 1)
+ log_config("No $include directives found in config.txt! Loading legacy game_options/dbconfig/comms files...")
+ LoadEntries("game_options.txt")
+ LoadEntries("dbconfig.txt")
+ LoadEntries("comms.txt")
loadmaplist(CONFIG_MAPS_FILE)
/datum/controller/configuration/Destroy()
@@ -42,8 +45,6 @@ GLOBAL_PROTECT(config_dir)
var/list/_entries_by_type = list()
entries_by_type = _entries_by_type
- . = list()
-
for(var/I in typesof(/datum/config_entry)) //typesof is faster in this case
var/datum/config_entry/E = I
if(initial(E.abstract_type) == I)
@@ -57,24 +58,30 @@ GLOBAL_PROTECT(config_dir)
continue
_entries[esname] = E
_entries_by_type[I] = E
- .[E.resident_file] = TRUE
/datum/controller/configuration/proc/RemoveEntry(datum/config_entry/CE)
entries -= CE.name
entries_by_type -= CE.type
-/datum/controller/configuration/proc/LoadEntries(filename)
+/datum/controller/configuration/proc/LoadEntries(filename, list/stack = list())
+ var/filename_to_test = world.system_type == MS_WINDOWS ? lowertext(filename) : filename
+ if(filename_to_test in stack)
+ log_config("Warning: Config recursion detected ([english_list(stack)]), breaking!")
+ return
+ stack = stack + filename_to_test
+
log_config("Loading config file [filename]...")
var/list/lines = world.file2list("[GLOB.config_dir][filename]")
var/list/_entries = entries
for(var/L in lines)
if(!L)
continue
-
- if(copytext(L, 1, 2) == "#")
+
+ var/firstchar = copytext(L, 1, 2)
+ if(firstchar == "#")
continue
- var/lockthis = copytext(L, 1, 2) == "@"
+ var/lockthis = firstchar == "@"
if(lockthis)
L = copytext(L, 2)
@@ -90,15 +97,25 @@ GLOBAL_PROTECT(config_dir)
if(!entry)
continue
+ if(entry == "$include")
+ if(!value)
+ log_config("Warning: Invalid $include directive: [value]")
+ else
+ LoadEntries(value, stack)
+ ++.
+ continue
+
+ if(entry == "$include")
+ if(!value)
+ log_config("Warning: Invalid $include directive: [value]")
+ else
+ LoadEntries(value, stack)
+ continue
var/datum/config_entry/E = _entries[entry]
if(!E)
log_config("Unknown setting in configuration: '[entry]'")
continue
-
- if(filename != E.resident_file)
- log_config("Found [entry] in [filename] when it should have been in [E.resident_file]! Ignoring.")
- continue
if(lockthis)
E.protection |= CONFIG_ENTRY_LOCKED
@@ -107,10 +124,14 @@ GLOBAL_PROTECT(config_dir)
if(!validated)
log_config("Failed to validate setting \"[value]\" for [entry]")
else if(E.modified && !E.dupes_allowed)
- log_config("Duplicate setting for [entry] ([value]) detected! Using latest.")
+ log_config("Duplicate setting for [entry] ([value], [E.resident_file]) detected! Using latest.")
+
+ E.resident_file = filename
if(validated)
E.modified = TRUE
+
+ ++.
/datum/controller/configuration/can_vv_get(var_name)
return (var_name != "entries_by_type" || !hiding_entries_by_type) && ..()
diff --git a/code/controllers/configuration/entries/comms.dm b/code/controllers/configuration/entries/comms.dm
index bf099f6cb6..56cec985f1 100644
--- a/code/controllers/configuration/entries/comms.dm
+++ b/code/controllers/configuration/entries/comms.dm
@@ -1,22 +1,20 @@
-#define CURRENT_RESIDENT_FILE "comms.txt"
-
-CONFIG_DEF(string/comms_key)
+/datum/config_entry/string/comms_key
protection = CONFIG_ENTRY_HIDDEN
/datum/config_entry/string/comms_key/ValidateAndSet(str_val)
return str_val != "default_pwd" && length(str_val) > 6 && ..()
-CONFIG_DEF(string/cross_server_address)
+/datum/config_entry/keyed_string_list/cross_server
protection = CONFIG_ENTRY_LOCKED
/datum/config_entry/string/cross_server_address/ValidateAndSet(str_val)
return str_val != "byond:\\address:port" && ..()
-CONFIG_DEF(string/cross_comms_name)
+/datum/config_entry/string/cross_comms_name
GLOBAL_VAR_INIT(medals_enabled, TRUE) //will be auto set to false if the game fails contacting the medal hub to prevent unneeded calls.
-CONFIG_DEF(string/medal_hub_address)
+/datum/config_entry/string/medal_hub_address
-CONFIG_DEF(string/medal_hub_password)
- protection = CONFIG_ENTRY_HIDDEN
\ No newline at end of file
+/datum/config_entry/string/medal_hub_password
+ protection = CONFIG_ENTRY_HIDDEN
diff --git a/code/controllers/configuration/entries/config.dm b/code/controllers/configuration/entries/config.dm
deleted file mode 100644
index 37081c15dd..0000000000
--- a/code/controllers/configuration/entries/config.dm
+++ /dev/null
@@ -1,390 +0,0 @@
-#define CURRENT_RESIDENT_FILE "config.txt"
-
-CONFIG_DEF(flag/autoadmin) // if autoadmin is enabled
- protection = CONFIG_ENTRY_LOCKED
-
-CONFIG_DEF(string/autoadmin_rank) // the rank for autoadmins
- value = "Game Master"
- protection = CONFIG_ENTRY_LOCKED
-
-CONFIG_DEF(string/servername) // server name (the name of the game window)
-
-CONFIG_DEF(string/serversqlname) // short form server name used for the DB
-
-CONFIG_DEF(string/stationname) // station name (the name of the station in-game)
-
-CONFIG_DEF(number/lobby_countdown) // In between round countdown.
- value = 120
- min_val = 0
-
-CONFIG_DEF(number/round_end_countdown) // Post round murder death kill countdown
- value = 25
- min_val = 0
-
-CONFIG_DEF(flag/hub) // if the game appears on the hub or not
-
-CONFIG_DEF(flag/log_ooc) // log OOC channel
-
-CONFIG_DEF(flag/log_access) // log login/logout
-
-CONFIG_DEF(flag/log_say) // log client say
-
-CONFIG_DEF(flag/log_admin) // log admin actions
- protection = CONFIG_ENTRY_LOCKED
-
-CONFIG_DEF(flag/log_prayer) // log prayers
-
-CONFIG_DEF(flag/log_law) // log lawchanges
-
-CONFIG_DEF(flag/log_game) // log game events
-
-CONFIG_DEF(flag/log_vote) // log voting
-
-CONFIG_DEF(flag/log_whisper) // log client whisper
-
-CONFIG_DEF(flag/log_attack) // log attack messages
-
-CONFIG_DEF(flag/log_emote) // log emotes
-
-CONFIG_DEF(flag/log_adminchat) // log admin chat messages
- protection = CONFIG_ENTRY_LOCKED
-
-CONFIG_DEF(flag/log_pda) // log pda messages
-
-CONFIG_DEF(flag/log_twitter) // log certain expliotable parrots and other such fun things in a JSON file of twitter valid phrases.
-
-CONFIG_DEF(flag/log_world_topic) // log all world.Topic() calls
-
-CONFIG_DEF(flag/log_manifest) // log crew manifest to seperate file
-
-CONFIG_DEF(flag/allow_admin_ooccolor) // Allows admins with relevant permissions to have their own ooc colour
-
-CONFIG_DEF(flag/allow_vote_restart) // allow votes to restart
-
-CONFIG_DEF(flag/allow_vote_mode) // allow votes to change mode
-
-CONFIG_DEF(number/vote_delay) // minimum time between voting sessions (deciseconds, 10 minute default)
- value = 6000
- min_val = 0
-
-CONFIG_DEF(number/vote_period) // length of voting period (deciseconds, default 1 minute)
- value = 600
- min_val = 0
-
-CONFIG_DEF(flag/default_no_vote) // vote does not default to nochange/norestart
-
-CONFIG_DEF(flag/no_dead_vote) // dead people can't vote
-
-CONFIG_DEF(flag/allow_metadata) // Metadata is supported.
-
-CONFIG_DEF(flag/popup_admin_pm) // adminPMs to non-admins show in a pop-up 'reply' window when set
-
-CONFIG_DEF(number/fps)
- value = 20
- min_val = 1
- max_val = 100 //byond will start crapping out at 50, so this is just ridic
- var/sync_validate = FALSE
-
-/datum/config_entry/number/fps/ValidateAndSet(str_val)
- . = ..()
- if(.)
- sync_validate = TRUE
- var/datum/config_entry/number/ticklag/TL = config.entries_by_type[/datum/config_entry/number/ticklag]
- if(!TL.sync_validate)
- TL.ValidateAndSet(10 / value)
- sync_validate = FALSE
-
-CONFIG_DEF(number/ticklag)
- integer = FALSE
- var/sync_validate = FALSE
-
-/datum/config_entry/number/ticklag/New() //ticklag weirdly just mirrors fps
- var/datum/config_entry/CE = /datum/config_entry/number/fps
- value = 10 / initial(CE.value)
- ..()
-
-/datum/config_entry/number/ticklag/ValidateAndSet(str_val)
- . = text2num(str_val) > 0 && ..()
- if(.)
- sync_validate = TRUE
- var/datum/config_entry/number/fps/FPS = config.entries_by_type[/datum/config_entry/number/fps]
- if(!FPS.sync_validate)
- FPS.ValidateAndSet(10 / value)
- sync_validate = FALSE
-
-CONFIG_DEF(flag/allow_holidays)
-
-CONFIG_DEF(number/tick_limit_mc_init) //SSinitialization throttling
- value = TICK_LIMIT_MC_INIT_DEFAULT
- min_val = 0 //oranges warned us
- integer = FALSE
-
-CONFIG_DEF(flag/admin_legacy_system) //Defines whether the server uses the legacy admin system with admins.txt or the SQL system
- protection = CONFIG_ENTRY_LOCKED
-
-CONFIG_DEF(string/hostedby)
-
-CONFIG_DEF(flag/norespawn)
-
-CONFIG_DEF(flag/guest_jobban)
-
-CONFIG_DEF(flag/usewhitelist)
-
-CONFIG_DEF(flag/ban_legacy_system) //Defines whether the server uses the legacy banning system with the files in /data or the SQL system.
- protection = CONFIG_ENTRY_LOCKED
-
-CONFIG_DEF(flag/use_age_restriction_for_jobs) //Do jobs use account age restrictions? --requires database
-
-CONFIG_DEF(flag/use_account_age_for_jobs) //Uses the time they made the account for the job restriction stuff. New player joining alerts should be unaffected.
-
-CONFIG_DEF(flag/use_exp_tracking)
-
-CONFIG_DEF(flag/use_exp_restrictions_heads)
-
-CONFIG_DEF(number/use_exp_restrictions_heads_hours)
- value = 0
- min_val = 0
-
-CONFIG_DEF(flag/use_exp_restrictions_heads_department)
-
-CONFIG_DEF(flag/use_exp_restrictions_other)
-
-CONFIG_DEF(flag/use_exp_restrictions_admin_bypass)
-
-CONFIG_DEF(string/server)
-
-CONFIG_DEF(string/banappeals)
-
-CONFIG_DEF(string/wikiurl)
- value = "http://www.tgstation13.org/wiki"
-
-CONFIG_DEF(string/forumurl)
- value = "http://tgstation13.org/phpBB/index.php"
-
-CONFIG_DEF(string/rulesurl)
- value = "http://www.tgstation13.org/wiki/Rules"
-
-CONFIG_DEF(string/githuburl)
- value = "https://www.github.com/tgstation/-tg-station"
-
-CONFIG_DEF(number/githubrepoid)
- value = null
- min_val = 0
-
-CONFIG_DEF(flag/guest_ban)
-
-CONFIG_DEF(number/id_console_jobslot_delay)
- value = 30
- min_val = 0
-
-CONFIG_DEF(number/inactivity_period) //time in ds until a player is considered inactive)
- value = 3000
- min_val = 0
-
-/datum/config_entry/number/inactivity_period/ValidateAndSet(str_val)
- . = ..()
- if(.)
- value *= 10 //documented as seconds in config.txt
-
-CONFIG_DEF(number/afk_period) //time in ds until a player is considered inactive)
- value = 3000
- min_val = 0
-
-/datum/config_entry/number/afk_period/ValidateAndSet(str_val)
- . = ..()
- if(.)
- value *= 10 //documented as seconds in config.txt
-
-CONFIG_DEF(flag/kick_inactive) //force disconnect for inactive players
-
-CONFIG_DEF(flag/load_jobs_from_txt)
-
-CONFIG_DEF(flag/forbid_singulo_possession)
-
-CONFIG_DEF(flag/automute_on) //enables automuting/spam prevention
-
-CONFIG_DEF(string/panic_server_name)
-
-/datum/config_entry/string/panic_server_name/ValidateAndSet(str_val)
- return str_val != "\[Put the name here\]" && ..()
-
-CONFIG_DEF(string/panic_server_address) //Reconnect a player this linked server if this server isn't accepting new players
-
-/datum/config_entry/string/panic_server_address/ValidateAndSet(str_val)
- return str_val != "byond://address:port" && ..()
-
-CONFIG_DEF(string/invoke_youtubedl)
- protection = CONFIG_ENTRY_LOCKED | CONFIG_ENTRY_HIDDEN
-
-CONFIG_DEF(flag/show_irc_name)
-
-CONFIG_DEF(flag/see_own_notes) //Can players see their own admin notes (read-only)?
-
-CONFIG_DEF(number/note_fresh_days)
- value = null
- min_val = 0
- integer = FALSE
-
-CONFIG_DEF(number/note_stale_days)
- value = null
- min_val = 0
- integer = FALSE
-
-CONFIG_DEF(flag/maprotation)
-
-CONFIG_DEF(number/maprotatechancedelta)
- value = 0.75
- min_val = 0
- max_val = 1
- integer = FALSE
-
-CONFIG_DEF(number/soft_popcap)
- value = null
- min_val = 0
-
-CONFIG_DEF(number/hard_popcap)
- value = null
- min_val = 0
-
-CONFIG_DEF(number/extreme_popcap)
- value = null
- min_val = 0
-
-CONFIG_DEF(string/soft_popcap_message)
- value = "Be warned that the server is currently serving a high number of users, consider using alternative game servers."
-
-CONFIG_DEF(string/hard_popcap_message)
- value = "The server is currently serving a high number of users, You cannot currently join. You may wait for the number of living crew to decline, observe, or find alternative servers."
-
-CONFIG_DEF(string/extreme_popcap_message)
- value = "The server is currently serving a high number of users, find alternative servers."
-
-CONFIG_DEF(flag/panic_bunker) // prevents people the server hasn't seen before from connecting
-
-CONFIG_DEF(number/notify_new_player_age) // how long do we notify admins of a new player
- min_val = -1
-
-CONFIG_DEF(number/notify_new_player_account_age) // how long do we notify admins of a new byond account
- min_val = 0
-
-CONFIG_DEF(flag/irc_first_connection_alert) // do we notify the irc channel when somebody is connecting for the first time?
-
-CONFIG_DEF(flag/check_randomizer)
-
-CONFIG_DEF(string/ipintel_email)
-
-/datum/config_entry/string/ipintel_email/ValidateAndSet(str_val)
- return str_val != "ch@nge.me" && ..()
-
-CONFIG_DEF(number/ipintel_rating_bad)
- value = 1
- integer = FALSE
- min_val = 0
- max_val = 1
-
-CONFIG_DEF(number/ipintel_save_good)
- value = 12
- min_val = 0
-
-CONFIG_DEF(number/ipintel_save_bad)
- value = 1
- min_val = 0
-
-CONFIG_DEF(string/ipintel_domain)
- value = "check.getipintel.net"
-
-CONFIG_DEF(flag/aggressive_changelog)
-
-CONFIG_DEF(flag/autoconvert_notes) //if all connecting player's notes should attempt to be converted to the database
- protection = CONFIG_ENTRY_LOCKED
-
-CONFIG_DEF(flag/allow_webclient)
-
-CONFIG_DEF(flag/webclient_only_byond_members)
-
-CONFIG_DEF(flag/announce_admin_logout)
-
-CONFIG_DEF(flag/announce_admin_login)
-
-CONFIG_DEF(flag/allow_map_voting)
-
-CONFIG_DEF(flag/generate_minimaps)
-
-CONFIG_DEF(number/client_warn_version)
- value = null
- min_val = 500
- max_val = DM_VERSION - 1
-
-CONFIG_DEF(string/client_warn_message)
- value = "Your version of byond may have issues or be blocked from accessing this server in the future."
-
-CONFIG_DEF(flag/client_warn_popup)
-
-CONFIG_DEF(number/client_error_version)
- value = null
- min_val = 500
- max_val = DM_VERSION - 1
-
-CONFIG_DEF(string/client_error_message)
- value = "Your version of byond is too old, may have issues, and is blocked from accessing this server."
-
-CONFIG_DEF(number/minute_topic_limit)
- value = null
- min_val = 0
-
-CONFIG_DEF(number/second_topic_limit)
- value = null
- min_val = 0
-
-CONFIG_DEF(number/error_cooldown) // The "cooldown" time for each occurrence of a unique error)
- value = 600
- min_val = 0
-
-CONFIG_DEF(number/error_limit) // How many occurrences before the next will silence them
- value = 50
-
-CONFIG_DEF(number/error_silence_time) // How long a unique error will be silenced for
- value = 6000
-
-CONFIG_DEF(number/error_msg_delay) // How long to wait between messaging admins about occurrences of a unique error
- value = 50
-
-CONFIG_DEF(flag/irc_announce_new_game)
-
-CONFIG_DEF(flag/debug_admin_hrefs)
-
-CONFIG_DEF(number/mc_tick_rate/base_mc_tick_rate)
- integer = FALSE
- value = 1
-
-CONFIG_DEF(number/mc_tick_rate/high_pop_mc_tick_rate)
- integer = FALSE
- value = 1.1
-
-CONFIG_DEF(number/mc_tick_rate/high_pop_mc_mode_amount)
- value = 65
-
-CONFIG_DEF(number/mc_tick_rate/disable_high_pop_mc_mode_amount)
- value = 60
-
-CONFIG_TWEAK(number/mc_tick_rate)
- abstract_type = /datum/config_entry/number/mc_tick_rate
-
-CONFIG_TWEAK(number/mc_tick_rate/ValidateAndSet(str_val))
- . = ..()
- if (.)
- Master.UpdateTickRate()
-
-CONFIG_DEF(flag/resume_after_initializations)
-
-CONFIG_TWEAK(flag/resume_after_initializations/ValidateAndSet(str_val))
- . = ..()
- if(. && Master.current_runlevel)
- world.sleep_offline = !value
-
-CONFIG_DEF(number/rounds_until_hard_restart)
- value = -1
- min_val = 0
-
-CONFIG_DEF(string/default_view)
- value = "15x15"
diff --git a/code/controllers/configuration/entries/dbconfig.dm b/code/controllers/configuration/entries/dbconfig.dm
index c46880686a..1ac4d85419 100644
--- a/code/controllers/configuration/entries/dbconfig.dm
+++ b/code/controllers/configuration/entries/dbconfig.dm
@@ -1,28 +1,26 @@
-#define CURRENT_RESIDENT_FILE "dbconfig.txt"
-
-CONFIG_DEF(flag/sql_enabled) // for sql switching
+/datum/config_entry/flag/sql_enabled // for sql switching
protection = CONFIG_ENTRY_LOCKED
-CONFIG_DEF(string/address)
+/datum/config_entry/string/address
value = "localhost"
protection = CONFIG_ENTRY_LOCKED | CONFIG_ENTRY_HIDDEN
-CONFIG_DEF(number/port)
+/datum/config_entry/number/port
value = 3306
min_val = 0
max_val = 65535
protection = CONFIG_ENTRY_LOCKED | CONFIG_ENTRY_HIDDEN
-CONFIG_DEF(string/feedback_database)
+/datum/config_entry/string/feedback_database
value = "test"
protection = CONFIG_ENTRY_LOCKED | CONFIG_ENTRY_HIDDEN
-CONFIG_DEF(string/feedback_login)
+/datum/config_entry/string/feedback_login
value = "root"
protection = CONFIG_ENTRY_LOCKED | CONFIG_ENTRY_HIDDEN
-CONFIG_DEF(string/feedback_password)
+/datum/config_entry/string/feedback_password
protection = CONFIG_ENTRY_LOCKED | CONFIG_ENTRY_HIDDEN
-CONFIG_DEF(string/feedback_tableprefix)
+/datum/config_entry/string/feedback_tableprefix
protection = CONFIG_ENTRY_LOCKED | CONFIG_ENTRY_HIDDEN
diff --git a/code/controllers/configuration/entries/game_options.dm b/code/controllers/configuration/entries/game_options.dm
index b04d7845f5..2d96e3c64b 100644
--- a/code/controllers/configuration/entries/game_options.dm
+++ b/code/controllers/configuration/entries/game_options.dm
@@ -1,253 +1,255 @@
-#define CURRENT_RESIDENT_FILE "game_options.txt"
+/datum/config_entry/number_list/repeated_mode_adjust
-CONFIG_DEF(number_list/repeated_mode_adjust)
-
-CONFIG_DEF(keyed_number_list/probability)
+/datum/config_entry/keyed_number_list/probability
/datum/config_entry/keyed_number_list/probability/ValidateKeyName(key_name)
return key_name in config.modes
-CONFIG_DEF(keyed_number_list/max_pop)
+/datum/config_entry/keyed_number_list/max_pop
/datum/config_entry/keyed_number_list/max_pop/ValidateKeyName(key_name)
return key_name in config.modes
-CONFIG_DEF(keyed_number_list/min_pop)
+/datum/config_entry/keyed_number_list/min_pop
/datum/config_entry/keyed_number_list/min_pop/ValidateKeyName(key_name)
return key_name in config.modes
-CONFIG_DEF(keyed_flag_list/continuous) // which roundtypes continue if all antagonists die
+/datum/config_entry/keyed_flag_list/continuous // which roundtypes continue if all antagonists die
/datum/config_entry/keyed_flag_list/continuous/ValidateKeyName(key_name)
return key_name in config.modes
-CONFIG_DEF(keyed_flag_list/midround_antag) // which roundtypes use the midround antagonist system
+/datum/config_entry/keyed_flag_list/midround_antag // which roundtypes use the midround antagonist system
/datum/config_entry/keyed_flag_list/midround_antag/ValidateKeyName(key_name)
return key_name in config.modes
-CONFIG_DEF(keyed_string_list/policy)
+/datum/config_entry/keyed_string_list/policy
-CONFIG_DEF(number/damage_multiplier)
+/datum/config_entry/number/damage_multiplier
value = 1
integer = FALSE
-CONFIG_DEF(number/minimal_access_threshold) //If the number of players is larger than this threshold, minimal access will be turned on.
+/datum/config_entry/number/minimal_access_threshold //If the number of players is larger than this threshold, minimal access will be turned on.
min_val = 0
-CONFIG_DEF(flag/jobs_have_minimal_access) //determines whether jobs use minimal access or expanded access.
+/datum/config_entry/flag/jobs_have_minimal_access //determines whether jobs use minimal access or expanded access.
-CONFIG_DEF(flag/assistants_have_maint_access)
+/datum/config_entry/flag/assistants_have_maint_access
-CONFIG_DEF(flag/security_has_maint_access)
+/datum/config_entry/flag/security_has_maint_access
-CONFIG_DEF(flag/everyone_has_maint_access)
+/datum/config_entry/flag/everyone_has_maint_access
-CONFIG_DEF(flag/sec_start_brig) //makes sec start in brig instead of dept sec posts
+/datum/config_entry/flag/sec_start_brig //makes sec start in brig instead of dept sec posts
-CONFIG_DEF(flag/force_random_names)
+/datum/config_entry/flag/force_random_names
-CONFIG_DEF(flag/humans_need_surnames)
+/datum/config_entry/flag/humans_need_surnames
-CONFIG_DEF(flag/allow_ai) // allow ai job
+/datum/config_entry/flag/allow_ai // allow ai job
-CONFIG_DEF(flag/disable_secborg) // disallow secborg module to be chosen.
+/datum/config_entry/flag/disable_secborg // disallow secborg module to be chosen.
-CONFIG_DEF(flag/disable_peaceborg)
+/datum/config_entry/flag/disable_peaceborg
-CONFIG_DEF(number/traitor_scaling_coeff) //how much does the amount of players get divided by to determine traitors
+/datum/config_entry/number/traitor_scaling_coeff //how much does the amount of players get divided by to determine traitors
value = 6
min_val = 1
-CONFIG_DEF(number/brother_scaling_coeff) //how many players per brother team
+/datum/config_entry/number/brother_scaling_coeff //how many players per brother team
value = 25
min_val = 1
-CONFIG_DEF(number/changeling_scaling_coeff) //how much does the amount of players get divided by to determine changelings
+/datum/config_entry/number/changeling_scaling_coeff //how much does the amount of players get divided by to determine changelings
value = 6
min_val = 1
-CONFIG_DEF(number/security_scaling_coeff) //how much does the amount of players get divided by to determine open security officer positions
+/datum/config_entry/number/security_scaling_coeff //how much does the amount of players get divided by to determine open security officer positions
value = 8
min_val = 1
-CONFIG_DEF(number/abductor_scaling_coeff) //how many players per abductor team
+/datum/config_entry/number/abductor_scaling_coeff //how many players per abductor team
value = 15
min_val = 1
-CONFIG_DEF(number/traitor_objectives_amount)
+/datum/config_entry/number/traitor_objectives_amount
value = 2
min_val = 0
-CONFIG_DEF(number/brother_objectives_amount)
+/datum/config_entry/number/brother_objectives_amount
value = 2
min_val = 0
-CONFIG_DEF(flag/reactionary_explosions) //If we use reactionary explosions, explosions that react to walls and doors
+/datum/config_entry/flag/reactionary_explosions //If we use reactionary explosions, explosions that react to walls and doors
-CONFIG_DEF(flag/protect_roles_from_antagonist) //If security and such can be traitor/cult/other
+/datum/config_entry/flag/protect_roles_from_antagonist //If security and such can be traitor/cult/other
-CONFIG_DEF(flag/protect_assistant_from_antagonist) //If assistants can be traitor/cult/other
+/datum/config_entry/flag/protect_assistant_from_antagonist //If assistants can be traitor/cult/other
-CONFIG_DEF(flag/enforce_human_authority) //If non-human species are barred from joining as a head of staff
+/datum/config_entry/flag/enforce_human_authority //If non-human species are barred from joining as a head of staff
-CONFIG_DEF(flag/allow_latejoin_antagonists) // If late-joining players can be traitor/changeling
+/datum/config_entry/flag/allow_latejoin_antagonists // If late-joining players can be traitor/changeling
-CONFIG_DEF(number/midround_antag_time_check) // How late (in minutes) you want the midround antag system to stay on, setting this to 0 will disable the system
+/datum/config_entry/number/midround_antag_time_check // How late (in minutes you want the midround antag system to stay on, setting this to 0 will disable the system)
value = 60
min_val = 0
-CONFIG_DEF(number/midround_antag_life_check) // A ratio of how many people need to be alive in order for the round not to immediately end in midround antagonist
+/datum/config_entry/number/midround_antag_life_check // A ratio of how many people need to be alive in order for the round not to immediately end in midround antagonist
value = 0.7
integer = FALSE
min_val = 0
max_val = 1
-CONFIG_DEF(number/shuttle_refuel_delay)
+/datum/config_entry/number/shuttle_refuel_delay
value = 12000
min_val = 0
-CONFIG_DEF(flag/show_game_type_odds) //if set this allows players to see the odds of each roundtype on the get revision screen
+/datum/config_entry/flag/show_game_type_odds //if set this allows players to see the odds of each roundtype on the get revision screen
-CONFIG_DEF(keyed_flag_list/roundstart_races) //races you can play as from the get go.
+/datum/config_entry/keyed_flag_list/roundstart_races //races you can play as from the get go.
-CONFIG_DEF(flag/join_with_mutant_humans) //players can pick mutant bodyparts for humans before joining the game
+/datum/config_entry/flag/join_with_mutant_humans //players can pick mutant bodyparts for humans before joining the game
-CONFIG_DEF(flag/no_summon_guns) //No
+/datum/config_entry/flag/no_summon_guns //No
-CONFIG_DEF(flag/no_summon_magic) //Fun
+/datum/config_entry/flag/no_summon_magic //Fun
-CONFIG_DEF(flag/no_summon_events) //Allowed
+/datum/config_entry/flag/no_summon_events //Allowed
-CONFIG_DEF(flag/no_intercept_report) //Whether or not to send a communications intercept report roundstart. This may be overriden by gamemodes.
+/datum/config_entry/flag/no_intercept_report //Whether or not to send a communications intercept report roundstart. This may be overriden by gamemodes.
-CONFIG_DEF(number/arrivals_shuttle_dock_window) //Time from when a player late joins on the arrivals shuttle to when the shuttle docks on the station
+/datum/config_entry/number/arrivals_shuttle_dock_window //Time from when a player late joins on the arrivals shuttle to when the shuttle docks on the station
value = 55
min_val = 30
-CONFIG_DEF(flag/arrivals_shuttle_require_undocked) //Require the arrivals shuttle to be undocked before latejoiners can join
+/datum/config_entry/flag/arrivals_shuttle_require_undocked //Require the arrivals shuttle to be undocked before latejoiners can join
-CONFIG_DEF(flag/arrivals_shuttle_require_safe_latejoin) //Require the arrivals shuttle to be operational in order for latejoiners to join
+/datum/config_entry/flag/arrivals_shuttle_require_safe_latejoin //Require the arrivals shuttle to be operational in order for latejoiners to join
-CONFIG_DEF(string/alert_green)
+/datum/config_entry/string/alert_green
value = "All threats to the station have passed. Security may not have weapons visible, privacy laws are once again fully enforced."
-CONFIG_DEF(string/alert_blue_upto)
+/datum/config_entry/string/alert_blue_upto
value = "The station has received reliable information about possible hostile activity on the station. Security staff may have weapons visible, random searches are permitted."
-CONFIG_DEF(string/alert_blue_downto)
+/datum/config_entry/string/alert_blue_downto
value = "The immediate threat has passed. Security may no longer have weapons drawn at all times, but may continue to have them visible. Random searches are still allowed."
-CONFIG_DEF(string/alert_red_upto)
+/datum/config_entry/string/alert_red_upto
value = "There is an immediate serious threat to the station. Security may have weapons unholstered at all times. Random searches are allowed and advised."
-CONFIG_DEF(string/alert_red_downto)
+/datum/config_entry/string/alert_red_downto
value = "The station's destruction has been averted. There is still however an immediate serious threat to the station. Security may have weapons unholstered at all times, random searches are allowed and advised."
-CONFIG_DEF(string/alert_delta)
+/datum/config_entry/string/alert_delta
value = "Destruction of the station is imminent. All crew are instructed to obey all instructions given by heads of staff. Any violations of these orders can be punished by death. This is not a drill."
-CONFIG_DEF(flag/revival_pod_plants)
+/datum/config_entry/flag/revival_pod_plants
-CONFIG_DEF(flag/revival_cloning)
+/datum/config_entry/flag/revival_cloning
-CONFIG_DEF(number/revival_brain_life)
+/datum/config_entry/number/revival_brain_life
value = -1
min_val = -1
-CONFIG_DEF(flag/rename_cyborg)
+/datum/config_entry/flag/rename_cyborg
-CONFIG_DEF(flag/ooc_during_round)
+/datum/config_entry/flag/ooc_during_round
-CONFIG_DEF(flag/emojis)
+/datum/config_entry/flag/emojis
-CONFIG_DEF(number/run_delay) //Used for modifying movement speed for mobs.
+/datum/config_entry/number/run_delay //Used for modifying movement speed for mobs.
var/static/value_cache = 0
-CONFIG_TWEAK(number/run_delay/ValidateAndSet())
+/datum/config_entry/number/run_delay/ValidateAndSet()
. = ..()
if(.)
value_cache = value
-CONFIG_DEF(number/walk_delay)
+/datum/config_entry/number/walk_delay
var/static/value_cache = 0
-CONFIG_TWEAK(number/walk_delay/ValidateAndSet())
+/datum/config_entry/number/walk_delay/ValidateAndSet()
. = ..()
if(.)
value_cache = value
-CONFIG_DEF(number/human_delay) //Mob specific modifiers. NOTE: These will affect different mob types in different ways
-CONFIG_DEF(number/robot_delay)
-CONFIG_DEF(number/monkey_delay)
-CONFIG_DEF(number/alien_delay)
-CONFIG_DEF(number/slime_delay)
-CONFIG_DEF(number/animal_delay)
+/datum/config_entry/number/human_delay //Mob specific modifiers. NOTE: These will affect different mob types in different ways
+/datum/config_entry/number/robot_delay
+/datum/config_entry/number/monkey_delay
+/datum/config_entry/number/alien_delay
+/datum/config_entry/number/slime_delay
+/datum/config_entry/number/animal_delay
-CONFIG_DEF(number/gateway_delay) //How long the gateway takes before it activates. Default is half an hour.
+/datum/config_entry/number/gateway_delay //How long the gateway takes before it activates. Default is half an hour.
value = 18000
min_val = 0
-CONFIG_DEF(flag/ghost_interaction)
+/datum/config_entry/flag/ghost_interaction
-CONFIG_DEF(flag/silent_ai)
-CONFIG_DEF(flag/silent_borg)
+/datum/config_entry/flag/silent_ai
+/datum/config_entry/flag/silent_borg
-CONFIG_DEF(flag/sandbox_autoclose) // close the sandbox panel after spawning an item, potentially reducing griff
+/datum/config_entry/flag/sandbox_autoclose // close the sandbox panel after spawning an item, potentially reducing griff
-CONFIG_DEF(number/default_laws) //Controls what laws the AI spawns with.
+/datum/config_entry/number/default_laws //Controls what laws the AI spawns with.
value = 0
min_val = 0
max_val = 3
-CONFIG_DEF(number/silicon_max_law_amount)
+/datum/config_entry/number/silicon_max_law_amount
value = 12
min_val = 0
-CONFIG_DEF(keyed_flag_list/random_laws)
+/datum/config_entry/keyed_flag_list/random_laws
-CONFIG_DEF(keyed_number_list/law_weight)
+/datum/config_entry/keyed_number_list/law_weight
splitter = ","
-CONFIG_DEF(number/assistant_cap)
+/datum/config_entry/number/assistant_cap
value = -1
min_val = -1
-CONFIG_DEF(flag/starlight)
-CONFIG_DEF(flag/grey_assistants)
+/datum/config_entry/flag/starlight
+/datum/config_entry/flag/grey_assistants
-CONFIG_DEF(number/lavaland_budget)
+/datum/config_entry/number/lavaland_budget
value = 60
min_val = 0
-CONFIG_DEF(number/space_budget)
+/datum/config_entry/number/space_budget
value = 16
min_val = 0
-CONFIG_DEF(flag/allow_random_events) // Enables random events mid-round when set
+/datum/config_entry/flag/allow_random_events // Enables random events mid-round when set
-CONFIG_DEF(number/events_min_time_mul) // Multipliers for random events minimal starting time and minimal players amounts
+/datum/config_entry/number/events_min_time_mul // Multipliers for random events minimal starting time and minimal players amounts
value = 1
min_val = 0
integer = FALSE
-CONFIG_DEF(number/events_min_players_mul)
+/datum/config_entry/number/events_min_players_mul
value = 1
min_val = 0
integer = FALSE
-CONFIG_DEF(number/mice_roundstart)
+/datum/config_entry/number/mice_roundstart
value = 10
min_val = 0
-CONFIG_DEF(number/bombcap)
+/datum/config_entry/number/bombcap
value = 14
min_val = 4
-CONFIG_DEF(flag/allow_crew_objectives)
-CONFIG_DEF(flag/allow_miscreants)
-CONFIG_DEF(flag/allow_extended_miscreants)
+//Cit changes - Adds config options for crew objectives and miscreants
+/datum/config_entry/flag/allow_crew_objectives
+
+/datum/config_entry/flag/allow_miscreants
+
+/datum/config_entry/flag/allow_extended_miscreants
+//End of Cit changes
/datum/config_entry/number/bombcap/ValidateAndSet(str_val)
. = ..()
@@ -258,9 +260,9 @@ CONFIG_DEF(flag/allow_extended_miscreants)
GLOB.MAX_EX_FLASH_RANGE = value
GLOB.MAX_EX_FLAME_RANGE = value
-CONFIG_DEF(number/emergency_shuttle_autocall_threshold)
+/datum/config_entry/number/emergency_shuttle_autocall_threshold
min_val = 0
max_val = 1
integer = FALSE
-CONFIG_DEF(flag/ic_printing)
+/datum/config_entry/flag/ic_printing
diff --git a/code/controllers/configuration/entries/general.dm b/code/controllers/configuration/entries/general.dm
new file mode 100644
index 0000000000..637e65c46f
--- /dev/null
+++ b/code/controllers/configuration/entries/general.dm
@@ -0,0 +1,388 @@
+/datum/config_entry/flag/autoadmin // if autoadmin is enabled
+ protection = CONFIG_ENTRY_LOCKED
+
+/datum/config_entry/string/autoadmin_rank // the rank for autoadmins
+ value = "Game Master"
+ protection = CONFIG_ENTRY_LOCKED
+
+/datum/config_entry/string/servername // server name (the name of the game window)
+
+/datum/config_entry/string/serversqlname // short form server name used for the DB
+
+/datum/config_entry/string/stationname // station name (the name of the station in-game)
+
+/datum/config_entry/number/lobby_countdown // In between round countdown.
+ value = 120
+ min_val = 0
+
+/datum/config_entry/number/round_end_countdown // Post round murder death kill countdown
+ value = 25
+ min_val = 0
+
+/datum/config_entry/flag/hub // if the game appears on the hub or not
+
+/datum/config_entry/flag/log_ooc // log OOC channel
+
+/datum/config_entry/flag/log_access // log login/logout
+
+/datum/config_entry/flag/log_say // log client say
+
+/datum/config_entry/flag/log_admin // log admin actions
+ protection = CONFIG_ENTRY_LOCKED
+
+/datum/config_entry/flag/log_prayer // log prayers
+
+/datum/config_entry/flag/log_law // log lawchanges
+
+/datum/config_entry/flag/log_game // log game events
+
+/datum/config_entry/flag/log_vote // log voting
+
+/datum/config_entry/flag/log_whisper // log client whisper
+
+/datum/config_entry/flag/log_attack // log attack messages
+
+/datum/config_entry/flag/log_emote // log emotes
+
+/datum/config_entry/flag/log_adminchat // log admin chat messages
+ protection = CONFIG_ENTRY_LOCKED
+
+/datum/config_entry/flag/log_pda // log pda messages
+
+/datum/config_entry/flag/log_twitter // log certain expliotable parrots and other such fun things in a JSON file of twitter valid phrases.
+
+/datum/config_entry/flag/log_world_topic // log all world.Topic() calls
+
+/datum/config_entry/flag/log_manifest // log crew manifest to seperate file
+
+/datum/config_entry/flag/allow_admin_ooccolor // Allows admins with relevant permissions to have their own ooc colour
+
+/datum/config_entry/flag/allow_vote_restart // allow votes to restart
+
+/datum/config_entry/flag/allow_vote_mode // allow votes to change mode
+
+/datum/config_entry/number/vote_delay // minimum time between voting sessions (deciseconds, 10 minute default)
+ value = 6000
+ min_val = 0
+
+/datum/config_entry/number/vote_period // length of voting period (deciseconds, default 1 minute)
+ value = 600
+ min_val = 0
+
+/datum/config_entry/flag/default_no_vote // vote does not default to nochange/norestart
+
+/datum/config_entry/flag/no_dead_vote // dead people can't vote
+
+/datum/config_entry/flag/allow_metadata // Metadata is supported.
+
+/datum/config_entry/flag/popup_admin_pm // adminPMs to non-admins show in a pop-up 'reply' window when set
+
+/datum/config_entry/number/fps
+ value = 20
+ min_val = 1
+ max_val = 100 //byond will start crapping out at 50, so this is just ridic
+ var/sync_validate = FALSE
+
+/datum/config_entry/number/fps/ValidateAndSet(str_val)
+ . = ..()
+ if(.)
+ sync_validate = TRUE
+ var/datum/config_entry/number/ticklag/TL = config.entries_by_type[/datum/config_entry/number/ticklag]
+ if(!TL.sync_validate)
+ TL.ValidateAndSet(10 / value)
+ sync_validate = FALSE
+
+/datum/config_entry/number/ticklag
+ integer = FALSE
+ var/sync_validate = FALSE
+
+/datum/config_entry/number/ticklag/New() //ticklag weirdly just mirrors fps
+ var/datum/config_entry/CE = /datum/config_entry/number/fps
+ value = 10 / initial(CE.value)
+ ..()
+
+/datum/config_entry/number/ticklag/ValidateAndSet(str_val)
+ . = text2num(str_val) > 0 && ..()
+ if(.)
+ sync_validate = TRUE
+ var/datum/config_entry/number/fps/FPS = config.entries_by_type[/datum/config_entry/number/fps]
+ if(!FPS.sync_validate)
+ FPS.ValidateAndSet(10 / value)
+ sync_validate = FALSE
+
+/datum/config_entry/flag/allow_holidays
+
+/datum/config_entry/number/tick_limit_mc_init //SSinitialization throttling
+ value = TICK_LIMIT_MC_INIT_DEFAULT
+ min_val = 0 //oranges warned us
+ integer = FALSE
+
+/datum/config_entry/flag/admin_legacy_system //Defines whether the server uses the legacy admin system with admins.txt or the SQL system
+ protection = CONFIG_ENTRY_LOCKED
+
+/datum/config_entry/string/hostedby
+
+/datum/config_entry/flag/norespawn
+
+/datum/config_entry/flag/guest_jobban
+
+/datum/config_entry/flag/usewhitelist
+
+/datum/config_entry/flag/ban_legacy_system //Defines whether the server uses the legacy banning system with the files in /data or the SQL system.
+ protection = CONFIG_ENTRY_LOCKED
+
+/datum/config_entry/flag/use_age_restriction_for_jobs //Do jobs use account age restrictions? --requires database
+
+/datum/config_entry/flag/use_account_age_for_jobs //Uses the time they made the account for the job restriction stuff. New player joining alerts should be unaffected.
+
+/datum/config_entry/flag/use_exp_tracking
+
+/datum/config_entry/flag/use_exp_restrictions_heads
+
+/datum/config_entry/number/use_exp_restrictions_heads_hours
+ value = 0
+ min_val = 0
+
+/datum/config_entry/flag/use_exp_restrictions_heads_department
+
+/datum/config_entry/flag/use_exp_restrictions_other
+
+/datum/config_entry/flag/use_exp_restrictions_admin_bypass
+
+/datum/config_entry/string/server
+
+/datum/config_entry/string/banappeals
+
+/datum/config_entry/string/wikiurl
+ value = "http://www.tgstation13.org/wiki"
+
+/datum/config_entry/string/forumurl
+ value = "http://tgstation13.org/phpBB/index.php"
+
+/datum/config_entry/string/rulesurl
+ value = "http://www.tgstation13.org/wiki/Rules"
+
+/datum/config_entry/string/githuburl
+ value = "https://www.github.com/tgstation/-tg-station"
+
+/datum/config_entry/number/githubrepoid
+ value = null
+ min_val = 0
+
+/datum/config_entry/flag/guest_ban
+
+/datum/config_entry/number/id_console_jobslot_delay
+ value = 30
+ min_val = 0
+
+/datum/config_entry/number/inactivity_period //time in ds until a player is considered inactive
+ value = 3000
+ min_val = 0
+
+/datum/config_entry/number/inactivity_period/ValidateAndSet(str_val)
+ . = ..()
+ if(.)
+ value *= 10 //documented as seconds in config.txt
+
+/datum/config_entry/number/afk_period //time in ds until a player is considered inactive
+ value = 3000
+ min_val = 0
+
+/datum/config_entry/number/afk_period/ValidateAndSet(str_val)
+ . = ..()
+ if(.)
+ value *= 10 //documented as seconds in config.txt
+
+/datum/config_entry/flag/kick_inactive //force disconnect for inactive players
+
+/datum/config_entry/flag/load_jobs_from_txt
+
+/datum/config_entry/flag/forbid_singulo_possession
+
+/datum/config_entry/flag/automute_on //enables automuting/spam prevention
+
+/datum/config_entry/string/panic_server_name
+
+/datum/config_entry/string/panic_server_name/ValidateAndSet(str_val)
+ return str_val != "\[Put the name here\]" && ..()
+
+/datum/config_entry/string/panic_server_address //Reconnect a player this linked server if this server isn't accepting new players
+
+/datum/config_entry/string/panic_server_address/ValidateAndSet(str_val)
+ return str_val != "byond://address:port" && ..()
+
+/datum/config_entry/string/invoke_youtubedl
+ protection = CONFIG_ENTRY_LOCKED | CONFIG_ENTRY_HIDDEN
+
+/datum/config_entry/flag/show_irc_name
+
+/datum/config_entry/flag/see_own_notes //Can players see their own admin notes
+
+/datum/config_entry/number/note_fresh_days
+ value = null
+ min_val = 0
+ integer = FALSE
+
+/datum/config_entry/number/note_stale_days
+ value = null
+ min_val = 0
+ integer = FALSE
+
+/datum/config_entry/flag/maprotation
+
+/datum/config_entry/number/maprotatechancedelta
+ value = 0.75
+ min_val = 0
+ max_val = 1
+ integer = FALSE
+
+/datum/config_entry/number/soft_popcap
+ value = null
+ min_val = 0
+
+/datum/config_entry/number/hard_popcap
+ value = null
+ min_val = 0
+
+/datum/config_entry/number/extreme_popcap
+ value = null
+ min_val = 0
+
+/datum/config_entry/string/soft_popcap_message
+ value = "Be warned that the server is currently serving a high number of users, consider using alternative game servers."
+
+/datum/config_entry/string/hard_popcap_message
+ value = "The server is currently serving a high number of users, You cannot currently join. You may wait for the number of living crew to decline, observe, or find alternative servers."
+
+/datum/config_entry/string/extreme_popcap_message
+ value = "The server is currently serving a high number of users, find alternative servers."
+
+/datum/config_entry/flag/panic_bunker // prevents people the server hasn't seen before from connecting
+
+/datum/config_entry/number/notify_new_player_age // how long do we notify admins of a new player
+ min_val = -1
+
+/datum/config_entry/number/notify_new_player_account_age // how long do we notify admins of a new byond account
+ min_val = 0
+
+/datum/config_entry/flag/irc_first_connection_alert // do we notify the irc channel when somebody is connecting for the first time?
+
+/datum/config_entry/flag/check_randomizer
+
+/datum/config_entry/string/ipintel_email
+
+/datum/config_entry/string/ipintel_email/ValidateAndSet(str_val)
+ return str_val != "ch@nge.me" && ..()
+
+/datum/config_entry/number/ipintel_rating_bad
+ value = 1
+ integer = FALSE
+ min_val = 0
+ max_val = 1
+
+/datum/config_entry/number/ipintel_save_good
+ value = 12
+ min_val = 0
+
+/datum/config_entry/number/ipintel_save_bad
+ value = 1
+ min_val = 0
+
+/datum/config_entry/string/ipintel_domain
+ value = "check.getipintel.net"
+
+/datum/config_entry/flag/aggressive_changelog
+
+/datum/config_entry/flag/autoconvert_notes //if all connecting player's notes should attempt to be converted to the database
+ protection = CONFIG_ENTRY_LOCKED
+
+/datum/config_entry/flag/allow_webclient
+
+/datum/config_entry/flag/webclient_only_byond_members
+
+/datum/config_entry/flag/announce_admin_logout
+
+/datum/config_entry/flag/announce_admin_login
+
+/datum/config_entry/flag/allow_map_voting
+
+/datum/config_entry/flag/generate_minimaps
+
+/datum/config_entry/number/client_warn_version
+ value = null
+ min_val = 500
+ max_val = DM_VERSION - 1
+
+/datum/config_entry/string/client_warn_message
+ value = "Your version of byond may have issues or be blocked from accessing this server in the future."
+
+/datum/config_entry/flag/client_warn_popup
+
+/datum/config_entry/number/client_error_version
+ value = null
+ min_val = 500
+ max_val = DM_VERSION - 1
+
+/datum/config_entry/string/client_error_message
+ value = "Your version of byond is too old, may have issues, and is blocked from accessing this server."
+
+/datum/config_entry/number/minute_topic_limit
+ value = null
+ min_val = 0
+
+/datum/config_entry/number/second_topic_limit
+ value = null
+ min_val = 0
+
+/datum/config_entry/number/error_cooldown // The "cooldown" time for each occurrence of a unique error
+ value = 600
+ min_val = 0
+
+/datum/config_entry/number/error_limit // How many occurrences before the next will silence them
+ value = 50
+
+/datum/config_entry/number/error_silence_time // How long a unique error will be silenced for
+ value = 6000
+
+/datum/config_entry/number/error_msg_delay // How long to wait between messaging admins about occurrences of a unique error
+ value = 50
+
+/datum/config_entry/flag/irc_announce_new_game
+
+/datum/config_entry/flag/debug_admin_hrefs
+
+/datum/config_entry/number/mc_tick_rate/base_mc_tick_rate
+ integer = FALSE
+ value = 1
+
+/datum/config_entry/number/mc_tick_rate/high_pop_mc_tick_rate
+ integer = FALSE
+ value = 1.1
+
+/datum/config_entry/number/mc_tick_rate/high_pop_mc_mode_amount
+ value = 65
+
+/datum/config_entry/number/mc_tick_rate/disable_high_pop_mc_mode_amount
+ value = 60
+
+/datum/config_entry/number/mc_tick_rate
+ abstract_type = /datum/config_entry/number/mc_tick_rate
+
+/datum/config_entry/number/mc_tick_rate/ValidateAndSet(str_val)
+ . = ..()
+ if (.)
+ Master.UpdateTickRate()
+
+/datum/config_entry/flag/resume_after_initializations
+
+/datum/config_entry/flag/resume_after_initializations/ValidateAndSet(str_val)
+ . = ..()
+ if(. && Master.current_runlevel)
+ world.sleep_offline = !value
+
+/datum/config_entry/number/rounds_until_hard_restart
+ value = -1
+ min_val = 0
+
+/datum/config_entry/string/default_view
+ value = "15x15"
diff --git a/code/controllers/master.dm b/code/controllers/master.dm
index 568257e10f..92a94bf428 100644
--- a/code/controllers/master.dm
+++ b/code/controllers/master.dm
@@ -53,6 +53,8 @@ GLOBAL_REAL(Master, /datum/controller/master) = new
var/static/restart_clear = 0
var/static/restart_timeout = 0
var/static/restart_count = 0
+
+ var/static/random_seed
//current tick limit, assigned before running a subsystem.
//used by CHECK_TICK as well so that the procs subsystems call can obey that SS's tick limits
@@ -60,6 +62,11 @@ GLOBAL_REAL(Master, /datum/controller/master) = new
/datum/controller/master/New()
// Highlander-style: there can only be one! Kill off the old and replace it with the new.
+
+ if(!random_seed)
+ random_seed = rand(1, 1e9)
+ rand_seed(random_seed)
+
var/list/_subsystems = list()
subsystems = _subsystems
if (Master != src)
@@ -301,7 +308,7 @@ GLOBAL_REAL(Master, /datum/controller/master) = new
continue
//Byond resumed us late. assume it might have to do the same next tick
- if (last_run + Ceiling(world.tick_lag * (processing * sleep_delta), world.tick_lag) < world.time)
+ if (last_run + CEILING(world.tick_lag * (processing * sleep_delta), world.tick_lag) < world.time)
sleep_delta += 1
sleep_delta = MC_AVERAGE_FAST(sleep_delta, 1) //decay sleep_delta
diff --git a/code/controllers/subsystem/blackbox.dm b/code/controllers/subsystem/blackbox.dm
index 941fcbbcd6..ca407bb58c 100644
--- a/code/controllers/subsystem/blackbox.dm
+++ b/code/controllers/subsystem/blackbox.dm
@@ -10,11 +10,13 @@ SUBSYSTEM_DEF(blackbox)
var/sealed = FALSE //time to stop tracking stats?
var/list/research_levels = list() //list of highest tech levels attained that isn't lost lost by destruction of RD computers
var/list/versions = list("time_dilation_current" = 2,
- "science_techweb_unlock" = 2) //associative list of any feedback variables that have had their format changed since creation and their current version, remember to update this
+ "science_techweb_unlock" = 2,
+ "antagonists" = 3) //associative list of any feedback variables that have had their format changed since creation and their current version, remember to update this
/datum/controller/subsystem/blackbox/Initialize()
triggertime = world.time
+ record_feedback("amount", "random_seed", Master.random_seed)
. = ..()
//poll population
@@ -225,7 +227,10 @@ Versioning
var/pos = length(FV.json["data"]) + 1
FV.json["data"]["[pos]"] = list() //in 512 "pos" can be replaced with "[FV.json["data"].len+1]"
for(var/i in data)
- FV.json["data"]["[pos]"]["[i]"] = "[data[i]]" //and here with "[FV.json["data"].len]"
+ if(islist(data[i]))
+ FV.json["data"]["[pos]"]["[i]"] = data[i] //and here with "[FV.json["data"].len]"
+ else
+ FV.json["data"]["[pos]"]["[i]"] = "[data[i]]"
else
CRASH("Invalid feedback key_type: [key_type]")
diff --git a/code/controllers/subsystem/parallax.dm b/code/controllers/subsystem/parallax.dm
index 39d07ee676..4fa843906c 100644
--- a/code/controllers/subsystem/parallax.dm
+++ b/code/controllers/subsystem/parallax.dm
@@ -21,8 +21,8 @@ SUBSYSTEM_DEF(parallax)
return
continue
var/atom/movable/A = C.eye
- if(!A)
- return
+ if(!istype(A))
+ continue
for (A; isloc(A.loc) && !isturf(A.loc); A = A.loc);
if(A != C.movingmob)
diff --git a/code/controllers/subsystem/research.dm b/code/controllers/subsystem/research.dm
index d1bcf31885..5faeffde5c 100644
--- a/code/controllers/subsystem/research.dm
+++ b/code/controllers/subsystem/research.dm
@@ -20,7 +20,7 @@ SUBSYSTEM_DEF(research)
var/list/techweb_point_items = list() //path = value
var/list/errored_datums = list()
//----------------------------------------------
- var/single_server_income = 40.7
+ var/single_server_income = 54.3
var/multiserver_calculation = FALSE
var/last_income = 0
//^^^^^^^^ ALL OF THESE ARE PER SECOND! ^^^^^^^^
diff --git a/code/controllers/subsystem/shuttle.dm b/code/controllers/subsystem/shuttle.dm
index 35208d4137..e385e48a10 100644
--- a/code/controllers/subsystem/shuttle.dm
+++ b/code/controllers/subsystem/shuttle.dm
@@ -400,7 +400,7 @@ SUBSYSTEM_DEF(shuttle)
if(M.request(getDock(destination)))
return 2
else
- if(M.dock(getDock(destination)) != DOCKING_SUCCESS)
+ if(M.initiate_docking(getDock(destination)) != DOCKING_SUCCESS)
return 2
return 0 //dock successful
@@ -415,7 +415,7 @@ SUBSYSTEM_DEF(shuttle)
if(M.request(D))
return 2
else
- if(M.dock(D) != DOCKING_SUCCESS)
+ if(M.initiate_docking(D) != DOCKING_SUCCESS)
return 2
return 0 //dock successful
diff --git a/code/controllers/subsystem/throwing.dm b/code/controllers/subsystem/throwing.dm
index 97d84a0d3b..ec21f3bab2 100644
--- a/code/controllers/subsystem/throwing.dm
+++ b/code/controllers/subsystem/throwing.dm
@@ -80,7 +80,7 @@ SUBSYSTEM_DEF(throwing)
last_move = world.time
//calculate how many tiles to move, making up for any missed ticks.
- var/tilestomove = Ceiling(min(((((world.time+world.tick_lag) - start_time + delayed_time) * speed) - (dist_travelled ? dist_travelled : -1)), speed*MAX_TICKS_TO_MAKE_UP) * (world.tick_lag * SSthrowing.wait))
+ var/tilestomove = CEILING(min(((((world.time+world.tick_lag) - start_time + delayed_time) * speed) - (dist_travelled ? dist_travelled : -1)), speed*MAX_TICKS_TO_MAKE_UP) * (world.tick_lag * SSthrowing.wait), 1)
while (tilestomove-- > 0)
if ((dist_travelled >= maxrange || AM.loc == target_turf) && AM.has_gravity(AM.loc))
finalize()
diff --git a/code/controllers/subsystem/ticker.dm b/code/controllers/subsystem/ticker.dm
index 881bb7fcb7..0f06caa20d 100755
--- a/code/controllers/subsystem/ticker.dm
+++ b/code/controllers/subsystem/ticker.dm
@@ -398,204 +398,6 @@ SUBSYSTEM_DEF(ticker)
var/mob/living/L = I
L.notransform = FALSE
-/datum/controller/subsystem/ticker/proc/declare_completion()
- set waitfor = FALSE
- var/station_evacuated = EMERGENCY_ESCAPED_OR_ENDGAMED
- var/num_survivors = 0
- var/num_escapees = 0
- var/num_shuttle_escapees = 0
- var/list/successfulCrew = list()
- var/list/miscreants = list()
-
- to_chat(world, "
The round has ended.")
- if(LAZYLEN(GLOB.round_end_notifiees))
- send2irc("Notice", "[GLOB.round_end_notifiees.Join(", ")] the round has ended.")
-
-/* var/nocredits = config.no_credits_round_end
- for(var/client/C in GLOB.clients)
- if(!C.credits && !nocredits)
- C.RollCredits()
- C.playtitlemusic(40)*/
-
- //Player status report
- for(var/i in GLOB.mob_list)
- var/mob/Player = i
- if(Player.mind && !isnewplayer(Player))
- if(Player.stat != DEAD && !isbrain(Player))
- num_survivors++
- if(station_evacuated) //If the shuttle has already left the station
- var/list/area/shuttle_areas
- if(SSshuttle && SSshuttle.emergency)
- shuttle_areas = SSshuttle.emergency.shuttle_areas
- if(!Player.onCentCom() && !Player.onSyndieBase())
- to_chat(Player, "You managed to survive, but were marooned on [station_name()]...")
- else
- num_escapees++
- to_chat(Player, "You managed to survive the events on [station_name()] as [Player.real_name].")
- if(shuttle_areas[get_area(Player)])
- num_shuttle_escapees++
- else
- to_chat(Player, "You managed to survive the events on [station_name()] as [Player.real_name].")
- else
- to_chat(Player, "You did not survive the events on [station_name()]...")
-
- CHECK_TICK
-
- //Round statistics report
- var/datum/station_state/end_state = new /datum/station_state()
- end_state.count()
- var/station_integrity = min(PERCENT(GLOB.start_state.score(end_state)), 100)
-
- to_chat(world, " [GLOB.TAB]Shift Duration: [DisplayTimeText(world.time - SSticker.round_start_time)]")
- to_chat(world, " [GLOB.TAB]Station Integrity: [mode.station_was_nuked ? "Destroyed" : "[station_integrity]%"]")
- if(mode.station_was_nuked)
- SSticker.news_report = STATION_DESTROYED_NUKE
- var/total_players = GLOB.joined_player_list.len
- if(total_players)
- to_chat(world, " [GLOB.TAB]Total Population: [total_players]")
- if(station_evacuated)
- to_chat(world, " [GLOB.TAB]Evacuation Rate: [num_escapees] ([PERCENT(num_escapees/total_players)]%)")
- to_chat(world, " [GLOB.TAB](on emergency shuttle): [num_shuttle_escapees] ([PERCENT(num_shuttle_escapees/total_players)]%)")
- news_report = STATION_EVACUATED
- if(SSshuttle.emergency.is_hijacked())
- news_report = SHUTTLE_HIJACK
- to_chat(world, " [GLOB.TAB]Survival Rate: [num_survivors] ([PERCENT(num_survivors/total_players)]%)")
- to_chat(world, " ")
-
- CHECK_TICK
-
- //Silicon laws report
- for (var/i in GLOB.ai_list)
- var/mob/living/silicon/ai/aiPlayer = i
- if (aiPlayer.stat != DEAD && aiPlayer.mind)
- to_chat(world, "[aiPlayer.name] (Played by: [aiPlayer.mind.key])'s laws at the end of the round were:")
- aiPlayer.show_laws(1)
- else if (aiPlayer.mind) //if the dead ai has a mind, use its key instead
- to_chat(world, "[aiPlayer.name] (Played by: [aiPlayer.mind.key])'s laws when it was deactivated were:")
- aiPlayer.show_laws(1)
-
- to_chat(world, "Total law changes: [aiPlayer.law_change_counter]")
-
- if (aiPlayer.connected_robots.len)
- var/robolist = "[aiPlayer.real_name]'s minions were: "
- for(var/mob/living/silicon/robot/robo in aiPlayer.connected_robots)
- if(robo.mind)
- robolist += "[robo.name][robo.stat?" (Deactivated) (Played by: [robo.mind.key]), ":" (Played by: [robo.mind.key]), "]"
- to_chat(world, "[robolist]")
-
- CHECK_TICK
-
- for (var/mob/living/silicon/robot/robo in GLOB.silicon_mobs)
- if (!robo.connected_ai && robo.mind)
- if (robo.stat != DEAD)
- to_chat(world, "[robo.name] (Played by: [robo.mind.key]) survived as an AI-less borg! Its laws were:")
- else
- to_chat(world, "[robo.name] (Played by: [robo.mind.key]) was unable to survive the rigors of being a cyborg without an AI. Its laws were:")
-
- if(robo) //How the hell do we lose robo between here and the world messages directly above this?
- robo.laws.show_laws(world)
-
- CHECK_TICK
-
- mode.declare_completion()//To declare normal completion.
-
- CHECK_TICK
-
- //calls auto_declare_completion_* for all modes
- for(var/handler in typesof(/datum/game_mode/proc))
- if (findtext("[handler]","auto_declare_completion_"))
- call(mode, handler)(force_ending)
-
- CHECK_TICK
-
- if(CONFIG_GET(string/cross_server_address))
- send_news_report()
-
- CHECK_TICK
-
- //Print a list of antagonists to the server log
- var/list/total_antagonists = list()
- //Look into all mobs in world, dead or alive
- for(var/datum/mind/Mind in minds)
- var/temprole = Mind.special_role
- if(temprole) //if they are an antagonist of some sort.
- if(temprole in total_antagonists) //If the role exists already, add the name to it
- total_antagonists[temprole] += ", [Mind.name]([Mind.key])"
- else
- total_antagonists.Add(temprole) //If the role doesnt exist in the list, create it and add the mob
- total_antagonists[temprole] += ": [Mind.name]([Mind.key])"
-
- CHECK_TICK
-
- //Now print them all into the log!
- log_game("Antagonists at round end were...")
- for(var/i in total_antagonists)
- log_game("[i]s[total_antagonists[i]].")
-
- CHECK_TICK
-
- for(var/datum/mind/crewMind in minds)
- if(!crewMind.current || !crewMind.objectives.len)
- continue
- for(var/datum/objective/miscreant/MO in crewMind.objectives)
- miscreants += "[crewMind.current.real_name] (Played by: [crewMind.key]) Objective: [MO.explanation_text] (Optional)"
- for(var/datum/objective/crew/CO in crewMind.objectives)
- if(CO.check_completion())
- to_chat(crewMind.current, " Your optional objective: [CO.explanation_text] Success!")
- successfulCrew += "[crewMind.current.real_name] (Played by: [crewMind.key]) Objective: [CO.explanation_text] Success! (Optional)"
- else
- to_chat(crewMind.current, " Your optional objective: [CO.explanation_text] Failed.")
-
- if (successfulCrew.len)
- var/completedObjectives = "The following crew members completed their Crew Objectives: "
- for(var/i in successfulCrew)
- completedObjectives += "[i] "
- to_chat(world, "[completedObjectives] ")
- else
- if(CONFIG_GET(flag/allow_crew_objectives))
- to_chat(world, "Nobody completed their Crew Objectives! ")
-
- CHECK_TICK
-
- if (miscreants.len)
- var/miscreantObjectives = "The following crew members were miscreants: "
- for(var/i in miscreants)
- miscreantObjectives += "[i] "
- to_chat(world, "[miscreantObjectives] ")
-
- CHECK_TICK
-
- mode.declare_station_goal_completion()
-
- CHECK_TICK
- //medals, placed far down so that people can actually see the commendations.
- if(GLOB.commendations.len)
- to_chat(world, "Medal Commendations:")
- for (var/com in GLOB.commendations)
- to_chat(world, com)
-
- CHECK_TICK
-
- //Collects persistence features
- if(mode.allow_persistence_save)
- SSpersistence.CollectData()
-
- //stop collecting feedback during grifftime
- SSblackbox.Seal()
-
- sleep(50)
- ready_for_reboot = TRUE
- standard_reboot()
-
-/datum/controller/subsystem/ticker/proc/standard_reboot()
- if(ready_for_reboot)
- if(mode.station_was_nuked)
- Reboot("Station destroyed by Nuclear Device.", "nuke")
- else
- Reboot("Round ended.", "proper completion")
- else
- CRASH("Attempted standard reboot without ticker roundend completion")
-
/datum/controller/subsystem/ticker/proc/send_tip_of_the_round()
var/m
if(selected_tip)
diff --git a/code/controllers/subsystem/vote.dm b/code/controllers/subsystem/vote.dm
index 37811c183f..acb873dd5b 100644
--- a/code/controllers/subsystem/vote.dm
+++ b/code/controllers/subsystem/vote.dm
@@ -206,6 +206,7 @@ SUBSYSTEM_DEF(vote)
var/datum/action/vote/V = new
if(question)
V.name = "Vote: [question]"
+ C.player_details.player_actions += V
V.Grant(C.mob)
generated_actions += V
return 1
@@ -299,6 +300,7 @@ SUBSYSTEM_DEF(vote)
for(var/v in generated_actions)
var/datum/action/vote/V = v
if(!QDELETED(V))
+ V.remove_from_client()
V.Remove(V.owner)
generated_actions = list()
@@ -318,7 +320,16 @@ SUBSYSTEM_DEF(vote)
/datum/action/vote/Trigger()
if(owner)
owner.vote()
+ remove_from_client()
Remove(owner)
/datum/action/vote/IsAvailable()
return 1
+
+/datum/action/vote/proc/remove_from_client()
+ if(owner.client)
+ owner.client.player_details.player_actions -= src
+ else if(owner.ckey)
+ var/datum/player_details/P = GLOB.player_details[owner.ckey]
+ if(P)
+ P.player_actions -= src
\ No newline at end of file
diff --git a/code/datums/action.dm b/code/datums/action.dm
index f941a00a54..a2abe139a4 100644
--- a/code/datums/action.dm
+++ b/code/datums/action.dm
@@ -477,6 +477,8 @@
return FALSE
return TRUE
+/datum/action/spell_action/spell
+
/datum/action/spell_action/spell/IsAvailable()
if(!target)
return FALSE
diff --git a/code/datums/actions/beam_rifle.dm b/code/datums/actions/beam_rifle.dm
new file mode 100644
index 0000000000..3af5d13690
--- /dev/null
+++ b/code/datums/actions/beam_rifle.dm
@@ -0,0 +1,12 @@
+
+/datum/action/item_action/zoom_speed_action
+ name = "Toggle Zooming Speed"
+ icon_icon = 'icons/mob/actions/actions_spells.dmi'
+ button_icon_state = "projectile"
+ background_icon_state = "bg_tech"
+
+/datum/action/item_action/zoom_lock_action
+ name = "Switch Zoom Mode"
+ icon_icon = 'icons/mob/actions/actions_items.dmi'
+ button_icon_state = "zoom_mode"
+ background_icon_state = "bg_tech"
diff --git a/code/datums/ai_laws.dm b/code/datums/ai_laws.dm
index 8d86507271..c12a08a792 100644
--- a/code/datums/ai_laws.dm
+++ b/code/datums/ai_laws.dm
@@ -373,32 +373,9 @@
ion = list()
/datum/ai_laws/proc/show_laws(who)
-
- if (devillaws && devillaws.len) //Yes, devil laws go in FRONT of zeroth laws, as the devil must still obey it's ban/obligation.
- for(var/i in devillaws)
- to_chat(who, "666. [i]")
-
- if (zeroth)
- to_chat(who, "0. [zeroth]")
-
- for (var/index = 1, index <= ion.len, index++)
- var/law = ion[index]
- var/num = ionnum()
- to_chat(who, "[num]. [law]")
-
- var/number = 1
- for (var/index = 1, index <= inherent.len, index++)
- var/law = inherent[index]
-
- if (length(law) > 0)
- to_chat(who, "[number]. [law]")
- number++
-
- for (var/index = 1, index <= supplied.len, index++)
- var/law = supplied[index]
- if (length(law) > 0)
- to_chat(who, "[number]. [law]")
- number++
+ var/list/printable_laws = get_law_list(include_zeroth = TRUE)
+ for(var/law in printable_laws)
+ to_chat(who,law)
/datum/ai_laws/proc/clear_zeroth_law(force) //only removes zeroth from antag ai if force is 1
if(force)
diff --git a/code/datums/antagonists/abductor.dm b/code/datums/antagonists/abductor.dm
index 8d13c48e7c..a98acf054e 100644
--- a/code/datums/antagonists/abductor.dm
+++ b/code/datums/antagonists/abductor.dm
@@ -1,7 +1,8 @@
/datum/antagonist/abductor
name = "Abductor"
+ roundend_category = "abductors"
job_rank = ROLE_ABDUCTOR
- var/datum/objective_team/abductor_team/team
+ var/datum/team/abductor_team/team
var/sub_role
var/outfit
var/landmark_type
@@ -19,7 +20,7 @@
landmark_type = /obj/effect/landmark/abductor/scientist
greet_text = "Use your stealth technology and equipment to incapacitate humans for your scientist to retrieve."
-/datum/antagonist/abductor/create_team(datum/objective_team/abductor_team/new_team)
+/datum/antagonist/abductor/create_team(datum/team/abductor_team/new_team)
if(!new_team)
return
if(!istype(new_team))
@@ -70,3 +71,65 @@
var/mob/living/carbon/human/H = owner.current
var/datum/species/abductor/A = H.dna.species
A.scientist = TRUE
+
+
+/datum/team/abductor_team
+ member_name = "abductor"
+ var/team_number
+ var/list/datum/mind/abductees = list()
+
+/datum/team/abductor_team/is_solo()
+ return FALSE
+
+/datum/team/abductor_team/proc/add_objective(datum/objective/O)
+ O.team = src
+ O.update_explanation_text()
+ objectives += O
+
+/datum/team/abductor_team/roundend_report()
+ var/list/result = list()
+
+ var/won = TRUE
+ for(var/datum/objective/O in objectives)
+ if(!O.check_completion())
+ won = FALSE
+ if(won)
+ result += "[name] team fulfilled its mission!"
+ else
+ result += "[name] team failed its mission."
+
+ result += "The abductors of [name] were:"
+ for(var/datum/mind/abductor_mind in members)
+ result += printplayer(abductor_mind)
+ result += printobjectives(abductor_mind)
+
+ return result.Join(" ")
+
+
+/datum/antagonist/abductee
+ name = "Abductee"
+ roundend_category = "abductees"
+
+/datum/antagonist/abductee/on_gain()
+ give_objective()
+ . = ..()
+
+/datum/antagonist/abductee/greet()
+ to_chat(owner, "Your mind snaps!")
+ to_chat(owner, "You can't remember how you got here...")
+ owner.announce_objectives()
+
+/datum/antagonist/abductee/proc/give_objective()
+ var/mob/living/carbon/human/H = owner.current
+ if(istype(H))
+ H.gain_trauma_type(BRAIN_TRAUMA_MILD)
+ var/objtype = (prob(75) ? /datum/objective/abductee/random : pick(subtypesof(/datum/objective/abductee/) - /datum/objective/abductee/random))
+ var/datum/objective/abductee/O = new objtype()
+ objectives += O
+ owner.objectives += objectives
+
+/datum/antagonist/abductee/apply_innate_effects(mob/living/mob_override)
+ SSticker.mode.update_abductor_icons_added(mob_override ? mob_override.mind : owner)
+
+/datum/antagonist/abductee/remove_innate_effects(mob/living/mob_override)
+ SSticker.mode.update_abductor_icons_removed(mob_override ? mob_override.mind : owner)
\ No newline at end of file
diff --git a/code/datums/antagonists/antag_datum.dm b/code/datums/antagonists/antag_datum.dm
index 0a7b2aa22f..9b5dbb6d75 100644
--- a/code/datums/antagonists/antag_datum.dm
+++ b/code/datums/antagonists/antag_datum.dm
@@ -2,6 +2,8 @@ GLOBAL_LIST_EMPTY(antagonists)
/datum/antagonist
var/name = "Antagonist"
+ var/roundend_category = "other antagonists" //Section of roundend report, datums with same category will be displayed together, also default header for the section
+ var/show_in_roundend = TRUE //Set to false to hide the antagonists from roundend report
var/datum/mind/owner //Mind that owns this datum
var/silent = FALSE //Silent will prevent the gain/lose texts to show
var/can_coexist_with_others = TRUE //Whether or not the person will be able to have more than one datum
@@ -9,6 +11,7 @@ GLOBAL_LIST_EMPTY(antagonists)
var/delete_on_mind_deletion = TRUE
var/job_rank
var/replace_banned = TRUE //Should replace jobbaned player with ghosts if granted.
+ var/list/objectives = list()
/datum/antagonist/New(datum/mind/new_owner)
GLOB.antagonists += src
@@ -46,7 +49,7 @@ GLOBAL_LIST_EMPTY(antagonists)
return
//Assign default team and creates one for one of a kind team antagonists
-/datum/antagonist/proc/create_team(datum/objective_team/team)
+/datum/antagonist/proc/create_team(datum/team/team)
return
//Proc called when the datum is given to a mind.
@@ -81,7 +84,7 @@ GLOBAL_LIST_EMPTY(antagonists)
LAZYREMOVE(owner.antag_datums, src)
if(!silent && owner.current)
farewell()
- var/datum/objective_team/team = get_team()
+ var/datum/team/team = get_team()
if(team)
team.remove_member(owner)
qdel(src)
@@ -96,9 +99,62 @@ GLOBAL_LIST_EMPTY(antagonists)
/datum/antagonist/proc/get_team()
return
+//Individual roundend report
+/datum/antagonist/proc/roundend_report()
+ var/list/report = list()
+
+ if(!owner)
+ CRASH("antagonist datum without owner")
+
+ report += printplayer(owner)
+
+ var/objectives_complete = TRUE
+ if(owner.objectives.len)
+ report += printobjectives(owner)
+ for(var/datum/objective/objective in owner.objectives)
+ if(!objective.check_completion())
+ objectives_complete = FALSE
+ break
+
+ if(owner.objectives.len == 0 || objectives_complete)
+ report += "The [name] was successful!"
+ else
+ report += "The [name] has failed!"
+
+ return report.Join(" ")
+
+//Displayed at the start of roundend_category section, default to roundend_category header
+/datum/antagonist/proc/roundend_report_header()
+ return "The [roundend_category] were: "
+
+//Displayed at the end of roundend_category section
+/datum/antagonist/proc/roundend_report_footer()
+ return
+
//Should probably be on ticker or job ss ?
/proc/get_antagonists(antag_type,specific = FALSE)
. = list()
for(var/datum/antagonist/A in GLOB.antagonists)
if(!specific && istype(A,antag_type) || specific && A.type == antag_type)
- . += A.owner
\ No newline at end of file
+ . += A.owner
+
+
+
+//This datum will autofill the name with special_role
+//Used as placeholder for minor antagonists, please create proper datums for these
+/datum/antagonist/auto_custom
+
+/datum/antagonist/auto_custom/on_gain()
+ ..()
+ name = owner.special_role
+ //Add all objectives not already owned by other datums to this one.
+ var/list/already_registered_objectives = list()
+ for(var/datum/antagonist/A in owner.antag_datums)
+ if(A == src)
+ continue
+ else
+ already_registered_objectives |= A.objectives
+ objectives = owner.objectives - already_registered_objectives
+
+//This one is created by admin tools for custom objectives
+/datum/antagonist/custom
\ No newline at end of file
diff --git a/code/datums/antagonists/brother.dm b/code/datums/antagonists/brother.dm
index 6458e6da09..b06c75e4fa 100644
--- a/code/datums/antagonists/brother.dm
+++ b/code/datums/antagonists/brother.dm
@@ -2,12 +2,12 @@
name = "Brother"
job_rank = ROLE_BROTHER
var/special_role = "blood brother"
- var/datum/objective_team/brother_team/team
+ var/datum/team/brother_team/team
/datum/antagonist/brother/New(datum/mind/new_owner)
return ..()
-/datum/antagonist/brother/create_team(datum/objective_team/brother_team/new_team)
+/datum/antagonist/brother/create_team(datum/team/brother_team/new_team)
if(!new_team)
return
if(!istype(new_team))
@@ -55,3 +55,71 @@
/datum/antagonist/brother/proc/finalize_brother()
SSticker.mode.update_brother_icons_added(owner)
+
+
+/datum/team/brother_team
+ name = "brotherhood"
+ member_name = "blood brother"
+ var/meeting_area
+
+/datum/team/brother_team/is_solo()
+ return FALSE
+
+/datum/team/brother_team/proc/update_name()
+ var/list/last_names = list()
+ for(var/datum/mind/M in members)
+ var/list/split_name = splittext(M.name," ")
+ last_names += split_name[split_name.len]
+
+ name = last_names.Join(" & ")
+
+/datum/team/brother_team/roundend_report()
+ var/list/parts = list()
+
+ parts += "The blood brothers of [name] were:"
+ for(var/datum/mind/M in members)
+ parts += printplayer(M)
+ var/win = TRUE
+ var/objective_count = 1
+ for(var/datum/objective/objective in objectives)
+ if(objective.check_completion())
+ parts += "Objective #[objective_count]: [objective.explanation_text] Success!"
+ else
+ parts += "Objective #[objective_count]: [objective.explanation_text] Fail."
+ win = FALSE
+ objective_count++
+ if(win)
+ parts += "The blood brothers were successful!"
+ else
+ parts += "The blood brothers have failed!"
+
+ return "
[parts.Join(" ")]
"
+
+/datum/team/brother_team/proc/add_objective(datum/objective/O, needs_target = FALSE)
+ O.team = src
+ if(needs_target)
+ O.find_target()
+ O.update_explanation_text()
+ objectives += O
+
+/datum/team/brother_team/proc/forge_brother_objectives()
+ objectives = list()
+ var/is_hijacker = prob(10)
+ for(var/i = 1 to max(1, CONFIG_GET(number/brother_objectives_amount) + (members.len > 2) - is_hijacker))
+ forge_single_objective()
+ if(is_hijacker)
+ if(!locate(/datum/objective/hijack) in objectives)
+ add_objective(new/datum/objective/hijack)
+ else if(!locate(/datum/objective/escape) in objectives)
+ add_objective(new/datum/objective/escape)
+
+/datum/team/brother_team/proc/forge_single_objective()
+ if(prob(50))
+ if(LAZYLEN(active_ais()) && prob(100/GLOB.joined_player_list.len))
+ add_objective(new/datum/objective/destroy, TRUE)
+ else if(prob(30))
+ add_objective(new/datum/objective/maroon, TRUE)
+ else
+ add_objective(new/datum/objective/assassinate, TRUE)
+ else
+ add_objective(new/datum/objective/steal, TRUE)
\ No newline at end of file
diff --git a/code/datums/antagonists/changeling.dm b/code/datums/antagonists/changeling.dm
index e98bfed782..da7e425ecc 100644
--- a/code/datums/antagonists/changeling.dm
+++ b/code/datums/antagonists/changeling.dm
@@ -4,11 +4,11 @@
/datum/antagonist/changeling
name = "Changeling"
+ roundend_category = "changelings"
job_rank = ROLE_CHANGELING
var/you_are_greet = TRUE
var/give_objectives = TRUE
- var/list/objectives = list()
var/team_mode = FALSE //Should assign team objectives ?
//Changeling Stuff
@@ -223,7 +223,8 @@
if(verbose)
to_chat(user, "[target] is not compatible with our biology.")
return
- if((target.disabilities & NOCLONE) || (target.disabilities & HUSK))
+
+ if((target.has_disability(DISABILITY_NOCLONE)) || (target.has_disability(DISABILITY_NOCLONE)))
if(verbose)
to_chat(user, "DNA of [target] is ruined beyond usability!")
return
@@ -478,4 +479,35 @@
/datum/antagonist/changeling/xenobio
name = "Xenobio Changeling"
give_objectives = FALSE
+ show_in_roundend = FALSE //These are here for admin tracking purposes only
you_are_greet = FALSE
+
+/datum/antagonist/changeling/roundend_report()
+ var/list/parts = list()
+
+ var/changelingwin = 1
+ if(!owner.current)
+ changelingwin = 0
+
+ parts += printplayer(owner)
+
+ //Removed sanity if(changeling) because we -want- a runtime to inform us that the changelings list is incorrect and needs to be fixed.
+ parts += "Changeling ID: [changelingID]."
+ parts += "Genomes Extracted: [absorbedcount]"
+ parts += " "
+ if(objectives.len)
+ var/count = 1
+ for(var/datum/objective/objective in objectives)
+ if(objective.check_completion())
+ parts += "Objective #[count]: [objective.explanation_text] Success!"
+ else
+ parts += "Objective #[count]: [objective.explanation_text] Fail."
+ changelingwin = 0
+ count++
+
+ if(changelingwin)
+ parts += "The changeling was successful!"
+ else
+ parts += "The changeling has failed."
+
+ return parts.Join(" ")
\ No newline at end of file
diff --git a/code/datums/antagonists/clockcult.dm b/code/datums/antagonists/clockcult.dm
index 8cc1c9e9a7..48f9b53425 100644
--- a/code/datums/antagonists/clockcult.dm
+++ b/code/datums/antagonists/clockcult.dm
@@ -1,8 +1,11 @@
//CLOCKCULT PROOF OF CONCEPT
/datum/antagonist/clockcult
name = "Clock Cultist"
- var/datum/action/innate/hierophant/hierophant_network = new()
+ roundend_category = "clock cultists"
job_rank = ROLE_SERVANT_OF_RATVAR
+ var/datum/action/innate/hierophant/hierophant_network = new()
+ var/datum/team/clockcult/clock_team
+ var/make_team = TRUE //This should be only false for tutorial scarabs
/datum/antagonist/clockcult/silent
silent = TRUE
@@ -11,6 +14,22 @@
qdel(hierophant_network)
return ..()
+/datum/antagonist/clockcult/get_team()
+ return clock_team
+
+/datum/antagonist/clockcult/create_team(datum/team/clockcult/new_team)
+ if(!new_team && make_team)
+ //TODO blah blah same as the others, allow multiple
+ for(var/datum/antagonist/clockcult/H in GLOB.antagonists)
+ if(H.clock_team)
+ clock_team = H.clock_team
+ return
+ clock_team = new /datum/team/clockcult
+ return
+ if(make_team && !istype(new_team))
+ stack_trace("Wrong team type passed to [type] initialization.")
+ clock_team = new_team
+
/datum/antagonist/clockcult/can_be_owned(datum/mind/new_owner)
. = ..()
if(.)
@@ -156,7 +175,7 @@
SSticker.mode.servants_of_ratvar -= owner
SSticker.mode.update_servant_icons_removed(owner)
if(!silent)
- owner.current.visible_message("[owner] seems to have remembered their true allegiance!", ignored_mob = owner.current)
+ owner.current.visible_message("[owner] seems to have remembered their true allegiance!", ignored_mob = owner.current)
to_chat(owner, "A cold, cold darkness flows through your mind, extinguishing the Justiciar's light and all of your memories as his servant.")
owner.current.log_message("Has renounced the cult of Ratvar!", INDIVIDUAL_ATTACK_LOG)
owner.wipe_memory()
@@ -164,3 +183,35 @@
if(iscyborg(owner.current))
to_chat(owner.current, "Despite your freedom from Ratvar's influence, you are still irreparably damaged and no longer possess certain functions such as AI linking.")
. = ..()
+
+
+/datum/team/clockcult
+ name = "Clockcult"
+ var/list/objective
+ var/datum/mind/eminence
+
+/datum/team/clockcult/proc/check_clockwork_victory()
+ if(GLOB.clockwork_gateway_activated)
+ return TRUE
+ return FALSE
+
+/datum/team/clockcult/roundend_report()
+ var/list/parts = list()
+
+ if(check_clockwork_victory())
+ parts += "Ratvar's servants defended the Ark until its activation!"
+ else
+ parts += "The Ark was destroyed! Ratvar will rust away for all eternity!"
+ parts += " "
+ parts += "The servants' objective was: [CLOCKCULT_OBJECTIVE]."
+ parts += "Construction Value(CV) was: [GLOB.clockwork_construction_value]"
+ for(var/i in SSticker.scripture_states)
+ if(i != SCRIPTURE_DRIVER)
+ parts += "[i] scripture was: [SSticker.scripture_states[i] ? "UN":""]LOCKED"
+ if(eminence)
+ parts += "The Eminence was: [printplayer(eminence)]"
+ if(members.len)
+ parts += "Ratvar's servants were:"
+ parts += printplayerlist(members - eminence)
+
+ return "
[parts.Join(" ")]
"
\ No newline at end of file
diff --git a/code/datums/antagonists/cult.dm b/code/datums/antagonists/cult.dm
index c26b0f8108..916123ddff 100644
--- a/code/datums/antagonists/cult.dm
+++ b/code/datums/antagonists/cult.dm
@@ -2,84 +2,103 @@
/datum/antagonist/cult
name = "Cultist"
+ roundend_category = "cultists"
var/datum/action/innate/cult/comm/communion = new
var/datum/action/innate/cult/mastervote/vote = new
job_rank = ROLE_CULTIST
var/ignore_implant = FALSE
+ var/give_equipment = FALSE
+
+ var/datum/team/cult/cult_team
+
+/datum/antagonist/cult/get_team()
+ return cult_team
+
+/datum/antagonist/cult/create_team(datum/team/cult/new_team)
+ if(!new_team)
+ //todo remove this and allow admin buttons to create more than one cult
+ for(var/datum/antagonist/cult/H in GLOB.antagonists)
+ if(H.cult_team)
+ cult_team = H.cult_team
+ return
+ cult_team = new /datum/team/cult
+ cult_team.setup_objectives()
+ return
+ if(!istype(new_team))
+ stack_trace("Wrong team type passed to [type] initialization.")
+ cult_team = new_team
+
+/datum/antagonist/cult/proc/add_objectives()
+ objectives |= cult_team.objectives
+ owner.objectives |= objectives
+
+/datum/antagonist/cult/proc/remove_objectives()
+ owner.objectives -= objectives
/datum/antagonist/cult/Destroy()
QDEL_NULL(communion)
QDEL_NULL(vote)
return ..()
-/datum/antagonist/cult/proc/add_objectives()
- var/list/target_candidates = list()
- for(var/mob/living/carbon/human/player in GLOB.player_list)
- if(player.mind && !player.mind.has_antag_datum(ANTAG_DATUM_CULT) && !is_convertable_to_cult(player) && (player != owner) && player.stat != DEAD)
- target_candidates += player.mind
- if(target_candidates.len == 0)
- message_admins("Cult Sacrifice: Could not find unconvertable target, checking for convertable target.")
- for(var/mob/living/carbon/human/player in GLOB.player_list)
- if(player.mind && !player.mind.has_antag_datum(ANTAG_DATUM_CULT) && (player != owner) && player.stat != DEAD)
- target_candidates += player.mind
- listclearnulls(target_candidates)
- if(LAZYLEN(target_candidates))
- GLOB.sac_mind = pick(target_candidates)
- if(!GLOB.sac_mind)
- message_admins("Cult Sacrifice: ERROR - Null target chosen!")
- else
- var/datum/job/sacjob = SSjob.GetJob(GLOB.sac_mind.assigned_role)
- var/datum/preferences/sacface = GLOB.sac_mind.current.client.prefs
- var/icon/reshape = get_flat_human_icon(null, sacjob, sacface)
- reshape.Shift(SOUTH, 4)
- reshape.Shift(EAST, 1)
- reshape.Crop(7,4,26,31)
- reshape.Crop(-5,-3,26,30)
- GLOB.sac_image = reshape
- else
- message_admins("Cult Sacrifice: Could not find unconvertable or convertable target. WELP!")
- GLOB.sac_complete = TRUE
- SSticker.mode.cult_objectives += "sacrifice"
- if(!GLOB.summon_spots.len)
- while(GLOB.summon_spots.len < SUMMON_POSSIBILITIES)
- var/area/summon = pick(GLOB.sortedAreas - GLOB.summon_spots)
- if(summon && (summon.z in GLOB.station_z_levels) && summon.valid_territory)
- GLOB.summon_spots += summon
- SSticker.mode.cult_objectives += "eldergod"
-
-/datum/antagonist/cult/proc/cult_memorization(datum/mind/cult_mind)
- var/mob/living/current = cult_mind.current
- for(var/obj_count = 1,obj_count <= SSticker.mode.cult_objectives.len,obj_count++)
- var/explanation
- switch(SSticker.mode.cult_objectives[obj_count])
- if("sacrifice")
- if(GLOB.sac_mind)
- explanation = "Sacrifice [GLOB.sac_mind], the [GLOB.sac_mind.assigned_role] via invoking a Sacrifice rune with them on it and three acolytes around it."
- else
- explanation = "The veil has already been weakened here, proceed to the final objective."
- GLOB.sac_complete = TRUE
- if("eldergod")
- explanation = "Summon Nar-Sie by invoking the rune 'Summon Nar-Sie'. The summoning can only be accomplished in [english_list(GLOB.summon_spots)] - where the veil is weak enough for the ritual to begin."
- if(!silent)
- to_chat(current, "Objective #[obj_count]: [explanation]")
- cult_mind.memory += "Objective #[obj_count]: [explanation] "
-
/datum/antagonist/cult/can_be_owned(datum/mind/new_owner)
. = ..()
if(. && !ignore_implant)
- . = is_convertable_to_cult(new_owner.current)
+ . = is_convertable_to_cult(new_owner.current,cult_team)
+
+/datum/antagonist/cult/greet()
+ to_chat(owner, "You are a member of the cult!")
+ owner.current.playsound_local(get_turf(owner.current), 'sound/ambience/antag/bloodcult.ogg', 100, FALSE, pressure_affected = FALSE)//subject to change
+ owner.announce_objectives()
/datum/antagonist/cult/on_gain()
. = ..()
var/mob/living/current = owner.current
- if(!LAZYLEN(SSticker.mode.cult_objectives))
- add_objectives()
+ add_objectives()
+ if(give_equipment)
+ equip_cultist()
SSticker.mode.cult += owner // Only add after they've been given objectives
- cult_memorization(owner)
SSticker.mode.update_cult_icons_added(owner)
current.log_message("Has been converted to the cult of Nar'Sie!", INDIVIDUAL_ATTACK_LOG)
- if(GLOB.blood_target && GLOB.blood_target_image && current.client)
- current.client.images += GLOB.blood_target_image
+
+ if(cult_team.blood_target && cult_team.blood_target_image && current.client)
+ current.client.images += cult_team.blood_target_image
+
+
+/datum/antagonist/cult/proc/equip_cultist(tome=FALSE)
+ var/mob/living/carbon/H = owner.current
+ if(!istype(H))
+ return
+ if (owner.assigned_role == "Clown")
+ to_chat(owner, "Your training has allowed you to overcome your clownish nature, allowing you to wield weapons without harming yourself.")
+ H.dna.remove_mutation(CLOWNMUT)
+
+ if(tome)
+ . += cult_give_item(/obj/item/tome, H)
+ else
+ . += cult_give_item(/obj/item/paper/talisman/supply, H)
+ to_chat(owner, "These will help you start the cult on this station. Use them well, and remember - you are not the only one.")
+
+
+/datum/antagonist/cult/proc/cult_give_item(obj/item/item_path, mob/living/carbon/human/mob)
+ var/list/slots = list(
+ "backpack" = slot_in_backpack,
+ "left pocket" = slot_l_store,
+ "right pocket" = slot_r_store
+ )
+
+ var/T = new item_path(mob)
+ var/item_name = initial(item_path.name)
+ var/where = mob.equip_in_one_of_slots(T, slots)
+ if(!where)
+ to_chat(mob, "Unfortunately, you weren't able to get a [item_name]. This is very bad and you should adminhelp immediately (press F1).")
+ return 0
+ else
+ to_chat(mob, "You have a [item_name] in your [where].")
+ if(where == "backpack")
+ var/obj/item/storage/B = mob.back
+ B.orient2hud(mob)
+ B.show_to(mob)
+ return 1
/datum/antagonist/cult/apply_innate_effects(mob/living/mob_override)
. = ..()
@@ -89,7 +108,7 @@
current.faction |= "cult"
current.grant_language(/datum/language/narsie)
current.verbs += /mob/living/proc/cult_help
- if(!GLOB.cult_mastered)
+ if(!cult_team.cult_mastered)
vote.Grant(current)
communion.Grant(current)
current.throw_alert("bloodsense", /obj/screen/alert/bloodsense)
@@ -107,6 +126,7 @@
current.clear_alert("bloodsense")
/datum/antagonist/cult/on_removal()
+ remove_objectives()
owner.wipe_memory()
SSticker.mode.cult -= owner
SSticker.mode.update_cult_icons_removed(owner)
@@ -114,8 +134,8 @@
owner.current.visible_message("[owner.current] looks like [owner.current.p_they()] just reverted to their old faith!", ignored_mob = owner.current)
to_chat(owner.current, "An unfamiliar white light flashes through your mind, cleansing the taint of the Geometer and all your memories as her servant.")
owner.current.log_message("Has renounced the cult of Nar'Sie!", INDIVIDUAL_ATTACK_LOG)
- if(GLOB.blood_target && GLOB.blood_target_image && owner.current.client)
- owner.current.client.images -= GLOB.blood_target_image
+ if(cult_team.blood_target && cult_team.blood_target_image && owner.current.client)
+ owner.current.client.images -= cult_team.blood_target_image
. = ..()
/datum/antagonist/cult/master
@@ -145,7 +165,7 @@
var/mob/living/current = owner.current
if(mob_override)
current = mob_override
- if(!GLOB.reckoning_complete)
+ if(!cult_team.reckoning_complete)
reckoning.Grant(current)
bloodmark.Grant(current)
throwing.Grant(current)
@@ -162,3 +182,118 @@
throwing.Remove(current)
current.update_action_buttons_icon()
current.remove_status_effect(/datum/status_effect/cult_master)
+
+/datum/team/cult
+ name = "Cult"
+
+ var/blood_target
+ var/image/blood_target_image
+ var/blood_target_reset_timer
+
+ var/cult_vote_called = FALSE
+ var/cult_mastered = FALSE
+ var/reckoning_complete = FALSE
+
+
+/datum/team/cult/proc/setup_objectives()
+ //SAC OBJECTIVE , todo: move this to objective internals
+ var/list/target_candidates = list()
+ var/datum/objective/sacrifice/sac_objective = new
+ sac_objective.team = src
+
+ for(var/mob/living/carbon/human/player in GLOB.player_list)
+ if(player.mind && !player.mind.has_antag_datum(ANTAG_DATUM_CULT) && !is_convertable_to_cult(player) && player.stat != DEAD)
+ target_candidates += player.mind
+
+ if(target_candidates.len == 0)
+ message_admins("Cult Sacrifice: Could not find unconvertable target, checking for convertable target.")
+ for(var/mob/living/carbon/human/player in GLOB.player_list)
+ if(player.mind && !player.mind.has_antag_datum(ANTAG_DATUM_CULT) && player.stat != DEAD)
+ target_candidates += player.mind
+ listclearnulls(target_candidates)
+ if(LAZYLEN(target_candidates))
+ sac_objective.target = pick(target_candidates)
+ sac_objective.update_explanation_text()
+
+ var/datum/job/sacjob = SSjob.GetJob(sac_objective.target.assigned_role)
+ var/datum/preferences/sacface = sac_objective.target.current.client.prefs
+ var/icon/reshape = get_flat_human_icon(null, sacjob, sacface)
+ reshape.Shift(SOUTH, 4)
+ reshape.Shift(EAST, 1)
+ reshape.Crop(7,4,26,31)
+ reshape.Crop(-5,-3,26,30)
+ sac_objective.sac_image = reshape
+
+ objectives += sac_objective
+ else
+ message_admins("Cult Sacrifice: Could not find unconvertable or convertable target. WELP!")
+
+
+ //SUMMON OBJECTIVE
+
+ var/datum/objective/eldergod/summon_objective = new()
+ summon_objective.team = src
+ objectives += summon_objective
+
+/datum/objective/sacrifice
+ var/sacced = FALSE
+ var/sac_image
+
+/datum/objective/sacrifice/check_completion()
+ return sacced || completed
+
+/datum/objective/sacrifice/update_explanation_text()
+ if(target && !sacced)
+ explanation_text = "Sacrifice [target], the [target.assigned_role] via invoking a Sacrifice rune with them on it and three acolytes around it."
+ else
+ explanation_text = "The veil has already been weakened here, proceed to the final objective."
+
+/datum/objective/eldergod
+ var/summoned = FALSE
+ var/list/summon_spots = list()
+
+/datum/objective/eldergod/New()
+ ..()
+ var/sanity = 0
+ while(summon_spots.len < SUMMON_POSSIBILITIES && sanity < 100)
+ var/area/summon = pick(GLOB.sortedAreas - summon_spots)
+ if(summon && (summon.z in GLOB.station_z_levels) && summon.valid_territory)
+ summon_spots += summon
+ sanity++
+ update_explanation_text()
+
+/datum/objective/eldergod/update_explanation_text()
+ explanation_text = "Summon Nar-Sie by invoking the rune 'Summon Nar-Sie'. The summoning can only be accomplished in [english_list(summon_spots)] - where the veil is weak enough for the ritual to begin."
+
+/datum/objective/eldergod/check_completion()
+ return summoned || completed
+
+/datum/team/cult/proc/check_cult_victory()
+ for(var/datum/objective/O in objectives)
+ if(!O.check_completion())
+ return FALSE
+ return TRUE
+
+/datum/team/cult/roundend_report()
+ var/list/parts = list()
+
+ if(check_cult_victory())
+ parts += "The cult has succeeded! Nar-sie has snuffed out another torch in the void!"
+ else
+ parts += "The staff managed to stop the cult! Dark words and heresy are no match for Nanotrasen's finest!"
+
+ if(objectives.len)
+ parts += "The cultists' objectives were:"
+ var/count = 1
+ for(var/datum/objective/objective in objectives)
+ if(objective.check_completion())
+ parts += "Objective #[count]: [objective.explanation_text] Success!"
+ else
+ parts += "Objective #[count]: [objective.explanation_text] Fail."
+ count++
+
+ if(members.len)
+ parts += "The cultists were:"
+ parts += printplayerlist(members)
+
+ return "
[parts.Join(" ")]
"
\ No newline at end of file
diff --git a/code/datums/antagonists/datum_traitor.dm b/code/datums/antagonists/datum_traitor.dm
index d386c79c25..3ccdc7ddfb 100644
--- a/code/datums/antagonists/datum_traitor.dm
+++ b/code/datums/antagonists/datum_traitor.dm
@@ -1,5 +1,6 @@
/datum/antagonist/traitor
name = "Traitor"
+ roundend_category = "traitors"
job_rank = ROLE_TRAITOR
var/should_specialise = FALSE //do we split into AI and human, set to true on inital assignment only
var/ai_datum = ANTAG_DATUM_TRAITOR_AI
@@ -8,7 +9,6 @@
var/employer = "The Syndicate"
var/give_objectives = TRUE
var/should_give_codewords = TRUE
- var/list/objectives_given = list()
/datum/antagonist/traitor/human
var/should_equip = TRUE
@@ -52,9 +52,9 @@
if(should_specialise)
return ..()//we never did any of this anyway
SSticker.mode.traitors -= owner
- for(var/O in objectives_given)
+ for(var/O in objectives)
owner.objectives -= O
- objectives_given = list()
+ objectives = list()
if(!silent && owner.current)
to_chat(owner.current," You are no longer the [special_role]! ")
owner.special_role = null
@@ -71,11 +71,11 @@
/datum/antagonist/traitor/proc/add_objective(var/datum/objective/O)
owner.objectives += O
- objectives_given += O
+ objectives += O
/datum/antagonist/traitor/proc/remove_objective(var/datum/objective/O)
owner.objectives -= O
- objectives_given -= O
+ objectives -= O
/datum/antagonist/traitor/proc/forge_traitor_objectives()
return
@@ -294,3 +294,53 @@
where = "In your [equipped_slot]"
to_chat(mob, "
[where] is a folder containing secret documents that another Syndicate group wants. We have set up a meeting with one of their agents on station to make an exchange. Exercise extreme caution as they cannot be trusted and may be hostile. ")
+//TODO Collate
+/datum/antagonist/traitor/roundend_report()
+ var/list/result = list()
+
+ var/traitorwin = TRUE
+
+ result += printplayer(owner)
+
+ var/TC_uses = 0
+ var/uplink_true = FALSE
+ var/purchases = ""
+ for(var/datum/component/uplink/H in GLOB.uplinks)
+ if(H && H.owner && H.owner == owner.key)
+ TC_uses += H.spent_telecrystals
+ uplink_true = TRUE
+ purchases += H.purchase_log.generate_render(FALSE)
+
+ var/objectives_text = ""
+ if(objectives.len)//If the traitor had no objectives, don't need to process this.
+ var/count = 1
+ for(var/datum/objective/objective in objectives)
+ if(objective.check_completion())
+ objectives_text += " Objective #[count]: [objective.explanation_text] Success!"
+ else
+ objectives_text += " Objective #[count]: [objective.explanation_text] Fail."
+ traitorwin = FALSE
+ count++
+
+ if(uplink_true)
+ var/uplink_text = "(used [TC_uses] TC) [purchases]"
+ if(TC_uses==0 && traitorwin)
+ var/static/icon/badass = icon('icons/badass.dmi', "badass")
+ uplink_text += "[icon2html(badass, world)]"
+ result += uplink_text
+
+ result += objectives_text
+
+ var/special_role_text = lowertext(name)
+
+ if(traitorwin)
+ result += "The [special_role_text] was successful!"
+ else
+ result += "The [special_role_text] has failed!"
+ SEND_SOUND(owner.current, 'sound/ambience/ambifailure.ogg')
+
+ return result.Join(" ")
+
+/datum/antagonist/traitor/roundend_report_footer()
+ return " The code phrases were:[GLOB.syndicate_code_phrase] \
+ The code responses were:[GLOB.syndicate_code_response] "
\ No newline at end of file
diff --git a/code/datums/antagonists/devil.dm b/code/datums/antagonists/devil.dm
index 416a8f3752..97e0d8c18a 100644
--- a/code/datums/antagonists/devil.dm
+++ b/code/datums/antagonists/devil.dm
@@ -86,6 +86,7 @@ GLOBAL_LIST_INIT(devil_syllable, list("hal", "ve", "odr", "neit", "ci", "quon",
GLOBAL_LIST_INIT(devil_suffix, list(" the Red", " the Soulless", " the Master", ", the Lord of all things", ", Jr."))
/datum/antagonist/devil
name = "Devil"
+ roundend_category = "devils"
job_rank = ROLE_DEVIL
//Don't delete upon mind destruction, otherwise soul re-selling will break.
delete_on_mind_deletion = FALSE
@@ -508,6 +509,35 @@ GLOBAL_LIST_INIT(devil_suffix, list(" the Red", " the Soulless", " the Master",
owner.RemoveSpell(S)
.=..()
+/datum/antagonist/devil/proc/printdevilinfo()
+ var/list/parts = list()
+ parts += "The devil's true name is: [truename]"
+ parts += "The devil's bans were:"
+ parts += "[GLOB.TAB][GLOB.lawlorify[LORE][ban]]"
+ parts += "[GLOB.TAB][GLOB.lawlorify[LORE][bane]]"
+ parts += "[GLOB.TAB][GLOB.lawlorify[LORE][obligation]]"
+ parts += "[GLOB.TAB][GLOB.lawlorify[LORE][banish]]"
+ return parts.Join(" ")
+
+/datum/antagonist/devil/roundend_report()
+ var/list/parts = list()
+ parts += printplayer(owner)
+ parts += printdevilinfo()
+ parts += printobjectives(owner)
+ return parts.Join(" ")
+
+/datum/antagonist/devil/roundend_report_footer()
+ //sintouched go here for now as a hack , TODO proper antag datum for these
+ var/list/parts = list()
+ if(SSticker.mode.sintouched.len)
+ parts += "The sintouched were:"
+ var/list/sintouchedUnique = uniqueList(SSticker.mode.sintouched)
+ for(var/S in sintouchedUnique)
+ var/datum/mind/sintouched_mind = S
+ parts += printplayer(sintouched_mind)
+ parts += printobjectives(sintouched_mind)
+ return parts.Join(" ")
+
//A simple super light weight datum for the codex gigas.
/datum/fakeDevil
var/truename
diff --git a/code/datums/antagonists/monkey.dm b/code/datums/antagonists/monkey.dm
new file mode 100644
index 0000000000..518161b51b
--- /dev/null
+++ b/code/datums/antagonists/monkey.dm
@@ -0,0 +1,169 @@
+#define MONKEYS_ESCAPED 1
+#define MONKEYS_LIVED 2
+#define MONKEYS_DIED 3
+#define DISEASE_LIVED 4
+
+/datum/antagonist/monkey
+ name = "Monkey"
+ job_rank = ROLE_MONKEY
+ roundend_category = "monkeys"
+ var/datum/team/monkey/monkey_team
+
+/datum/antagonist/monkey/on_gain()
+ . = ..()
+ SSticker.mode.ape_infectees += owner
+ owner.special_role = "Infected Monkey"
+
+ var/datum/disease/D = new /datum/disease/transformation/jungle_fever/monkeymode
+ if(!owner.current.HasDisease(D))
+ owner.current.AddDisease(D)
+ else
+ QDEL_NULL(D)
+
+/datum/antagonist/monkey/greet()
+ to_chat(owner, "You are a monkey now!")
+ to_chat(owner, "Bite humans to infect them, follow the orders of the monkey leaders, and help fellow monkeys!")
+ to_chat(owner, "Ensure at least one infected monkey escapes on the Emergency Shuttle!")
+ to_chat(owner, "As an intelligent monkey, you know how to use technology and how to ventcrawl while wearing things.")
+ to_chat(owner, "You can use :k to talk to fellow monkeys!")
+ SEND_SOUND(owner.current, sound('sound/ambience/antag/monkey.ogg'))
+
+/datum/antagonist/monkey/on_removal()
+ . = ..()
+ owner.special_role = null
+ SSticker.mode.ape_infectees -= owner
+
+ var/datum/disease/D = (/datum/disease/transformation/jungle_fever in owner.current.viruses)
+ if(D)
+ D.cure()
+
+/datum/antagonist/monkey/create_team(datum/team/monkey/new_team)
+ if(!new_team)
+ for(var/datum/antagonist/monkey/N in get_antagonists(/datum/antagonist/monkey, TRUE))
+ if(N.monkey_team)
+ monkey_team = N.monkey_team
+ return
+ monkey_team = new /datum/team/monkey
+ monkey_team.update_objectives()
+ return
+ if(!istype(new_team))
+ stack_trace("Wrong team type passed to [type] initialization.")
+ monkey_team = new_team
+
+/datum/antagonist/monkey/proc/forge_objectives()
+ if(monkey_team)
+ owner.objectives |= monkey_team.objectives
+
+/datum/antagonist/monkey/leader
+ name = "Monkey Leader"
+
+/datum/antagonist/monkey/leader/on_gain()
+ . = ..()
+ var/obj/item/organ/heart/freedom/F = new
+ F.Insert(owner.current, drop_if_replaced = FALSE)
+ SSticker.mode.ape_leaders += owner
+ owner.special_role = "Monkey Leader"
+
+/datum/antagonist/monkey/leader/on_removal()
+ . = ..()
+ SSticker.mode.ape_leaders -= owner
+ var/obj/item/organ/heart/H = new
+ H.Insert(owner.current, drop_if_replaced = FALSE) //replace freedom heart with normal heart
+
+/datum/antagonist/monkey/leader/greet()
+ to_chat(owner, "You are the Jungle Fever patient zero!!")
+ to_chat(owner, "You have been planted onto this station by the Animal Rights Consortium.")
+ to_chat(owner, "Soon the disease will transform you into an ape. Afterwards, you will be able spread the infection to others with a bite.")
+ to_chat(owner, "While your infection strain is undetectable by scanners, any other infectees will show up on medical equipment.")
+ to_chat(owner, "Your mission will be deemed a success if any of the live infected monkeys reach CentCom.")
+ to_chat(owner, "As an initial infectee, you will be considered a 'leader' by your fellow monkeys.")
+ to_chat(owner, "You can use :k to talk to fellow monkeys!")
+ SEND_SOUND(owner.current, sound('sound/ambience/antag/monkey.ogg'))
+
+/datum/objective/monkey
+ explanation_text = "Ensure that infected monkeys escape on the emergency shuttle!"
+ martyr_compatible = TRUE
+ var/monkeys_to_win = 1
+ var/escaped_monkeys = 0
+
+/datum/objective/monkey/check_completion()
+ var/datum/disease/D = new /datum/disease/transformation/jungle_fever()
+ for(var/mob/living/carbon/monkey/M in GLOB.alive_mob_list)
+ if (M.HasDisease(D) && (M.onCentCom() || M.onSyndieBase()))
+ escaped_monkeys++
+ if(escaped_monkeys >= monkeys_to_win)
+ return TRUE
+ return FALSE
+
+/datum/team/monkey
+ name = "Monkeys"
+
+/datum/team/monkey/proc/update_objectives()
+ objectives = list()
+ var/datum/objective/monkey/O = new /datum/objective/monkey()
+ O.team = src
+ objectives += O
+ return
+
+/datum/team/monkey/proc/infected_monkeys_alive()
+ var/datum/disease/D = new /datum/disease/transformation/jungle_fever()
+ for(var/mob/living/carbon/monkey/M in GLOB.alive_mob_list)
+ if(M.HasDisease(D))
+ return TRUE
+ return FALSE
+
+/datum/team/monkey/proc/infected_monkeys_escaped()
+ var/datum/disease/D = new /datum/disease/transformation/jungle_fever()
+ for(var/mob/living/carbon/monkey/M in GLOB.alive_mob_list)
+ if(M.HasDisease(D) && (M.onCentCom() || M.onSyndieBase()))
+ return TRUE
+ return FALSE
+
+/datum/team/monkey/proc/infected_humans_escaped()
+ var/datum/disease/D = new /datum/disease/transformation/jungle_fever()
+ for(var/mob/living/carbon/human/M in GLOB.alive_mob_list)
+ if(M.HasDisease(D) && (M.onCentCom() || M.onSyndieBase()))
+ return TRUE
+ return FALSE
+
+/datum/team/monkey/proc/infected_humans_alive()
+ var/datum/disease/D = new /datum/disease/transformation/jungle_fever()
+ for(var/mob/living/carbon/human/M in GLOB.alive_mob_list)
+ if(M.HasDisease(D))
+ return TRUE
+ return FALSE
+
+/datum/team/monkey/proc/get_result()
+ if(infected_monkeys_escaped())
+ return MONKEYS_ESCAPED
+ if(infected_monkeys_alive())
+ return MONKEYS_LIVED
+ if(infected_humans_alive() || infected_humans_escaped())
+ return DISEASE_LIVED
+ return MONKEYS_DIED
+
+/datum/team/monkey/roundend_report()
+ var/list/parts = list()
+ switch(get_result())
+ if(MONKEYS_ESCAPED)
+ parts += "Monkey Major Victory!"
+ parts += "Central Command and [station_name()] were taken over by the monkeys! Ook ook!"
+ if(MONKEYS_LIVED)
+ parts += "Monkey Minor Victory!"
+ parts += "[station_name()] was taken over by the monkeys! Ook ook!"
+ if(DISEASE_LIVED)
+ parts += "Monkey Minor Defeat!"
+ parts += "All the monkeys died, but the disease lives on! The future is uncertain."
+ if(MONKEYS_DIED)
+ parts += "Monkey Major Defeat!"
+ parts += "All the monkeys died, and Jungle Fever was wiped out!"
+ var/list/leaders = get_antagonists(/datum/antagonist/monkey/leader, TRUE)
+ var/list/monkeys = get_antagonists(/datum/antagonist/monkey, TRUE)
+
+ if(LAZYLEN(leaders))
+ parts += "The monkey leaders were:"
+ parts += printplayerlist(SSticker.mode.ape_leaders)
+ if(LAZYLEN(monkeys))
+ parts += "The monkeys were:"
+ parts += printplayerlist(SSticker.mode.ape_infectees)
+ return "
[parts.Join(" ")]
"
\ No newline at end of file
diff --git a/code/datums/antagonists/ninja.dm b/code/datums/antagonists/ninja.dm
index ab4822dd79..8201cd879d 100644
--- a/code/datums/antagonists/ninja.dm
+++ b/code/datums/antagonists/ninja.dm
@@ -37,19 +37,20 @@
else if(M.assigned_role in GLOB.command_positions)
possible_targets[M] = 1 //good-guy
- var/list/objectives = list(1,2,3,4)
- while(owner.objectives.len < quantity)
- switch(pick_n_take(objectives))
+ var/list/possible_objectives = list(1,2,3,4)
+
+ while(objectives.len < quantity)
+ switch(pick_n_take(possible_objectives))
if(1) //research
var/datum/objective/download/O = new /datum/objective/download()
O.owner = owner
O.gen_amount_goal()
- owner.objectives += O
+ objectives += O
if(2) //steal
var/datum/objective/steal/special/O = new /datum/objective/steal/special()
O.owner = owner
- owner.objectives += O
+ objectives += O
if(3) //protect/kill
if(!possible_targets.len) continue
@@ -63,13 +64,13 @@
O.owner = owner
O.target = M
O.explanation_text = "Slay \the [M.current.real_name], the [M.assigned_role]."
- owner.objectives += O
+ objectives += O
else //protect
var/datum/objective/protect/O = new /datum/objective/protect()
O.owner = owner
O.target = M
O.explanation_text = "Protect \the [M.current.real_name], the [M.assigned_role], from harm."
- owner.objectives += O
+ objectives += O
if(4) //debrain/capture
if(!possible_targets.len) continue
var/selected = rand(1,possible_targets.len)
@@ -82,17 +83,17 @@
O.owner = owner
O.target = M
O.explanation_text = "Steal the brain of [M.current.real_name]."
- owner.objectives += O
+ objectives += O
else //capture
var/datum/objective/capture/O = new /datum/objective/capture()
O.owner = owner
O.gen_amount_goal()
- owner.objectives += O
+ objectives += O
else
break
var/datum/objective/O = new /datum/objective/survive()
O.owner = owner
- owner.objectives += O
+ owner.objectives |= objectives
/proc/remove_ninja(mob/living/L)
diff --git a/code/datums/antagonists/nukeop.dm b/code/datums/antagonists/nukeop.dm
new file mode 100644
index 0000000000..8b7fc7826f
--- /dev/null
+++ b/code/datums/antagonists/nukeop.dm
@@ -0,0 +1,322 @@
+#define NUKE_RESULT_FLUKE 0
+#define NUKE_RESULT_NUKE_WIN 1
+#define NUKE_RESULT_CREW_WIN 2
+#define NUKE_RESULT_CREW_WIN_SYNDIES_DEAD 3
+#define NUKE_RESULT_DISK_LOST 4
+#define NUKE_RESULT_DISK_STOLEN 5
+#define NUKE_RESULT_NOSURVIVORS 6
+#define NUKE_RESULT_WRONG_STATION 7
+#define NUKE_RESULT_WRONG_STATION_DEAD 8
+
+/datum/antagonist/nukeop
+ name = "Nuclear Operative"
+ roundend_category = "syndicate operatives" //just in case
+ job_rank = ROLE_OPERATIVE
+ var/datum/team/nuclear/nuke_team
+ var/always_new_team = FALSE //If not assigned a team by default ops will try to join existing ones, set this to TRUE to always create new team.
+ var/send_to_spawnpoint = TRUE //Should the user be moved to default spawnpoint.
+ var/nukeop_outfit = /datum/outfit/syndicate
+
+/datum/antagonist/nukeop/proc/update_synd_icons_added(mob/living/M)
+ var/datum/atom_hud/antag/opshud = GLOB.huds[ANTAG_HUD_OPS]
+ opshud.join_hud(M)
+ set_antag_hud(M, "synd")
+
+/datum/antagonist/nukeop/proc/update_synd_icons_removed(mob/living/M)
+ var/datum/atom_hud/antag/opshud = GLOB.huds[ANTAG_HUD_OPS]
+ opshud.leave_hud(M)
+ set_antag_hud(M, null)
+
+/datum/antagonist/nukeop/apply_innate_effects(mob/living/mob_override)
+ var/mob/living/M = mob_override || owner.current
+ update_synd_icons_added(M)
+
+/datum/antagonist/nukeop/remove_innate_effects(mob/living/mob_override)
+ var/mob/living/M = mob_override || owner.current
+ update_synd_icons_removed(M)
+
+/datum/antagonist/nukeop/proc/equip_op()
+ if(!ishuman(owner.current))
+ return
+ var/mob/living/carbon/human/H = owner.current
+
+ H.set_species(/datum/species/human) //Plasamen burn up otherwise, and lizards are vulnerable to asimov AIs
+
+ H.equipOutfit(nukeop_outfit)
+ return TRUE
+
+/datum/antagonist/nukeop/greet()
+ owner.current.playsound_local(get_turf(owner.current), 'sound/ambience/antag/ops.ogg',100,0)
+ to_chat(owner, "You are a [nuke_team ? nuke_team.syndicate_name : "syndicate"] agent!")
+ owner.announce_objectives()
+ return
+
+/datum/antagonist/nukeop/on_gain()
+ give_alias()
+ forge_objectives()
+ . = ..()
+ equip_op()
+ memorize_code()
+ if(send_to_spawnpoint)
+ move_to_spawnpoint()
+
+/datum/antagonist/nukeop/get_team()
+ return nuke_team
+
+/datum/antagonist/nukeop/proc/assign_nuke()
+ if(nuke_team && !nuke_team.tracked_nuke)
+ nuke_team.memorized_code = random_nukecode()
+ var/obj/machinery/nuclearbomb/nuke = locate("syndienuke") in GLOB.nuke_list
+ if(nuke)
+ nuke_team.tracked_nuke = nuke
+ if(nuke.r_code == "ADMIN")
+ nuke.r_code = nuke_team.memorized_code
+ else //Already set by admins/something else?
+ nuke_team.memorized_code = nuke.r_code
+ else
+ stack_trace("Syndicate nuke not found during nuke team creation.")
+ nuke_team.memorized_code = null
+
+/datum/antagonist/nukeop/proc/give_alias()
+ if(nuke_team && nuke_team.syndicate_name)
+ var/number = 1
+ number = nuke_team.members.Find(owner)
+ owner.current.real_name = "[nuke_team.syndicate_name] Operative #[number]"
+
+/datum/antagonist/nukeop/proc/memorize_code()
+ if(nuke_team && nuke_team.tracked_nuke && nuke_team.memorized_code)
+ owner.store_memory("[nuke_team.tracked_nuke] Code: [nuke_team.memorized_code]", 0, 0)
+ to_chat(owner, "The nuclear authorization code is: [nuke_team.memorized_code]")
+ else
+ to_chat(owner, "Unfortunately the syndicate was unable to provide you with nuclear authorization code.")
+
+/datum/antagonist/nukeop/proc/forge_objectives()
+ if(nuke_team)
+ owner.objectives |= nuke_team.objectives
+
+/datum/antagonist/nukeop/proc/move_to_spawnpoint()
+ var/team_number = 1
+ if(nuke_team)
+ team_number = nuke_team.members.Find(owner)
+ owner.current.forceMove(GLOB.nukeop_start[((team_number - 1) % GLOB.nukeop_start.len) + 1])
+
+/datum/antagonist/nukeop/leader/move_to_spawnpoint()
+ owner.current.forceMove(pick(GLOB.nukeop_leader_start))
+
+/datum/antagonist/nukeop/create_team(datum/team/nuclear/new_team)
+ if(!new_team)
+ if(!always_new_team)
+ for(var/datum/antagonist/nukeop/N in GLOB.antagonists)
+ if(N.nuke_team)
+ nuke_team = N.nuke_team
+ return
+ nuke_team = new /datum/team/nuclear
+ nuke_team.update_objectives()
+ assign_nuke() //This is bit ugly
+ return
+ if(!istype(new_team))
+ stack_trace("Wrong team type passed to [type] initialization.")
+ nuke_team = new_team
+
+/datum/antagonist/nukeop/leader
+ name = "Nuclear Operative Leader"
+ nukeop_outfit = /datum/outfit/syndicate/leader
+ always_new_team = TRUE
+ var/title
+
+/datum/antagonist/nukeop/leader/memorize_code()
+ ..()
+ if(nuke_team && nuke_team.memorized_code)
+ var/obj/item/paper/P = new
+ P.info = "The nuclear authorization code is: [nuke_team.memorized_code]"
+ P.name = "nuclear bomb code"
+ var/mob/living/carbon/human/H = owner.current
+ if(!istype(H))
+ P.forceMove(get_turf(H))
+ else
+ H.put_in_hands(P, TRUE)
+ H.update_icons()
+
+/datum/antagonist/nukeop/leader/give_alias()
+ title = pick("Czar", "Boss", "Commander", "Chief", "Kingpin", "Director", "Overlord")
+ if(nuke_team && nuke_team.syndicate_name)
+ owner.current.real_name = "[nuke_team.syndicate_name] [title]"
+ else
+ owner.current.real_name = "Syndicate [title]"
+
+/datum/antagonist/nukeop/leader/greet()
+ owner.current.playsound_local(get_turf(owner.current), 'sound/ambience/antag/ops.ogg',100,0)
+ to_chat(owner, "You are the Syndicate [title] for this mission. You are responsible for the distribution of telecrystals and your ID is the only one who can open the launch bay doors.")
+ to_chat(owner, "If you feel you are not up to this task, give your ID to another operative.")
+ to_chat(owner, "In your hand you will find a special item capable of triggering a greater challenge for your team. Examine it carefully and consult with your fellow operatives before activating it.")
+ owner.announce_objectives()
+ addtimer(CALLBACK(src, .proc/nuketeam_name_assign), 1)
+
+
+/datum/antagonist/nukeop/leader/proc/nuketeam_name_assign()
+ if(!nuke_team)
+ return
+ nuke_team.rename_team(ask_name())
+
+/datum/team/nuclear/proc/rename_team(new_name)
+ syndicate_name = new_name
+ name = "[syndicate_name] Team"
+ for(var/I in members)
+ var/datum/mind/synd_mind = I
+ var/mob/living/carbon/human/H = synd_mind.current
+ if(!istype(H))
+ continue
+ var/chosen_name = H.dna.species.random_name(H.gender,0,syndicate_name)
+ H.fully_replace_character_name(H.real_name,chosen_name)
+
+/datum/antagonist/nukeop/leader/proc/ask_name()
+ var/randomname = pick(GLOB.last_names)
+ var/newname = stripped_input(owner.current,"You are the nuke operative [title]. Please choose a last name for your family.", "Name change",randomname)
+ if (!newname)
+ newname = randomname
+ else
+ newname = reject_bad_name(newname)
+ if(!newname)
+ newname = randomname
+
+ return capitalize(newname)
+
+/datum/antagonist/nukeop/lone
+ name = "Lone Operative"
+ always_new_team = TRUE
+ send_to_spawnpoint = FALSE //Handled by event
+ nukeop_outfit = /datum/outfit/syndicate/full
+
+/datum/antagonist/nukeop/lone/assign_nuke()
+ if(nuke_team && !nuke_team.tracked_nuke)
+ nuke_team.memorized_code = random_nukecode()
+ var/obj/machinery/nuclearbomb/selfdestruct/nuke = locate() in GLOB.nuke_list
+ if(nuke)
+ nuke_team.tracked_nuke = nuke
+ if(nuke.r_code == "ADMIN")
+ nuke.r_code = nuke_team.memorized_code
+ else //Already set by admins/something else?
+ nuke_team.memorized_code = nuke.r_code
+ else
+ stack_trace("Station self destruct ot found during lone op team creation.")
+ nuke_team.memorized_code = null
+
+/datum/team/nuclear
+ var/syndicate_name
+ var/obj/machinery/nuclearbomb/tracked_nuke
+ var/core_objective = /datum/objective/nuclear
+ var/memorized_code
+
+/datum/team/nuclear/New()
+ ..()
+ syndicate_name = syndicate_name()
+
+/datum/team/nuclear/proc/update_objectives()
+ if(core_objective)
+ var/datum/objective/O = new core_objective
+ O.team = src
+ objectives += O
+
+/datum/team/nuclear/proc/disk_rescued()
+ for(var/obj/item/disk/nuclear/D in GLOB.poi_list)
+ if(!D.onCentCom())
+ return FALSE
+ return TRUE
+
+/datum/team/nuclear/proc/operatives_dead()
+ for(var/I in members)
+ var/datum/mind/operative_mind = I
+ if(ishuman(operative_mind.current) && (operative_mind.current.stat != DEAD))
+ return FALSE
+ return TRUE
+
+/datum/team/nuclear/proc/syndies_escaped()
+ var/obj/docking_port/mobile/S = SSshuttle.getShuttle("syndicate")
+ return (S && (S.z == ZLEVEL_CENTCOM || S.z == ZLEVEL_TRANSIT))
+
+/datum/team/nuclear/proc/get_result()
+ var/evacuation = SSshuttle.emergency.mode == SHUTTLE_ENDGAME
+ var/disk_rescued = disk_rescued()
+ var/syndies_didnt_escape = !syndies_escaped()
+ var/station_was_nuked = SSticker.mode.station_was_nuked
+ var/nuke_off_station = SSticker.mode.nuke_off_station
+
+ if(nuke_off_station == NUKE_SYNDICATE_BASE)
+ return NUKE_RESULT_FLUKE
+ else if(!disk_rescued && station_was_nuked && !syndies_didnt_escape)
+ return NUKE_RESULT_NUKE_WIN
+ else if (!disk_rescued && station_was_nuked && syndies_didnt_escape)
+ return NUKE_RESULT_NOSURVIVORS
+ else if (!disk_rescued && !station_was_nuked && nuke_off_station && !syndies_didnt_escape)
+ return NUKE_RESULT_WRONG_STATION
+ else if (!disk_rescued && !station_was_nuked && nuke_off_station && syndies_didnt_escape)
+ return NUKE_RESULT_WRONG_STATION_DEAD
+ else if ((disk_rescued || evacuation) && operatives_dead())
+ return NUKE_RESULT_CREW_WIN_SYNDIES_DEAD
+ else if (disk_rescued)
+ return NUKE_RESULT_CREW_WIN
+ else if (!disk_rescued && operatives_dead())
+ return NUKE_RESULT_DISK_LOST
+ else if (!disk_rescued && evacuation)
+ return NUKE_RESULT_DISK_STOLEN
+ else
+ return //Undefined result
+
+/datum/team/nuclear/roundend_report()
+ var/list/parts = list()
+ parts += "[syndicate_name] Operatives:"
+
+ switch(get_result())
+ if(NUKE_RESULT_FLUKE)
+ parts += "Humiliating Syndicate Defeat"
+ parts += "The crew of [station_name()] gave [syndicate_name] operatives back their bomb! The syndicate base was destroyed! Next time, don't lose the nuke!"
+ if(NUKE_RESULT_NUKE_WIN)
+ parts += "Syndicate Major Victory!"
+ parts += "[syndicate_name] operatives have destroyed [station_name()]!"
+ if(NUKE_RESULT_NOSURVIVORS)
+ parts += "Total Annihilation"
+ parts += "[syndicate_name] operatives destroyed [station_name()] but did not leave the area in time and got caught in the explosion. Next time, don't lose the disk!"
+ if(NUKE_RESULT_WRONG_STATION)
+ parts += "Crew Minor Victory"
+ parts += "[syndicate_name] operatives secured the authentication disk but blew up something that wasn't [station_name()]. Next time, don't do that!"
+ if(NUKE_RESULT_WRONG_STATION_DEAD)
+ parts += "[syndicate_name] operatives have earned Darwin Award!"
+ parts += "[syndicate_name] operatives blew up something that wasn't [station_name()] and got caught in the explosion. Next time, don't do that!"
+ if(NUKE_RESULT_CREW_WIN_SYNDIES_DEAD)
+ parts += "Crew Major Victory!"
+ parts += "The Research Staff has saved the disk and killed the [syndicate_name] Operatives"
+ if(NUKE_RESULT_CREW_WIN)
+ parts += "Crew Major Victory"
+ parts += "The Research Staff has saved the disk and stopped the [syndicate_name] Operatives!"
+ if(NUKE_RESULT_DISK_LOST)
+ parts += "Neutral Victory!"
+ parts += "The Research Staff failed to secure the authentication disk but did manage to kill most of the [syndicate_name] Operatives!"
+ if(NUKE_RESULT_DISK_STOLEN)
+ parts += "Syndicate Minor Victory!"
+ parts += "[syndicate_name] operatives survived the assault but did not achieve the destruction of [station_name()]. Next time, don't lose the disk!"
+ else
+ parts += "Neutral Victory"
+ parts += "Mission aborted!"
+
+ var/text = " The syndicate operatives were:"
+ var/purchases = ""
+ var/TC_uses = 0
+ for(var/I in members)
+ var/datum/mind/syndicate = I
+ for(var/U in GLOB.uplinks)
+ var/datum/component/uplink/H = U
+ if(H.owner == syndicate.key)
+ TC_uses += H.purchase_log.total_spent
+ if(H.purchase_log)
+ purchases += H.purchase_log.generate_render(show_key = FALSE)
+ else
+ stack_trace("WARNING: Nuke Op uplink with no purchase_log Owner: [H.owner]")
+ text += printplayerlist(members)
+ text += " "
+ text += "(Syndicates used [TC_uses] TC) [purchases]"
+ if(TC_uses == 0 && SSticker.mode.station_was_nuked && !operatives_dead())
+ text += "[icon2html('icons/badass.dmi', world, "badass")]"
+
+ parts += text
+
+ return "
[parts.Join(" ")]
"
diff --git a/code/datums/antagonists/pirate.dm b/code/datums/antagonists/pirate.dm
index ad32e09151..9bf20a4bf5 100644
--- a/code/datums/antagonists/pirate.dm
+++ b/code/datums/antagonists/pirate.dm
@@ -1,7 +1,8 @@
/datum/antagonist/pirate
name = "Space Pirate"
job_rank = ROLE_TRAITOR
- var/datum/objective_team/pirate/crew
+ roundend_category = "space pirates"
+ var/datum/team/pirate/crew
/datum/antagonist/pirate/greet()
to_chat(owner, "You are a Space Pirate!")
@@ -11,15 +12,16 @@
/datum/antagonist/pirate/get_team()
return crew
-/datum/antagonist/pirate/create_team(datum/objective_team/pirate/new_team)
+/datum/antagonist/pirate/create_team(datum/team/pirate/new_team)
if(!new_team)
for(var/datum/antagonist/pirate/P in GLOB.antagonists)
if(P.crew)
- new_team = P.crew
+ crew = P.crew
+ return
if(!new_team)
- crew = new /datum/objective_team/pirate
+ crew = new /datum/team/pirate
crew.forge_objectives()
- return
+ return
if(!istype(new_team))
stack_trace("Wrong team type passed to [type] initialization.")
crew = new_team
@@ -34,11 +36,10 @@
owner.objectives -= crew.objectives
. = ..()
-/datum/objective_team/pirate
+/datum/team/pirate
name = "Pirate crew"
- var/list/objectives = list()
-/datum/objective_team/pirate/proc/forge_objectives()
+/datum/team/pirate/proc/forge_objectives()
var/datum/objective/loot/getbooty = new()
getbooty.team = src
getbooty.storage_area = locate(/area/shuttle/pirate/vault) in GLOB.sortedAreas
@@ -84,11 +85,11 @@ GLOBAL_LIST_INIT(pirate_loot_cache, typecacheof(list(
loot_table[lootname] = count
else
loot_table[lootname] += count
- var/text = ""
+ var/list/loot_texts = list()
for(var/key in loot_table)
var/amount = loot_table[key]
- text += "[amount] [key][amount > 1 ? "s":""], "
- return text
+ loot_texts += "[amount] [key][amount > 1 ? "s":""]"
+ return loot_texts.Join(", ")
/datum/objective/loot/proc/get_loot_value()
if(!storage_area)
@@ -104,32 +105,25 @@ GLOBAL_LIST_INIT(pirate_loot_cache, typecacheof(list(
/datum/objective/loot/check_completion()
return ..() || get_loot_value() >= target_value
+/datum/team/pirate/roundend_report()
+ var/list/parts = list()
-//These need removal ASAP as everything is converted to datum antags.
-/datum/game_mode/proc/auto_declare_completion_pirates()
- var/list/datum/mind/pirates = get_antagonists(/datum/antagonist/pirate)
- var/datum/objective_team/pirate/crew
- var/text = ""
- if(pirates.len)
- text += " Space Pirates were:"
- for(var/datum/mind/M in pirates)
- text += printplayer(M)
- if(!crew)
- var/datum/antagonist/pirate/P = M.has_antag_datum(/datum/antagonist/pirate)
- crew = P.crew
- if(crew)
- text += " Loot stolen: "
- var/datum/objective/loot/L = locate() in crew.objectives
- text += L.loot_listing()
- text += " Total loot value : [L.get_loot_value()]/[L.target_value] credits"
+ parts += "Space Pirates were:"
- var/all_dead = TRUE
- for(var/datum/mind/M in crew.members)
- if(considered_alive(M))
- all_dead = FALSE
- break
- if(L.check_completion() && !all_dead)
- text += " The pirate crew was successful!"
- else
- text += " The pirate crew has failed."
- to_chat(world, text)
\ No newline at end of file
+ var/all_dead = TRUE
+ for(var/datum/mind/M in members)
+ if(considered_alive(M))
+ all_dead = FALSE
+ parts += printplayerlist(members)
+
+ parts += "Loot stolen: "
+ var/datum/objective/loot/L = locate() in objectives
+ parts += L.loot_listing()
+ parts += "Total loot value : [L.get_loot_value()]/[L.target_value] credits"
+
+ if(L.check_completion() && !all_dead)
+ parts += "The pirate crew was successful!"
+ else
+ parts += "The pirate crew has failed."
+
+ return "
[parts.Join(" ")]
"
\ No newline at end of file
diff --git a/code/datums/antagonists/revolution.dm b/code/datums/antagonists/revolution.dm
index 9db86bdf08..3209b9221c 100644
--- a/code/datums/antagonists/revolution.dm
+++ b/code/datums/antagonists/revolution.dm
@@ -3,9 +3,10 @@
/datum/antagonist/rev
name = "Revolutionary"
+ roundend_category = "revolutionaries" // if by some miracle revolutionaries without revolution happen
job_rank = ROLE_REV
var/hud_type = "rev"
- var/datum/objective_team/revolution/rev_team
+ var/datum/team/revolution/rev_team
/datum/antagonist/rev/can_be_owned(datum/mind/new_owner)
. = ..()
@@ -39,17 +40,17 @@
. = ..()
/datum/antagonist/rev/greet()
- to_chat(owner, " You are now a revolutionary! Help your cause. Do not harm your fellow freedom fighters. You can identify your comrades by the red \"R\" icons, and your leaders by the blue \"R\" icons. Help them kill the heads to win the revolution!")
+ to_chat(owner, "You are now a revolutionary! Help your cause. Do not harm your fellow freedom fighters. You can identify your comrades by the red \"R\" icons, and your leaders by the blue \"R\" icons. Help them kill the heads to win the revolution!")
owner.announce_objectives()
-/datum/antagonist/rev/create_team(datum/objective_team/revolution/new_team)
+/datum/antagonist/rev/create_team(datum/team/revolution/new_team)
if(!new_team)
//For now only one revolution at a time
for(var/datum/antagonist/rev/head/H in GLOB.antagonists)
if(H.rev_team)
rev_team = H.rev_team
return
- rev_team = new /datum/objective_team/revolution
+ rev_team = new /datum/team/revolution
rev_team.update_objectives()
rev_team.update_heads()
return
@@ -77,7 +78,7 @@
old_owner.add_antag_datum(new_revhead,old_team)
new_revhead.silent = FALSE
to_chat(old_owner, "You have proved your devotion to revolution! You are a head revolutionary now!")
-
+
/datum/antagonist/rev/head
name = "Head Revolutionary"
@@ -131,14 +132,14 @@
old_owner.add_antag_datum(new_rev,old_team)
new_rev.silent = FALSE
to_chat(old_owner, "Revolution has been disappointed of your leader traits! You are a regular revolutionary now!")
-
+
/datum/antagonist/rev/farewell()
if(ishuman(owner.current))
- owner.current.visible_message("[owner.current] looks like they just remembered their real allegiance!")
- to_chat(owner, "You are no longer a brainwashed revolutionary! Your memory is hazy from the time you were a rebel...the only thing you remember is the name of the one who brainwashed you...")
+ owner.current.visible_message("[owner.current] looks like they just remembered their real allegiance!", ignored_mob = owner.current)
+ to_chat(owner, "You are no longer a brainwashed revolutionary! Your memory is hazy from the time you were a rebel...the only thing you remember is the name of the one who brainwashed you...")
else if(issilicon(owner.current))
- owner.current.visible_message("The frame beeps contentedly, purging the hostile memory engram from the MMI before initalizing it.")
- to_chat(owner, "The frame's firmware detects and deletes your neural reprogramming! You remember nothing but the name of the one who flashed you.")
+ owner.current.visible_message("The frame beeps contentedly, purging the hostile memory engram from the MMI before initalizing it.", ignored_mob = owner.current)
+ to_chat(owner, "The frame's firmware detects and deletes your neural reprogramming! You remember nothing but the name of the one who flashed you.")
/datum/antagonist/rev/proc/remove_revolutionary(borged, deconverter)
log_attack("[owner.current] (Key: [key_name(owner.current)]) has been deconverted from the revolution by [deconverter] (Key: [key_name(deconverter)])!")
@@ -163,7 +164,7 @@
if(remove_clumsy && owner.assigned_role == "Clown")
to_chat(owner, "Your training has allowed you to overcome your clownish nature, allowing you to wield weapons without harming yourself.")
H.dna.remove_mutation(CLOWNMUT)
-
+
if(give_flash)
var/obj/item/device/assembly/flash/T = new(H)
var/list/slots = list (
@@ -176,18 +177,17 @@
to_chat(H, "The Syndicate were unfortunately unable to get you a flash.")
else
to_chat(H, "The flash in your [where] will help you to persuade the crew to join your cause.")
-
+
if(give_hud)
var/obj/item/organ/cyberimp/eyes/hud/security/syndicate/S = new(H)
S.Insert(H, special = FALSE, drop_if_replaced = FALSE)
to_chat(H, "Your eyes have been implanted with a cybernetic security HUD which will help you keep track of who is mindshield-implanted, and therefore unable to be recruited.")
-/datum/objective_team/revolution
+/datum/team/revolution
name = "Revolution"
- var/list/objectives = list()
var/max_headrevs = 3
-/datum/objective_team/revolution/proc/update_objectives(initial = FALSE)
+/datum/team/revolution/proc/update_objectives(initial = FALSE)
var/untracked_heads = SSjob.get_all_heads()
for(var/datum/objective/mutiny/O in objectives)
untracked_heads -= O.target
@@ -199,16 +199,16 @@
objectives += new_target
for(var/datum/mind/M in members)
M.objectives |= objectives
-
+
addtimer(CALLBACK(src,.proc/update_objectives),HEAD_UPDATE_PERIOD,TIMER_UNIQUE)
-/datum/objective_team/revolution/proc/head_revolutionaries()
+/datum/team/revolution/proc/head_revolutionaries()
. = list()
for(var/datum/mind/M in members)
if(M.has_antag_datum(/datum/antagonist/rev/head))
. += M
-/datum/objective_team/revolution/proc/update_heads()
+/datum/team/revolution/proc/update_heads()
if(SSticker.HasRoundStarted())
var/list/datum/mind/head_revolutionaries = head_revolutionaries()
var/list/datum/mind/heads = SSjob.get_all_heads()
@@ -227,3 +227,56 @@
rev.promote()
addtimer(CALLBACK(src,.proc/update_heads),HEAD_UPDATE_PERIOD,TIMER_UNIQUE)
+
+
+/datum/team/revolution/roundend_report()
+ if(!members.len)
+ return
+
+ var/list/result = list()
+
+ result += "
[host_research.organization] [department_tag] Department Circuit Imprinter"
l += "Security protocols: [emagged? "Disabled" : "Enabled"]"
l += "Material Amount: [materials.total_amount] / [materials.max_amount]"
l += "Chemical volume: [reagents.total_volume] / [reagents.maximum_volume]"
diff --git a/code/modules/research/departmental_lathe.dm b/code/modules/research/departmental_lathe.dm
index 2e534195d9..dc3c8ad66f 100644
--- a/code/modules/research/departmental_lathe.dm
+++ b/code/modules/research/departmental_lathe.dm
@@ -2,12 +2,10 @@
name = "department protolathe"
desc = "A special protolathe with a built in interface meant for departmental usage, with built in ExoSync recievers allowing it to print designs researched that match its ROM-encoded department type. Features a bluespace materials reciever for recieving materials without the hassle of running to mining!"
icon_state = "protolathe"
- container_type = OPENCONTAINER_1
+ container_type = OPENCONTAINER
circuit = /obj/item/circuitboard/machine/protolathe/department
- console_link = FALSE
requires_console = FALSE
- var/list/allowed_department_flags = DEPARTMENTAL_FLAG_ALL
var/list/datum/design/cached_designs
var/list/datum/design/matching_designs
var/department_tag = "Unidentified" //used for material distribution among other things.
@@ -188,8 +186,7 @@
/obj/machinery/rnd/protolathe/department/proc/ui_header()
var/list/l = list()
- l += "
"
- l += "Eject Item"
- l += "Name: [linked_destroy.loaded_item.name]"
- l += "Select a node to boost by deconstructing this item."
- l += "This item is able to boost:"
- var/list/listin = techweb_item_boost_check(linked_destroy.loaded_item)
- for(var/node_id in listin)
- var/datum/techweb_node/N = get_techweb_node_by_id(node_id)
- var/worth = listin[N.id]
- if(!stored_research.researched_nodes[N.id] && !stored_research.boosted_nodes[N.id])
- l += "[N.display_name]: [worth] points"
- else
- l += "[RDSCREEN_NOBREAK]"
+ l += "
[RDSCREEN_NOBREAK]"
+ l += "Select a node to boost by deconstructing this item. This item can boost:"
+
+ var/anything = FALSE
+ var/list/boostable_nodes = techweb_item_boost_check(linked_destroy.loaded_item)
+ for(var/id in boostable_nodes)
+ anything = TRUE
+ var/worth = boostable_nodes[id]
+ var/datum/techweb_node/N = get_techweb_node_by_id(id)
+
+ l += "
[RDSCREEN_NOBREAK]"
+ if (stored_research.researched_nodes[N.id]) // already researched
+ l += "[N.display_name]"
+ l += "This node has already been researched."
+ else if (worth == 0) // reveal only
+ if (stored_research.hidden_nodes[N.id])
+ l += "[N.display_name]"
+ l += "This node will be revealed."
+ else
+ l += "[N.display_name]"
+ l += "This node has already been revealed."
+ else // boost by the difference
+ var/difference = min(worth, N.research_cost) - stored_research.boosted_nodes[N.id]
+ if (difference > 0)
+ l += "[N.display_name]"
+ l += "This node will be boosted by [difference] points."
+ else
+ l += "[N.display_name]"
+ l += "This node has already been boosted."
+ l += "
[RDSCREEN_NOBREAK]"
+
+ // point deconstruction and material reclamation use the same ID to prevent accidentally missing the points
var/point_value = techweb_item_point_check(linked_destroy.loaded_item)
- if(point_value && isnull(stored_research.deconstructed_items[linked_destroy.loaded_item.type]))
- l += "Generic Point Deconstruction - [point_value] points"
- l += "Material Reclaimation Deconstruction"
+ if(point_value)
+ anything = TRUE
+ l += "
[RDSCREEN_NOBREAK]"
+ if (stored_research.deconstructed_items[linked_destroy.loaded_item.type])
+ l += "Point Deconstruction"
+ l += "This item's [point_value] point\s have already been claimed."
+ else
+ l += "Point Deconstruction"
+ l += "This item is worth [point_value] point\s!"
+ l += "
[RDSCREEN_NOBREAK]"
+
+ var/list/materials = linked_destroy.loaded_item.materials
+ if (materials.len)
+ l += "
Material Reclamation"
+ for (var/M in materials)
+ l += "* [CallMaterialName(M)] x [materials[M]]"
+ l += "
[RDSCREEN_NOBREAK]"
+ anything = TRUE
+
+ if (!anything)
+ l += "Nothing!"
+
l += "
"
return l
-/obj/machinery/computer/rdconsole/proc/ui_techweb() //Legacy code.
+/obj/machinery/computer/rdconsole/proc/ui_techweb()
var/list/l = list()
- var/list/avail = list() //This could probably be optimized a bit later.
- var/list/unavail = list()
- var/list/res = list()
- for(var/v in stored_research.researched_nodes)
- res += stored_research.researched_nodes[v]
- for(var/v in stored_research.available_nodes)
- if(stored_research.researched_nodes[v])
- continue
- avail += stored_research.available_nodes[v]
- for(var/v in stored_research.visible_nodes)
- if(stored_research.available_nodes[v])
- continue
- unavail += stored_research.visible_nodes[v]
- l += "
- Visit our IRC channel: #tgstation13 on irc.rizon.net
-
-
-
-
-
-
-
- Current Project Maintainers:-Click Here-
- Currently Active GitHub contributor list:-Click Here-
- Coders: TLE, NEO, Errorage, muskets, veryinky, Skie, Noise, Numbers, Agouri, Noka, Urist McDorf, Uhangi, Darem, Mport, rastaf0, Doohl, Superxpdude, Rockdtben, ConstantA, Petethegoat, Kor, Polymorph, Carn, Nodrak, Donkie, Sieve, Giacom, Ikarrus, trubble_bass, Aranclanos, Cael_Aislinn, Cheridan, Intigracy, Malkevin, SuperSayu, DumpDavidson, Tastyfish, Yvar, Elo001, Fleure, ManeaterMildred, Miauw, MrPerson
- Spriters: Agouri, Cheridan, Cruazy Guest, Deeaych, Deuryn, Matty406, Microwave, ShiftyEyesShady, Skie, Uhangi, Veyveyr, Petethegoat, Kor, Ricotez, Ausops, TankNut, Pewtershmitz, Firecage, Nienhaus2
- Sounds: Skie, Lasty/Vinyl
- Main Testers: Tenebrosity, Anyone who has submitted a bug to the issue tracker
- Thanks to: Baystation 12, /vg/station, NTstation, CDK Station devs, FacepunchStation, GoonStation devs, the original SpaceStation developers and Invisty for the title image. Also a thanks to anybody who has contributed who is not listed here :( Ask to be added here on irc.
- Have a bug to report? Visit our Issue Tracker.
- Please ensure that the bug has not already been reported and use the template provided here.
-
-
-
-
-
-
-
19 April 2017
-
QualityVan updated:
-
-
Improved stethoscopes
-
-
Thunder12345 updated:
-
-
You can no longer extract negative sheets from the ORM
-
-
XDTM updated:
-
-
APCs hacked by a malfunctioning AI are no longer immune to alien attacks.
-
Fixed bug where flashlight eyes weren't emitting light.
-
-
-
07 April 2017
-
Qbopper updated:
-
-
Secure lockers will no longer have multiple lines about being broken.
-
-
-
05 April 2017
-
Cyberboss updated:
-
-
Cardboard boxes and bodybags can no longer be anchored
-
-
Penguaro updated:
-
-
[Box] A fire alarm has been added to the Lawyer's office.
-
[Box] Adds access for Scientists to Starboard Maintenance Areas outside of Toxins.
-
[Box] Adjusted Science doors to more logical access codes.
-
-
QV updated:
-
-
Fixed taking max suffocation damage whenever oxygen was slightly low
-
-
RemieRichards updated:
-
-
Using TK on the supermatter will burn your head off violently, don't do this.
-
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 updated:
-
-
Emergency shuttles will now forget early launch authorizations if they cannot launch due to a hostile environment.
-
-
-
02 April 2017
-
BeeSting12 updated:
-
-
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.
-
Boxstation's HoP office now has a PDA tech.
-
-
Cyberboss updated:
-
-
Firedoors no longer operate automatically without power
-
Blood and other decals will no longer remain on turfs they shouldn't
-
The splashscreen is working again
-
False alarms are now guaranteed to actually announce something
-
-
Incoming5643 updated:
-
-
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) updated:
-
-
Added a patrol path for bots, includes 2 round-start securitrons placed on opposite sites of station.
-
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.
-
Added multiple status displays, extinguishers, and appropriate newscasters to hallways.
-
A drone dispenser is now located underneath Engineering in maintenance.
-
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?
-
Security's mail chute no longer leads into the armory. This was probably not the best idea in hindsight.
-
Virology has a bathroom now.
-
Genetics monkey pen is a bit more green now.
-
Lawyer now has access the brig cells so he can complain more effectively.
-
Xenobio kill chamber is now in range of a camera.
-
Removed rogue bits of Vault area.
-
Medbay escape pod no longer juts out far enough to block the disposal's path.
-
Captain's spare ID is now real and not just a gold ID card.
-
-
Penguaro updated:
-
-
[Meta] The Chapel Security Hatches were very intimidating. They have been changed to more inviting glass doors.
-
[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 updated:
-
-
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.
-
This does not change who can understand what.
-
Removed the talk wheel feature.
-
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 updated:
-
-
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.
-
-
-
01 April 2017
-
Cyberboss updated:
-
-
The contents of the shelterpod smart fridge work again
-
-
XDTM updated:
-
-
Facehuggers no longer rip masks from people protected by helmets.
-
-
-
31 March 2017
-
Cobby updated:
-
-
Shot glasses are now more ambiguous [EASIER TO MAINTAIN]
-
-
Cyberboss updated:
-
-
Temperature changes will now properly cause atmospherics simulation to activate
-
The command report for random xeno eggs will now be delivered along with the rest of the roundstart reports
-
Drones can no longer be irradiated
-
-
-
30 March 2017
-
coiax updated:
-
-
Autoimplanters have been renamed to autosurgeons. Currently only the CMO and nuclear operatives have access to autosurgeons. What is the CMO hiding?
-
All upgraded organs for purchase by nuclear operatives now actually come in an autosurgeon, for speed of surgery.
-
-
-
29 March 2017
-
BeeSting12 updated:
-
-
Adds emergency launch console to the backup emergency shuttle.
-
-
Joan updated:
-
-
Putting sec armour and a helmet on a corgi no longer makes the corgi immune to item attacks.
-
All items with armour will now grant corgis actual armour.
-
-
Kevinz000 updated:
-
-
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 updated:
-
-
All tophats, rather than just the ones in maintenance, hurt a tiny bit if you throw them at people.
-
Supermatter anomalies are more shortlived than regular anomalies, as intended.
-
-
-
28 March 2017
-
Supermichael777 updated:
-
-
Backup operatives now get the nukes code.
-
-
XDTM updated:
-
-
Wooden tiles can now be quick-replaced with a screwdriver instead of a crowbar, preserving the floor tile.
-
-
octareenroon91 updated:
-
-
Bonfires that have a metal rod added should buckle instead of runtiming.
-
-
-
26 March 2017
-
BeeSting12 updated:
-
-
The bar shuttle's buckable bar stools are now buckleable bar stools.
-
-
Gun Hog and Shadowlight213 updated:
-
-
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.
-
AI shells and AIs controlling a shell can be determined through the Diagnostic HUD.
-
AIs can deploy to a shell using the new action buttons or by simply clicking on it.
-
An AI shell will always have the laws of its controlling AI.
-
-
Penguaro updated:
-
-
Brig - Added Air Alarm
-
Engineering - Removed Brig Shutter
-
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 updated:
-
-
Drones are now given OOC guidelines to follow as well as their IC lawset.
-
-
Robustin updated:
-
-
Added the prototype canister with expanded volume, valve pressure, and access/timer features
-
-
TrustyGun updated:
-
-
Deconstructing display cases and coffins now drop the correct amount of wood.
-
-
XDTM updated:
-
-
Some golems now spawn with more thematic names.
-
Adamantine Golems are no longer numbered, but receive a random golem name.
-
Airlocks properly remove the shock overlay when a temporary shock runs out.
-
-
coiax updated:
-
-
Teams playing CTF have their own radio channels, rather than using the Centcom and Syndicate channels.
-
Actually actually makes CTF barricades repair between rounds.
-
Blue CTF lasers have little blue effects when they hit things, rather than red effects.
-
-
-
24 March 2017
-
BeeSting12 updated:
-
-
Auxiliary base maintenance airlock now requires the proper access. Sorry greyshirts, no loot for you!
-
-
Cyberboss updated:
-
-
The recycler's base reclaim rate has been buffed from 1% to 50%. Manipulator upgrades now give +12.5% per level instead of +25%
-
You can now successfully remove a pen from a PDA while it's in a container
-
-
Fox McCloud updated:
-
-
Modular receiver removed from the protolathe to autolathe
-
Modular receiver cost is now 15,000 metal
-
-
Joan updated:
-
-
Fixes structures being unable to go through spatial gateways.
-
Blazing Oil blobs take 33% less damage from water.
-
-
Penguaro updated:
-
-
[Meta] Replaced Power Monitoring Console in Engineering with Modular Engineering Console
-
[Pubby] Replaced Power Monitoring Console in Engineering with Modular Engineering Console
-
[Omega] Replaced Power Monitoring Console in Engineering with Modular Engineering Console
-
[Omega] Added RD and Command Modular Consoles to Bridge
-
[Delta] Replaced Power Monitoring Console in Engineering with Modular Engineering Console
-
[Delta] Replaced duplicate Atmospherics Monitoring Console in Atmo with Modular Engineering Console
-
-
coiax updated:
-
-
Destroying a lich's body does not destroy the lich permanently, provided the phylactery is intact.
-
A lich will respawn three minutes after its death, provided the phylactery is intact.
-
The Soul Bind spell is forgotten after cast, respawn is now automatic.
-
Stationloving objects like the nuke disk are not valid objects for a phylactery.
-
Explosive implants can always be triggered via action button, even if unconscious.
-
-
rock updated:
-
-
lizards are hurt slightly more by cold but less by heat. this does not mean they are more resistant to being lasered, fortunately.
-
-
-
23 March 2017
-
Joan updated:
-
-
Clock cults always have to summon Ratvar, but that always involves a proselytization burst.
-
The proselytization burst will no longer convert heretics, leaving Ratvar free to chase them down.
-
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 updated:
-
-
Wizard Ship - Bolts that floating light to the wall.
-
-
XDTM updated:
-
-
Medical Gauze now stacks up to 12
-
Pressure plates are now craftable.
-
-
bgobandit updated:
-
-
Alt-clicking a command headset toggles HIGH VOLUME mode.
-
-
coiax updated:
-
-
A dead AI no longer counts as an "unconverted AI" for clockcult.
-
-
-
22 March 2017
-
BeeSting12 updated:
-
-
Added an autolathe circuit board to deltastation's tech storage.
-
Added 49 sheets of metal to deltastation's auxiliary tool storage.
-
-
Iamgoofball updated:
-
-
Freon no longer bypasses atmos hardsuits.
-
-
Penguaro updated:
-
-
Meta - Added Tool Belts to Engineering and Engineering Foyer
-
Meta - Removed Coffee Machine from Permabrig
-
Added Cameras for Supermatter Chamber (to view rad collectors and crystal)
-
Adjusted Engine Camera Names for Station Consistency
-
Adjusted Monitor Names / Networks to view the Engine Cameras
-
-
coiax updated:
-
-
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.
-
Alien glowing resin now glows.
-
-
-
21 March 2017
-
ExcessiveUseOfCobblestone updated:
-
-
All core traits [Hydroponics] scale with the parts in the gene machine. Time to beg Duke's Guide Read.... I mean RND!
-
Data disks with genes on them will have just the name of the gene instead of the prefix "plant data disk".
-
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 updated:
-
-
Caches produce components every 70 seconds, from every 90, but each other linked, component-producing cache slows down cache generation by 10 seconds.
-
-
Lombardo2 updated:
-
-
The tentacle changeling mutation now changes the arm appearance when activated.
-
-
MrPerson updated:
-
-
Everyone's eyes aren't white anymore.
-
-
Penguaro updated:
-
-
Box Station - The Vents and Scrubbers for the Supermatter Air Alarm are now isolated from the rest of the Air Alarms in Engineering.
-
-
Supermichael777 updated:
-
-
Chasms now smooth properly.
-
-
Tokiko1 updated:
-
-
Minor supermatter balancing changes.
-
Supermatter now announces its damage half as frequently.
-
Badly unstable supermatter now occasionally zaps nearby engineers and causes anomalies to appear nearby, similar to overcharged supermatter.
-
-
XDTM updated:
-
-
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.
-
-
-
19 March 2017
-
BeeSting12 updated:
-
-
Nanotrasen has decided to better equip the box-class emergency shuttles with a recharger on a table in the cockpit.
-
-
Cheridan updated:
-
-
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 updated:
-
-
change access variables for turrets and shield gens
-
Box Station - Replaces the smiling table grilles with their more serious counterparts.
-
-
coiax updated:
-
-
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 updated:
-
-
Fixes infinite vaping bug.
-
-
uraniummeltdown updated:
-
-
Plant data disks have new sprites.
-
Fixed Monkey Recycler board not showing in Circuit Imprinter
-
Kinetic Accelerator Range Mod now takes up 25% space instead of 24%
-
-
-
18 March 2017
-
Supermichael777 updated:
-
-
Free golems can now buy new ids for 250 points.
-
-
XDTM updated:
-
-
You can now complete a golem shell with runed metal, if you somehow manage to get both.
-
Runic golems don't have passive bonuses over golems, but they have some special abilities.
-
-
coiax updated:
-
-
The alert level is no longer lowered by a nuke's detonation.
-
-
-
17 March 2017
-
BeeSting12 updated:
-
-
Moved Metastation's deep fryer so that the chef can walk all the way around the table.
-
-
Cobby updated:
-
-
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 updated:
-
-
You can now place lights and most wall objects on shuttles.
-
-
Xhuis updated:
-
-
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.
-
-
-
16 March 2017
-
BASILMAN YOUR MAIN MAN updated:
-
-
The BM Speedwagon has been improved both in terms of aesthetics and performance!
-
-
Cyberboss updated:
-
-
The shield generators in Boxstation Xenobiology now have the correct access
-
-
Joan updated:
-
-
Cult structures that emitted light now have colored light.
-
-
MrPerson updated:
-
-
Humans can see in darkness slightly again. This is only so you can see where you are when the lights go out.
-
-
MrStonedOne updated:
-
-
Fixed lighting not updating when a opaque object was deleted
-
-
Penguaro updated:
-
-
Increased Synchronization Range on Exosuit Fabricator
-
-
Tofa01 updated:
-
-
[Delta] Fixes telecoms temperature and gas mixing / being contaminated.
-
[Delta] Fixes some doubled up turfs causing items and objects to get stuck to stuff
-
[Omega] Makes telecoms room cool down and be cold.
-
-
Tokiko1 updated:
-
-
Most gases now have unique effects when surrounding the supermatter crystal.
-
The supermatter crystal can now take damage from too much energy and too much gas.
-
Added a dangerous overcharged state to the supermatter crystal.
-
Readded explosion delaminations, a new tesla delamination and allowed the singulo delamination to absorb the supermatter.
-
The type of delamination now depends on the state of the supermatter crystal.
-
Various supermatter engine rebalancing and fixes.
-
-
kevinz000 updated:
-
-
SDQL2 now supports outputting proccalls to variables, and associative lists
-
-
peoplearestrange updated:
-
-
Fixed buildmodes full tile window to be correct path
-
-
rock updated:
-
-
if we can have glowsticks in toolvends why not flashlights amirite guys
-
-
-
15 March 2017
-
Cyberboss updated:
-
-
You can no longer depart on the arrivals shuttle by hiding inside things
-
-
Joan updated:
-
-
Proselytizers converting clockwork floors to walls now always take 10 seconds, regardless of how fast the proselytizer is.
-
Clockwork grilles no longer provide CV.
-
-
Penguaro updated:
-
-
**Engineering** - Changed Access Level from **24** (_Atmo_) to **10** (_Engine_) on **Radiation Shutter Control**
-
-
TrustyGun updated:
-
-
Traitor Mimes with the finger guns spell now fire 3 bullets at a time, as opposed to just 1.
-
-
octareenroon91 updated:
-
-
Allow new reflector frames to be built from metal sheets.
-
-
oranges updated:
-
-
Removed patting
-
-
-
14 March 2017
-
Joan updated:
-
-
Shuttles now have dynamic lighting; you can remove the lights on them and use your own lights.
-
All maps now use Deltastation's fancy syndicate shuttle.
-
Shadowshrooms of lower potency are much less able to blanket the station in darkness.
-
-
PKPenguin321 updated:
-
-
Lattices now require wirecutters to deconstruct, rather than welding tools.
-
-
-
13 March 2017
-
Cyberboss updated:
-
-
You must now be on any intent EXCEPT help to weld an airlock shut
-
You can now repair airlocks with welding tools on help intent (broken airlocks still need their wires mended though)
-
-
Cyberboss, Bgobandit, and Yogstation updated:
-
-
The HoP can now prioritze roles for late-joiners
-
-
Every coder, player, and admin in Space Station 13 updated:
-
-
Adds the Tomb Of The Unknown Employee to Central Command,
-
Rest in peace, those who died after contributing to Space Station 13.
-
-
Hyena updated:
-
-
Surplus leg r/l name fixed
-
You can now carry honey in plant bags
-
-
Lordpidey updated:
-
-
Devils can no longer break into areas with sheer force of disco funk
-
The pitchfork of an ascended devil can now break down walls.
-
Hell has decided to at least clothe it's devils when sending them a brand new body.
-
Pitchforks glow red now.
-
-
Penguaro updated:
-
-
**Engineering** - Removed Tables, paper bin, and pen
-
**Engineering** - Replaced with Welder and Electrical Lockers
-
**Engineering** - Moved First-Aid Burn kit to Engineering Foyer
-
**Chapel** - Replaced one Window with Win-Door for Coffin Storage
-
-
Space Bicycle Consortium updated:
-
-
Bicycles now only cost 10,000 yen, down from 1,000,000 yen.
-
-
coiax updated:
-
-
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.)
-
Glowsticks can now be found in "Swarmer Cyan" colors.
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 updated:
-
-
Braindead has a more intuitive message
-
-
coiax updated:
-
-
A cloner that is EMP'd will merely eject the clone early, rather than gibbing it. Emagging the cloner will still gib the clone.
-
-
-
11 March 2017
-
AnturK updated:
-
-
Traitors now have access to radio jammers for 10 TC
-
-
Hyena updated:
-
-
fixes anti toxin pill naming
-
-
Joan updated:
-
-
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.
-
Brass windows take 8 seconds with standard tools, from 7.
-
Added Shadowshrooms as a glowshroom mutation. They do exactly what you'd expect.
-
Removed His Grace ascension.
-
-
PKPenguin321 updated:
-
-
Cryoxadone's ability to heal cloneloss has been greatly reduced.
-
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 updated:
-
-
Adjusted table locations
-
Moved chair and Cargo Tech start location
-
Moved filing cabinet
-
Removed Stock Computer
-
-
Tofa01 updated:
-
-
[Meta] Fixes Supermatter Shutters Not Working
-
-
coiax updated:
-
-
Swarmer lights are coloured cyan.
-
-
kevinz000 updated:
-
-
Deadchat no longer has huge amount of F's.
-
-
-
10 March 2017
-
Cyberboss updated:
-
-
You should no longer be seeing entities with `\improper` in front of their name
-
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.
-
You now late-join spawn buckled to arrivals shuttle chairs
-
Ghost spawn points have been moved to the center of the station
-
Departing shuttles will now try and shut their docking airlocks
-
The arrivals shuttle airlocks are now properly cycle-linked
-
You can now hear hyperspace sounds outside of shuttles
-
The map loader is faster
-
Lavaland will now load instantly when the game starts
-
-
Jordie0608 updated:
-
-
The Banning Panel now organises search results into pages of 15 each.
-
-
XDTM updated:
-
-
Slimes can now properly latch onto humans.
-
Slimes won't aggro neutral mobs anymore. This includes blood-spawned gold slime mobs.
-
Clicking on a tile with another tile and a crowbar in hand directly replaces the tile.
-
-
Xhuis updated:
-
-
Ratvar and Nar-Sie now have fancy colored lighting!
-
-
coiax updated:
-
-
Wizards can now use their magic to make ghosts visible to haunt the crew, and possibly attempt to betray the wizard.
-
When someone dies, if their body is no longer present, the (F) link will instead jump to the turf they previously occupied.
-
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.
-
You can find green and red glowsticks in YouTool vending machines.
-
-
fludd12 updated:
-
-
Modifying/deconstructing skateboards while riding them no longer nails you to the sky.
-
-
lordpidey updated:
-
-
Glitter bombs have been added to arcade prizes.
-
-
-
08 March 2017
-
Cyberboss updated:
-
-
Added roundstart animation
-
Roundstart should now be a smoother experience... again
-
You can now scan storage items with the forensic scanner
-
Unfolding paper planes no longer deletes them
-
Plastic no longer conducts electricity
-
The map rotation message will only show if the map is actually changing
-
-
Francinum updated:
-
-
Holopads now require power.
-
-
Fun Police updated:
-
-
Reject Adminhelp and IC Issue buttons have a cooldown.
-
-
Joan updated:
-
-
Circuit tiles now glow faintly.
-
Glowshrooms now have colored light.
-
Tweaked the potency scaling for glowshroom/glowberry light; high-potency plantss no longer light up a huge area, but are slightly brighter.
-
-
Kor updated:
-
-
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 updated:
-
-
Adds scaling damage to buckshot.
-
-
Robustin updated:
-
-
The DNA Vault has 2 new powers
-
The DNA Vault requires super capacitors instead of quadratic
-
Cargo's Vault Pack now includes DNA probes
-
-
Supermichael777 updated:
-
-
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 updated:
-
-
Energy swords (and other energy melee weapons) now have a colored light effect when active.
-
-
Tofa01 updated:
-
-
[All Maps] Fixes syndicate shuttles spawning too close to stations by moving their spawn further from the station
-
[Omegastation] This station now has a syndicate shuttle and syndicate shuttle spawn.
-
-
coiax updated:
-
-
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)!
-
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.
-
Toy magic eightballs can now be found around the station in maintenance and arcade machines. Ask your question aloud, and then shake for guidance.
-
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.
-
You only have a headache looking at the supermatter if you're a human without mesons.
-
The supermatter now speaks in a robotic fashion.
-
Admins have a "Rename Station Name" option, under Secrets.
-
A special admin station charter exists, that has unlimited uses and can be used at any time.
-
Added glowsticks. Found in maintenance, emergency toolboxes and Party Crates.
-
-
kevinz000 updated:
-
-
The Syndicate reports a breakthrough in chameleon laser gun technology that will disguise its projectiles to be just like the real thing!
-
-
-
07 March 2017
-
Supermichael777 updated:
-
-
Wannabe ninjas have been found carrying an experimental chameleon belt. The Spider clan has disavowed any involvement.
-
-
-
06 March 2017
-
Cyberboss updated:
-
-
Map rotation has been made smoother
-
-
Gun Hog updated:
-
-
The Aux Base Construction Console now directs to the correct Base Management Console.
-
The missing Science Department access has been added to the Auxiliary Base Management Console.
-
-
Hyena updated:
-
-
Space bar is out of bussiness
-
-
MrStonedOne updated:
-
-
patched a hacky workaround for /vg/lights memory leaking crashing the server
-
-
Penguaro updated:
-
-
Changed DIR of Gas Filter for O2 in Waste Loop from 1 to 4
-
-
Sligneris updated:
-
-
'xeno queen' AI hologram now actually uses the xeno queen sprite as a reference
-
-
Tofa01 updated:
-
-
[Omega] Fixes missing walls and wires new dock to the powergrid
-
-
XDTM updated:
-
-
Changelings can now click their fake clothing to remove it, without needing to drop the full disguise.
-
-
coiax updated:
-
-
The Bardrone and Barmaid are neutral, even in the face of reality altering elder gods.
-
-
-
04 March 2017
-
Cyberboss updated:
-
-
You can build lattice in space again
-
-
Hyena updated:
-
-
Detective revolver/ammo now starts in their shoulder holster
-
-
Joan updated:
-
-
Weaker cult talismans take less time to imbue.
-
-
PJB3005 updated:
-
-
Rebased to /vg/station lighting code.
-
-
Supermichael777 updated:
-
-
Grey security uniforms have unique names and descriptions
-
-
Tofa01 updated:
-
-
Adds the new Centcomm Raven Battlecruiser to the purchasable shuttle list buy now get one free!
-
-
coiax updated:
-
-
CTF players start with their helmet toggled off, better to see the whites of their opponents eyes. Very briefly.
-
Existing CTF barricades are repaired between rounds, and deploy instantly when replaced.
-
Healing non-critical CTF damage is faster. Remember though, if you drop into crit, YOU DIE.
-
Admin ghosts can just click directly on the CTF controller to enable them, in addition to using the Secrets panel.
-
Cyborg radios can no longer have their inaccessible wires pulsed by EMPs.
-
-
-
03 March 2017
-
Cyberboss updated:
-
-
You can now repair shuttles in transit space
-
-
Incoming5643 updated:
-
-
Server Owners: There is a new system for title screens accessible from config/title_screen folder.
-
This system allows for multiple rotating title screens as well as map specific title screens.
-
It also allows for hosting title screens in formats other than DMI.
-
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 updated:
-
-
Updated sprites for the small xeno queen mode
-
-
-
02 March 2017
-
Gun Hog updated:
-
-
Advanced camera, Slime Management, and Base Construction consoles may now be operated by drones and cyborgs.
-
-
Robustin updated:
-
-
The syndicate power beacon will now announce the distance and direction of any engines every 10 seconds.
-
-
Steelpoint updated:
-
-
Robotics and Mech Bay have seen a mapping overhaul on Boxstation.
-
A cautery surgical tool has been added to the Robotics surgical area on Boxstation.
-
-
XDTM updated:
-
-
Hallucinations have been modified to increase the creepiness factor and reduce the boring factor.
-
Added some new hallucinations.
-
Fixed a bug where the singularity hallucination was stunning for longer than intended and leaving the fake HUD crit icon permanently.
-
-
coiax updated:
-
-
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.
-
Clones no longer gasp for air while in cloning pods.
-
Adds a new reagent, "Mime's Bane", that prevents all emoting while it is in a victim's system. Currently admin only.
-
Mappers now have an easier time adding posters, and specifying whether they're random, random official, random contraband or a specific poster.
-
Posters no longer have serial numbers when rolled up; their names are visible instead.
-
-
kevinz000 updated:
-
-
You can now craft pressure plates.
-
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!
-
Bomb armor is now effective in lessening the chance of being knocked out by bombs.
-
-
-
01 March 2017
-
Cyberboss updated:
-
-
Lobby music is no longer delayed
-
-
-
28 February 2017
-
Cyberboss updated:
-
-
You will no longer be shown empty memories when the game starts
-
Built APCs now work again
-
Borg AI cameras now work again
-
-
Joan updated:
-
-
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 updated:
-
-
Communications console can also check the ID the user is wearing.
-
-
Supermichael777 updated:
-
-
The button now has a five second delay when detonating bombs
-
-
XDTM updated:
-
-
You can now change the input/output directons for Ore Redemption Machines by using a multitool on them with the panel open.
-
Diagnostic HUDs can now see if airlocks are shocked.
-
-
-
27 February 2017
-
Kor, Jordie0608 and Tokiko1 updated:
-
-
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.
-
Supermatter crystals now collapse into singularities when they fail, rather than explode.
-
-
Tofa01 updated:
-
-
Stops AI And Borgs From Interfacing With Ferry Console
-
-
TrustyGun updated:
-
-
Box sprites are improved.
-
-
WJohnston updated:
-
-
New and improved BRPED beam. The old one was hideous.
-
-
coiax updated:
-
-
Drone shells are now points of interest in the orbit list.
-
Derelict drone shells now spawn with appropriate headgear.
-
-
-
26 February 2017
-
Ausops updated:
-
-
New sprites for water, fuel and hydroponics tanks.
-
-
Joan updated:
-
-
Clockwork objects are overall easier to deconstruct:
-
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).
-
EMPing Pinion Airlocks and Brass Windoors now has a high chance to open them and will not shock or bolt them.
-
Anima fragments will very gradually self-repair.
-
-
Tofa01 updated:
-
-
[Omega] Fixes ORM input and output directions
-
Fixes space bar kitchen freezer access level
-
Fixes giving IDs proper access for players who spawn on a ruin via a player sleeper/spawners
-
[Delta] Fixes varedited tiles causing tiles to appear as if they have no texture
-
Fixes robotic limb repair grammar issue
-
-
-
25 February 2017
-
AnonymousNow updated:
-
-
Nerd Co. has sent pairs of thicker prescription glasses out to Nanotrasen stations, for your local geek to wear.
-
-
Basilman updated:
-
-
New box sprites
-
-
Robustin updated:
-
-
Hulks can no longer use pneumatic cannons or flamethrowers
-
-
Tofa01 updated:
-
-
[All Maps] The new and improved Centcom transportation ferry version 2.0 is out now!
-
-
coiax updated:
-
-
Cargo can now order plastic sheets to make plastic flaps. No doubt other uses for plastic will be discovered in the future.
-
To deconstruct plastic flaps, unscrew from the floor, then cut apart with wirecutters. Plastic flaps have examine tips like reinforced walls.
-
-
uraniummeltdown updated:
-
-
Science crates now have new sprites
-
-
-
24 February 2017
-
MrStonedOne updated:
-
-
Limit on Mining Satchel of Holding Removed
-
Dumping/mass pickup/mass transfer of items is now lag checked
-
Dumping/mass pickup/mass transfer of items has a progress bar
-
-
-
23 February 2017
-
Cyberboss updated:
-
-
Fixed a bug where the fire overlay wasn't getting removed from objects
-
The graphical delays with characters at roundstart are gone
-
The crew manifest is working again
-
Admins can now asay with ":p" and dsay with ":d"
-
-
Dannno updated:
-
-
Robust Softdrinks LLC. has sent out new vendies to the stendy.
-
-
Joan updated:
-
-
Off-station and carded AIs no longer prevent Judgement scripture from unlocking.
-
-
Nienhaus updated:
-
-
Updates ammo sprites to the new perspective.
-
-
Tofa01 updated:
-
-
Disables sound/frequency variance on cryo tube alert sound
-
-
coiax updated:
-
-
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.
-
-
-
22 February 2017
-
AnonymousNow updated:
-
-
Added Medical HUD Sunglasses. Not currently available on-station, unless you can convince Centcom to send you a pair.
-
-
Cyberboss updated:
-
-
Spawning to the station should now be a less hitchy experience
-
-
MrPerson updated:
-
-
Ion storms have several new additions:
-
25% chance to flatly replace the AI's core lawset with something random in the config. Suddenly the AI is Corporate, deal w/ it.
-
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.
-
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.
-
10% chance afterwards to shuffle all the AI's laws.
-
-
TalkingCactus updated:
-
-
New characters will now have their backpack preference correctly set to "Department Backpack".
-
-
Tofa01 updated:
-
-
[Delta] Fixes missing R&D shutter near public autolathe
-
-
Xhuis updated:
-
-
Highlanders can no longer hide behind chairs and plants.
-
Highlanders no longer bleed and are no longer slowed down by damage.
-
-
-
21 February 2017
-
Cyberboss updated:
-
-
You can now unshunt as a malfunctioning AI again
-
-
Kor updated:
-
-
You will now retain your facing when getting pushed by another mob.
-
-
Tofa01 updated:
-
-
[Z2] Fixed Centcomm shutters to have proper access levels for inspectors and other Admin given roles
-
-
coiax updated:
-
-
Refactors heart attack code, a cardiac arrest will knock someone unconscious and kill them very quickly.
-
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.
-
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.
-
Cloning pods always know the name of the person they are cloning.
-
You can swipe a medical ID card to eject someone from the cloning pod early. The cloning pod will announce this over the radio.
-
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.
-
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.
-
Occupants of cloning pods do not interact with the air outside the pod.
-
-
uraniummeltdown updated:
-
-
All shuttle engines should now be facing the right way
-
-
-
20 February 2017
-
Cyberboss updated:
-
-
The frequncy fire alarms play at is now consistent
-
-
MrStonedOne updated:
-
-
bluespace ore cap changed from 100 ores to 500
-
-
Tofa01 updated:
-
-
[Meta] Replaces orange jumpsuit in holding cell with prisoner jumpsuits
-
-
XDTM updated:
-
-
Repairing someone else's robotic limb is instant. Repairing your own robotic limbs will still take time.
-
Repairing limbs with cable or welding will now heal more.
-
-
Xhuis updated:
-
-
Medipens are no longer reusable.
-
-
-
19 February 2017
-
Basilman updated:
-
-
some toolboxes, very rarely, have more than one latch
-
-
Joan updated:
-
-
You can now put components, and deposit components from slabs, directly into the Ark of the Clockwork Justicar provided it actually requires components.
-
Taunting Tirade now leaves a confusing and weakening trail instead of confusing and weakening everyone in view.
-
Invoking Inath-neq/Nzcrentr is now 33% cheaper and has a 33% lower cooldown.
-
-
Tofa01 updated:
-
-
[Delta] Removes SSU From Mining Equipment Room
-
Changes centcomm ferry to require centcomm general access instead of admin permission.
-
-
coiax updated:
-
-
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 updated:
-
-
Blood Cult Pylons will now rapidly regenerate any nearby cultists blood, in addition to the normal healing they do.
-
-
ma44 updated:
-
-
Intercepted messages from a lavaland syndicate base reveals they have additional grenade and other miscellaneous equipment.
-
-
uraniummeltdown updated:
-
-
Shuttle engines have new sprites.
-
-
-
18 February 2017
-
Cyberboss updated:
-
-
New round end animation. Inspired by @Iamgoofball
-
-
Gun Hog updated:
-
-
The Aux Base console now controls turrets made by the construction console.
-
The Aux Base may now be dropped at a random location if miners fail to use the landing remote.
-
The mining shuttle may now dock at the Aux Base's spot once the base is dropped.
-
Removed access levels on the mining shuttle so it can be used at the public dock.
-
The Aux Base's turrets now fire through glass. Reminder that the turrets need to be installed outside the base for full damage.
-
Added a base construction console to Delta Station.
-
-
Mysterious Basilman updated:
-
-
More powerful toolboxes are active in this world...
-
-
Scoop updated:
-
-
Condimasters now correctly drop their items in front of their sprite.
-
-
Tofa01 updated:
-
-
Re-Arranges And Extends Pubby Escape Hallway To Allow Larger Shuttle To Dock
-
[Meta] Fixes top left grounding rod from being destroyed by the Tesla engine.
-
-
TrustyGun updated:
-
-
Traitor mimes can now learn two new spells for 15 tc.
-
The first, Invisible Blockade, creates a 3x1 invisible wall.
-
The second, Finger Guns, allows them to shoot bullets out of their fingers.
-
-
kevinz000 updated:
-
-
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.
-
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 updated:
-
-
you can now harmlessly slap somebody by aiming for the mouth on disarm intent.
-
you can only slap somebody who is unarmed on help intent, restrained, or ready to slap you.
-
-
-
17 February 2017
-
Arianya updated:
-
-
The Labour Camp rivet wall has been removed!
-
Fixed some typos in Prison Ofitser's description.
-
-
Cobby updated:
-
-
Flashes have been rebalanced to be more powerful
-
-
Cyberboss updated:
-
-
Rack construction progress bars will no longer be spammed
-
The round start timer will count down during subsystem initialization
-
Total subsystem initialization time will now be displayed
-
-
Joan updated:
-
-
His Grace no longer globally announces when He is awakened or falls to sleep.
-
His Grace is not a toolbox, even if He looks like one.
-
His Grace no longer requires organs to awaken.
-
His Grace now gains 4 force for each victim consumed, always provides stun immunity, and will, generally, take longer to consume His owner.
-
His Grace must be destroyed to free the bodies within Him.
-
Dropping His Grace while He is awake will cause you to suffer His Wrath until you hold Him again.
-
His Grace becomes highly aggressive after consuming His owner, and will hunt His own prey.
-
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.
-
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.
-
The Ark also requires an additional invoker to invoke.
-
-
Lobachevskiy updated:
-
-
Fixed glass shards affecting buckled and flying mobs
-
-
MrStonedOne updated:
-
-
The game will now force hardware rendering on for all clients.
-
-
Nienhaus updated:
-
-
Drying racks have new sprites.
-
-
Swindly updated:
-
-
Trays can now be used to insert food into food processors
-
-
Thunder12345 updated:
-
-
It's ACTUALLY possible to pat people on the head now
-
-
WJohn updated:
-
-
Improved blueshift sprites, courtesy of Nienhaus.
-
-
XDTM updated:
-
-
Bluespace Crystals are now a material that can be inserted in Protolathes and Circuit Printers. Some items now require Bluespace Mesh.
-
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 updated:
-
-
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.
-
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 updated:
-
-
Flightsuits actually fly over people
-
Flightsuits don't interrupt pulls when you pass through doors
-
-
-
16 February 2017
-
Cyberboss updated:
-
-
Test merged PRs are now more detailed
-
-
Steelpoint updated:
-
-
The Head of Security's Hardsuit is now equipped with a inbuilt Jetpack.
-
-
coiax updated:
-
-
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.)
-
The changeling power "Anatomic Panacea" now causes the changeling to vomit out zombie infections, along with headslugs and xeno infections, as before.
-
The main CTF laser gun disappears when dropped on the floor.
-
-
-
-GoonStation 13 Development Team
-
- Coders: Stuntwaffle, Showtime, Pantaloons, Nannek, Keelin, Exadv1, hobnob, Justicefries, 0staf, sniperchance, AngriestIBM, BrianOBlivion
- Spriters: Supernorn, Haruhi, Stuntwaffle, Pantaloons, Rho, SynthOrange, I Said No
-
Armhulen and lagnas2000 (+his team of amazing spriters) updated:
-
-
Mi-go have entered your realm!
-
-
Robustin updated:
-
-
Marauder shields now take twice as long to regenerate and only recharge one charge at a time.
-
Marauders now have 120hp down from 150hp.
-
The wizard event "race swap" should now stick to "safer" species.
-
Zombies are now properly stunned for a maximum of 2 seconds instead of 2/10ths of a second.
-
Zombie slowdown adjusted from -2 to -1.6.
-
-
SpaceManiac updated:
-
-
The shuttle will no longer be autocalled if the round has already ended.
-
-
Xhuis updated:
-
-
Vitality matrices don't have visible messages when someone crosses them anymore.
-
-
-
15 December 2017
-
AverageJoe82 updated:
-
-
drones now have night vision
-
drones no longer have lights
-
-
Cruix updated:
-
-
Shuttles now place hyperspace ripples where they are about to land again.
-
-
Cyberboss updated:
-
-
Added "$include" directives to config files. These are recursive. Only config.txt will be default loaded if they are specified inside it
-
Added multi string list entry CROSS_SERVER. e.g. CROSS_SERVER Server+Name byond://server.net:1337
-
CROSS_SERVER_ADDRESS removed
-
-
Epoc updated:
-
-
Adds Cybernetic Lungs to the Cyber Organs research node
-
-
JStheguy updated:
-
-
Added 10 new assembly designs to the integrated circuit printer, the difference from current designs is purely aesthetics.
-
Added the icons for said new assembly designs to electronic_setups.dmi, changed the current electronic mechanism and electronic machine sprites.
-
-
MrStonedOne updated:
-
-
Added new admin flag, AUTOLOGIN, to control if admins start with admin powers. this defaults to on, and can be removed with -AUTOLOGIN
-
Admins with +PERMISSION may now deadmin or readmin other admins via the permission panel.
-
-
Naksu updated:
-
-
Preliminary work on tracking cliented living mobs across Z-levels to facilitate mob AI changes later
-
Tidied up some loc assignments
-
fixes the remaining loc assignments
-
-
ShizCalev updated:
-
-
Revamped gun dry-firing sounds.
-
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 updated:
-
-
Remote signaler and other non-telecomms radio code has been cleaned up.
-
-
Xhuis updated:
-
-
Grinding runed metal and brass now produces iron/blood and iron/teslium, respectively.
-
As part of some code-side improvements, the amount of reagents you get from grinding some objects might be slightly different.
-
Some grinding recipes that didn't work, like dead mice and glowsticks, now do.
-
All-In-One grinders now correctly grind up everything, instead of one thing at a time.
-
-
nicbn updated:
-
-
Closet sprites changed.
-
-
-
13 December 2017
-
Naksu updated:
-
-
glass shards and bananium floors no longer make a sound when "walked" over by a camera or a ghost
-
-
SpaceManiac updated:
-
-
Nonstandard power cells found in MULEbots, cyborgs, and elsewhere now have the correct description.
-
-
deathride58 updated:
-
-
Genetics will no longer have a random block completely disappear each round
-
-
-
12 December 2017
-
Mark9013100 updated:
-
-
Medical Wardrobes now contain an additional standard and EMT labcoat.
-
-
Robustin updated:
-
-
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.
-
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 updated:
-
-
Swarmers can no longer deconstruct objects with living things in them.
-
-
kevinz000 updated:
-
-
You can now print telecomms equipment again.
-
-
-
11 December 2017
-
Anonmare updated:
-
-
Booze-o-mats have beer
-
-
Cruix updated:
-
-
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 updated:
-
-
Some hardsuits have had their melee, fire and rad armor ratings tweaked.
-
-
Improvedname updated:
-
-
cats now drop their ears and tail when butchered.
-
-
Robustin updated:
-
-
Modes not in rotation have had their "false report" weights for the Command Report standardized
-
-
SpaceManiac updated:
-
-
The MULEbots that the station starts with now show their ID numbers.
-
The dependency by Advanced Cybernetic Implants and Experimental Flight Equipment on Integrated HUDs has been restored.
-
-
kevinz000 updated:
-
-
flightsuits should no longer disappear when you take them off involuntarily
-
beam rifles actually fire striaght now
-
click catchers now actually work
-
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 updated:
-
-
Added MANY new types of airlock assembly that can be built with metal. Use metal in hand to see the new airlock assembly recipes.
-
Added new airlock types to the RCD and airlock painter
-
Vault door assemblies can be built with 8 plasteel, high security assemblies with 6 plasteel
-
Glass mineral airlocks are finally constructible. Use glass and mineral sheets on an airlock assembly in any order to make them.
-
Glass and mineral sheets are now able to be welded out of door assemblies rather than having to deconstruct the whole thing
-
Airlock painter no longer works on airlock assemblies (still works on airlocks)
-
Titanium airlocks no longer have any missing overlays
-
-
-
10 December 2017
-
SpaceManiac updated:
-
-
External airlocks of the mining base and gulag are now cycle-linked.
-
The pAI software interface is now accessible via an action button.
-
-
Swindly updated:
-
-
You can kill yourself with a few more items.
-
-
XDTM updated:
-
-
Instead of activating randomly on speech, Godwoken Syndrome randomly grants inspiration, causing the next message to be a Voice of God.
-
-
Xhuis updated:
-
-
Flickering lights will now actually flicker and not go between emergency lights and normal lighting.
-
Emergency lights no longer stay on forever in some cases.
-
-
kevinz000 updated:
-
-
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.)
-
defib shock/charge sounds upped from 50% to 75%.
-
-
-
08 December 2017
-
Dax Dupont updated:
-
-
Fixed observer chat flavor of silicon chat.
-
Grilles now no longer revert to a pre-broken icon state when you hit them after they broke.
-
-
Dorsisdwarf updated:
-
-
Minor fixes to some techweb nodes
-
Made flight suits, combat implants, and combat modules require more nodes
-
-
Fox McCloud updated:
-
-
Slime blueprints can now make an area compatible with Xenobio consoles, regardless of the name of the new area
-
-
MrDoomBringer updated:
-
-
All stations have been outfitted with brand new Smoke Machines! They have nicer sprites now!
-
-
Shadowlight213 updated:
-
-
You now can get a medal for wasting hours talking to the secret debug tile.
-
Fixed runtime for the tile when poly's speech file doesn't exist.
-
-
Xhuis updated:
-
-
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 updated:
-
-
Fixed the camera failure, race swap, cursed items, and imposter wizard random events
-
The cursed items event no longer nullspaces items
-
-
jammer312 updated:
-
-
Action buttons now remember positions where you locked.
-
Now locking action buttons prevents them from being reset.
-
-
-
07 December 2017
-
ShizCalev updated:
-
-
Games vending machines can now properly be rebuilt.
-
Games vending machines can now be refilled via supply crates.
-
Games Supply Crates have been added to the cargo console.
-
-
SpaceManiac updated:
-
-
Radio frequency 148.9 is once again serviced by the telecomms system.
-
-
Xhuis updated:
-
-
Added the Eminence role to clockcult! Players can elect themselves or ghosts as the Eminence from the eminence spire structure on Reebe.
-
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.
-
The Eminence also has a single-use mass recall that warps all servants to the Ark chamber.
-
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.
-
The Eminence can activate trap triggers by clicking on them!
-
Servants can deconstruct traps instantly with a wrench.
-
Mending Mantra has been removed.
-
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.
-
Servants now spawn with a PDA and black shoes to make disguise more feasible.
-
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.
-
Clockwork walls are slightly faster to build before the Ark activates, taking an extra second less.
-
Poly no longer continually undergoes binary fission when Ratvar is in range.
-
The global records alert for servants will no longer display info that doesn't affect them since the rework.
-
-
coiax updated:
-
-
The drone dispenser on Box Station has been moved from the Testing Lab to the Morgue/Robotics maintenance tunnel.
-
-
deathride58 updated:
-
-
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.
-
-
-
06 December 2017
-
Dax Dupont & Alek2ander updated:
-
-
Binary chat messages been made more visible.
-
-
Revenant Defile ability updated:
-
-
Revenant's Defile now removes salt piles
-
-
XDTM updated:
-
-
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.
-
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.
-
Mild brain traumas are the easiest to get, can be lightly to moderately annoying, and can be cured with mannitol and time.
-
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.
-
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.
-
Mobs can only naturally have one mild trauma and one severe or special trauma.
-
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.
-
Many brain-damaging effects have been given a damage cap, making them non-lethal.
-
The Unintelligible mutation has been removed and made into a brain trauma.
-
Brain damage no longer makes using machines a living hell.
-
Abductors give minor traumas to people they experiment on.
-
-
coiax updated:
-
-
The drone dispenser on Metastation has been moved to the maintenance by Robotics.
-
-
-
05 December 2017
-
Cyberboss updated:
-
-
Reduced the volume of showers
-
-
Dax Dupont updated:
-
-
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 updated:
-
-
Completely changed how keyboard input is read.
-
Holding two directions at the same time will now move you diagonally. This works with the arrow keys, wasd, and the numpad.
-
Moving diagonally takes twice as long as moving a cardinal direction.
-
You can use control to turn using wasd and the numpad instead of just the arrow keys.
-
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 updated:
-
-
Reverted changes in 3d sound system that tripled the distance that sound would carry.
-
-
SpaceManiac updated:
-
-
Energy values are now measured in joules. What was previously 1 unit is now 1 kJ.
-
Syndicate uplink implants now work again.
-
-
Xhuis updated:
-
-
Stethoscopes now inform the user if the target can be defibrillated; the user will hear a "faint, fluttery pulse."
-
-
coiax updated:
-
-
Quiet areas of libraries on station have now been equipped with a vending machine containing suitable recreational activities.
-
-
-
04 December 2017
-
AnturK updated:
-
-
You can now record and replay holopad messages using holodisks.
-
Holodisks are printable in autolathes.
-
-
Xhuis updated:
-
-
You now need fuel in your welder to repair mechs.
-
-
-
03 December 2017
-
ExcessiveUseOfCobblestone updated:
-
-
You can now lay (buckle!) yourself to a bed to avoid being burnt to a crisp during "the floor is lava" event.
-
-
Robustin updated:
-
-
Igniting plasma statues no longer ignores ignition temperature and only creates as much plasma as was used in its creation.
-
-
Xhuis updated:
-
-
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.
-
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 updated:
-
-
fixed some typos in the weapon firing mechanism description
-
-
-
02 December 2017
-
BeeSting12 updated:
-
-
Occupand ---> Occupant on opened cryogenic pods.
-
Cyrogenic ---> Cryogenic on opened cryogenic pods.
+
29 December 2017
+
Awesine updated:
+
+
added some things which happen to be mining scanner things to that gulag thing
+
+
CitadelStationBot updated:
+
+
Projectiles that pierce objects will no longer be thrown off course when doing so!
+
Projectiles now use /datum/point/vectors for trajectory calculations.
+
Beam rifle reflections will no longer glitch out.
+
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.
+
"Download N research nodes" objective is now checked correctly again.
+
Objects that can have materials inserted into them only will do so on help intent
+
Play Internet Sound now has an option to show the song title to players.
+
Emagged cleanbots can acid people again
+
Headgear worn by monkeys can be affected by acid
+
The R&D console has been made more responsive by tweaking how design icons are loaded.
+
you can now pick up corgi's and pAIs, how disgustingly cute
+
Ghost lights will follow the ghost while orbiting
CosmicScientist updated:
-
You can make plushies kiss one another!
+
timestop now inverts the colours of those frozen in time!
+
+
Dax Dupont updated:
+
+
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.
Frozenguy5 updated:
-
The Particle Accelerator's wires can no longer be EMP'd
+
Soapstones now give the correct time they were placed down.
-
Naksu updated:
+
Kor updated:
-
Cleans up some loc assignments
-
-
Robustin updated:
-
-
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+.
-
Clockwork magicks will now prevent Bags of Holding from being combined on Reebe.
-
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 updated:
-
-
The R&D Console has been given a much prettier interface.
-
Research scanner goggles now show materials and technology prospects in a nicer way.
-
-
uraniummeltdown updated:
-
-
Construct shells have a new animated sprite
-
-
-
30 November 2017
-
ninjanomnom updated:
-
-
Reduced the max volume of sm by 1/5th and made the upper bounds only play mid delamination.
-
-
psykzz updated:
-
-
Fixing the broken turbine computer
-
-
-
29 November 2017
-
MrStonedOne updated:
-
-
The sloth no longer suspiciously moves fast when gliding between tiles.
-
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 updated:
-
-
The techweb node for mech LMGs no longer claims to be for mech tasers.
-
-
-
28 November 2017
-
ACCount updated:
-
-
"Machine prototype" is removed from the game.
-
Mass-spectrometers are removed. Would anyone notice if not for this changelog entry?
-
-
Cruix updated:
-
-
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 updated:
-
-
Fixed the Make space ninja verb.
-
-
Naksu updated:
-
-
rejiggered botcode a little bit
-
-
SpaceManiac updated:
-
-
Admin-added "download research" objectives are now consistent with automatic ones.
-
-
improvedname updated:
-
-
toolbelts can now carry geiger counters
-
-
uraniummeltdown updated:
-
-
You can make many different types of office and comfy chairs with metal
-
Stack menus use /datum/browser
-
-
-
27 November 2017
-
ACCount updated:
-
-
New integrated circuit components: list constructors/deconstructors. Useful for building lists and taking them apart.
-
Fixed multiple bugs in integrated circuits UIs, improved overall usability.
+
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.
More Robust Than You updated:
-
Fixed cult leaders being de-culted upon election if they had a mindshield implant
+
Vending machines now use TGUI
+
The Radiance can now enter the chapel
Naksu updated:
-
Hopefully fixed mesons granting the ability to hear people through walls.
+
frying oil actually works
-
Okand37 updated:
+
Nero1024 updated:
-
Re-organized Delta's departmental protolathes for all departments.
-
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.
-
Added a second Nanomed to Deltastation's medical bay.
-
Nanotrasen has decided to add proper caution signs to most docking ports on Deltastation, warning individuals to be cautious around these areas.
-
Two health sensors are now placed in Deltastation's robotics area for medibots.
-
Atmospheric Technicians at Deltastation can now open up their gas storage in the supermatter power area as intended.
+
blast doors and shutters will now play a sound when they open and close.
+
+
PsyKzz updated:
+
+
Jaws of life can now cut handcuffs
+
+
Robustin updated:
+
+
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%).
+
Hallucinations will no longer show open doors "bolting".
+
Splashing a book with ethanol should no longer produce errant messages.
+
Dead cultists can now be moved across the "line" on Reebe.
+
The action button for spells should now accurately reflect when the spell is on cooldown
+
You can now reliably use the button for "touch" spells to "recall" the spell
WJohnston updated:
-
Fixed a case where items would sometimes be placed underneath racks.
+
Syndicate nuke op infiltrator shuttle is no longer lopsided.
XDTM updated:
-
Viruses' healing symptoms have been reworked!
-
All existing healing symptoms have been removed in favour of new ones.
-
Weight Even and Weight Gain have been removed, so hunger can be used for balancing in symptoms.
-
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.
-
Toxolysis (level 7) rapidly cleanses all chemicals from the body, with no exception.
-
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.
-
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.
-
Tissue Hydration heals burn damage if you are wet (negative fire stacks) or if you have water in your bloodstream.
-
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.
-
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.
-
Metabolic Boost (level 7) doubles the rate at which you process chemicals, good and bad, but also increases hunger tenfold.
+
Rebalanced healing symptoms.
+
Cellular Molding was replaced by Nocturnal Regeneration, which only works in darkness.
+
All healing symptoms now heal both brute and burn damage, although the basic ones will still be more effective on one damage type.
+
Plasma Fixation and Radioactive Metabolism heal toxin damage, offsetting the damage done by their healing sources.
+
Changed healing symptoms' stats, generally making them less punishing.
-
kevinz000 updated:
+
Xhuis updated:
-
Cryo cells can now be properly rotated with a wrench.
+
You can no longer elect two Eminences simultaneously.
+
The Eminence no longer drifts in space.
+
The Eminence's mass recall now works on unconscious servants.
+
The Eminence's messages now have follow links for observers.
+
Floors blessed with holy water prevent servants from warping in and the Eminence from crossing them.
+
The Eminence can never enter the Chapel.
+
Maintenance drones and cogscarabs can now spawn with holiday-related hats on some holidays!
+
+
coiax updated:
+
+
Golems can now wear labcoats.
+
The kitchen gibber must be anchored in order to use.
+
The gibber requires bodies to have no external items or equipment.
+
Ghosts can now use the *spin and *flip emotes.
+
+
deathride58 updated:
+
+
Praise the lord! The shift+scroll hotkey to zoom in/out as a ghost works properly again!
+
Mediborgs now have an alternate sprite taken from Paradise, featuring heavy modifications from Vivi.
+
Standard security borgs now has two alternative sprites that were previously unused in TG's files!
+
Engineering borgs now have an alternative sprite that was previously unused in TG's files.
+
Mining borgs are now able to choose between the current lavaland paintjob or the old asteroid paintjob.
+
Dogborgs are now modularized.
+
All of the copypasta brought by the new borg icons has been removed. Custom borg sprites are now modular.
+
The additional modules in the borg module select menu have been modularized.
+
The module select icon file is now able to be modular. This does not yet restore the regressed dogborg module select icons.
ninjanomnom updated:
-
You can now make a new tasty traditional treat: butterdogs. Watch out, they're slippery.
+
Non movement keys pressed while moving no longer stop movement.
+
The backup shuttle has it's own area now and you should no longer occasionally be teleported there by the arena shuttle.
+
The auxiliary mining base can no longer be placed on top of lava, indestructible turfs, or inside particularly large ruins.
-
25 November 2017
-
CosmicScientist updated:
-
-
bolas are back in tablecrafting!
-
-
Dorsisdwarf updated:
-
-
Catpeople are now distracted instead of debilitated
-
Normal cats now go for laser pointers
-
-
SpaceManiac updated:
-
-
You can no longer buckle people to roller beds from inside of a locker.
-
-
YPOQ updated:
-
-
AIs and cyborgs can interact with unscrewed airlocks and APCs.
-
-
ninjanomnom updated:
-
-
Fixes thermite burning hotter than the boiling point of stone
-
-
zennerx updated:
-
-
Zombies don't reanimate with no head!
-
-
-
24 November 2017
+
16 December 2017
ACCount updated:
-
Removed "console screen" stock part. Just use glass sheets instead.
-
-
More Robust Than You updated:
-
-
Spessmen are now smart enough to realize you don't need to turn around to pull cigarette butts
-
-
SpaceManiac updated:
-
-
Fix water misters being inappropriately glued to hands in some cases.
-
Some misplaced decals in the Hotel brig have been corrected.
-
-
ninjanomnom updated:
-
-
Custom shuttle dockers can no longer place docking regions inside other custom docker regions.
-
-
-
23 November 2017
-
GupGup updated:
-
-
Fixes hostile mobs attacking surrounding tiles when trying to attack someone
-
-
MrStonedOne and Jordie updated:
-
-
As a late note, serverops be advise that mysql is no longer supported. existing mysql databases will need to be converted to mariadb
-
-
Robustin updated:
-
-
RND consoles will no longer display options for machines or disks that are not connected/inserted.
-
-
ShizCalev updated:
-
-
Aliens in soft-crit will now use the correct sprite.
-
-
XDTM updated:
-
-
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).
-
-
-
22 November 2017
-
ACCount updated:
-
-
Old integrated circuit save file format is ditched in favor of JSON. Readability, both of save files and save code, is improved greatly.
-
Integrated circuit panels now open with screwdriver instead of crowbar, to match every single other thing on this server.
-
Integrated circuit printer now stores up to 25 metal sheets.
-
Fixed integrated circuit rechargers not recharging guns properly and not updating icons.
-
Fixed multiple bugs in integrated circuits UIs, improved overall usability.
+
"Tail removal" and "tail attachment" surgeries are merged with "organ manipulation".
+
New sprites for reflectors. They finally look like something.
+
You can lock reflector's rotation by using a screwdriver. Use the screwdriver again to unlock it.
+
Reflector examine now shows the current angle and rotation lock status.
+
You can now use a welder to repair damaged reflectors.
+
Multiple reflector bugs are fixed.
Anonmare updated:
-
Laserpoitners now incapcitate catpeople
+
Adds new grindables
+
+
AnturK updated:
+
+
Dying in shapeshifted form reverts you to the original one. (You're still dead)
+
+
Armhulen updated:
+
+
Wizards may now shapeshift into viper spiders.
+
+
Armhulen and lagnas2000 (+his team of amazing spriters) updated:
+
+
Mi-go have entered your realm!
AutomaticFrenzy updated:
cell chargers weren't animating properly
disable_warning wasn't getting checked and the chat was being spammed
-
Code by Pyko, Ported by Frozenguy5 updated:
+
AverageJoe82 updated:
-
Rat Kebabs and Double Rat Kebabs have been added!
+
drones now have night vision
+
drones no longer have lights
-
Cyberboss updated:
+
BeeSting12 updated:
-
Server tools API changed to version 3.2.0.1
-
"ahelp" chat command can now accept a ticket number as opposed to a ckey
+
Occupand ---> Occupant on opened cryogenic pods.
+
Cyrogenic ---> Cryogenic on opened cryogenic pods.
-
DaxDupont updated:
-
-
CentCom has issued a firmware updated for the operating computers. It is no longer needed to manually refresh the procedure and patient status.
-
Proximity sensors no longer beep when unarmed.
-
Plant trays will now properly process fluorine and adjust toxins and water contents.
-
-
Francinum updated:
-
-
The shuttle build plate is now better sized for all stations.
-
-
Iamgoofball updated:
-
-
fixes grammar on logic gate descriptions
-
fixes grammar on list circuits
-
fixes grammar on trig circuits
-
fixed grammar on output circuits
-
-
JJRcop updated:
-
-
Fixes changeling eggs not putting the changeling in control if the brainslug is destroyed before hatching.
-
The silicon airlock menu looks a little more like it used to.
-
-
Kor updated:
-
-
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.
-
Following complaints that cargo has been selling all the materials they receive rather than distributing them, mineral exporting has been removed.
-
-
MMMiracles updated:
-
-
Power regen on the regular tesla relay has been reduced to 50, from 150.
-
-
Naksu updated:
-
-
Sped up saycode to remove free lag from highpop
-
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 updated:
-
-
Added round id to the status world topic
-
-
ShizCalev updated:
-
-
Chameleon goggles will no longer go invisible when selecting Optical Tray scanners.
-
Engineering and Atmos scanner goggles will now have correctly colored inhand sprites.
-
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.
-
MetaStation - The consoles in medbay have had their directions corrected.
-
The Nanotrasen logo on modular computers has been fixed, rejoice!
-
PubbyStation - Unpowered air injectors in various locations have been fixed.
-
MetaStation - Air injector leading out of the incinerator has been fixed
-
MetaStation - Corrected a couple maintenance airlocks being powered by the wrong areas.
-
Computers will no longer rotate incorrectly when being deconstructed.
-
You can now rotate computer frames during construction.
-
Chairs, PA parts, infrared emitters, and doppler arrays will now rotate clockwise.
-
Throwing drinking glasses and cartons will now consistently cause them to break!
-
Humans missing legs or are legcuffed will no longer move slower in areas without gravity.
-
The structures external to stations are now properly lit. Make sure you bring a flashlight.
-
Computers will no longer delete themselves when being built, whoops!
-
Space cats will no longer have a smashed helmet when they lay down.
-
-
Skylar Lineman, your local R&D moonlighter updated:
-
-
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.
-
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.
-
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!
-
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.
-
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 updated:
-
-
HUDs from mechs and helmets no longer conflict with HUD glasses and no longer inappropriately remove implanted HUDs.
-
Chasm code has been refactored to be more sane.
-
Building lattices over chasms no longer sometimes deletes the chasm.
-
Ladders have been refactored and should be far less buggy.
-
Jacob's ladder actually works again.
-
Pizza box stacking works again.
-
Fix some permanent-on and permanent-off bugs caused by the HUD stacking change.
-
-
WJohnston updated:
-
-
A bunch of new turf decals for mappers to play with, coming in yellow, white, and red varieties!
-
Green banded default airlocks now have extended click area like all other airlocks.
-
-
Y0SH1 M4S73R updated:
-
-
The R&D Server's name is now improper.
-
The R&D Server now has an explanation of what it does.
-
-
arsserpentarium updated:
-
-
now lists should work properly
-
-
duncathan updated:
-
-
The RPD has a shiny new UI!
-
The RPD can now paint pipes as it lays them, for quicker piping projects.
-
Atmos scrubbers (vent and portable) can now filter any and all gases.
-
-
ike709 updated:
-
-
Added new vent and scrubber sprites by Partheo.
-
Fixed some computers facing the wrong direction.
-
-
jammer312 updated:
-
-
fixed conjuration spells forgetting about conjured items
-
-
kevinz000 updated:
-
-
purple bartender suit and apron added to clothesmates!
-
long hair 3 added, check it out. both have sprites from okand!
-
-
nicbn updated:
-
-
Now rolling beds and office chairs have a sound!
-
-
oranges updated:
-
-
Removed the shocker circuit
-
-
psykzz updated:
-
-
Grilles have new damaged and default sprites
-
Added TGUI for Turbine computer
-
-
tserpas1289 updated:
-
-
Any suit that could hold emergency oxygen tanks can now also hold plasma man internals
-
Hydroponics winter coats now can hold emergency oxygen tanks just like the other winter coats.
-
Plasma men jumpsuits can now hold accessories like pocket protectors and medals.
-
-
zennerx updated:
-
-
fixed a bug that made you try and scream while unconscious due to a fire
-
Skateboard crashes now give slight brain damage!
-
Using a helmet prevents brain damage from the skateboard!
-
-
-
15 November 2017
-
Fury updated:
-
-
Added new sprites for the Heirophant Relay (clock cultist telecomms equipment).
-
-
Naksu updated:
-
-
Removed fire-related free lag. change: fire alarms and cameras no longer work after being ripped off a wall by a singulo
-
Minor speedups to movement processing. change: Fat mobs no longer gain temperature by running.
-
-
Robustin updated:
-
-
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.
-
On average you will see less roundstart cultists in lowpop and more roundstart cultists in highpop.
-
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+.
-
The tesla will now move toward power beacons at a significantly slower rate.
-
-
SpaceManiac updated:
-
-
The post-round station integrity report is now functional again.
-
-
ninjanomnom updated:
-
-
Gas overlays no longer block clicks, on 512
-
-
-
14 November 2017
-
ike709 updated:
-
-
Added directional computer sprites. Maps haven't been changed yet.
-
-
psykzz updated:
-
-
AI Airlock UI to use TGUI
-
Allow AI to swap between electrified door states without having to un-electrify first.
-
-
selea/arsserpentarium updated:
-
-
Integrated circuits have been added to Research!
-
You can use these to create devices with very complex behaviors.
-
Research the Integrated circuits printer to get started.
-
-
-
13 November 2017
Cobby updated:
The Xray now only hits the first mob it comes into contact with instead of being outright removed from the game.
-
Floyd / Qustinnus updated:
+
Code by Pyko, Ported by Frozenguy5 updated:
-
Reebe now has ambience sounds
+
Rat Kebabs and Double Rat Kebabs have been added!
-
Floyd / Qustinnus: updated:
+
CosmicScientist updated:
-
Adds a few sound_loop datums to machinery.
+
bolas are back in tablecrafting!
-
Frozenguy5 updated:
+
Cruix updated:
-
Broken cable cuffs no longer has an invisible sprite.
+
Shuttle navigation computers can now place new transit locations over the shuttle's current position.
-
PKPenguin321 updated:
-
-
Welders must now be screwdrivered open to reveal their fuel tank.
-
You can empty welders into open containers (like beakers or glasses) when they're screwdrivered open.
-
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 updated:
-
-
The default internet sound volume was changed from 100 to 25. Stop complaining in OOC about your ears!
-
-
SpaceManiac updated:
-
-
Posters may no longer be placed on diagonal wall corners.
-
-
WJohnston updated:
-
-
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 updated:
-
-
Deep fryers now have sound.
-
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.
-
Deep fryers now become more efficient with higher-level micro lasers, using less oil and frying faster.
-
Deep fryers now slowly use oil as it fries objects, instead of all at once.
-
You can now correctly refill deep fryers with syringes and pills.
-
-
nicn updated:
-
-
Damage from low pressure has been doubled.
-
-
ninjanomnom updated:
-
-
You can now select a nearby area to expand when using a blueprint instead of making a new area.
-
New shuttle areas can be created using blueprints. This is currently not useful but will be used later for shuttle construction.
-
Blueprints can modify existing areas on station.
-
Blueprint functionality has been added to the debug tab as a verb.
-
-
-
12 November 2017
Cyberboss updated:
Clockwork slabs no longer refer to components
-
-
11 November 2017
+
Dax Dupont updated:
+
+
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!
+
+
Dax Dupont & Alek2ander updated:
+
+
Binary chat messages been made more visible.
+
DaxDupont updated:
-
Medbots can inject from one tile away again.
+
Fancy boxes(ie: donut boxes) now show the proper content amount in the sprite and no longer go invisible when empty.
-
SpaceManiac updated:
+
Dorsisdwarf updated:
-
The detective and heads of staff are no longer attacked by portable turrets.
+
Catpeople are now distracted instead of debilitated
+
Normal cats now go for laser pointers
-
deathride58 updated:
+
Epoc updated:
-
You can no longer delete girders, lattices, or catwalks with the RPD
-
Fixes runtimes that occur when clicking girders, lattices, catwalks, or disposal pipes with the RPD in paint mode
+
Adds Cybernetic Lungs to the Cyber Organs research node
-
ninjanomnom updated:
+
ExcessiveUseOfCobblestone updated:
-
Fixes ruin cable spawning and probably some other bugs
-
-
-
10 November 2017
-
Anonmare updated:
-
-
Adds an organ storage bag to the syndicate medborg.
-
-
AnturK updated:
-
-
Dying in shapeshifted form reverts you to the original one. (You're still dead)
+
You can now lay (buckle!) yourself to a bed to avoid being burnt to a crisp during "the floor is lava" event.
Floyd / Qustinnus updated:
@@ -2195,43 +260,127 @@
Adds about 30 new ambience sounds
added new defines for ambience lists.
+
Floyd / Qustinnus: updated:
+
+
Adds a few sound_loop datums to machinery.
+
+
Fox McCloud updated:
+
+
Slime blueprints can now make an area compatible with Xenobio consoles, regardless of the name of the new area
+
+
Francinum updated:
+
+
The shuttle build plate is now better sized for all stations.
+
+
Frozenguy5 updated:
+
+
Broken cable cuffs no longer has an invisible sprite.
+
+
Fury updated:
+
+
Added new sprites for the Heirophant Relay (clock cultist telecomms equipment).
+
+
Gun Hog updated:
+
+
The GPS item now correctly changes its name when the GPS tag is changed.
+
+
GupGup updated:
+
+
Fixes hostile mobs attacking surrounding tiles when trying to attack someone
+
Iamgoofball updated:
Cooldown on the Ripley's mining drills has been halved.
The frequency of the Ripley's ore pulse has been doubled.
+
Improvedname updated:
+
+
Reverts katana's to its orginal size being huge
+
+
JJRcop updated:
+
+
The heart of darkness revives you as a shadowperson if you aren't one already.
+
+
JStheguy updated:
+
+
Added 10 new assembly designs to the integrated circuit printer, the difference from current designs is purely aesthetics.
+
Added the icons for said new assembly designs to electronic_setups.dmi, changed the current electronic mechanism and electronic machine sprites.
+
Jalleo updated:
Removed a variable to state which RCD's can deconstruct reinforced walls
Made combat (ERT ones) and admin RCDs able to deconstruct r walls alongside borg ones
+
JamieH updated:
+
+
Buildmode map generators will now show you a preview of the area you're changing
+
Buildmode map generators will now ask before nuking the map
+
Buildmode map generator corners can now only be set by left clicking
+
Kor updated:
-
Cult mode will once again print out names at round end.
+
Blob is now a side antagonist.
+
Event and admin blobs will now be able to choose their spawn location.
+
Blob can now win in any mode by gaining enough tiles to reach Critical Mass.
+
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.
+
Using an analyzer on a blob will now reveal its progress towards Critical Mass.
+
The blob event is now more common.
+
+
Kor and JJRcop updated:
+
+
Added vampires. They will be available as a roundstart race during the Halloween holiday event.
+
+
MMMiracles updated:
+
+
Power regen on the regular tesla relay has been reduced to 50, from 150.
Mark9013100 updated:
-
Deltastation now has a Whiteship.
-
Charcoal bottles have been renamed, and have been given a more informative description.
+
The Medical Cloning manual has been updated.
Mercenaryblue updated:
-
spellchecked the hotel staff.
-
Added frog masks. Reeeeeeeeee!!
+
when decapitated, banana-flavored cream no longer hovers where your head used to be.
More Robust Than You updated:
-
Blobbernauts and spores are no longer killed by blob victory
-
New blob overminds off the station Z level are moved to the station
-
You can now use banhammers as a weapon
-
Monkeys can no longer transmit diseases through hardsuits
-
Xenobio blobbernauts can no longer walk on blob tiles
+
EI NATH! now causes a flash of light
+
+
MrDoomBringer updated:
+
+
All stations have been outfitted with brand new Smoke Machines! They have nicer sprites now!
+
+
MrPerson & ninjanomnom updated:
+
+
Completely changed how keyboard input is read.
+
Holding two directions at the same time will now move you diagonally. This works with the arrow keys, wasd, and the numpad.
+
Moving diagonally takes twice as long as moving a cardinal direction.
+
You can use control to turn using wasd and the numpad instead of just the arrow keys.
+
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.
+
+
MrStonedOne updated:
+
+
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).
+
+
MrStonedOne and Jordie updated:
+
+
As a late note, serverops be advise that mysql is no longer supported. existing mysql databases will need to be converted to mariadb
Naksu updated:
-
Added deterministic output slots to the slime processor
-
Fixed some interactions with ghosts and items
-
Nonhumans such as monkeys can now be scanned for chemicals with the health analyzer.
+
Pinned notes will now show up on vault, abductor, centcom and large glass airlocks.
+
Removed a misleading message when handling full stacks of sheets.
+
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.
+
Player-controlled "neutral" mobs such as minebots are now considered valid targets by clock cult's ocular wardens.
+
+
Okand37 updated:
+
+
Re-organized Delta's departmental protolathes for all departments.
+
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.
+
Added a second Nanomed to Deltastation's medical bay.
+
Nanotrasen has decided to add proper caution signs to most docking ports on Deltastation, warning individuals to be cautious around these areas.
+
Two health sensors are now placed in Deltastation's robotics area for medibots.
+
Atmospheric Technicians at Deltastation can now open up their gas storage in the supermatter power area as intended.
Okand37 (DeltaStation Updates) updated:
@@ -2244,27 +393,46 @@
Bar now has a door from the backroom to the theatre stage
Tweaked Locker Room/Dormitories
+
PKPenguin321 updated:
+
+
You can now use beakers/cups/etc that have welding fuel in them on welders to refuel them.
+
+
Qbopper and JJRcop updated:
+
+
The default internet sound volume was changed from 100 to 25. Stop complaining in OOC about your ears!
+
+
Revenant Defile ability updated:
+
+
Revenant's Defile now removes salt piles
+
+
Robustin updated:
+
+
The smoke machine now properly generates transparent smoke, transmits chemicals, and displays the proper icons.
+
+
Shadowlight213 updated:
+
+
Added round id to the status world topic
+
ShizCalev updated:
-
You can now -actually- load pie cannons.
-
The captain's winter coat can now hold a flashlight.
-
The captain's and security winter coats can now hold internals tanks.
-
All winter coats can now hold toys, lighters, and cigarettes.
-
The captain's hardsuit can now hold pepperspray.
-
Updated the Test Map debugging verb to report more issues regarding APCs. DELTASTATION
-
Reverted Okand37's morgue changes which broke power in the area.
-
Corrected wrong area on the Southern airlock leading into electrical maintenance. ALL STATIONS
-
Corrected numerous duplicate APCs in areas which led to power issues.
+
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.
+
Corrected mapping issues introduced with the latest SM engine/radiation update across all relevant maps.
+
The tools on the Caravan Ambush space ruin have had their speeds corrected.
+
Slappers will no longer appear as a latex balloon in your hand.
+
Renault now has a comfy new bed on Metastation!
+
Engineering cyborgs now have access to geiger counters.
+
+
Skylar Lineman, your local R&D; moonlighter updated:
+
+
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.
+
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.
+
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!
+
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.
+
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 updated:
-
Ghosts can no longer create sparks from the hand teleporter's portals.
-
Digging on Lavaland no longer shows two progress bars.
-
The holodeck now has an "Offline" option.
-
Injury and crit overlays are now scaled properly for zoomed-out views.
-
Already-downloaded software is now hidden from the NTNet software downloader.
-
The crafting, language, and building buttons are now positioned correctly in zoomed-out views.
-
Bluespace shelter walls no longer smooth with non-shelter walls and windows.
+
Admins can once again spawn nuke teams on demand.
Swindly updated:
@@ -2280,6 +448,10 @@
Spamming runes / battlecries / etc will no longer trigger spam prevention
+
Thunder12345 updated:
+
+
Sentient cats no longer forget to fall over when they die
+
WJohnston updated:
Ancient station lighting fixed on beta side (medical and atmos remains)
@@ -2290,131 +462,24 @@
Xhuis updated:
-
Ratvar and Nar-Sie plushes now have a unique interaction.
-
Clockwork marauders are now on harm intent.
-
The Clockwork Marauder scripture now takes five seconds longer to invoke per marauder summoned in the last 20 seconds, capping at 30 extra seconds.
-
Clockwork marauders no longer gain a health bonus when war is declared.
-
Moved the BoxStation deep fryers up one tile.
-
Microwaves have new sounds!
+
Cogged APCs can now be correctly unlocked with an ID card.
+
+
Y0SH1 M4S73R updated:
+
+
The R&D; Server's name is now improper.
+
The R&D; Server now has an explanation of what it does.
+
+
Y0SH1_M4S73R updated:
+
+
Disabling leg actuators sets the power drain per step to the correct value.
YPOQ updated:
EMPs can pulse multiple wires
-
as334 updated:
+
arsserpentarium updated:
-
Pluoxium can now be formed by irradiating tiles with CO2 in the air.
-
Rad collectors now steadily form Tritium at a slow pace.
-
Nerfs fusion by making it slower, and produce radioactivity.
-
Noblium formation now requires significantly more energy input.
-
Tanks now melt if their temperature is above 1 Million Kelvin.
-
-
deathride58 updated:
-
-
Directional character icon previews now function properly. Other things relying on getflaticon probably work with directional icons again, as well.
-
-
nicbn updated:
-
-
Canister sprites for the new gases
-
-
ninjanomnom updated:
-
-
Shuttle parallax has been fixed once more
-
You can no longer set up the auxiliary base's shuttle beacon overlapping with the edge of the map
-
-
uraniummeltdown updated:
-
-
Replica fabricatoring airlocks and windoors keeps the old name
-
Narsie and Ratvar converting airlocks and windoors keeps the old name
-
-
-
02 November 2017
-
ACCount updated:
-
-
"Tail removal" and "tail attachment" surgeries are merged with "organ manipulation".
-
New sprites for reflectors. They finally look like something.
-
You can lock reflector's rotation by using a screwdriver. Use the screwdriver again to unlock it.
-
Reflector examine now shows the current angle and rotation lock status.
-
You can now use a welder to repair damaged reflectors.
-
Multiple reflector bugs are fixed.
-
-
Improvedname updated:
-
-
Removes statues from gold slime pool
-
-
Mercenaryblue updated:
-
-
Updated Clown Box sprite to match the others.
-
-
More Robust Than You updated:
-
-
ONLY ADMINS CAN ACTIVATE THE ARK NOW
-
The Ark's time measurements are now a bit more readable
-
-
MrStonedOne updated:
-
-
Meteor events will not happen before 25 minutes, the worst versions before 35 and 45 minutes.
-
Meteor events are now player gated to 15, 20, and 25 players respectively
-
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.
-
Fixed the changelog generator.
-
-
Naksu updated:
-
-
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 updated:
-
-
Admins can once again spawn nuke teams on demand.
-
-
Xhuis updated:
-
-
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!
-
You can now add grenades to plushies! You'll need to cut out the stuffing first.
-
Clockwork cult tips of the round have been updated to match the rework.
-
Abscond and Reebe rifts now place servants directly at the Ark instead of below the "base" area.
-
-
nicbn updated:
-
-
Brown gas renamed to nitryl.
-
-
ninjanomnom updated:
-
-
Fixes decals not rotating correctly with the turf.
-
Fixes a runtime causing some turfs to be left behind by removed shuttles.
-
Shuttles should be roughly 40-50% smoother.
-
Fixes the cargo shuttle occasionally breaking if a mob got on at exactly the right time.
-
-
-
30 October 2017
-
PKPenguin321 updated:
-
-
You can now use beakers/cups/etc that have welding fuel in them on welders to refuel them.
-
-
bgobandit updated:
-
-
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.)
-
-
-
29 October 2017
-
Armhulen updated:
-
-
Frost Spiders now use Frost OIL!
-
-
Mercenaryblue updated:
-
-
Skeletons can now have their own spectral instruments
-
\[Dooting Intensifies\]
-
the variable "too_spooky" defines if it will spawn new instruments, by default TRUE.
-
-
Naksu updated:
-
-
Removed meteor-related free lag
-
Cleaned up dangling mob references from alerts
-
-
Xhuis updated:
-
-
You can no longer become an enhanced clockwork golem with mutation toxin.
-
Normal clockwork golems now have 20% armor, down from 40%.
+
now lists should work properly
as334 updated:
@@ -2437,276 +502,51 @@
Freon has been removed. Use cold nitrogen for your SME problems now.
Water vapor now freezes the tile it is on when it is cooled heavily.
-
naltronix updated:
+
bgobandit updated:
-
fixes that table that wasnt accessible in Metastation
+
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.)
-
-
28 October 2017
-
Mark9013100 updated:
+
coiax updated:
-
The Medical Cloning manual has been updated.
-
-
-
27 October 2017
-
Anonmare updated:
-
-
Adds new grindables
-
-
JamieH updated:
-
-
Buildmode map generators will now show you a preview of the area you're changing
-
Buildmode map generators will now ask before nuking the map
-
Buildmode map generator corners can now only be set by left clicking
-
-
Kor updated:
-
-
Cloth golems will be available as a roundstart race during Halloween.
-
-
MrStonedOne updated:
-
-
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 updated:
-
-
Servants can no longer teleport into the gravity generator, EVA, or telecomms.
-
-
ninjanomnom updated:
-
-
Hardsuit helmets work like geiger counters for the user.
-
Radiation should perform a little better in places.
-
Various radiation symptom thresholds have been tweaked.
-
Contamination strengths at different ranges have been tweaked.
-
Contaminated objects have less range for their radiation.
-
Hitting something with a contaminated object reduces its strength faster.
-
Contaminated objects decay faster.
-
Both radiation healing medicines have been buffed a bit.
-
Passive radiation loss for mobs is nerfed.
-
There is a soft cap for mob radiation now.
-
Projectiles, ammo casings, and implants are disallowed from becoming contaminated.
-
Suit storage units can completely cleanse contamination from stored objects
-
The first time an object is contaminated enough to spread more contamination admins will be warned. This is also added to stat tracking.
-
Thermite works on floors and can be ignited by sufficiently hot fires now
-
Thermite has been made into a component
-
Thermite no longer removes existing overlays on turfs
-
-
-
26 October 2017
-
Kor and JJRcop updated:
-
-
Added vampires. They will be available as a roundstart race during the Halloween holiday event.
-
-
ShizCalev updated:
-
-
Reflectors will no longer drop more materials than they took to make when deconstructed.
-
You will no longer be prompted to reenter your body while being defibbed if you can't actually be revived.
-
You can no longer teleport past the ticket stands of the Luxury Emergency Shuttle.
-
Lightgeists can now -actually- be spawned with gold slime cores.
-
The Staff of Change will now randomly assign a cyborg module when transforming a mob into a cyborg.
-
-
Xhuis updated:
-
-
Clockwork marauders now move more slowly below 40% health.
-
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.
-
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!
-
Cogscarab shells and marauder armor now appear in the spawners menu.
-
You can no longer stack infinitely many stargazers on one tile.
-
-
nicbn updated:
-
-
Chemical heater and smoke machine resprited.
-
-
ninjanomnom updated:
-
-
Portable generators have a sound while active.
-
The supermatter has a sound that scales with stored energy.
-
-
ninjanomnom & Wjohn updated:
-
-
Cable cuffs now inherit the color of the cables used to make them.
-
Split cable stacks keep their color.
-
The blue cable color is now a better blue.
-
-
-
25 October 2017
-
Cruix updated:
-
-
Shuttle navigation computers can now place new transit locations over the shuttle's current position.
-
-
JJRcop updated:
-
-
The heart of darkness revives you as a shadowperson if you aren't one already.
-
-
ShizCalev updated:
-
-
Shades will no longer always hear a heartbeat.
-
Golem abilities will now be start on cooldown when they are made.
-
-
-
24 October 2017
-
Armhulen updated:
-
-
Wizards may now shapeshift into viper spiders.
-
-
Improvedname updated:
-
-
Blacklists holoparasite's from surplus crates
-
-
Kor updated:
-
-
Added dullahans, which will be available from the character set up menu during the Halloween event.
-
Severed heads will no longer appear bald.
-
-
More Robust Than You updated:
-
-
Fixes champrojector camera bugs
-
-
Naksu updated:
-
-
Grinders will now grind grown items like cocoa pods again
-
Cameras no longer keep hard references to mobs in their motion tracking list.
-
-
ShizCalev updated:
-
-
Creatures made via gold slime cores will now be given the proper name of their master.
-
-
deathride58 updated:
-
-
Deltastation's armory now contains reinforced windows surrounding the lethal weaponry. This makes Delta's armory consistent with Box.
-
There are now decals in places where extra Security lockers can spawn.
-
Cleaned up semicolons in Meta and Boxstation's .dmms
-
-
-
22 October 2017
-
More Robust Than You updated:
-
-
Blood Brother now properly shows up in player panel
-
-
Naksu updated:
-
-
Paper bins no longer let server admins know that pens were eaten.
-
Removed dangling mob references to last attacker/attacked
-
-
Robustin updated:
-
-
Medical biosuits (and hardsuits) now offer heavy, but not complete, radiation resistance.
-
-
ninjanomnom updated:
-
-
Contents of silicon mobs are no longer considered for targets of radiation. This blocks them from being contaminated.
-
-
-
21 October 2017
-
More Robust Than You updated:
-
-
Heads of staff will now have cat organs removed at roundstart
-
-
Robustin updated:
-
-
Spray tan no longer stuns when ingested.
-
-
Thunder12345 updated:
-
-
Sentient cats no longer forget to fall over when they die
-
-
-
20 October 2017
-
Kor updated:
-
-
You can now select your Halloween race, rather than having it assigned randomly via event.
-
-
Robustin updated:
-
-
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 updated:
-
-
All reflector prisms/mirrors have had their angles corrected.
-
Remains left over by dusting or soul-stoning a mob are now dissoluble with acid.
-
Changelings using biodegrade to escape restraints will now leave a pile of goop.
-
Fixed messages related to changelings using biodegrade not appearing.
-
-
-
19 October 2017
-
Kor updated:
-
-
Blob is now a side antagonist.
-
Event and admin blobs will now be able to choose their spawn location.
-
Blob can now win in any mode by gaining enough tiles to reach Critical Mass.
-
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.
-
Using an analyzer on a blob will now reveal its progress towards Critical Mass.
-
The blob event is now more common.
-
-
Mercenaryblue updated:
-
-
You will no longer trip on inactive honkbots.
-
Sentient Honkbots are no longer forced to speak when somebody trip on them.
-
-
Naksu updated:
-
-
Manned turrets stop firing when there's no-one in the turret shooting.
-
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
+
Quiet areas of libraries on station have now been equipped with a vending machine containing suitable recreational activities.
deathride58 updated:
You can now press Ctrl+H to stop pulling, or simply H to stop pulling if you're in hotkey mode.
-
ninjanomnom updated:
-
-
Engineering scanner goggles have a radiation mode now
-
Objects placed under showers are cleansed of radioactive contamination over a short time.
-
Showers make sound now.
-
-
oranges updated:
-
-
Removed the bluespace pipe
-
-
-
18 October 2017
-
DaxDupont updated:
-
-
Fixes automatic fire on guns.
-
-
Gun Hog updated:
-
-
The GPS item now correctly changes its name when the GPS tag is changed.
-
-
Improvedname updated:
-
-
Reverts katana's to its orginal size being huge
-
-
Mercenaryblue updated:
-
-
it should be far easier to clean out your face from multiple cream pies.
-
-
More Robust Than You updated:
-
-
People that are burning slightly less will appear to be burning... slightly less.
-
-
Robustin updated:
-
-
The smoke machine now properly generates transparent smoke, transmits chemicals, and displays the proper icons.
-
-
ShizCalev updated:
-
-
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.
-
Corrected mapping issues introduced with the latest SM engine/radiation update across all relevant maps.
-
The tools on the Caravan Ambush space ruin have had their speeds corrected.
-
Slappers will no longer appear as a latex balloon in your hand.
-
Renault now has a comfy new bed on Metastation!
-
Engineering cyborgs now have access to geiger counters.
-
-
Xhuis updated:
-
-
You can no longer pick up brass chairs.
-
-
Y0SH1_M4S73R updated:
-
-
Disabling leg actuators sets the power drain per step to the correct value.
-
duncathan updated:
-
Filters no longer stop passing any gas through if the filtered output is full.
+
Portable air pumps can output to a maximum of 25 atmospheres.
+
+
ike709 updated:
+
+
Added directional computer sprites. Maps haven't been changed yet.
+
+
improvedname updated:
+
+
toolbelts can now carry geiger counters
+
+
jammer312 updated:
+
+
fixed conjuration spells forgetting about conjured items
+
+
kevinz000 updated:
+
+
Legacy projectiles have been removed. Instead, all projectiles are now PIXEL PROJECTILES!
+
Reflectors can now be at any angle you want. Alt click them to set angle!
+
Pipes can now be layered up to 3 layers.
+
+
naltronix updated:
+
+
fixes that table that wasnt accessible in Metastation
+
+
nicbn updated:
+
+
Chemical heater and smoke machine resprited.
+
+
nicn updated:
+
+
Damage from low pressure has been doubled.
ninjanomnom updated:
@@ -2720,40 +560,43 @@
Fixed turfs not rotating
Fixed stealing structures you shouldn't be moving
-
-
17 October 2017
-
DaxDupont updated:
+
ninjanomnom & Wjohn updated:
-
Fancy boxes(ie: donut boxes) now show the proper content amount in the sprite and no longer go invisible when empty.
+
Cable cuffs now inherit the color of the cables used to make them.
+
Split cable stacks keep their color.
+
The blue cable color is now a better blue.
-
Mercenaryblue updated:
+
oranges updated:
-
when decapitated, banana-flavored cream no longer hovers where your head used to be.
+
Removed the bluespace pipe
-
More Robust Than You updated:
+
psykzz updated:
-
EI NATH! now causes a flash of light
+
AI Airlock UI to use TGUI
+
Allow AI to swap between electrified door states without having to un-electrify first.
-
Naksu updated:
+
selea/arsserpentarium updated:
-
Pinned notes will now show up on vault, abductor, centcom and large glass airlocks.
-
Removed a misleading message when handling full stacks of sheets.
-
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.
-
Player-controlled "neutral" mobs such as minebots are now considered valid targets by clock cult's ocular wardens.
+
Integrated circuits have been added to Research!
+
You can use these to create devices with very complex behaviors.
+
Research the Integrated circuits printer to get started.
-
Xhuis updated:
+
tserpas1289 updated:
-
Cogged APCs can now be correctly unlocked with an ID card.
+
Any suit that could hold emergency oxygen tanks can now also hold plasma man internals
+
Hydroponics winter coats now can hold emergency oxygen tanks just like the other winter coats.
+
Plasma men jumpsuits can now hold accessories like pocket protectors and medals.
-
duncathan updated:
+
uraniummeltdown updated:
-
Portable air pumps can output to a maximum of 25 atmospheres.
+
Replica fabricatoring airlocks and windoors keeps the old name
+
Narsie and Ratvar converting airlocks and windoors keeps the old name
-
kevinz000 updated:
+
zennerx updated:
-
Legacy projectiles have been removed. Instead, all projectiles are now PIXEL PROJECTILES!
-
Reflectors can now be at any angle you want. Alt click them to set angle!
-
Pipes can now be layered up to 3 layers.
+
fixed a bug that made you try and scream while unconscious due to a fire
+
Skateboard crashes now give slight brain damage!
+
Using a helmet prevents brain damage from the skateboard!
diff --git a/html/changelogs/.all_changelog.yml b/html/changelogs/.all_changelog.yml
index ab40b78512..ce998456e5 100644
--- a/html/changelogs/.all_changelog.yml
+++ b/html/changelogs/.all_changelog.yml
@@ -1,14377 +1,919 @@
DO NOT EDIT THIS FILE BY HAND! AUTOMATICALLY GENERATED BY ss13_genchangelog.py.
---
-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.'
- AnturK:
- - 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.
- Dannno:
- - 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.
- Incoming:
- - 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.
- RemieRichards:
- - 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.
- 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.
-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!
- 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.
- optimumtact:
- - bugfix: Mimes can't use megaphone without breaking their vow anymore.
- phil235:
- - 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.
- Iamgoofball:
- - 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.
- Incoming5643:
- - bugfix: Fixes some AI malf powers being usable when dead.
- MrPerson:
- - 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.
- 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.
- optimumtact:
- - 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.
-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.
- 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.
- 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.
- Incoming5643:
- - 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.
- 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.
- 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.
- xxalpha:
- - 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.
- 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.
- Incoming5643:
- - 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.
- 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.
-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.
- Fayrik:
- - 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.
- 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.
-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.
- 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.
-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.
-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!'
- Miauw62:
- - 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.
- xxalpha:
- - 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.
- Gun Hog:
- - 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.
- 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.
- 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).
-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.
- 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.
- 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.
- 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.
- 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
- JJRcop:
- - 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
- 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.
-2015-04-30:
- Fayrik:
- - 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.
-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.
- Xhuis:
- - 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.
- 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.
- 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.
-2015-05-03:
- AnturK:
- - rscadd: Abductors can purchase spare gear with experimentation points.
- Ikarrus:
- - 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
-2015-05-04:
- Firecage:
- - 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.
- 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
- xxalpha:
- - rscadd: 'Adds a new barsign: ''The Net''.'
-2015-05-05:
- Firecage:
- - bugfix: Golems and skeletons no longer fall over when stepping on shards.
- Gun Hog:
- - 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.
- 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.
- xxalpha:
- - 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.
- 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.
- 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.
- xxalpha:
- - 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.
- phil235:
- - 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.
-2015-05-08:
- Firecage:
- - 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.
- astralenigma:
- - 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.
-2015-05-09:
- Firecage:
- - 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.'
- 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.
-2015-05-10:
- AnturK:
- - 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.
-2015-05-11:
- Firecage:
- - 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.
- 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.
- spasticVerbalizer:
- - bugfix: False walls no longer stackable.
-2015-05-13:
- Firecage:
- - 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.
- 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.
- Xhuis:
- - 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.
-2015-05-16:
- MartiUK:
- - 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.
-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.
-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.
- 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.
-2015-05-26:
- CosmicScientist:
- - spellcheck: Corrected wording for the pAI, donksoft riot darts and some tip of
- the round tips.
- xxalpha:
- - bugfix: Fixed changeling revival.
-2015-05-30:
- duncathan:
- - bugfix: Fixes passive gates not auto-coloring.
- spasticVerbalizer:
- - 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.
-2015-06-04:
- Cuboos:
- - 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.
- Palpatine213:
- - 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.
- 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.
- 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.
- KorPhaeron:
- - 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.
- Jordie0608:
- - 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.
- Iamgoofball:
- - 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.
- kingofkosmos:
- - tweak: Mops can now be wet from normal buckets and sinks.
-2015-06-08:
- AnturK:
- - 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.
- Firecage:
- - rscadd: Protolathes can now build Experimental Welding Tools.
-2015-06-09:
- Aranclanos:
- - 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.'
- bananacreampie:
- - rscadd: Added several new options to the ghostform sprites
-2015-06-11:
- Cheridan:
- - 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
- 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.
- 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.
- RemieRichards:
- - 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
-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.
- 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!
- spasticVerbalizer:
- - 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!
- 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.
- 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.
- 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.
- phil235:
- - 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.
- 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.
- 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.
- 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.
- 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.
-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.
- Iamgoofball:
- - 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.
-2015-06-22:
- Iamgoofball:
- - 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.
- LaharlMontogmmery:
- - 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.
-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.
- Iamgoofball:
- - 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.
- Jordie0608:
- - 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
- 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)
- 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.
- 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.
-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.
-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.
-2015-06-26:
- Ikarrus:
- - 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.
- phil235:
- - 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.
-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.
- 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.'
- 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.
- 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.
- Vekter:
- - 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.
- 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.
-2015-06-29:
- Ikarrus:
- - 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!
- 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.
- oranges:
- - 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.
- 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.'
- 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.
- xxalpha:
- - 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.
- oranges:
- - 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.
- 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!)'
- 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.
-2015-07-04:
- Gun Hog:
- - 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.
- 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.
-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.
- Ikarrus:
- - 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.
- 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.
- 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.
- TheVekter:
- - 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.
-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.
-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.
- MMMiracles:
- - 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.
-2015-07-09:
- AlexanderUlanH:
- - 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.
- 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.
-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.
-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.
- Ikarrus:
- - tweak: Robotic augmentations have been made a bit more difficult to maintain.
-2015-07-13:
- Ikarrus:
- - 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.
-2015-07-14:
- AnturK:
- - rscadd: New species of mimic was spotted in the wilderness of space. Watch out!
- Jordie0608:
- - 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.
- 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
-2015-07-18:
- AlexanderUlanH:
- - 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.
- 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
- Steelpoint:
- - 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.
-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!
- 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.
- MMMiracles:
- - 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
- 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.
- 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).
-2015-07-21:
- Fayrik:
- - 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.
- 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.
-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.'
- 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.
- xxalpha:
- - 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!
-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!
- 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.
- duncathan:
- - tweak: Restores RPD delay on disposals machines.
- xxalpha:
- - 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.
- 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.
- goosefraba19:
- - 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.
- 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.
- kingofkosmos:
- - 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.
- 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.
- Dorsisdwarf:
- - 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.
- xxalpha:
- - 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.
- 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.
- Kor:
- - 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.
-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.
- Ikarrus:
- - 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.
- Midaychi:
- - rscadd: Random loot has been added to the derelict as salvage for drones.
- Scones:
- - rscadd: Adds a Rice Hat to the biogenerator.
-2015-08-02:
- Incoming5643:
- - 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.
- 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.
-2015-08-04:
- Kor:
- - 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.'
-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.
- Ikarrus:
- - 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.'
- 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.
- bgobandit:
- - 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.
- 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.
- 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.
- MrPerson:
- - 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.
- Phil235:
- - 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.
- bustygoku:
- - 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.
-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!'
-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.
- bgobandit:
- - 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!
- 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
-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.
- MrPerson:
- - 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
-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.
- Kor:
- - 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.
-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.
- 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
- 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.
- 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.
-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.
- Kor:
- - 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.
- 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.
- 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.
-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.
-2015-09-01:
- Dorsidwarf:
- - 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.
- Fox P McCloud:
- - 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.
- 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.
- Miauw:
- - 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
- 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.
- 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.
-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!
-2015-09-06:
- Fox P McCloud:
- - 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.
-2015-09-07:
- xxalpha:
- - 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.
- 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.
-2015-09-11:
- CosmicScientist:
- - 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.
- 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.
- Iamgoofball:
- - 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.
- 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.
-2015-09-14:
- Fox P McCloud:
- - 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.
- 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.
-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.
- Supermichael777:
- - 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.
- phil235:
- - 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.
- 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.
-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.
-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.
-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.
- 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.
- 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).
- xxalpha:
- - 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.
-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.
- 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.
-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.
-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.
- WJohnston:
- - 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.
- 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.
- phil235:
- - 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.
-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.
- Jordie0608:
- - 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.
- 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
- 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.
-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!
- 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.
-2015-10-07:
- Kor:
- - 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
- 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.
- 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.
- 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.
- 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.
- 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.
-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.
- Xhuis:
- - 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.
-2015-10-19:
- AnturK:
- - 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.
- 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.
- 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.
- 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).
-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.'
- 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.
-2015-10-24:
- Kor:
- - 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).
-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.
- Jordie0608:
- - 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!
-2015-10-26:
- Fox P McCloud:
- - 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.
-2015-10-27:
- Joan:
- - 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.
- 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.
-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.
-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.
-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.
-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.
- 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.
- 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.
- 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.
- MMMiracles:
- - tweak: Energy Swords can now embed when thrown for a 75% chance. Embedding
-2015-11-05:
- AnturK:
- - 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
- 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.
- 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.
- 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.
- 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.
- 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.
-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
- 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!
- 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.
- 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.
- 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.
- MrStonedOne:
- - 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.
- torger597:
- - 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.
- 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.
-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.
-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.
- 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.
- 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.
- 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
- 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
-2015-11-16:
- Gun Hog:
- - 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.
- bgobandit:
- - 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.
-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.
- phil235:
- - 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.
-2015-11-20:
- AnturK:
- - 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.
- PKPenguin321:
- - 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.
- 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.
-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.
- octareenroon91:
- - 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.
-2015-11-24:
- Kor:
- - 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.
- 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.
- 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
- 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.
- YotaXP:
- - 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.
- neersighted:
- - 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.
- 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
-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
- JJRcop:
- - 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.
- 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.
- YotaXP:
- - 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.
- neersighted:
- - 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!
-2015-11-29:
- Firecage:
- - 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.
- JJRcop:
- - 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.
- 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.
- 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.
- 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.
- Remie + Kor:
- - tweak: Holopads now use AltClick to request the AI
- Shadowlight213:
- - 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.
- Yolopanther12:
- - 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.
- 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.
- 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.
- swankcookie:
- - 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.
-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.
- 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
-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.
- 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.
-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.
- Spudboy:
- - tweak: Realigned the librarian's PDA.
- Swankcookie:
- - 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.
- 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!
-2015-12-05:
- Joan:
- - 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.
- neersighted:
- - 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.
-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.
- 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.
- neersighted:
- - 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.
- 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.
- MrStonedOne:
- - 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.
- incoming5643:
- - 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.
-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.
- 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.
- Lo6a4evskiy:
- - 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
-2015-12-13:
- Kor:
- - 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!
- 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.
- oranges:
- - tweak: hulk no longer stuns
- - tweak: John Cena
-2015-12-16:
- AnturK:
- - 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.
- 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
- The-Albinobigfoot:
- - 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.
- 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.
-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.
- MMMiracles:
- - 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'
- 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.
- xxalpha:
- - 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.
- 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.
- 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.
- Swankcookie:
- - 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!
- neersighted:
- - 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.
- 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.
- 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.
- 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)'
- 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.
- 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
-2015-12-21:
- AnturK:
- - 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.
- 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.
- The-Albinobigfoot:
- - 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.
- 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.
- 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.
- 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."
- Xhuis:
- - 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.
-2015-12-25:
- Joan:
- - 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
- LanCartwright:
- - 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
-2015-12-26:
- Buggy123:
- - 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.
- 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.
- Kor:
- - 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.
-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.
- Kor:
- - 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.
- 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
-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.
- Joan:
- - 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.
- 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.
- neersighted:
- - 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.
- 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.
- 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.
- 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!
-2016-01-01:
- Iamgoofball:
- - 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.
- 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.
- 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.
- 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.
-2016-01-02:
- Kor:
- - 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.
- 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.
-2016-01-07:
- KorPhaeron:
- - 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.'
-2016-01-09:
- Wjohnston:
- - 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.
- xxalpha:
- - 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
- 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)
- OneArmedYeti:
- - 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.
- Kor:
- - 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.
-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.
- MrStonedOne:
- - 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
-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.
- octareenroon91:
- - 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.
- 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.
- 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.
- 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.
-2016-01-28:
- Joan:
- - 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.
-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.
- 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.
-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.
- Francinum:
- - 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.
- MMMiracles:
- - 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.
-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.
-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.
- Fayrik:
- - 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.
- 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.
- 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.
- 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.
-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.
- Kor:
- - 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
- PKPenguin321:
- - 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.
- 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.
-2016-02-06:
- LordPidey:
- - 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!
- 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!
-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
- 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.
- 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.
-2016-02-09:
- AnturK:
- - 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!"'
- incoming5643:
- - 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!
-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.
- 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.
- 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.
- 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.
- Shadowlight213:
- - 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)
- 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.
-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.
-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.
- neersighted:
- - 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.
-2016-02-13:
- Buggy123:
- - 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
- KazeEspada:
- - 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.
- 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!
- 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.'
- 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.
- neersighted:
- - 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).
-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.
-2016-02-17:
- Fox McCloud:
- - 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.
- PKPenguin321:
- - tweak: The traitor surgery bag now costs 3 TC, down from 4.
- Zerrien:
- - 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.'
-2016-02-19:
- AnturK:
- - 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.
-2016-02-20:
- CPTANT:
- - 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.
- xxalpha:
- - rscadd: 'New event: Portal Storm.'
- - rscadd: Kinetic accelerators now reload automatically.
-2016-02-24:
- CPTANT:
- - 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.
- 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.
- 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.
- 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.
-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.
- 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.
-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.
- Fox McCloud:
- - 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.
- 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.
- 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.
- 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.
- 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).
- 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'
- 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.
- Sestren413:
- - 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.
- 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!"'
- bgobandit:
- - 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.
-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.
-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.
- 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.
-2016-03-07:
- WJohnston:
- - 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.
- 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!
-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.
-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.
- Jordie0608:
- - 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.
- tkdrg:
- - 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).
-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.
- 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.
- 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.
-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.
- Isratosh:
- - 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.
- Kor:
- - 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.
- 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.
- 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.
- 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.
- xxalpha:
- - 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.'
- Joan:
- - 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.
-2016-03-19:
- Joan:
- - 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.
-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.
- 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.
-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.
- 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.
- PKPenguin321 && !JJRcop:
- - 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.
-2016-03-23:
- Iamgoofball:
- - 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.
- Joan:
- - 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.
- 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
- 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.
-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.
- CoreOverload:
- - 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
- 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.
- Kor:
- - 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.
-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.
- 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"
- 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.
- KazeEspada:
- - 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
- 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.
- 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.
- 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.
-2016-03-30:
- Coiax:
- - 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...)
- TehZombehz:
- - 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.
- Isratosh:
- - 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.
- 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.
- Shadowlight213:
- - 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.
- coiax:
- - 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.
-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.
- 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.
-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.
-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.
- 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.
- 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".
- TechnoAlchemisto:
- - 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.
-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.
- Erwgd:
- - 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.
- MrStonedOne:
- - 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!
-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.
- 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.
- 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.
-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.
- 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.
- 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.
- PKPenguin321:
- - tweak: Goofball's grab nerf has been reverted.
- TechnoAlchemisto:
- - 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
- coiax, bobdobbington, Core0verload:
- - 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.
- 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.
- RemieRichards:
- - 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
-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.
- Kor:
- - 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.
-2016-04-16:
- Bawhoppen:
- - 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.
- 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.
- 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.
- 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.
- Incoming5643:
- - 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.
- KorPhaeron:
- - 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.
- 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.
- lordpidey:
- - 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.
-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.
- 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.
- Shadowlight213:
- - 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.
- nullbear:
- - bugfix: Fixes air canisters being silent when bashed.
-2016-04-20:
- Erwgd:
- - rscadd: The autolathe can now make trays.
- Fox McCloud:
- - 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.
- coiax:
- - tweak: Slime grinders now cease suction of new slimes while grinding
- coiax, Joan:
- - 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!
-2016-04-21:
- Kor:
- - 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.
- nullbear:
- - 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.
- 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.
- Mercenaryblue:
- - 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.
- coiax:
- - 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.
- 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
- 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.
-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.
- 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.
- 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.
- TechnoAlchemisto:
- - 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.
-2016-04-27:
- TechnoAlchemisto:
- - 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.
- 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.
- PKPenguin321:
- - 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
-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.
- 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.
- 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.
- TechnoAlchemisto:
- - 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.
- nullbear:
- - 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.
- 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.
- 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.
- bgobandit:
- - 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.
- Kor:
- - 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
- Mercenaryblue:
- - 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.
- TechnoAlchemisto:
- - 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.
- 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].
- 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.
-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.
-2016-05-04:
- Fox McCloud:
- - 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.
- TechnoAlchemist:
- - 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.'
- xxalpha:
- - 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.
- \"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
-2016-05-07:
- Robustin:
- - rscadd: A small pantry has been added to SW maintenance.
- nullbear:
- - 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.
-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!
- 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.
- 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.
- 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!
- 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.
- 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.
- 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.
-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.
- KorPhaeron:
- - 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
- coiax:
- - tweak: Skeletons now have bone "tongues"
-2016-05-11:
- Joan:
- - 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.
- pudl:
- - 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.
-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.
- 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.
- TechnoAlchemisto:
- - 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.
- Joan:
- - 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.
- 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".
- pudl:
- - rscadd: Adds normal security headsets to security lockers
- xxalpha:
- - 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.
- Mercenaryblue:
- - 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.
- Metacide:
- - 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.
- 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.
- 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.
- 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
-2016-05-19:
- Razharas:
- - 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.
- 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.
- coiax:
- - rscadd: Neurotoxin spit can be used as makeshift space propulsion
-2016-05-21:
- Iamsaltball:
- - rscadd: Heads of Staff now have basic Maint. access.
- NicholasM10:
- - 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.
- 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.
- 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.
-2016-05-22:
- coiax:
- - 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.
- 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.
- 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.
-2016-05-24:
- Joan:
- - 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
-2016-05-26:
- Xhuis:
- - 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.
-2016-05-27:
- coiax:
- - 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.
-2016-05-29:
- GunHog:
- - 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.
- 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.
- pudl:
- - 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.
- xxalpha:
- - 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.
- Kiazusho:
- - 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.
- 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.
-2016-06-01:
- coiax:
- - rscadd: Added a mirror to the beach biodome. Beach Bums, rejoyce!
- pudl:
- - rscadd: The brig infirmary has received a redesign.
-2016-06-02:
- Joan:
- - 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
- PKPenguin321 & Nienhaus:
- - rscadd: Letterman jackets are now available from the ClothesMate.
- Quiltyquilty:
- - 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.
-2016-06-04:
- MrStonedOne:
- - 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.
- 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.
-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.
- PKPenguin321:
- - 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!
- 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).
- 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.
- 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!
-2016-06-07:
- Bobylein:
- - rscadd: Nanotrasen is finally able to source transparent bottles for chemistry.
- Iamgoofball:
- - 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.
- 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.
- 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.
- 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.
- 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.
-2016-06-08:
- Cruix:
- - 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
- 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!
- 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.
- Kor:
- - 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.
- lordpidey:
- - 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.
- Joan:
- - 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.
- Papa Bones:
- - 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.
- 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.
- 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.
-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.
- Lzimann:
- - 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.
- 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
- phil235:
- - 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.
- 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.
- xxalpha:
- - 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.
- Lati:
- - 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!
-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.
- 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
- 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.
-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.
- 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.
- Quiltyquilty:
- - 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.
-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.'
- 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.
- Quiltyquilty:
- - 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.
- Xhuis:
- - 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.
-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.
- Quiltyquilty:
- - 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.
- 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.
-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.
- 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.
- Kor:
- - 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
- 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.
- Supermichael777:
- - 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.
- coiax:
- - 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.
- 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.
- 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.
- 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.
-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.
- MMMiracles:
- - 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.
- Xhuis:
- - 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.
- 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.
- 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.
-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.'
- 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.
- MMMiracles:
- - 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.
- 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.
- 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.
- 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!
- optional name here:
- - rscdel: Shadowlings have been completely removed.
- oranges:
- - 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.
-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.
- 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.
- 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.
-2016-07-01:
- Flavo:
- - 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.
- Kor:
- - 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.
- Papa Bones:
- - 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.
- 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
-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.
- 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.
- 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...'
- 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.'
-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.
- 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.
-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!
- Joan:
- - rscdel: Mecha are no longer immune to ocular wardens.
- Lzimann:
- - 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.
- X-TheDark:
- - 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.
- 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.
- 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.
-2016-07-06:
- Cruix:
- - 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.
- MrStonedOne:
- - 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)
- 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.
- 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.
- 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.
- kevinz000:
- - tweak: Kudzu is no longer unstoppable
- optional name here:
- - 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.
- Crazylemon:
- - 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.
- 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!
- Iamgoofball:
- - 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.
- Lzimann & Keekenox:
- - 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
- MrStonedOne, coiax:
- - 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!)
- 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.
-2016-07-11:
- Iamgoofball:
- - 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.
- 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.
- optional name here:
- - bugfix: The search function on security records consoles now works.
-2016-07-12:
- MMMiracles:
- - 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
- hornygranny:
- - bugfix: Attacks will no longer miss missing limbs
-2016-07-14:
- Basilman:
- - 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.
- CoreOverload:
- - rscadd: Some clothing has pockets now.
- Firecage:
- - 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
- 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.
- Kor:
- - 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)!
- Papa Bones:
- - 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.
- 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.
-2016-07-15:
- Cheridan:
- - 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!
- Iamgoofball:
- - 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.
- MrStonedOne:
- - 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.
- 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.
- lordpidey:
- - 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.
- RemieRichards:
- - 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.
-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)
- Cheridan:
- - 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.
- 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.
- 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.
- Lzimann:
- - 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'.
- 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
- PKPenguin321:
- - 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.
- 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!
- 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.
-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.
- Incoming5643:
- - 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.
- Kor:
- - 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.
- ModernViolence:
- - 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.
- PKPenguin321:
- - 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.
- incoming5643:
- - tweak: viscerator grenades are now more generous with viscerators spawned
-2016-07-30:
- astralenigma:
- - 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.
- Bawhoppen:
- - 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.
- 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%.
- Kor:
- - rscadd: Hostile mobs will now attack turrets.
- Robustin:
- - 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.
-2016-08-01:
- Bawhoppen:
- - 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
- 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.
- oranges:
- - rscdel: Reverted toolboxes fitting in backpacks due to being incorrectly merged
-2016-08-02:
- CoreOverload:
- - rscadd: Pockets in coats!
-2016-08-05:
- Arctophylax:
- - 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.
- Incoming5643:
- - 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.
- Lordpidey and PKPenguin321:
- - rscadd: Recent studies have revealed that fly amanita can give you a huge trip.
- Lzimann:
- - 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'
- PKPenguin321:
- - 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
- Shadowlight213:
- - rscadd: You will now receive an achievement for winning a pulse rifle at the arcade.
- TheCarlSaganExpress:
- - 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.
- Joan:
- - 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
- 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.
-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.
- 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.
- Shadowlight213:
- - 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.
-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.
- Kor:
- - 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
- 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.
- PKPenguin321:
- - 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!'
-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.
- Ergovisavi:
- - 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.
- 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.
- Jordie0608:
- - 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.
- LanCartwright:
- - 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
- Shadowlight213:
- - 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
-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.
- MrStonedOne:
- - 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!
-2016-08-16:
- MrStonedOne:
- - rscadd: Automated the granting of profiler access to admins
- oranges:
- - 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.
- Ergovisavi:
- - 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.
- 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.
- 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.
- Shadowlight213:
- - rscadd: Adds modular computers
-2016-08-21:
- Ergovisavi:
- - tweak: Consolidates the fulton packs into a single item and makes them more user
- friendly
- Google Play Store:
- - 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.
- Jalleo:
- - 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.
- 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.
- Papa Bones:
- - 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.
- 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.
- 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.
-2016-08-22:
- Bawhoppen:
- - rscdel: Stock computers have been temporarily removed due to imbalances.
- Ergovisavi:
- - 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]'
- Lzimann & Lexorion:
- - 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.
- 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!
-2016-08-24:
- Bones:
- - rscadd: The detective's closet now contains a seclite, get sleuthing!
- Cargo Intelligence Agency:
- - 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.
- 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.
- 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!'
- 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.
- MrStonedOne:
- - 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.
- 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.
- Yackemflam:
- - 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.
- Iamgoofball:
- - 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.
- 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.
- 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.
- 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.
- 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.
- 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.
- WJohnston:
- - 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.
- 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.
- pubby:
- - 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.
-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.
- 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.
- Shadowlight213:
- - 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!
-2016-08-30:
- oranges:
- - 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!
- Joan:
- - 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.
- Shadowlight213:
- - 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.
- xxalpha:
- - 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!
-2016-09-01:
- Cruix:
- - 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
- Kor:
- - rscadd: Watertanks will now explode when shot.
- Lzimann:
- - 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.
- 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.
-2016-09-02:
- A-t48:
- - 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.
- 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.
- 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.
-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).
- Gun Hog:
- - 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.
- MMMiracles:
- - 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.
-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
- AnturK:
- - rscadd: Watch out for special instructions from Centcom in the intercept report.
- Cheridan:
- - tweak: Brain damage no longer causes machines to be inoperable.
- Ergovisavi:
- - bugfix: Stops ash drakes from swooping across zlevels
- Impisi:
- - tweak: Increased chances of Modular Receiver drop in Maintenance
- Incoming5643:
- - 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.
- Lzimann:
- - 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.
- XDTM:
- - 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
-2016-09-08:
- Jordie0608:
- - 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.
- Yackemflam:
- - 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
- Joan, Ausops:
- - 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.
- Shadowlight213:
- - 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.
- 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.
- 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.
- Papa Bones:
- - 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
- 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.
- TheCarlSaganExpress:
- - 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.
-2016-09-14:
- Ergovisavi:
- - bugfix: Fixes lockers, bodybags, etc, giving you ash storm / radiation storm protection
- Erwgd:
- - 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.
- Sligneris:
- - tweak: Captain's space armor has been readapted with modern hardsuit technology.
- oranges:
- - 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.
- 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)
- 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.
- Improves tablets design:
- - 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.
- Papa Bones:
- - 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
-2016-09-20:
- Ergovisavi:
- - 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.
- 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.'
- MrStonedOne:
- - 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.
- Nicho1010:
- - 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.
- 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.
- Yackemflam:
- - 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...
- feemjmeem:
- - 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.
-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
- MrStonedOne:
- - 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
- 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.
- Papa Bones:
- - 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.
-2016-09-24:
- Cheridan:
- - 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)
- 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.
- optional name here:
- - 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.
- 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.
- Razharas:
- - 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.
- oranges:
- - 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.
- 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!
- MrStonedOne:
- - 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
- Supermichael777:
- - tweak: Cat men have finally achieved equal discrimination.
- TrustyGun+Pubby:
- - imageadd: Lawyers now have unique speech bubbles.
- XDTM:
- - 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
-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
- 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.
-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
-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.
-2016-10-10:
- ChemicalRascal:
- - 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
- MrStonedOne:
- - 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.
- Supermichael777:
- - 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.
- 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.
-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
- 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.
- Kor:
- - 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.
- Shadowlight213:
- - 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
- Joan:
- - 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.
- 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.
-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
- 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.
- 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.
-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.
- Cyberboss:
- - 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.
- Lzimann:
- - tweak: 'Changed two admin hotkeys: f7 is now stealth-mode and f8 to toggle-build-mode-self.'
- Shadowlight213:
- - 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.
- Yackemflam:
- - 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.
- phil235:
- - 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.
-2016-10-18:
- Basilman:
- - 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
- 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.
- 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.
- Shadowlight213:
- - 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.
- 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.
- Yackemflam:
- - 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.
- 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.
-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
- MrStonedOne:
- - 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!'
- XDTM:
- - 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.
- wrist:
- - rscadd: Toxins is different now.
-2016-10-21:
- Adam E.:
- - 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
- 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.
- 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.
- Shadowlight213:
- - 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
- uraniummeltdown:
- - 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!
-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
- Yackemflam:
- - 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
-2016-10-24:
- Batman:
- - tweak: The sniper rifle descriptions are less edgy.
- Cobby:
- - 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
- 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.
- MrStonedOne:
- - bugfix: Spectral sword now tracks orbiting ghosts correctly.
- Shadowlight213:
- - imageadd: Damaged airlocks now have a sparking effect
- Swindly:
- - 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.
-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.
- 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
- Gun Hog:
- - 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.
- Pubby:
- - tweak: PubbyStation's bar is now themed like a spooky castle!
- Swindly:
- - 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.
- lordpidey:
- - 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.
- Tacolizard:
- - 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.
- Cobby:
- - 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.
- 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.
- MrStonedOne:
- - experiment: Shoes do not go on heads.
- NikNak:
- - 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!
- Shadowlight213:
- - 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.
- XDTM:
- - 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!
- ma44:
- - 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.
- Lzimann:
- - 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
- bgobandit:
- - 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.
- Lzimann:
- - 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.
-2016-11-02:
- Iamgoofball:
- - 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.
- XDTM:
- - tweak: Ninjas are now slightly visible when stealthing.
- phil235:
- - 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
- 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.
-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.
- Lzimann:
- - 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.
- phil235:
- - 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)
- Cyberboss:
- - 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
- 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.
- Kor:
- - 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.
-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
- 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.
- 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.
- Shadowlight213:
- - 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
-2016-11-10:
- Kor:
- - 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
-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
- 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.
- 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.
-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
- Gun Hog:
- - 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.
- 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
- Xhuis:
- - 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.
- uraniummeltdown:
- - 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.
- 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.
- Mysak0CZ:
- - 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
-2016-11-15:
- Cyberboss:
- - 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.
- 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!
- 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.
- coiax:
- - 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
- Pubby:
- - 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.
-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
- Incoming5643:
- - 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.
- 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
- coiax:
- - 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.
-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.
- RandomMarine:
- - 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
-2016-11-20:
- Basilman:
- - 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]
- 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.
- 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.
- Kor:
- - 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.
-2016-11-21:
- Cobby:
- - 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.
- Cyberboss:
- - bugfix: Changing an airlock's security level no longer heals it
- Gun Hog:
- - 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.
- Kor:
- - 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
- Swindly:
- - 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.
- 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.
-2016-11-24:
- Kor:
- - rscadd: Shaft miners now have access to the science channel.
- Lzimann:
- - rscdel: Multiverse sword is no longer buyable by wizards
- erwgd:
- - 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.
- 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.
- Shadowlight213:
- - 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
- 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.
- 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.
- 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.
- Lzimann:
- - 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.
- 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'
- Swindly:
- - 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!
- 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.
-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.
- 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.
- Swindly:
- - 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.
- jughu:
- - 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.
- Cobby [Idea stolen from Shaps]:
- - 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
- Gun Hog:
- - 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.
- Mervill:
- - 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.
-2016-12-02:
- Cobby:
- - 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
- 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.
-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.
- 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.
-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.
-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
- Chnkr:
- - 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
- 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!
- 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.
- 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.
- Mervill:
- - 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.
- 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!
- 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.'
- 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.
- 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.
- 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.
-2016-12-07:
- Cyberboss:
- - 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.
- LOOT DUDE:
- - 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.
- Thunder12345:
- - 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
- Joan:
- - 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
- MrStonedOne:
- - 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.
- TehZombehz:
- - 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.
- coiax:
- - 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
- 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.
- Supermichael777:
- - 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!
- coiax:
- - 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.
-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.
- Cyberboss:
- - 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.
- Swindly:
- - 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
- 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.
-2016-12-12:
- Dannno:
- - 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
- 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.
- XDTM:
- - 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.
- 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.
- Mindustry:
- - bugfix: Goliath meat can be cooked in lava again
- Okand37:
- - rscadd: DeltaStation's emergency shuttle
- XDTM:
- - 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.
- 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.
- 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.
- Fox McCloud:
- - 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
- Joan:
- - 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.
- 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.
- 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
- Okand37 & Lexorion:
- - rscadd: Added a new hair style, the Sidecut!
- Supermichael777:
- - 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.
- 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.
- 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.
- dannno:
- - 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'
- karlnp:
- - 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.
-2016-12-19:
- spudboy:
- - 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.'
- Lzimann:
- - bugfix: Mjor the Creative will drop his loot correctly now.
- Mekhi Anderson:
- - 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.
-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)
- 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.
- Mekhi Anderson:
- - 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
-2016-12-24:
- AnturK:
- - rscadd: Implants now work on animals.
- Cyberboss:
- - bugfix: Dead things can no longer be used to open doors
- F-OS:
- - 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.
- 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.
- XDTM:
- - 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.
- 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?
- spudboy:
- - 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!
- Hyena:
- - 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.
- Shadowlight213:
- - 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.
-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.
- 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.
- 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.
- XDTM:
- - 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
- 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.
-2016-12-31:
- hyena:
- - 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.
-2017-01-01:
- A whole bunch of spiders in a SWAT suit:
- - 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.
- 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.
-2017-01-03:
- Cyberboss:
- - bugfix: AIs can no longer see cult runes properly
- Mervill:
- - 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
- 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.
- Mervill:
- - 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.
- Nabski89:
- - 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.
-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
- 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.
- Speed of Light Somehow Changed:
- - 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.
- 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
- 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.
- Mervill:
- - bugfix: Controlling the station status displays no longer overrides the cargo
- supply timer
- MrStonedOne:
- - 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.
- coiax:
- - 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
- Joan:
- - 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
- MrStonedOne:
- - 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.
- 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
- Thunder12345:
- - 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.
- coiax:
- - 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
- Lzimann:
- - bugfix: Fixes TGUI not working for people without IE11
- Thunder12345:
- - 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.
- coiax:
- - 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
- Joan:
- - 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.
-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
- 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.
- uraniummeltdown:
- - 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
- Joan:
- - 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
- MrStonedOne:
- - 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.
- 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.
-2017-01-20:
- CoreOverload:
- - 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.
- 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.
- 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.
- 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.
-2017-01-22:
- ChemicalRascal:
- - 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
- Dannno:
- - rscadd: yeehaw.ogg is now a round end sound
- Fox McCloud:
- - tweak: drying meat slabs and grapes now yields a healthy non-junkfood snack
- Hyena:
- - 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.
- Shadowlight213:
- - bugfix: Zombies will now get their claws upon zombification
- Thunder12345:
- - 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
- Ultimate-Chimera:
- - 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.
- 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.
-2017-01-24:
- CoreOverload:
- - 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
- 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.
- 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.
- Shadowlight213:
- - rscdel: PAIs can no longer ventcrawl
- Tofa01:
- - 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.
-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.
- 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.
- 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)
- 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.
- 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.
-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.
- Lzimann:
- - 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!)'
- Sweaterkittens:
- - 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.
- 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-)
- 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.
- Xhuis:
- - 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.
- 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.
-2017-01-29:
- BASILMAN YOUR MAIN MAN:
- - 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.
- Cobby:
- - 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.
- 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
- 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.
- Kor:
- - 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.
- 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
- 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.
- Tofa01:
- - 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.
- 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.
- 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.
- 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.
- jughu:
- - 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.
- 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.
-2017-01-30:
- BASILMAN YOUR MAIN MAN:
- - rscadd: Added BM SPEEDWAGON THE BEST (AND ONLY) SPACE CAR ON THE MARKET.
- CoreOverload:
- - 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
- Fox McCloud:
- - 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.'
- 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
- Tofa01:
- - 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!
- 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.
-2017-01-31:
- Cyberboss:
- - 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.
- 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!
-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
- 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.
-2017-02-03:
- Cobby:
- - 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
- 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.
- 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.
- Lexorion:
- - 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.
- Tofa01:
- - 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!
- 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.
-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
- Joan:
- - 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.
- Steelpoint:
- - 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.
- 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
- 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.
-2017-02-05:
- Cyberboss:
- - 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
- Joan:
- - 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.
- Lzimann:
- - 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.
- 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
- 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.
- xmikey555:
- - 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.
-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
- Dannno:
- - 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.
- Poojawa:
- - 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.
- Swindly:
- - 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'
- Xhuis:
- - 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.
- 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.
-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
- 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.
- Jordie0608:
- - 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.
- Reeeeimstupid:
- - 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'
- 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)'
- 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.
- chanoc1:
- - 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.
- uraniummeltdown:
- - 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.
- ChemicalRascal:
- - 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.
- 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
- Joan:
- - 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.
- Tofa01:
- - 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.
- 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.
-2017-02-11:
- Dannno:
- - tweak: hahaha I switched your toolboxes you MORONS
- Kor:
- - rscadd: Killing bubblegum now unlocks a new shuttle for purchase.
- Lzimann:
- - 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.
- Tofa01:
- - 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.
- Drunk Musicians:
- - 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!
- Lzimann:
- - 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.
- Sweaterkittens:
- - 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.
-2017-02-13:
- ChemicalRascal:
- - 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
- Joan:
- - imageadd: Updated the back and belt sprites for airtanks to match the new sprites.
- Kor:
- - rscadd: Mobile pAIs are now slower than humans.
- Swindly:
- - 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.
- 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.
-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
- 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.
- 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.
- 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.
- Steelpoint:
- - 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'
- 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.
-2017-02-16:
- Cyberboss:
- - rscadd: Test merged PRs are now more detailed
- Steelpoint:
- - 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.
-2017-02-17:
- Arianya:
- - 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
- 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
- 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.
- Lobachevskiy:
- - bugfix: Fixed glass shards affecting buckled and flying mobs
- MrStonedOne:
- - experiment: The game will now force hardware rendering on for all clients.
- Nienhaus:
- - rscadd: Drying racks have new sprites.
- Swindly:
- - 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
- WJohn:
- - 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.
- 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.
- kevinz000:
- - 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
- 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.
- Mysterious Basilman:
- - rscadd: More powerful toolboxes are active in this world...
- Scoop:
- - 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.'
- 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.
- 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.
- 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.
-2017-02-19:
- Basilman:
- - 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.
- Tofa01:
- - 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.
- grimreaperx15:
- - 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.
- uraniummeltdown:
- - rscadd: Shuttle engines have new sprites.
-2017-02-20:
- Cyberboss:
- - bugfix: The frequncy fire alarms play at is now consistent
- MrStonedOne:
- - tweak: bluespace ore cap changed from 100 ores to 500
- Tofa01:
- - 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.
- Xhuis:
- - bugfix: Medipens are no longer reusable.
-2017-02-21:
- Cyberboss:
- - bugfix: You can now unshunt as a malfunctioning AI again
- Kor:
- - 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'
- 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.
- uraniummeltdown:
- - 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.
- Cyberboss:
- - 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.
- TalkingCactus:
- - 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'
- Xhuis:
- - 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"
- Dannno:
- - 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.
- Nienhaus:
- - tweak: Updates ammo sprites to the new perspective.
- Tofa01:
- - 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.
-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
-2017-02-25:
- AnonymousNow:
- - 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
- Robustin:
- - 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!'
- 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.
- uraniummeltdown:
- - rscadd: Science crates now have new sprites
-2017-02-26:
- Ausops:
- - 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.
- 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
-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.
- Tofa01:
- - bugfix: Stops AI And Borgs From Interfacing With Ferry Console
- TrustyGun:
- - imageadd: Box sprites are improved.
- WJohnston:
- - 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.
-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
- 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.
- Lzimann:
- - 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
- 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.
-2017-03-01:
- Cyberboss:
- - 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.
- Robustin:
- - 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.
- 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.
- 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.
- 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.
-2017-03-03:
- Cyberboss:
- - 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.'
- Sligneris:
- - imageadd: Updated sprites for the small xeno queen mode
-2017-03-04:
- Cyberboss:
- - bugfix: You can build lattice in space again
- Hyena:
- - tweak: Detective revolver/ammo now starts in their shoulder holster
- Joan:
- - tweak: Weaker cult talismans take less time to imbue.
- PJB3005:
- - rscadd: Rebased to /vg/station lighting code.
- Supermichael777:
- - 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!
- 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.
-2017-03-06:
- Cyberboss:
- - 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.
- Hyena:
- - rscdel: Space bar is out of bussiness
- MrStonedOne:
- - 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
- Sligneris:
- - 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'
- XDTM:
- - 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.
-2017-03-07:
- Supermichael777:
- - 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
- Francinum:
- - bugfix: Holopads now require power.
- Fun Police:
- - 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.
- 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.
- LanCartwright:
- - 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
- 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.
- TalkingCactus:
- - 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.'
- 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.
- kevinz000:
- - 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
- Jordie0608:
- - 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.
- Xhuis:
- - 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.
- fludd12:
- - bugfix: Modifying/deconstructing skateboards while riding them no longer nails
- you to the sky.
- lordpidey:
- - rscadd: Glitter bombs have been added to arcade prizes.
-2017-03-11:
- AnturK:
- - rscadd: Traitors now have access to radio jammers for 10 TC
- Hyena:
- - 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.
- 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.
- Penguaro:
- - 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'
- coiax:
- - rscadd: Swarmer lights are coloured cyan.
- kevinz000:
- - 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.
- Lzimann:
- - 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.
-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)
- Cyberboss, Bgobandit, and Yogstation:
- - 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.
- Hyena:
- - 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.
- 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'
- Space Bicycle Consortium:
- - 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.
-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.
- PKPenguin321:
- - 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
- 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.
- Penguaro:
- - 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.
- octareenroon91:
- - rscadd: Allow new reflector frames to be built from metal sheets.
- oranges:
- - rscdel: Removed patting
-2017-03-16:
- BASILMAN YOUR MAIN MAN:
- - 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
- Joan:
- - 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.
- MrStonedOne:
- - bugfix: Fixed lighting not updating when a opaque object was deleted
- Penguaro:
- - 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.'
- 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.
- kevinz000:
- - rscadd: SDQL2 now supports outputting proccalls to variables, and associative
- lists
- peoplearestrange:
- - bugfix: Fixed buildmodes full tile window to be correct path
- rock:
- - 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.
- 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!
- Joan:
- - 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.
-2017-03-18:
- Supermichael777:
- - 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.
- coiax:
- - 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.
- 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!
- Penguaro:
- - 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.
- octareenroon91:
- - 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%
-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.
- 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.
- Lombardo2:
- - rscadd: The tentacle changeling mutation now changes the arm appearance when activated.
- MrPerson:
- - 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.
- Supermichael777:
- - 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.
- 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.
-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.
- Iamgoofball:
- - 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
- 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.
-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.
- Penguaro:
- - 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.
- bgobandit:
- - tweak: Alt-clicking a command headset toggles HIGH VOLUME mode.
- coiax:
- - 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!
- 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
- Fox McCloud:
- - 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.
- 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'
- 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.
- 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.
-2017-03-26:
- BeeSting12:
- - 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.
- 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.
- Qbopper:
- - 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
- TrustyGun:
- - 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.
- 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.
-2017-03-28:
- Supermichael777:
- - 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.
- octareenroon91:
- - 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.
- 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.
- 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.
- 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.
-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.
-2017-03-31:
- Cobby:
- - 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
-2017-04-01:
- Cyberboss:
- - bugfix: The contents of the shelterpod smart fridge work again
- XDTM:
- - 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.
- 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
- 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.
- 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.
- 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.'
- 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.
- 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.
-2017-04-05:
- Cyberboss:
- - 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.'
- QV:
- - 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.'
- coiax:
- - 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.
-2017-04-09:
- 4dplanner:
- - 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.
- QV:
- - tweak: Refactored the way limbs that aren't limbs work
- octareenroon91:
- - 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."'
- Cyberboss:
- - 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.'
- 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
- Shadowlight213:
- - bugfix: The anime admin button will no longer cause equipped items to drop.
- coiax:
- - 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
- 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
- RemieRichards:
- - 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.
- 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.
- powergaming research director:
- - 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
- 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
- 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.
- coiax:
- - 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.
- Davidj361:
- - 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.
- QualityVan:
- - 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.
2017-04-19:
- QualityVan:
- - bugfix: Improved stethoscopes
- Thunder12345:
- - 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.
-2017-04-20:
- Cyberboss:
- - bugfix: Fixed mining closets having extra, unrelated items
-2017-04-22:
- Cyberboss:
- - bugfix: Conveyors no longer move things they aren't supposed to
- XDTM:
- - 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.
-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.
-2017-04-25:
- BeeSting12:
- - 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!
- Jalleo:
- - rscdel: WW_maze from lavaland has been removed it wasnt that good really anyhow
- QualityVan:
- - 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.
- 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.
- basilman:
- - 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.
- 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.
-2017-04-26:
- CoreOverload:
- - 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!
- coiax:
- - balance: The wizard spell Rod Form now costs 3 points, up from 2.
- flashdim:
- - 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!
- 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.
- 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
- Shadowlight213:
- - 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.
- 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.
-2017-04-28:
- Kor:
- - 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.
-2017-04-29:
- BeeSting12:
- - 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.
- 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.
- Kor:
- - 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.
- 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.
- 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.
- tacolizard forever:
- - 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
- XDTM:
- - 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.
-2017-05-01:
- 4dplanner:
- - 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.
- Cobby:
- - 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
- 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.
- 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.
- QualityVan:
- - 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.
- 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
-2017-05-02:
- 4dplanner:
- - 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.
- Shadowlight213:
- - 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.
- coiax:
- - 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.
- 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.
- 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.
- 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.
- 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".
- deathride58:
- - 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
- 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.
- Lzimann:
- - 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.
- QualityVan:
- - 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
- 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.
- 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.
- QualityVan:
- - 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.
- 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.
-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.
- 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.
- Cyberboss:
- - tweak: Teslas now give off light
- Joan:
- - 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.
- Lzimann:
- - rscdel: Telescience is no more.
- PKPenguin321:
- - 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
- 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.
- 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.
-2017-05-07:
- Anonmare:
- - 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.
- 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
- 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.
- 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.
- Robustin:
- - 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.
- 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.
-2017-05-08:
- Dorsisdwarf:
- - 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.
- 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.
- Penguaro:
- - 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.
- ninjanomnom:
- - 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.
- 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.
- 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'
- 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.
- coiax:
- - 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.
- 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.
- 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?
- MrStonedOne:
- - 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
- Robustin:
- - 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.
- 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.
- bandit:
- - 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.
- 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.
- ma44:
- - 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.
- 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!
- 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.
- 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
- 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.
- 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.
-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.
- TehZombehz:
- - 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.
- octareenroon91:
- - 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.
-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.
- 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.
- 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.
- 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.
- 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.
- Profakos:
- - 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)
- Swindly:
- - 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.
- 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
- 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.
- uraniummeltdown:
- - 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.
- 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.
- 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
- 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.
- fludd12:
- - 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.
- 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.
- Penguaro:
- - 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.
-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.
- 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.
- 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.
- kevinz000:
- - rscadd: Peacekeeper cyborgs now have projectile dampening fields.
-2017-05-19:
- 4dplanner:
- - 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.
- 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.
- Swindly:
- - 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.
- octareenroon91:
- - 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.
- RandomMarine:
- - 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.
-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.
- Lzimann:
- - 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
- Swindly:
- - 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.
-2017-05-23:
- ClosingBracket:
- - 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.
- 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.
- 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
- Steelpoint:
- - 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.
- 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.
- 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!
- ma44:
- - 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.
- 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
- 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.
- Tacolizard:
- - 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.
-2017-05-25:
- 4dplanner:
- - 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
- Crexfu:
- - 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
- Oldman Robustin:
- - 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
-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.
- 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!
-2017-05-28:
- ClosingBracket:
- - tweak: Allows explorer webbings to hold marker beacons.
- Expletive:
- - 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.
- 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.
- Kor:
- - 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
- 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.
- Swindly:
- - 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
- kevinz000:
- - 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.
- Nanotrasen Plasmaman Outreach Division:
- - 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.
- 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.
- oranges:
- - 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.
- 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...
-2017-06-02:
- Cyberboss:
- - 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.
- Goodstuff:
- - 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.
- MMMiracles (Cerestation):
- - 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.
- QualityVan:
- - 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.
- Steelpoint:
- - 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.
- kevinz000:
- - 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.
-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.
- Improvedname:
- - rscadd: Janitors now start with a flyswatter
- Mothership Epsilon:
- - tweak: All your base are belong to us.
- Penguaro:
- - bugfix: '[Box] Removes extra/unattached vent from Xeno Lab'
- Planned Spaceparenthood:
- - 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.
- p440:
- - 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.
- 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.
- Swindly:
- - 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.
- 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.
- MMMiracles:
- - 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.
- PKPenguin321:
- - 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.
- thefastfoodguy:
- - 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.
- 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.
- QualityVan:
- - 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
-2017-06-08:
- 4dplanner:
- - 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.
- 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.
- Lzimann + Cyberboss:
- - 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.
- 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.
- 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
- Robustin:
- - 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
- Xhuis:
- - 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
- oranges:
- - 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.
- 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.
- 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
- 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
-2017-06-11:
- Expletive:
- - 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.
- Shadowlight213:
- - 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.
- 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.
- 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.
- octareenroon91:
- - 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!"'
-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.
- Fox McCloud:
- - 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.
- 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.
- 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.
- WJohnston:
- - 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."'
-2017-06-14:
- Expletive:
- - 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.
- Tacolizard:
- - 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)
- 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.
- Joan:
- - 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.
- 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)
- QualityVan:
- - 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.
- Steelpoint:
- - 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
- That Really Good Soda Flavor:
- - 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.
- 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.
- bandit:
- - 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.
- RandomMarine:
- - 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.
-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
- LanCartwright:
- - rscadd: 1D4 into Lavaland Mining base crate.
- RandomMarine:
- - 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.
-2017-06-20:
- Bawhoppen:
- - 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.
- Tacolizard:
- - 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.
- nicbn:
- - 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.
- ClosingBracket:
- - 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
- Expletive:
- - 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.
- 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.
- 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.
- bandit:
- - 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
-2017-06-23:
- BeeSting12:
- - 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.
-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.
- Improvedname:
- - rscadd: You can now export cat ears/tails for 1000 credits
- JJRcop:
- - 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.
- RandomMarine:
- - 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.
- 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.
- 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.
-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
- Joan:
- - 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.
- 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.
- drline:
- - 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
- Shadowlight213:
- - 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.
-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
- 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.
- Lexorion:
- - 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
- 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.
- 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!
- 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.
- 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.
- 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)
- 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).
- 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.
- 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!
- ohnopigeons:
- - 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!
- somebody:
- - rscadd: Strong plasma glass windows
-2017-07-09:
- Crexfu:
- - 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
- Xhuis:
- - 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.
- 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.
- 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.
- 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.
- factoryman942:
- - 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.
-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.
- 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.
- Ergovisavi:
- - 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
- 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.
- MrStonedOne & Fox-McCloud:
- - tweak: Made pathfinding much quicker
- NewSta:
- - 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.
- 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.
- Xhuis & Cyberboss:
- - rscadd: New hivebot invasion event
- kevinz000:
- - 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.
- shizcalev:
- - 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
- 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.
- 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
- HAL 9000:
- - 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.
- 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.
- 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.
- Supermichael777:
- - 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.
- 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.
- Xhuis & MoreRobustThanYou:
- - 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.
- bandit:
- - rscadd: New Cards against Spess cards are available!
- ktccd:
- - 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
- 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.
- 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!
- 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.
- 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!
- ktccd:
- - 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
- AnturK:
- - balance: Cyborg remote control range is now limited to 7 tiles.
- Ergovisavi:
- - rscadd: Adds the "seedling" planetstation mob to the backend
- Floyd:
- - 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.
- 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.
- Lexorion:
- - 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
- XDTM:
- - 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.
- 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.
- kingofkosmos:
- - 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.
- Joan:
- - 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
- 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
- Xhuis:
- - 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.
-2017-08-14:
- Joan:
- - imageadd: Ported CEV-Eris's APC sprites.
- More Robust Than You:
- - bugfix: Fixes a typo in the blobbernaut spawn text
- WJohnston:
- - 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.
- kingofkosmos:
- - tweak: Canisters don't flash red lights anymore when empty.
-2017-08-19:
- Anonmare:
- - balance: Raised airlock deflection by one point
- BeeSting12:
- - 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.
- Joan:
- - 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
- NewSta:
- - 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
- 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.
- nicbn:
- - 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.
- Cruix:
- - 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
- Pubby:
- - 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.
- 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
- Supermichael777:
- - 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.
-2017-08-26:
- Cyberboss:
- - rscadd: Added the credits roll
- Iamgoofball:
- - 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.
- More Robust Than You:
- - 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
-2017-08-30:
- CPTANT:
- - 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.
- 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
- Joan:
- - 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.
- Lzimann:
- - 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.
- 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
- Pubby:
- - 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
- 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!
- kingofkosmos:
- - tweak: You can now unbuckle out a chair/bed by moving.
- ninjanomnom:
- - 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
- More Robust Than You:
- - 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
- Pubby:
- - 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!
-2017-09-02:
- Frozenguy5:
- - 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.
- XDTM:
- - 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
- Basilman:
- - 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.
- 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.
- Jay:
- - 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.
- 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.
- MrStonedOne:
- - 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
- Pubby:
- - bugfix: Escape pods and PubbyStation's monastery shuttle are back in commission
- Robustin:
- - tweak: Golem shells no longer fit in standard crew bags.
- Supermichael777:
- - bugfix: Stands now check if their user got queue deleted somehow
- VexingRaven:
- - 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.
- YPOQ:
- - bugfix: Windoors open when emagged again
- as334:
- - rscadd: Added a mass spectrometer to the detective's closet
- basilman:
- - 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.
- 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.
- KorPhaeron:
- - 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.
- MrROBUST:
- - 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.
- 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.
-2017-09-14:
- BeeSting12:
- - balance: Deltastation's and Metastation's armory now starts with three riot shotguns!
- Fun Police:
- - rscdel: Removed some of the free lag.
- Kor:
- - 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.
- ninjanomnom:
- - bugfix: Shuttle transit parallax should be working again
-2017-09-16:
- Basilman:
- - rscadd: Gondolas are now procedural generated.
- Mey-Ha-Zah:
- - 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.
- 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
- 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
-2017-09-18:
- More Robust Than you:
- - 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
- Pubby:
- - 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.
- TungstenOxide:
- - 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.
-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.
- Pubby:
- - bugfix: Atmos pipenets are less glitchy
- TehZombehz:
- - rscadd: Several new plushie dolls are now available in toy crates.
-2017-09-22:
- AutomaticFrenzy:
- - 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.
- Naksu:
- - 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!
- JJRcop:
- - 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
- 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.
- YPOQ:
- - bugfix: Pet persistence works again
-2017-09-27:
- Arianya:
- - 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
- Improvedname:
- - rscadd: Adds racial equality to color burgers
- More Robust Than You:
- - 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
- Pubby:
- - 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.
- 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.
- 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.
- Y0SH1_M4S73R:
- - 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.
- RandomMarine:
- - 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.
- 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!
- 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.'
- kingofkosmos:
- - 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.
- AnturK:
- - rscadd: Wigs are now available in AutoDrobe
- Cobby:
- - 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
- DaxDupont:
- - 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!'
- 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.
- 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.
- Kerbin-Fiber:
- - 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.
- More Robust Than You:
- - 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.
- 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.
- 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
- Qbopper:
- - tweak: Moved a locker blocking an airlock in Toxins maintenance.
- RandomMarine:
- - 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.
- 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!
- 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.
- Thefastfoodguy:
- - 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.
- 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.
- Xhuis:
- - 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.
- Y0SH1_M4S73R:
- - balance: Gygax overdrive consumes at least 100 power per step
- YPOQ:
- - 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.
- 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.
- nicbn:
- - 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!
- Armie:
- - tweak: Holoparasites are once again in the uplink.
- Bawhoppen:
- - 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,
- Epoc:
- - 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)
- GLACoding:
- - 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.
- 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.
- Kor:
- - 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.
- 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
- 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.
- 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.
- 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.
- 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!
- 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.
- WJohn:
- - 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.
- 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)
- 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.
- 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.
- armie:
- - bugfix: mob spawners are no longer possessable
- deathride58:
- - rscadd: '*slap'
- duncathan:
- - bugfix: Scrubbers and filters no longer allow for infinite pressure in pipes.
- improvedname:
- - 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.
- kingofkosmos:
- - 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.
- 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
- spessmenart:
- - 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.'
- Mercenaryblue:
- - 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
- 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.
- Xhuis:
- - 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.
- 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.
-2017-10-18:
- DaxDupont:
- - bugfix: Fixes automatic fire on guns.
- Gun Hog:
- - 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
- Mercenaryblue:
- - 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.
- Robustin:
- - 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.
- Xhuis:
- - 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.
- duncathan:
- - 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
-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.
- Mercenaryblue:
- - 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'
- deathride58:
- - 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.
- oranges:
- - 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.
- 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.
- 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.
-2017-10-21:
- More Robust Than You:
- - bugfix: Heads of staff will now have cat organs removed at roundstart
- Robustin:
- - balance: Spray tan no longer stuns when ingested.
- Thunder12345:
- - 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
- Naksu:
- - 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.
- ninjanomnom:
- - 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.
- Improvedname:
- - 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.
- More Robust Than You:
- - 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.
- ShizCalev:
- - 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
-2017-10-25:
- Cruix:
- - 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.
- ShizCalev:
- - 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.
- 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.
- 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.
- nicbn:
- - 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.
- 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.
-2017-10-27:
- Anonmare:
- - 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
- Kor:
- - 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).
- Xhuis:
- - 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
-2017-10-28:
- Mark9013100:
-<<<<<<< HEAD
- - 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!
- 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.
- Naksu:
- - 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%.
- 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.
- naltronix:
- - 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.
- 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.)'
-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.
- Improvedname:
- - rscdel: Removes statues from gold slime pool
- Mercenaryblue:
- - 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
- 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.
- 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.
- SpaceManiac:
- - 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.
- nicbn:
- - 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.
-2017-11-10:
- Anonmare:
- - 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)
- Floyd / Qustinnus:
- - 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.
- Iamgoofball:
- - 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
- Kor:
- - 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.
- Mercenaryblue:
- - 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
- 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.
- 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
- 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.
- 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.
- 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.
- Thefastfoodguy:
- - bugfix: Spamming runes / battlecries / etc will no longer trigger spam prevention
- WJohnston:
- - 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.
- 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!
- YPOQ:
- - 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.
- deathride58:
- - 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
- 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
- uraniummeltdown:
- - 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.
- SpaceManiac:
- - 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
- ninjanomnom:
- - bugfix: Fixes ruin cable spawning and probably some other bugs
-2017-11-12:
- Cyberboss:
- - 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.
- Floyd / Qustinnus:
- - 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.
- 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.
- Qbopper and JJRcop:
- - 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.
- 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.
- 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.
- nicn:
- - 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.
-2017-11-14:
- ike709:
- - 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.
- 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.
-2017-11-15:
- Fury:
- - 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.'
- 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.
- SpaceManiac:
- - bugfix: The post-round station integrity report is now functional again.
- ninjanomnom:
- - 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.
- Anonmare:
- - 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
- Code by Pyko, Ported by Frozenguy5:
- - 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'
- 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.
- Francinum:
- - 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
- 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.
- 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.
- MMMiracles:
- - 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.
- Shadowlight213:
- - 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.
- 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.
- 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.
- 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.
- 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.
- arsserpentarium:
- - 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.
- ike709:
- - 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
- kevinz000:
- - 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!
- oranges:
- - rscdel: Removed the shocker circuit
- psykzz:
- - 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.
- 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!
-2017-11-23:
- GupGup:
- - 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
- Robustin:
- - 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.
- 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).'
-2017-11-24:
- ACCount:
- - 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
- SpaceManiac:
- - 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.
-2017-11-25:
- CosmicScientist:
- - bugfix: bolas are back in tablecrafting!
- Dorsisdwarf:
- - 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.
- YPOQ:
- - bugfix: AIs and cyborgs can interact with unscrewed airlocks and APCs.
- ninjanomnom:
- - bugfix: Fixes thermite burning hotter than the boiling point of stone
- zennerx:
- - 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.
- More Robust Than You:
- - 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.
- 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.
- WJohnston:
- - 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.
- kevinz000:
- - 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.'
-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?
- 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.
- JJRcop:
- - admin: Fixed the Make space ninja verb.
- Naksu:
- - code_imp: rejiggered botcode a little bit
- SpaceManiac:
- - spellcheck: Admin-added "download research" objectives are now consistent with
- automatic ones.
- improvedname:
- - 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
-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.
- SpaceManiac:
- - 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.
- psykzz:
- - bugfix: Fixing the broken turbine computer
-2017-12-02:
- BeeSting12:
- - spellcheck: Occupand ---> Occupant on opened cryogenic pods.
- - spellcheck: Cyrogenic ---> Cryogenic on opened cryogenic pods.
- CosmicScientist:
- - rscadd: You can make plushies kiss one another!
- Frozenguy5:
- - tweak: The Particle Accelerator's wires can no longer be EMP'd
- Naksu:
- - 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.
- 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.
- uraniummeltdown:
- - 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.
- Robustin:
- - 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.
- zennerx:
- - 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.
- Xhuis:
- - bugfix: You now need fuel in your welder to repair mechs.
-2017-12-05:
- Cyberboss:
- - 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!
- 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.'
- Robustin:
- - 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.
- Xhuis:
- - 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.
-2017-12-06:
- Dax Dupont & Alek2ander:
- - tweak: Binary chat messages been made more visible.
- Revenant Defile ability:
- - 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.
- coiax:
- - 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.
- SpaceManiac:
- - 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.
- coiax:
- - 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.
-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.
- Dorsisdwarf:
- - 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
- MrDoomBringer:
- - 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.
- 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.
- YPOQ:
- - 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.
-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.
- Swindly:
- - 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.
- 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.
- 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%.
-2017-12-11:
- Anonmare:
- - 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.
- Frozenguy5:
- - balance: Some hardsuits have had their melee, fire and rad armor ratings tweaked.
- Improvedname:
- - 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
- 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.
- 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.
- 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
-2017-12-12:
- Mark9013100:
- - 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.
- Swindly:
- - bugfix: Swarmers can no longer deconstruct objects with living things in them.
- kevinz000:
- - 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
- SpaceManiac:
- - 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
-2017-12-15:
- AverageJoe82:
- - 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.
- 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
- Epoc:
- - 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.
- 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.
- 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
- 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!
- SpaceManiac:
- - 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.
- nicbn:
- - imageadd: Closet sprites changed.
+ !!python/unicode 'AnonymousNow':
+ - !!python/unicode 'rscadd': !!python/unicode 'Added Medical HUD Sunglasses. Not
+ currently available on-station, unless you can convince Centcom to send you
+ a pair.'
+ !!python/unicode 'AnturK':
+ - !!python/unicode 'rscadd': !!python/unicode 'Traitors now have access to radio
+ jammers for 10 TC'
+ !!python/unicode 'Arianya':
+ - !!python/unicode 'tweak': !!python/unicode 'The Labour Camp rivet wall has been
+ removed!'
+ - !!python/unicode 'spellcheck': !!python/unicode 'Fixed some typos in Prison Ofitser''s
+ description.'
+ !!python/unicode 'Ausops':
+ - !!python/unicode 'imageadd': !!python/unicode 'New sprites for water, fuel and
+ hydroponics tanks.'
+ !!python/unicode 'BASILMAN YOUR MAIN MAN':
+ - !!python/unicode 'rscadd': !!python/unicode 'The BM Speedwagon has been improved
+ both in terms of aesthetics and performance!'
+ !!python/unicode 'Basilman':
+ - !!python/unicode 'rscadd': !!python/unicode 'some toolboxes, very rarely, have
+ more than one latch'
+ !!python/unicode 'BeeSting12':
+ - !!python/unicode 'bugfix': !!python/unicode 'Moved Metastation''s deep fryer so
+ that the chef can walk all the way around the table.'
+ !!python/unicode 'Cheridan':
+ - !!python/unicode 'tweak': !!python/unicode '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!'
+ !!python/unicode 'Cobby':
+ - !!python/unicode 'experiment': !!python/unicode 'Flashes have been rebalanced
+ to be more powerful'
+ !!python/unicode 'Cyberboss':
+ - !!python/unicode 'rscadd': !!python/unicode 'Test merged PRs are now more detailed'
+ !!python/unicode 'Cyberboss, Bgobandit, and Yogstation':
+ - !!python/unicode 'rscadd': !!python/unicode 'The HoP can now prioritze roles for
+ late-joiners'
+ !!python/unicode 'Dannno':
+ - !!python/unicode 'imageadd': !!python/unicode 'Robust Softdrinks LLC. has sent
+ out new vendies to the stendy.'
+ !!python/unicode 'Every coder, player, and admin in Space Station 13':
+ - !!python/unicode 'rscadd': !!python/unicode 'Adds the Tomb Of The Unknown Employee
+ to Central Command,'
+ - !!python/unicode 'rscadd': !!python/unicode 'Rest in peace, those who died after
+ contributing to Space Station 13.'
+ !!python/unicode 'ExcessiveUseOfCobblestone':
+ - !!python/unicode 'experiment': !!python/unicode 'All core traits [Hydroponics]
+ scale with the parts in the gene machine. Time to beg Duke''s Guide Read....
+ I mean RND!'
+ - !!python/unicode 'tweak': !!python/unicode 'Data disks with genes on them will
+ have just the name of the gene instead of the prefix "plant data disk".'
+ - !!python/unicode 'tweak': !!python/unicode 'If you were unaware, you can rename
+ these disks with a pen. Now, you can also change the description if you felt
+ inclined to.'
+ !!python/unicode 'Fox McCloud':
+ - !!python/unicode 'rscadd': !!python/unicode 'Modular receiver removed from the
+ protolathe to autolathe'
+ - !!python/unicode 'tweak': !!python/unicode 'Modular receiver cost is now 15,000
+ metal'
+ !!python/unicode 'Francinum':
+ - !!python/unicode 'bugfix': !!python/unicode 'Holopads now require power.'
+ !!python/unicode 'Fun Police':
+ - !!python/unicode 'tweak': !!python/unicode 'Reject Adminhelp and IC Issue buttons
+ have a cooldown.'
+ !!python/unicode 'Gun Hog':
+ - !!python/unicode 'rscadd': !!python/unicode 'The Aux Base console now controls
+ turrets made by the construction console.'
+ - !!python/unicode 'rscadd': !!python/unicode 'The Aux Base may now be dropped at
+ a random location if miners fail to use the landing remote.'
+ - !!python/unicode 'rscadd': !!python/unicode 'The mining shuttle may now dock at
+ the Aux Base''s spot once the base is dropped.'
+ - !!python/unicode 'tweak': !!python/unicode 'Removed access levels on the mining
+ shuttle so it can be used at the public dock.'
+ - !!python/unicode 'tweak': !!python/unicode 'The Aux Base''s turrets now fire through
+ glass. Reminder that the turrets need to be installed outside the base for full
+ damage.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Added a base construction console
+ to Delta Station.'
+ !!python/unicode 'Gun Hog and Shadowlight213':
+ - !!python/unicode 'rscadd': !!python/unicode '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.'
+ - !!python/unicode 'rscadd': !!python/unicode 'AI shells and AIs controlling a shell
+ can be determined through the Diagnostic HUD.'
+ - !!python/unicode 'rscadd': !!python/unicode 'AIs can deploy to a shell using the
+ new action buttons or by simply clicking on it.'
+ - !!python/unicode 'experiment': !!python/unicode 'An AI shell will always have
+ the laws of its controlling AI.'
+ !!python/unicode 'Hyena':
+ - !!python/unicode 'tweak': !!python/unicode 'Detective revolver/ammo now starts
+ in their shoulder holster'
+ !!python/unicode 'Iamgoofball':
+ - !!python/unicode 'bugfix': !!python/unicode 'Freon no longer bypasses atmos hardsuits.'
+ !!python/unicode 'Incoming5643':
+ - !!python/unicode 'imageadd': !!python/unicode 'Server Owners: There is a new system
+ for title screens accessible from config/title_screen folder.'
+ - !!python/unicode 'rscadd': !!python/unicode 'This system allows for multiple rotating
+ title screens as well as map specific title screens.'
+ - !!python/unicode 'rscadd': !!python/unicode 'It also allows for hosting title
+ screens in formats other than DMI.'
+ - !!python/unicode 'rscadd': !!python/unicode '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.'
+ !!python/unicode 'JStheguy':
+ - !!python/unicode 'imageadd': !!python/unicode 'Changed Desert Eagle sprites, changed
+ .50 AE magazine sprites, added Desert Eagle magazine overlay to icons/obj/guns/projectile.dmi.'
+ - !!python/unicode 'tweak': !!python/unicode '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.'
+ !!python/unicode 'Joan':
+ - !!python/unicode 'rscdel': !!python/unicode 'His Grace no longer globally announces
+ when He is awakened or falls to sleep.'
+ - !!python/unicode 'rscdel': !!python/unicode 'His Grace is not a toolbox, even
+ if He looks like one.'
+ - !!python/unicode 'experiment': !!python/unicode 'His Grace no longer requires
+ organs to awaken.'
+ - !!python/unicode 'tweak': !!python/unicode 'His Grace now gains 4 force for each
+ victim consumed, always provides stun immunity, and will, generally, take longer
+ to consume His owner.'
+ - !!python/unicode 'experiment': !!python/unicode 'His Grace must be destroyed to
+ free the bodies within Him.'
+ - !!python/unicode 'experiment': !!python/unicode 'Dropping His Grace while He is
+ awake will cause you to suffer His Wrath until you hold Him again.'
+ - !!python/unicode 'rscadd': !!python/unicode 'His Grace becomes highly aggressive
+ after consuming His owner, and will hunt His own prey.'
+ - !!python/unicode 'experiment': !!python/unicode '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.'
+ - !!python/unicode 'rscadd': !!python/unicode '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.'
+ - !!python/unicode 'tweak': !!python/unicode 'The Ark also requires an additional
+ invoker to invoke.'
+ !!python/unicode 'Jordie0608':
+ - !!python/unicode 'tweak': !!python/unicode 'The Banning Panel now organises search
+ results into pages of 15 each.'
+ !!python/unicode 'Kevinz000':
+ - !!python/unicode 'rscadd': !!python/unicode '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.'
+ !!python/unicode 'Kor':
+ - !!python/unicode 'bugfix': !!python/unicode 'You will now retain your facing when
+ getting pushed by another mob.'
+ !!python/unicode 'Kor, Jordie0608 and Tokiko1':
+ - !!python/unicode 'rscadd': !!python/unicode '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.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Supermatter crystals now collapse
+ into singularities when they fail, rather than explode.'
+ !!python/unicode 'LanCartwright':
+ - !!python/unicode 'rscadd': !!python/unicode 'Adds scaling damage to buckshot.'
+ !!python/unicode 'Lobachevskiy':
+ - !!python/unicode 'bugfix': !!python/unicode 'Fixed glass shards affecting buckled
+ and flying mobs'
+ !!python/unicode 'Lombardo2':
+ - !!python/unicode 'rscadd': !!python/unicode 'The tentacle changeling mutation
+ now changes the arm appearance when activated.'
+ !!python/unicode 'Lordpidey':
+ - !!python/unicode 'bugfix': !!python/unicode 'Devils can no longer break into areas
+ with sheer force of disco funk'
+ - !!python/unicode 'rscadd': !!python/unicode 'The pitchfork of an ascended devil
+ can now break down walls.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Hell has decided to at least clothe
+ it''s devils when sending them a brand new body.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Pitchforks glow red now.'
+ !!python/unicode 'Lzimann':
+ - !!python/unicode 'tweak': !!python/unicode 'Communications console can also check
+ the ID the user is wearing.'
+ !!python/unicode 'MMMiracles (CereStation)':
+ - !!python/unicode 'rscadd': !!python/unicode 'Added a patrol path for bots, includes
+ 2 round-start securitrons placed on opposite sites of station.'
+ - !!python/unicode 'wip': !!python/unicode '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.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Added multiple status displays, extinguishers,
+ and appropriate newscasters to hallways.'
+ - !!python/unicode 'rscadd': !!python/unicode 'A drone dispenser is now located
+ underneath Engineering in maintenance.'
+ - !!python/unicode 'rscadd': !!python/unicode '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?'
+ - !!python/unicode 'tweak': !!python/unicode 'Security''s mail chute no longer leads
+ into the armory. This was probably not the best idea in hindsight.'
+ - !!python/unicode 'tweak': !!python/unicode 'Virology has a bathroom now.'
+ - !!python/unicode 'tweak': !!python/unicode 'Genetics monkey pen is a bit more
+ green now.'
+ - !!python/unicode 'bugfix': !!python/unicode 'Lawyer now has access the brig cells
+ so he can complain more effectively.'
+ - !!python/unicode 'bugfix': !!python/unicode 'Xenobio kill chamber is now in range
+ of a camera.'
+ - !!python/unicode 'bugfix': !!python/unicode 'Removed rogue bits of Vault area.'
+ - !!python/unicode 'bugfix': !!python/unicode 'Medbay escape pod no longer juts
+ out far enough to block the disposal''s path.'
+ - !!python/unicode 'bugfix': !!python/unicode 'Captain''s spare ID is now real and
+ not just a gold ID card.'
+ !!python/unicode 'MrPerson':
+ - !!python/unicode 'experiment': !!python/unicode 'Ion storms have several new additions:'
+ - !!python/unicode 'rscadd': !!python/unicode '25% chance to flatly replace the
+ AI''s core lawset with something random in the config. Suddenly the AI is Corporate,
+ deal w/ it.'
+ - !!python/unicode 'rscadd': !!python/unicode '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.'
+ - !!python/unicode 'rscadd': !!python/unicode '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.'
+ - !!python/unicode 'rscadd': !!python/unicode '10% chance afterwards to shuffle
+ all the AI''s laws.'
+ !!python/unicode 'MrStonedOne':
+ - !!python/unicode 'experiment': !!python/unicode 'The game will now force hardware
+ rendering on for all clients.'
+ !!python/unicode 'Mysterious Basilman':
+ - !!python/unicode 'rscadd': !!python/unicode 'More powerful toolboxes are active
+ in this world...'
+ !!python/unicode 'Nienhaus':
+ - !!python/unicode 'rscadd': !!python/unicode 'Drying racks have new sprites.'
+ !!python/unicode 'PJB3005':
+ - !!python/unicode 'rscadd': !!python/unicode 'Rebased to /vg/station lighting code.'
+ !!python/unicode 'PKPenguin321':
+ - !!python/unicode 'tweak': !!python/unicode 'Cryoxadone''s ability to heal cloneloss
+ has been greatly reduced.'
+ - !!python/unicode 'rscadd': !!python/unicode '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.'
+ !!python/unicode 'Penguaro':
+ - !!python/unicode 'bugfix': !!python/unicode 'Changed DIR of Gas Filter for O2
+ in Waste Loop from 1 to 4'
+ !!python/unicode 'QV':
+ - !!python/unicode 'bugfix': !!python/unicode 'Fixed taking max suffocation damage
+ whenever oxygen was slightly low'
+ !!python/unicode 'Qbopper':
+ - !!python/unicode 'spellcheck': !!python/unicode 'Drones are now given OOC guidelines
+ to follow as well as their IC lawset.'
+ !!python/unicode 'QualityVan':
+ - !!python/unicode 'bugfix': !!python/unicode 'Improved stethoscopes'
+ !!python/unicode 'RemieRichards':
+ - !!python/unicode 'bugfix': !!python/unicode 'Using TK on the supermatter will
+ burn your head off violently, don''t do this.'
+ - !!python/unicode 'rscadd': !!python/unicode '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.'
+ !!python/unicode 'Robustin':
+ - !!python/unicode 'tweak': !!python/unicode 'Hulks can no longer use pneumatic
+ cannons or flamethrowers'
+ !!python/unicode 'Scoop':
+ - !!python/unicode 'tweak': !!python/unicode 'Condimasters now correctly drop their
+ items in front of their sprite.'
+ !!python/unicode 'Sligneris':
+ - !!python/unicode 'imageadd': !!python/unicode 'Updated sprites for the small xeno
+ queen mode'
+ !!python/unicode 'Space Bicycle Consortium':
+ - !!python/unicode 'bugfix': !!python/unicode 'Bicycles now only cost 10,000 yen,
+ down from 1,000,000 yen.'
+ !!python/unicode 'Steelpoint':
+ - !!python/unicode 'rscadd': !!python/unicode 'The Head of Security''s Hardsuit
+ is now equipped with a inbuilt Jetpack.'
+ !!python/unicode 'Supermichael777':
+ - !!python/unicode 'tweak': !!python/unicode 'The button now has a five second delay
+ when detonating bombs'
+ !!python/unicode 'Swindly':
+ - !!python/unicode 'rscadd': !!python/unicode 'Trays can now be used to insert food
+ into food processors'
+ !!python/unicode 'TalkingCactus':
+ - !!python/unicode 'bugfix': !!python/unicode 'New characters will now have their
+ backpack preference correctly set to "Department Backpack".'
+ !!python/unicode 'Thunder12345':
+ - !!python/unicode 'bugfix': !!python/unicode 'It''s ACTUALLY possible to pat people
+ on the head now'
+ !!python/unicode 'Tofa01':
+ - !!python/unicode 'bugfix': !!python/unicode 'Re-Arranges And Extends Pubby Escape
+ Hallway To Allow Larger Shuttle To Dock'
+ - !!python/unicode 'bugfix': !!python/unicode '[Meta] Fixes top left grounding rod
+ from being destroyed by the Tesla engine.'
+ !!python/unicode 'Tokiko1':
+ - !!python/unicode 'rscadd': !!python/unicode 'Most gases now have unique effects
+ when surrounding the supermatter crystal.'
+ - !!python/unicode 'tweak': !!python/unicode 'The supermatter crystal can now take
+ damage from too much energy and too much gas.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Added a dangerous overcharged state
+ to the supermatter crystal.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Readded explosion delaminations,
+ a new tesla delamination and allowed the singulo delamination to absorb the
+ supermatter.'
+ - !!python/unicode 'tweak': !!python/unicode 'The type of delamination now depends
+ on the state of the supermatter crystal.'
+ - !!python/unicode 'tweak': !!python/unicode 'Various supermatter engine rebalancing
+ and fixes.'
+ !!python/unicode 'TrustyGun':
+ - !!python/unicode 'rscadd': !!python/unicode 'Traitor mimes can now learn two new
+ spells for 15 tc.'
+ - !!python/unicode 'rscadd': !!python/unicode 'The first, Invisible Blockade, creates
+ a 3x1 invisible wall.'
+ - !!python/unicode 'rscadd': !!python/unicode 'The second, Finger Guns, allows them
+ to shoot bullets out of their fingers.'
+ !!python/unicode 'WJohn':
+ - !!python/unicode 'imageadd': !!python/unicode 'Improved blueshift sprites, courtesy
+ of Nienhaus.'
+ !!python/unicode 'WJohnston':
+ - !!python/unicode 'imageadd': !!python/unicode 'New and improved BRPED beam. The
+ old one was hideous.'
+ !!python/unicode 'XDTM':
+ - !!python/unicode 'rscadd': !!python/unicode 'Bluespace Crystals are now a material
+ that can be inserted in Protolathes and Circuit Printers. Some items now require
+ Bluespace Mesh.'
+ - !!python/unicode 'rscadd': !!python/unicode '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.'
+ !!python/unicode 'Xhuis':
+ - !!python/unicode 'bugfix': !!python/unicode 'Medipens are no longer reusable.'
+ !!python/unicode 'bgobandit':
+ - !!python/unicode 'tweak': !!python/unicode 'Alt-clicking a command headset toggles
+ HIGH VOLUME mode.'
+ !!python/unicode 'coiax':
+ - !!python/unicode 'rscadd': !!python/unicode '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.)'
+ - !!python/unicode 'rscadd': !!python/unicode 'The changeling power "Anatomic Panacea"
+ now causes the changeling to vomit out zombie infections, along with headslugs
+ and xeno infections, as before.'
+ - !!python/unicode 'bugfix': !!python/unicode 'The main CTF laser gun disappears
+ when dropped on the floor.'
+ !!python/unicode 'fludd12':
+ - !!python/unicode 'bugfix': !!python/unicode 'Modifying/deconstructing skateboards
+ while riding them no longer nails you to the sky.'
+ !!python/unicode 'grimreaperx15':
+ - !!python/unicode 'tweak': !!python/unicode 'Blood Cult Pylons will now rapidly
+ regenerate any nearby cultists blood, in addition to the normal healing they
+ do.'
+ !!python/unicode 'kevinz000':
+ - !!python/unicode 'bugfix': !!python/unicode 'Flightsuits actually fly over people'
+ - !!python/unicode 'bugfix': !!python/unicode 'Flightsuits don''t interrupt pulls
+ when you pass through doors'
+ !!python/unicode 'ktccd':
+ - !!python/unicode 'bugfix': !!python/unicode '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.'
+ !!python/unicode 'lordpidey':
+ - !!python/unicode 'rscadd': !!python/unicode 'Glitter bombs have been added to
+ arcade prizes.'
+ !!python/unicode 'ma44':
+ - !!python/unicode 'tweak': !!python/unicode 'Intercepted messages from a lavaland
+ syndicate base reveals they have additional grenade and other miscellaneous
+ equipment.'
+ !!python/unicode 'octareenroon91':
+ - !!python/unicode 'rscadd': !!python/unicode 'Allow new reflector frames to be
+ built from metal sheets.'
+ !!python/unicode 'oranges':
+ - !!python/unicode 'rscdel': !!python/unicode 'Removed patting'
+ !!python/unicode 'peoplearestrange':
+ - !!python/unicode 'bugfix': !!python/unicode 'Fixed buildmodes full tile window
+ to be correct path'
+ !!python/unicode 'rock':
+ - !!python/unicode 'soundadd': !!python/unicode 'you can now harmlessly slap somebody
+ by aiming for the mouth on disarm intent.'
+ - !!python/unicode 'soundadd': !!python/unicode 'you can only slap somebody who
+ is unarmed on help intent, restrained, or ready to slap you.'
+ !!python/unicode 'uraniummeltdown':
+ - !!python/unicode 'rscadd': !!python/unicode 'Shuttle engines have new sprites.'
2017-12-16:
- Armhulen and lagnas2000 (+his team of amazing spriters):
- - rscadd: Mi-go have entered your realm!
+ !!python/unicode 'ACCount':
+ - !!python/unicode 'tweak': !!python/unicode '"Tail removal" and "tail attachment"
+ surgeries are merged with "organ manipulation".'
+ - !!python/unicode 'imageadd': !!python/unicode 'New sprites for reflectors. They
+ finally look like something.'
+ - !!python/unicode 'rscadd': !!python/unicode 'You can lock reflector''s rotation
+ by using a screwdriver. Use the screwdriver again to unlock it.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Reflector examine now shows the current
+ angle and rotation lock status.'
+ - !!python/unicode 'rscadd': !!python/unicode 'You can now use a welder to repair
+ damaged reflectors.'
+ - !!python/unicode 'bugfix': !!python/unicode 'Multiple reflector bugs are fixed.'
+ !!python/unicode 'Anonmare':
+ - !!python/unicode 'rscadd': !!python/unicode 'Adds new grindables'
+ !!python/unicode 'AnturK':
+ - !!python/unicode 'balance': !!python/unicode 'Dying in shapeshifted form reverts
+ you to the original one. (You''re still dead)'
+ !!python/unicode 'Armhulen':
+ - !!python/unicode 'rscadd': !!python/unicode 'Wizards may now shapeshift into viper
+ spiders.'
+ !!python/unicode 'Armhulen and lagnas2000 (+his team of amazing spriters)':
+ - !!python/unicode 'rscadd': !!python/unicode 'Mi-go have entered your realm!'
+ !!python/unicode 'AutomaticFrenzy':
+ - !!python/unicode 'bugfix': !!python/unicode 'cell chargers weren''t animating
+ properly'
+ - !!python/unicode 'bugfix': !!python/unicode 'disable_warning wasn''t getting checked
+ and the chat was being spammed'
+ !!python/unicode 'AverageJoe82':
+ - !!python/unicode 'rscadd': !!python/unicode 'drones now have night vision'
+ - !!python/unicode 'rscdel': !!python/unicode 'drones no longer have lights'
+ !!python/unicode 'BeeSting12':
+ - !!python/unicode 'spellcheck': !!python/unicode 'Occupand ---> Occupant on
+ opened cryogenic pods.'
+ - !!python/unicode 'spellcheck': !!python/unicode 'Cyrogenic ---> Cryogenic on
+ opened cryogenic pods.'
+ !!python/unicode 'Cobby':
+ - !!python/unicode 'rscadd': !!python/unicode 'The Xray now only hits the first
+ mob it comes into contact with instead of being outright removed from the game.'
+ !!python/unicode 'Code by Pyko, Ported by Frozenguy5':
+ - !!python/unicode 'rscadd': !!python/unicode 'Rat Kebabs and Double Rat Kebabs
+ have been added!'
+ !!python/unicode 'CosmicScientist':
+ - !!python/unicode 'bugfix': !!python/unicode 'bolas are back in tablecrafting!'
+ !!python/unicode 'Cruix':
+ - !!python/unicode 'rscadd': !!python/unicode 'Shuttle navigation computers can
+ now place new transit locations over the shuttle''s current position.'
+ !!python/unicode 'Cyberboss':
+ - !!python/unicode 'bugfix': !!python/unicode 'Clockwork slabs no longer refer to
+ components'
+ !!python/unicode 'Dax Dupont':
+ - !!python/unicode 'rscadd': !!python/unicode '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!'
+ !!python/unicode 'Dax Dupont & Alek2ander':
+ - !!python/unicode 'tweak': !!python/unicode 'Binary chat messages been made more
+ visible.'
+ !!python/unicode 'DaxDupont':
+ - !!python/unicode 'bugfix': !!python/unicode 'Fancy boxes(ie: donut boxes) now
+ show the proper content amount in the sprite and no longer go invisible when
+ empty.'
+ !!python/unicode 'Dorsisdwarf':
+ - !!python/unicode 'tweak': !!python/unicode 'Catpeople are now distracted instead
+ of debilitated'
+ - !!python/unicode 'rscadd': !!python/unicode 'Normal cats now go for laser pointers'
+ !!python/unicode 'Epoc':
+ - !!python/unicode 'bugfix': !!python/unicode 'Adds Cybernetic Lungs to the Cyber
+ Organs research node'
+ !!python/unicode 'ExcessiveUseOfCobblestone':
+ - !!python/unicode 'bugfix': !!python/unicode 'You can now lay (buckle!) yourself
+ to a bed to avoid being burnt to a crisp during "the floor is lava" event.'
+ !!python/unicode 'Floyd / Qustinnus':
+ - !!python/unicode 'soundadd': !!python/unicode 'Redtexting as a traitor now plays
+ a depressing tune to you'
+ !!python/unicode 'Floyd / Qustinnus (And all the sounds by Kayozz11 from Yogstation)':
+ - !!python/unicode 'soundadd': !!python/unicode 'Adds about 30 new ambience sounds'
+ - !!python/unicode 'refactor': !!python/unicode 'added new defines for ambience
+ lists.'
+ !!python/unicode 'Floyd / Qustinnus:':
+ - !!python/unicode 'soundadd': !!python/unicode 'Adds a few sound_loop datums to
+ machinery.'
+ !!python/unicode 'Fox McCloud':
+ - !!python/unicode 'tweak': !!python/unicode 'Slime blueprints can now make an area
+ compatible with Xenobio consoles, regardless of the name of the new area'
+ !!python/unicode 'Francinum':
+ - !!python/unicode 'tweak': !!python/unicode 'The shuttle build plate is now better
+ sized for all stations.'
+ !!python/unicode 'Frozenguy5':
+ - !!python/unicode 'bugfix': !!python/unicode 'Broken cable cuffs no longer has
+ an invisible sprite.'
+ !!python/unicode 'Fury':
+ - !!python/unicode 'rscadd': !!python/unicode 'Added new sprites for the Heirophant
+ Relay (clock cultist telecomms equipment).'
+ !!python/unicode 'Gun Hog':
+ - !!python/unicode 'bugfix': !!python/unicode 'The GPS item now correctly changes
+ its name when the GPS tag is changed.'
+ !!python/unicode 'GupGup':
+ - !!python/unicode 'bugfix': !!python/unicode 'Fixes hostile mobs attacking surrounding
+ tiles when trying to attack someone'
+ !!python/unicode 'Iamgoofball':
+ - !!python/unicode 'tweak': !!python/unicode 'Cooldown on the Ripley''s mining drills
+ has been halved.'
+ - !!python/unicode 'tweak': !!python/unicode 'The frequency of the Ripley''s ore
+ pulse has been doubled.'
+ !!python/unicode 'Improvedname':
+ - !!python/unicode 'tweak': !!python/unicode 'Reverts katana''s to its orginal size
+ being huge'
+ !!python/unicode 'JJRcop':
+ - !!python/unicode 'rscadd': !!python/unicode 'The heart of darkness revives you
+ as a shadowperson if you aren''t one already.'
+ !!python/unicode 'JStheguy':
+ - !!python/unicode 'rscadd': !!python/unicode 'Added 10 new assembly designs to
+ the integrated circuit printer, the difference from current designs is purely
+ aesthetics.'
+ - !!python/unicode 'imageadd': !!python/unicode 'Added the icons for said new assembly
+ designs to electronic_setups.dmi, changed the current electronic mechanism and
+ electronic machine sprites.'
+ !!python/unicode 'Jalleo':
+ - !!python/unicode 'tweak': !!python/unicode 'Removed a variable to state which
+ RCD''s can deconstruct reinforced walls'
+ - !!python/unicode 'balance': !!python/unicode 'Made combat (ERT ones) and admin
+ RCDs able to deconstruct r walls alongside borg ones'
+ !!python/unicode 'JamieH':
+ - !!python/unicode 'rscadd': !!python/unicode 'Buildmode map generators will now
+ show you a preview of the area you''re changing'
+ - !!python/unicode 'rscadd': !!python/unicode 'Buildmode map generators will now
+ ask before nuking the map'
+ - !!python/unicode 'bugfix': !!python/unicode 'Buildmode map generator corners can
+ now only be set by left clicking'
+ !!python/unicode 'Kor':
+ - !!python/unicode 'rscadd': !!python/unicode 'Blob is now a side antagonist.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Event and admin blobs will now be
+ able to choose their spawn location.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Blob can now win in any mode by gaining
+ enough tiles to reach Critical Mass.'
+ - !!python/unicode 'rscadd': !!python/unicode '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.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Using an analyzer on a blob will
+ now reveal its progress towards Critical Mass.'
+ - !!python/unicode 'rscadd': !!python/unicode 'The blob event is now more common.'
+ !!python/unicode 'Kor and JJRcop':
+ - !!python/unicode 'rscadd': !!python/unicode 'Added vampires. They will be available
+ as a roundstart race during the Halloween holiday event.'
+ !!python/unicode 'MMMiracles':
+ - !!python/unicode 'balance': !!python/unicode 'Power regen on the regular tesla
+ relay has been reduced to 50, from 150.'
+ !!python/unicode 'Mark9013100':
+ - !!python/unicode 'tweak': !!python/unicode 'The Medical Cloning manual has been
+ updated.'
+ !!python/unicode 'Mercenaryblue':
+ - !!python/unicode 'bugfix': !!python/unicode 'when decapitated, banana-flavored
+ cream no longer hovers where your head used to be.'
+ !!python/unicode 'More Robust Than You':
+ - !!python/unicode 'rscadd': !!python/unicode 'EI NATH! now causes a flash of light'
+ !!python/unicode 'MrDoomBringer':
+ - !!python/unicode 'imageadd': !!python/unicode 'All stations have been outfitted
+ with brand new Smoke Machines! They have nicer sprites now!'
+ !!python/unicode 'MrPerson & ninjanomnom':
+ - !!python/unicode 'refactor': !!python/unicode 'Completely changed how keyboard
+ input is read.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Holding two directions at the same
+ time will now move you diagonally. This works with the arrow keys, wasd, and
+ the numpad.'
+ - !!python/unicode 'tweak': !!python/unicode 'Moving diagonally takes twice as long
+ as moving a cardinal direction.'
+ - !!python/unicode 'bugfix': !!python/unicode 'You can use control to turn using
+ wasd and the numpad instead of just the arrow keys.'
+ - !!python/unicode 'rscdel': !!python/unicode '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.'
+ !!python/unicode 'MrStonedOne':
+ - !!python/unicode 'code_imp': !!python/unicode '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).'
+ !!python/unicode 'MrStonedOne and Jordie':
+ - !!python/unicode 'server': !!python/unicode 'As a late note, serverops be advise
+ that mysql is no longer supported. existing mysql databases will need to be
+ converted to mariadb'
+ !!python/unicode 'Naksu':
+ - !!python/unicode 'bugfix': !!python/unicode 'Pinned notes will now show up on
+ vault, abductor, centcom and large glass airlocks.'
+ - !!python/unicode 'spellcheck': !!python/unicode 'Removed a misleading message
+ when handling full stacks of sheets.'
+ - !!python/unicode 'bugfix': !!python/unicode '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.'
+ - !!python/unicode 'bugfix': !!python/unicode 'Player-controlled "neutral" mobs
+ such as minebots are now considered valid targets by clock cult''s ocular wardens.'
+ !!python/unicode 'Okand37':
+ - !!python/unicode 'rscadd': !!python/unicode 'Re-organized Delta''s departmental
+ protolathes for all departments.'
+ - !!python/unicode 'rscadd': !!python/unicode '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.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Added a second Nanomed to Deltastation''s
+ medical bay.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Nanotrasen has decided to add proper
+ caution signs to most docking ports on Deltastation, warning individuals to
+ be cautious around these areas.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Two health sensors are now placed
+ in Deltastation''s robotics area for medibots.'
+ - !!python/unicode 'bugfix': !!python/unicode 'Atmospheric Technicians at Deltastation
+ can now open up their gas storage in the supermatter power area as intended.'
+ !!python/unicode 'Okand37 (DeltaStation Updates)':
+ - !!python/unicode 'rscadd': !!python/unicode 'Tweaked Atmospherics'
+ - !!python/unicode 'bugfix': !!python/unicode 'Fixed the Incinerator air injector'
+ - !!python/unicode 'rscadd': !!python/unicode 'Tweaked Engineering'
+ - !!python/unicode 'rscadd': !!python/unicode 'Added logs to the Chaplain''s closet
+ for gimmicks (bonfires)'
+ - !!python/unicode 'rscadd': !!python/unicode 'Tweaked Security'
+ - !!python/unicode 'bugfix': !!python/unicode 'Fixed medical morgue maintenance
+ not providing radiation shielding and exterior chemistry windoor'
+ - !!python/unicode 'rscadd': !!python/unicode 'Bar now has a door from the backroom
+ to the theatre stage'
+ - !!python/unicode 'rscadd': !!python/unicode 'Tweaked Locker Room/Dormitories'
+ !!python/unicode 'PKPenguin321':
+ - !!python/unicode 'tweak': !!python/unicode 'You can now use beakers/cups/etc that
+ have welding fuel in them on welders to refuel them.'
+ !!python/unicode 'Qbopper and JJRcop':
+ - !!python/unicode 'tweak': !!python/unicode 'The default internet sound volume
+ was changed from 100 to 25. Stop complaining in OOC about your ears!'
+ !!python/unicode 'Revenant Defile ability':
+ - !!python/unicode 'bugfix': !!python/unicode 'Revenant''s Defile now removes salt
+ piles'
+ !!python/unicode 'Robustin':
+ - !!python/unicode 'bugfix': !!python/unicode 'The smoke machine now properly generates
+ transparent smoke, transmits chemicals, and displays the proper icons.'
+ !!python/unicode 'Shadowlight213':
+ - !!python/unicode 'code_imp': !!python/unicode 'Added round id to the status world
+ topic'
+ !!python/unicode 'ShizCalev':
+ - !!python/unicode 'tweak': !!python/unicode '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.'
+ - !!python/unicode 'bugfix': !!python/unicode 'Corrected mapping issues introduced
+ with the latest SM engine/radiation update across all relevant maps.'
+ - !!python/unicode 'bugfix': !!python/unicode 'The tools on the Caravan Ambush space
+ ruin have had their speeds corrected.'
+ - !!python/unicode 'bugfix': !!python/unicode 'Slappers will no longer appear as
+ a latex balloon in your hand.'
+ - !!python/unicode 'bugfix': !!python/unicode 'Renault now has a comfy new bed on
+ Metastation!'
+ - !!python/unicode 'tweak': !!python/unicode 'Engineering cyborgs now have access
+ to geiger counters.'
+ !!python/unicode 'Skylar Lineman, your local R&D; moonlighter':
+ - !!python/unicode 'rscadd': !!python/unicode '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.'
+ - !!python/unicode 'rscadd': !!python/unicode '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.'
+ - !!python/unicode 'rscadd': !!python/unicode '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!'
+ - !!python/unicode 'balance': !!python/unicode '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.'
+ - !!python/unicode 'balance': !!python/unicode '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.'
+ !!python/unicode 'SpaceManiac':
+ - !!python/unicode 'bugfix': !!python/unicode 'Admins can once again spawn nuke
+ teams on demand.'
+ !!python/unicode 'Swindly':
+ - !!python/unicode 'rscadd': !!python/unicode 'Organ storage bags can be used to
+ perform limb augmentation.'
+ - !!python/unicode 'bugfix': !!python/unicode '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.'
+ - !!python/unicode 'bugfix': !!python/unicode 'Fixed hot items and fire heating
+ reagents to temperatures higher than their heat source.'
+ - !!python/unicode 'bugfix': !!python/unicode 'Sprays can now be heated with hot
+ items.'
+ - !!python/unicode 'tweak': !!python/unicode '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.'
+ - !!python/unicode 'tweak': !!python/unicode 'The body temperature of a mob with
+ reagents is affected by the temperature of the mob''s reagents.'
+ - !!python/unicode 'tweak': !!python/unicode 'Reagent containers can now be heated
+ by hot air.'
+ !!python/unicode 'Thefastfoodguy':
+ - !!python/unicode 'bugfix': !!python/unicode 'Spamming runes / battlecries / etc
+ will no longer trigger spam prevention'
+ !!python/unicode 'Thunder12345':
+ - !!python/unicode 'bugfix': !!python/unicode 'Sentient cats no longer forget to
+ fall over when they die'
+ !!python/unicode 'WJohnston':
+ - !!python/unicode 'bugfix': !!python/unicode 'Ancient station lighting fixed on
+ beta side (medical and atmos remains)'
+ !!python/unicode 'XDTM':
+ - !!python/unicode 'rscadd': !!python/unicode 'Ghosts now have a Toggle Health Scan
+ verb, which allows them to health scan mobs they click on.'
+ !!python/unicode 'Xhuis':
+ - !!python/unicode 'bugfix': !!python/unicode 'Cogged APCs can now be correctly
+ unlocked with an ID card.'
+ !!python/unicode 'Y0SH1 M4S73R':
+ - !!python/unicode 'spellcheck': !!python/unicode 'The R&D; Server''s name is
+ now improper.'
+ - !!python/unicode 'spellcheck': !!python/unicode 'The R&D; Server now has an
+ explanation of what it does.'
+ !!python/unicode 'Y0SH1_M4S73R':
+ - !!python/unicode 'bugfix': !!python/unicode 'Disabling leg actuators sets the
+ power drain per step to the correct value.'
+ !!python/unicode 'YPOQ':
+ - !!python/unicode 'bugfix': !!python/unicode 'EMPs can pulse multiple wires'
+ !!python/unicode 'arsserpentarium':
+ - !!python/unicode 'bugfix': !!python/unicode 'now lists should work properly'
+ !!python/unicode 'as334':
+ - !!python/unicode 'spellcheck': !!python/unicode 'This changelog has been updated
+ and so read it again if you are interested in doing assmos.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Atmospherics has been massively expanded
+ including new gases.'
+ - !!python/unicode 'rscadd': !!python/unicode 'These new gases include Brown Gas,
+ Pluoxium, Stimulum, Hyper-Noblium and Tritium.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Brown Gas is acidic to breath, but
+ mildly stimulation.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Stimulum is more stimulating and
+ much safer.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Pluoxium is a non-reactive form of
+ oxygen that delivers more oxygen into the bloodstream.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Hyper-Noblium is an extremely noble
+ gas, and stops gases from reacting.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Tritium is radioactive and flammable.'
+ - !!python/unicode 'rscadd': !!python/unicode 'New reactions have also been added
+ to create these gases.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Tritium formation: Heat large amounts
+ of oxygen with plasma. Make sure you have a filter ready and setup!'
+ - !!python/unicode 'rscadd': !!python/unicode '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.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Brown Gas formation: Heat Oxygen
+ and Nitrogen.'
+ - !!python/unicode 'rscadd': !!python/unicode 'BZ fixation: Heat Tritium and Plasma.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Stimulum formation: Heated Tritium,
+ Plasma, BZ and Brown Gas.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Hyper-Noblium condensation: Needs
+ Nitrogen and Tritium at a super high heat. Cools rapidly.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Pluoxium is unable to be formed.'
+ - !!python/unicode 'rscdel': !!python/unicode 'Freon has been removed. Use cold
+ nitrogen for your SME problems now.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Water vapor now freezes the tile
+ it is on when it is cooled heavily.'
+ !!python/unicode 'bgobandit':
+ - !!python/unicode 'tweak': !!python/unicode '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.)'
+ !!python/unicode 'coiax':
+ - !!python/unicode 'rscadd': !!python/unicode 'Quiet areas of libraries on station
+ have now been equipped with a vending machine containing suitable recreational
+ activities.'
+ !!python/unicode 'deathride58':
+ - !!python/unicode 'tweak': !!python/unicode 'You can now press Ctrl+H to stop pulling,
+ or simply H to stop pulling if you''re in hotkey mode.'
+ !!python/unicode 'duncathan':
+ - !!python/unicode 'tweak': !!python/unicode 'Portable air pumps can output to a
+ maximum of 25 atmospheres.'
+ !!python/unicode 'ike709':
+ - !!python/unicode 'imageadd': !!python/unicode 'Added directional computer sprites.
+ Maps haven''t been changed yet.'
+ !!python/unicode 'improvedname':
+ - !!python/unicode 'tweak': !!python/unicode 'toolbelts can now carry geiger counters'
+ !!python/unicode 'jammer312':
+ - !!python/unicode 'bugfix': !!python/unicode 'fixed conjuration spells forgetting
+ about conjured items'
+ !!python/unicode 'kevinz000':
+ - !!python/unicode 'refactor': !!python/unicode 'Legacy projectiles have been removed.
+ Instead, all projectiles are now PIXEL PROJECTILES!'
+ - !!python/unicode 'rscadd': !!python/unicode 'Reflectors can now be at any angle
+ you want. Alt click them to set angle!'
+ - !!python/unicode 'rscadd': !!python/unicode 'Pipes can now be layered up to 3
+ layers.'
+ !!python/unicode 'naltronix':
+ - !!python/unicode 'bugfix': !!python/unicode 'fixes that table that wasnt accessible
+ in Metastation'
+ !!python/unicode 'nicbn':
+ - !!python/unicode 'imageadd': !!python/unicode 'Chemical heater and smoke machine
+ resprited.'
+ !!python/unicode 'nicn':
+ - !!python/unicode 'balance': !!python/unicode 'Damage from low pressure has been
+ doubled.'
+ !!python/unicode 'ninjanomnom':
+ - !!python/unicode 'rscadd': !!python/unicode 'You can vomit blood at high enough
+ radiation.'
+ - !!python/unicode 'balance': !!python/unicode 'Radiation knockdown is far far shorter.'
+ - !!python/unicode 'balance': !!python/unicode 'Genetics modification is less harmful
+ but still, upgrade your machines.'
+ - !!python/unicode 'balance': !!python/unicode 'Pentetic acid is useless for low
+ amounts of radiation but indispensable for high amounts now.'
+ - !!python/unicode 'balance': !!python/unicode 'Singularity radiation has been normalized
+ and Pubby engine has been remapped.'
+ - !!python/unicode 'bugfix': !!python/unicode 'No more hair loss spam'
+ - !!python/unicode 'bugfix': !!python/unicode 'Mob rad contamination has been disabled
+ for now. Regular contamination is still a thing.'
+ - !!python/unicode 'bugfix': !!python/unicode 'Fixed turfs not rotating'
+ - !!python/unicode 'bugfix': !!python/unicode 'Fixed stealing structures you shouldn''t
+ be moving'
+ !!python/unicode 'ninjanomnom & Wjohn':
+ - !!python/unicode 'bugfix': !!python/unicode 'Cable cuffs now inherit the color
+ of the cables used to make them.'
+ - !!python/unicode 'bugfix': !!python/unicode 'Split cable stacks keep their color.'
+ - !!python/unicode 'tweak': !!python/unicode 'The blue cable color is now a better
+ blue.'
+ !!python/unicode 'oranges':
+ - !!python/unicode 'rscdel': !!python/unicode 'Removed the bluespace pipe'
+ !!python/unicode 'psykzz':
+ - !!python/unicode 'refactor': !!python/unicode 'AI Airlock UI to use TGUI'
+ - !!python/unicode 'tweak': !!python/unicode 'Allow AI to swap between electrified
+ door states without having to un-electrify first.'
+ !!python/unicode 'selea/arsserpentarium':
+ - !!python/unicode 'rscadd': !!python/unicode 'Integrated circuits have been added
+ to Research!'
+ - !!python/unicode 'rscadd': !!python/unicode 'You can use these to create devices
+ with very complex behaviors.'
+ - !!python/unicode 'rscadd': !!python/unicode 'Research the Integrated circuits
+ printer to get started.'
+ !!python/unicode 'tserpas1289':
+ - !!python/unicode 'tweak': !!python/unicode 'Any suit that could hold emergency
+ oxygen tanks can now also hold plasma man internals'
+ - !!python/unicode 'tweak': !!python/unicode 'Hydroponics winter coats now can hold
+ emergency oxygen tanks just like the other winter coats.'
+ - !!python/unicode 'bugfix': !!python/unicode 'Plasma men jumpsuits can now hold
+ accessories like pocket protectors and medals.'
+ !!python/unicode 'uraniummeltdown':
+ - !!python/unicode 'tweak': !!python/unicode 'Replica fabricatoring airlocks and
+ windoors keeps the old name'
+ - !!python/unicode 'tweak': !!python/unicode 'Narsie and Ratvar converting airlocks
+ and windoors keeps the old name'
+ !!python/unicode 'zennerx':
+ - !!python/unicode 'bugfix': !!python/unicode 'fixed a bug that made you try and
+ scream while unconscious due to a fire'
+ - !!python/unicode 'tweak': !!python/unicode 'Skateboard crashes now give slight
+ brain damage!'
+ - !!python/unicode 'rscadd': !!python/unicode 'Using a helmet prevents brain damage
+ from the skateboard!'
+2017-12-29:
+ Awesine:
+ - rscadd: added some things which happen to be mining scanner things to that gulag
+ thing
+ CitadelStationBot:
+ - 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: '"Download N research nodes" objective is now checked correctly again.'
+ - tweak: Objects that can have materials inserted into them only will do so on help
+ intent
+ - admin: Play Internet Sound now has an option to show the song title to players.
+ - bugfix: Emagged cleanbots can acid people again
+ - bugfix: Headgear worn by monkeys can be affected by acid
+ - code_imp: The R&D console has been made more responsive by tweaking how design
+ icons are loaded.
+ - rscadd: you can now pick up corgi's and pAIs, how disgustingly cute
+ - bugfix: Ghost lights will follow the ghost while orbiting
+ CosmicScientist:
+ - rscadd: timestop now inverts the colours of those frozen in time!
+ 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.
+ Frozenguy5:
+ - bugfix: Soapstones now give the correct time they were placed down.
+ 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.
+ More Robust Than You:
+ - tweak: Vending machines now use TGUI
+ - bugfix: The Radiance can now enter the chapel
+ Naksu:
+ - bugfix: frying oil actually works
+ Nero1024:
+ - soundadd: blast doors and shutters will now play a sound when they open and close.
+ PsyKzz:
+ - rscadd: Jaws of life can now cut handcuffs
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.
- SpaceManiac:
- - bugfix: The shuttle will no longer be autocalled if the round has already ended.
+ - 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%).
+ - bugfix: Hallucinations will no longer show open doors "bolting".
+ - 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: 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
+ WJohnston:
+ - tweak: Syndicate nuke op infiltrator shuttle is no longer lopsided.
+ 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.
Xhuis:
- - tweak: Vitality matrices don't have visible messages when someone crosses them
- anymore.
->>>>>>> 7f8905e... Fixes Mi-Go crediting (#33626)
+ - 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.
+ - rscadd: Maintenance drones and cogscarabs can now spawn with holiday-related hats
+ on some holidays!
+ coiax:
+ - rscadd: Golems can now wear labcoats.
+ - balance: The kitchen gibber must be anchored in order to use.
+ - balance: The gibber requires bodies to have no external items or equipment.
+ - rscadd: Ghosts can now use the *spin and *flip emotes.
+ deathride58:
+ - bugfix: Praise the lord! The shift+scroll hotkey to zoom in/out as a ghost works
+ properly again!
+ - rscadd: Mediborgs now have an alternate sprite taken from Paradise, featuring
+ heavy modifications from Vivi.
+ - rscadd: Standard security borgs now has two alternative sprites that were previously
+ unused in TG's files!
+ - rscadd: Engineering borgs now have an alternative sprite that was previously unused
+ in TG's files.
+ - rscadd: Mining borgs are now able to choose between the current lavaland paintjob
+ or the old asteroid paintjob.
+ - code_imp: Dogborgs are now modularized.
+ - code_imp: All of the copypasta brought by the new borg icons has been removed.
+ Custom borg sprites are now modular.
+ - code_imp: The additional modules in the borg module select menu have been modularized.
+ - code_imp: The module select icon file is now able to be modular. This does not
+ yet restore the regressed dogborg module select icons.
+ ninjanomnom:
+ - bugfix: Non movement keys pressed while moving no longer stop movement.
+ - bugfix: The backup shuttle has it's own area now and you should no longer occasionally
+ be teleported there by the arena shuttle.
+ - bugfix: The auxiliary mining base can no longer be placed on top of lava, indestructible
+ turfs, or inside particularly large ruins.
diff --git a/html/changelogs/AutoChangeLog-pr-3639.yml b/html/changelogs/AutoChangeLog-pr-3639.yml
deleted file mode 100644
index 3625dfce90..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3639.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "deathride58"
-delete-after: True
-changes:
- - bugfix: "Antags are able to greentext again"
diff --git a/html/changelogs/AutoChangeLog-pr-3731.yml b/html/changelogs/AutoChangeLog-pr-3731.yml
deleted file mode 100644
index 9486c7e793..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3731.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "ninjanomnom"
-delete-after: True
-changes:
- - bugfix: "Singularity objects no longer become contaminated by radiation."
- - admin: "Removed the radiation message admin spam and moved it to an investigation log."
diff --git a/html/changelogs/AutoChangeLog-pr-3747.yml b/html/changelogs/AutoChangeLog-pr-3747.yml
deleted file mode 100644
index 46ad021439..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3747.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "ACCount"
-delete-after: True
-changes:
- - tweak: "\"Tail removal\" and \"tail attachment\" surgeries are merged with \"organ manipulation\"."
diff --git a/html/changelogs/AutoChangeLog-pr-3818.yml b/html/changelogs/AutoChangeLog-pr-3818.yml
deleted file mode 100644
index 1be3ec57f4..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3818.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Swindly"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-3858.yml b/html/changelogs/AutoChangeLog-pr-3858.yml
deleted file mode 100644
index 2243f683c0..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3858.yml
+++ /dev/null
@@ -1,8 +0,0 @@
-author: "deathride58 & TGstation contributors"
-delete-after: True
-changes:
- - bugfix: "Fixed various area issues in Boxstation. The theatre no longer has an air alarm for space, and Security no longer has a line of walls with broken lighting."
- - tweak: "Added more lights to Boxstation's security"
- - rscadd: "(Upstream) Added a new white ship to Deltastation"
- - tweak: "(Upstream) Replaced the reinforced glass in Atmos' gas tanks with reinforced plasma glass"
- - tweak: "(Upstream) Atmos can no longer burn itself down via the waste loop outlet"
diff --git a/html/changelogs/AutoChangeLog-pr-3864.yml b/html/changelogs/AutoChangeLog-pr-3864.yml
deleted file mode 100644
index 2ff6cc010e..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3864.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - tweak: "Cooldown on the Ripley's mining drills has been halved."
- - tweak: "The frequency of the Ripley's ore pulse has been doubled."
diff --git a/html/changelogs/AutoChangeLog-pr-3871.yml b/html/changelogs/AutoChangeLog-pr-3871.yml
deleted file mode 100644
index 910a5893eb..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3871.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "Bluespace shelter walls no longer smooth with non-shelter walls and windows."
diff --git a/html/changelogs/AutoChangeLog-pr-3879.yml b/html/changelogs/AutoChangeLog-pr-3879.yml
deleted file mode 100644
index 440ea3e616..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3879.yml
+++ /dev/null
@@ -1,8 +0,0 @@
-author: "as334"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-3881.yml b/html/changelogs/AutoChangeLog-pr-3881.yml
deleted file mode 100644
index da5bf113eb..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3881.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Mark9013100"
-delete-after: True
-changes:
- - tweak: "Charcoal bottles have been renamed, and have been given a more informative description."
diff --git a/html/changelogs/AutoChangeLog-pr-3884.yml b/html/changelogs/AutoChangeLog-pr-3884.yml
deleted file mode 100644
index cccc830fa8..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3884.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "deathride58"
-delete-after: True
-changes:
- - 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"
diff --git a/html/changelogs/AutoChangeLog-pr-3886.yml b/html/changelogs/AutoChangeLog-pr-3886.yml
deleted file mode 100644
index df6baaf9e8..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3886.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "Clockwork slabs no longer refer to components"
diff --git a/html/changelogs/AutoChangeLog-pr-3887.yml b/html/changelogs/AutoChangeLog-pr-3887.yml
deleted file mode 100644
index 6abe71ce5d..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3887.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "DaxDupont"
-delete-after: True
-changes:
- - bugfix: "Medbots can inject from one tile away again."
diff --git a/html/changelogs/AutoChangeLog-pr-3889.yml b/html/changelogs/AutoChangeLog-pr-3889.yml
deleted file mode 100644
index 0dbe1a4a54..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3889.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "The detective and heads of staff are no longer attacked by portable turrets."
diff --git a/html/changelogs/AutoChangeLog-pr-3892.yml b/html/changelogs/AutoChangeLog-pr-3892.yml
deleted file mode 100644
index d56a3291ca..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3892.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "ninjanomnom"
-delete-after: True
-changes:
- - bugfix: "Fixes ruin cable spawning and probably some other bugs"
diff --git a/html/changelogs/AutoChangeLog-pr-3900.yml b/html/changelogs/AutoChangeLog-pr-3900.yml
deleted file mode 100644
index aea022be12..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3900.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Qbopper and JJRcop"
-delete-after: True
-changes:
- - tweak: "The default internet sound volume was changed from 100 to 25. Stop complaining in OOC about your ears!"
diff --git a/html/changelogs/AutoChangeLog-pr-3901.yml b/html/changelogs/AutoChangeLog-pr-3901.yml
deleted file mode 100644
index ac91a766d7..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3901.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "nicn"
-delete-after: True
-changes:
- - balance: "Damage from low pressure has been doubled."
diff --git a/html/changelogs/AutoChangeLog-pr-3908.yml b/html/changelogs/AutoChangeLog-pr-3908.yml
deleted file mode 100644
index bd69080a7d..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3908.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "Posters may no longer be placed on diagonal wall corners."
diff --git a/html/changelogs/AutoChangeLog-pr-3912.yml b/html/changelogs/AutoChangeLog-pr-3912.yml
deleted file mode 100644
index 85cf3a8454..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3912.yml
+++ /dev/null
@@ -1,9 +0,0 @@
-author: "Xhuis"
-delete-after: True
-changes:
- - 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: "Microwaves have new sounds!"
diff --git a/html/changelogs/AutoChangeLog-pr-3913.yml b/html/changelogs/AutoChangeLog-pr-3913.yml
deleted file mode 100644
index c2a59fe367..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3913.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Cobby"
-delete-after: True
-changes:
- - rscadd: "The Xray now only hits the first mob it comes into contact with instead of being outright removed from the game."
diff --git a/html/changelogs/AutoChangeLog-pr-3916.yml b/html/changelogs/AutoChangeLog-pr-3916.yml
deleted file mode 100644
index e61e4d044c..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3916.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Frozenguy5"
-delete-after: True
-changes:
- - bugfix: "Broken cable cuffs no longer has an invisible sprite."
diff --git a/html/changelogs/AutoChangeLog-pr-3919.yml b/html/changelogs/AutoChangeLog-pr-3919.yml
deleted file mode 100644
index ab0e21a5d3..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3919.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Floyd / Qustinnus"
-delete-after: True
-changes:
- - soundadd: "Reebe now has ambience sounds"
diff --git a/html/changelogs/AutoChangeLog-pr-3920.yml b/html/changelogs/AutoChangeLog-pr-3920.yml
deleted file mode 100644
index 8111335f02..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3920.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "LetterJay"
-delete-after: True
-changes:
- - bugfix: "Flavor text can be examined again"
diff --git a/html/changelogs/AutoChangeLog-pr-3951.yml b/html/changelogs/AutoChangeLog-pr-3951.yml
deleted file mode 100644
index 6dcac4a2d3..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3951.yml
+++ /dev/null
@@ -1,6 +0,0 @@
-author: "SpiderPsycho"
-delete-after: True
-changes:
- - rscadd: "Added insects without fuzz"
- - rscdel: "Removed fuzz"
- - tweak: "changed the name of the fuzzless sprites to insects so the character creation can call them properly."
diff --git a/html/changelogs/AutoChangeLog-pr-3959.yml b/html/changelogs/AutoChangeLog-pr-3959.yml
deleted file mode 100644
index f89f2489dd..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3959.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "disable_warning wasn't getting checked and the chat was being spammed"
diff --git a/html/changelogs/AutoChangeLog-pr-3960.yml b/html/changelogs/AutoChangeLog-pr-3960.yml
deleted file mode 100644
index dd9ab1e232..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3960.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "cell chargers weren't animating properly"
diff --git a/html/changelogs/AutoChangeLog-pr-3961.yml b/html/changelogs/AutoChangeLog-pr-3961.yml
deleted file mode 100644
index 52f66a3b46..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3961.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "ike709"
-delete-after: True
-changes:
- - imageadd: "Added new vent and scrubber sprites by Partheo."
diff --git a/html/changelogs/AutoChangeLog-pr-3964.yml b/html/changelogs/AutoChangeLog-pr-3964.yml
deleted file mode 100644
index 6061524af8..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3964.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - rscadd: "Atmos scrubbers (vent and portable) can now filter any and all gases."
diff --git a/html/changelogs/AutoChangeLog-pr-3966.yml b/html/changelogs/AutoChangeLog-pr-3966.yml
deleted file mode 100644
index 40cdd5ec13..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3966.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Naksu"
-delete-after: True
-changes:
- - bugfix: "Sped up saycode to remove free lag from highpop"
diff --git a/html/changelogs/AutoChangeLog-pr-3967.yml b/html/changelogs/AutoChangeLog-pr-3967.yml
deleted file mode 100644
index 28378bcc30..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3967.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "DaxDupont"
-delete-after: True
-changes:
- - tweak: "CentCom has issued a firmware updated for the operating computers. It is no longer needed to manually refresh the procedure and patient status."
diff --git a/html/changelogs/AutoChangeLog-pr-3968.yml b/html/changelogs/AutoChangeLog-pr-3968.yml
deleted file mode 100644
index 3430a1e8cb..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3968.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "JJRcop"
-delete-after: True
-changes:
- - bugfix: "Fixes changeling eggs not putting the changeling in control if the brainslug is destroyed before hatching."
diff --git a/html/changelogs/AutoChangeLog-pr-3969.yml b/html/changelogs/AutoChangeLog-pr-3969.yml
deleted file mode 100644
index 7f53c200d6..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3969.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "HUDs from mechs and helmets no longer conflict with HUD glasses and no longer inappropriately remove implanted HUDs."
diff --git a/html/changelogs/AutoChangeLog-pr-3975.yml b/html/changelogs/AutoChangeLog-pr-3975.yml
deleted file mode 100644
index 450706db1f..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3975.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "DaxDupont"
-delete-after: True
-changes:
- - bugfix: "Proximity sensors no longer beep when unarmed."
diff --git a/html/changelogs/AutoChangeLog-pr-3976.yml b/html/changelogs/AutoChangeLog-pr-3976.yml
deleted file mode 100644
index b3d144e1de..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3976.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Iamgoofball"
-delete-after: True
-changes:
- - spellcheck: "fixed grammar on output circuits"
diff --git a/html/changelogs/AutoChangeLog-pr-3977.yml b/html/changelogs/AutoChangeLog-pr-3977.yml
deleted file mode 100644
index a4916a713e..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3977.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Iamgoofball"
-delete-after: True
-changes:
- - spellcheck: "fixes grammar on list circuits"
diff --git a/html/changelogs/AutoChangeLog-pr-3978.yml b/html/changelogs/AutoChangeLog-pr-3978.yml
deleted file mode 100644
index 0840869b16..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3978.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Iamgoofball"
-delete-after: True
-changes:
- - spellcheck: "fixes grammar on logic gate descriptions"
diff --git a/html/changelogs/AutoChangeLog-pr-3979.yml b/html/changelogs/AutoChangeLog-pr-3979.yml
deleted file mode 100644
index e9a21ef984..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3979.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Iamgoofball"
-delete-after: True
-changes:
- - bugfix: "fixes grammar on trig circuits"
diff --git a/html/changelogs/AutoChangeLog-pr-3980.yml b/html/changelogs/AutoChangeLog-pr-3980.yml
deleted file mode 100644
index 09e3ebe5ef..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3980.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "MMMiracles"
-delete-after: True
-changes:
- - balance: "Power regen on the regular tesla relay has been reduced to 50, from 150."
diff --git a/html/changelogs/AutoChangeLog-pr-3981.yml b/html/changelogs/AutoChangeLog-pr-3981.yml
deleted file mode 100644
index 0670048ed3..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3981.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "nicbn"
-delete-after: True
-changes:
- - soundadd: "Now rolling beds and office chairs have a sound!"
diff --git a/html/changelogs/AutoChangeLog-pr-3983.yml b/html/changelogs/AutoChangeLog-pr-3983.yml
deleted file mode 100644
index 0e3a681757..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3983.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "oranges"
-delete-after: True
-changes:
- - rscdel: "Removed the shocker circuit"
diff --git a/html/changelogs/AutoChangeLog-pr-3988.yml b/html/changelogs/AutoChangeLog-pr-3988.yml
deleted file mode 100644
index 743551eaaa..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3988.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "DaxDupont"
-delete-after: True
-changes:
- - bugfix: "Plant trays will now properly process fluorine and adjust toxins and water contents."
diff --git a/html/changelogs/AutoChangeLog-pr-3992.yml b/html/changelogs/AutoChangeLog-pr-3992.yml
deleted file mode 100644
index b60be8068c..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3992.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "JJRcop"
-delete-after: True
-changes:
- - tweak: "The silicon airlock menu looks a little more like it used to."
diff --git a/html/changelogs/AutoChangeLog-pr-3993.yml b/html/changelogs/AutoChangeLog-pr-3993.yml
deleted file mode 100644
index 14c4d31514..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3993.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - rscadd: "purple bartender suit and apron added to clothesmates!"
- - rscadd: "long hair 3 added, check it out. both have sprites from okand!"
diff --git a/html/changelogs/AutoChangeLog-pr-3994.yml b/html/changelogs/AutoChangeLog-pr-3994.yml
deleted file mode 100644
index 2ff513ddf5..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3994.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - rscadd: "The RPD has a shiny new UI!"
- - rscadd: "The RPD can now paint pipes as it lays them, for quicker piping projects."
diff --git a/html/changelogs/AutoChangeLog-pr-3995.yml b/html/changelogs/AutoChangeLog-pr-3995.yml
deleted file mode 100644
index 77d6c658da..0000000000
--- a/html/changelogs/AutoChangeLog-pr-3995.yml
+++ /dev/null
@@ -1,20 +0,0 @@
-author: "ShizCalev (Upstream), WJohnston (Upstream), Okand37 (Upstream), deathride58"
-delete-after: True
-changes:
- - tweak: "(Upstream) 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."
- - rscadd: "(Upstream) Updated the Test Map debugging verb to report more issues regarding APCs.
-DELTASTATION"
- - bugfix: "(Upstream) Reverted Okand37's morgue changes which broke power in the area."
- - bugfix: "(Upstream) Corrected wrong area on the Southern airlock leading into electrical maintenance.
-ALL STATIONS"
- - bugfix: "(Upstream) Corrected numerous duplicate APCs in areas which led to power issues."
- - rscdel: "(Upstream) 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."
- - rscadd: "(Upstream, Deltastation) Tweaked Atmospherics"
- - bugfix: "(Upstream, Deltastation) Fixed the Incinerator air injector"
- - rscadd: "(Upstream, Deltastation) Tweaked Engineering"
- - rscadd: "(Upstream, Deltastation) Added logs to the Chaplain's closet for gimmicks (bonfires)"
- - rscadd: "(Upstream, Deltastation) Tweaked Security"
- - bugfix: "(Upstream, Deltastation) Fixed medical morgue maintenance not providing radiation shielding and exterior chemistry windoor"
- - rscadd: "(Upstream, Deltastation) Bar now has a door from the backroom to the theatre stage"
- - rscadd: "(Upstream, Deltastation) Tweaked Locker Room/Dormitories"
- - bugfix: "The armory no longer has a deep frying oil vat in place of dragnets."
diff --git a/html/changelogs/AutoChangeLog-pr-4000.yml b/html/changelogs/AutoChangeLog-pr-4000.yml
deleted file mode 100644
index bfd91f572d..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4000.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "ShizCalev"
-delete-after: True
-changes:
- - imageadd: "The Nanotrasen logo on modular computers has been fixed, rejoice!"
diff --git a/html/changelogs/AutoChangeLog-pr-4001.yml b/html/changelogs/AutoChangeLog-pr-4001.yml
deleted file mode 100644
index 578f211e20..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4001.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "Pizza box stacking works again."
diff --git a/html/changelogs/AutoChangeLog-pr-4005.yml b/html/changelogs/AutoChangeLog-pr-4005.yml
deleted file mode 100644
index cf136090a6..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4005.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "now lists should work properly"
diff --git a/html/changelogs/AutoChangeLog-pr-4008.yml b/html/changelogs/AutoChangeLog-pr-4008.yml
deleted file mode 100644
index 6d6b7d53b8..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4008.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "zennerx"
-delete-after: True
-changes:
- - bugfix: "fixed a bug that made you try and scream while unconscious due to a fire"
diff --git a/html/changelogs/AutoChangeLog-pr-4010.yml b/html/changelogs/AutoChangeLog-pr-4010.yml
deleted file mode 100644
index b413fb1671..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4010.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Kor"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4012.yml b/html/changelogs/AutoChangeLog-pr-4012.yml
deleted file mode 100644
index 18b4c3dfd2..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4012.yml
+++ /dev/null
@@ -1,6 +0,0 @@
-author: "Toriate"
-delete-after: True
-changes:
- - tweak: "Mag Pistol and Mag Rifle no longer spawn with magazines when built in protolathe"
- - balance: "Nerf guns no longer max out science in five seconds flat"
- - bugfix: "Nerf gun magazines no longer give infinite metal and glass"
diff --git a/html/changelogs/AutoChangeLog-pr-4013.yml b/html/changelogs/AutoChangeLog-pr-4013.yml
deleted file mode 100644
index 0507fafc72..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4013.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "Fix some permanent-on and permanent-off bugs caused by the HUD stacking change."
diff --git a/html/changelogs/AutoChangeLog-pr-4014.yml b/html/changelogs/AutoChangeLog-pr-4014.yml
deleted file mode 100644
index 1a1698767d..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4014.yml
+++ /dev/null
@@ -1,8 +0,0 @@
-author: "Skylar Lineman, your local R&D moonlighter"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4022.yml b/html/changelogs/AutoChangeLog-pr-4022.yml
deleted file mode 100644
index 295229de2b..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4022.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "ShizCalev"
-delete-after: True
-changes:
- - bugfix: "Chairs, PA parts, infrared emitters, and doppler arrays will now rotate clockwise."
diff --git a/html/changelogs/AutoChangeLog-pr-4026.yml b/html/changelogs/AutoChangeLog-pr-4026.yml
deleted file mode 100644
index 3424fdd501..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4026.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Naksu"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4027.yml b/html/changelogs/AutoChangeLog-pr-4027.yml
deleted file mode 100644
index 925f8d5256..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4027.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "ike709"
-delete-after: True
-changes:
- - bugfix: "Fixed some computers facing the wrong direction."
diff --git a/html/changelogs/AutoChangeLog-pr-4028.yml b/html/changelogs/AutoChangeLog-pr-4028.yml
deleted file mode 100644
index 1af9360833..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4028.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Code by Pyko, Ported by Frozenguy5"
-delete-after: True
-changes:
- - rscadd: "Rat Kebabs and Double Rat Kebabs have been added!"
diff --git a/html/changelogs/AutoChangeLog-pr-4030.yml b/html/changelogs/AutoChangeLog-pr-4030.yml
deleted file mode 100644
index ca630fbfd8..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4030.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "zennerx"
-delete-after: True
-changes:
- - tweak: "Skateboard crashes now give slight brain damage!"
- - rscadd: "Using a helmet prevents brain damage from the skateboard!"
diff --git a/html/changelogs/AutoChangeLog-pr-4031.yml b/html/changelogs/AutoChangeLog-pr-4031.yml
deleted file mode 100644
index 4907986852..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4031.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - code_imp: "Ladders have been refactored and should be far less buggy."
- - bugfix: "Jacob's ladder actually works again."
diff --git a/html/changelogs/AutoChangeLog-pr-4032.yml b/html/changelogs/AutoChangeLog-pr-4032.yml
deleted file mode 100644
index 4969c5bcaf..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4032.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "ShizCalev"
-delete-after: True
-changes:
- - bugfix: "PubbyStation - Unpowered air injectors in various locations have been fixed."
diff --git a/html/changelogs/AutoChangeLog-pr-4033.yml b/html/changelogs/AutoChangeLog-pr-4033.yml
deleted file mode 100644
index effc283b83..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4033.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "ShizCalev"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4034.yml b/html/changelogs/AutoChangeLog-pr-4034.yml
deleted file mode 100644
index eff19f0cfa..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4034.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "ShizCalev"
-delete-after: True
-changes:
- - bugfix: "Throwing drinking glasses and cartons will now consistently cause them to break!"
diff --git a/html/changelogs/AutoChangeLog-pr-4036.yml b/html/changelogs/AutoChangeLog-pr-4036.yml
deleted file mode 100644
index 820c726cea..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4036.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "ShizCalev"
-delete-after: True
-changes:
- - bugfix: "Computers will no longer rotate incorrectly when being deconstructed."
- - bugfix: "You can now rotate computer frames during construction."
diff --git a/html/changelogs/AutoChangeLog-pr-4038.yml b/html/changelogs/AutoChangeLog-pr-4038.yml
deleted file mode 100644
index 9500855d83..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4038.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "WJohnston"
-delete-after: True
-changes:
- - bugfix: "Green banded default airlocks now have extended click area like all other airlocks."
diff --git a/html/changelogs/AutoChangeLog-pr-4043.yml b/html/changelogs/AutoChangeLog-pr-4043.yml
deleted file mode 100644
index b867396350..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4043.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Francinum"
-delete-after: True
-changes:
- - tweak: "The shuttle build plate is now better sized for all stations."
diff --git a/html/changelogs/AutoChangeLog-pr-4049.yml b/html/changelogs/AutoChangeLog-pr-4049.yml
deleted file mode 100644
index f2d883ca0d..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4049.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "WJohnston"
-delete-after: True
-changes:
- - imageadd: "A bunch of new turf decals for mappers to play with, coming in yellow, white, and red varieties!"
diff --git a/html/changelogs/AutoChangeLog-pr-4050.yml b/html/changelogs/AutoChangeLog-pr-4050.yml
deleted file mode 100644
index 85d49a56fe..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4050.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "ShizCalev"
-delete-after: True
-changes:
- - bugfix: "Computers will no longer delete themselves when being built, whoops!"
diff --git a/html/changelogs/AutoChangeLog-pr-4051.yml b/html/changelogs/AutoChangeLog-pr-4051.yml
deleted file mode 100644
index ee3ed953c1..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4051.yml
+++ /dev/null
@@ -1,8 +0,0 @@
-author: "ACCount"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4052.yml b/html/changelogs/AutoChangeLog-pr-4052.yml
deleted file mode 100644
index ad7e91b332..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4052.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "ShizCalev"
-delete-after: True
-changes:
- - bugfix: "Humans missing legs or are legcuffed will no longer move slower in areas without gravity."
diff --git a/html/changelogs/AutoChangeLog-pr-4053.yml b/html/changelogs/AutoChangeLog-pr-4053.yml
deleted file mode 100644
index 9f749a63a5..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4053.yml
+++ /dev/null
@@ -1,6 +0,0 @@
-author: "Toriate"
-delete-after: True
-changes:
- - rscadd: "Added recolourable clothes"
- - tweak: "jumpsuits in mixed wardrobe replaced with recolourable clothes"
- - imageadd: "greyscaled clothing sprites for colourable clothes"
diff --git a/html/changelogs/AutoChangeLog-pr-4055.yml b/html/changelogs/AutoChangeLog-pr-4055.yml
deleted file mode 100644
index 618a46b39c..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4055.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "ShizCalev"
-delete-after: True
-changes:
- - bugfix: "The structures external to stations are now properly lit. Make sure you bring a flashlight."
diff --git a/html/changelogs/AutoChangeLog-pr-4059.yml b/html/changelogs/AutoChangeLog-pr-4059.yml
deleted file mode 100644
index 1742cf5805..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4059.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "psykzz"
-delete-after: True
-changes:
- - rscadd: "Added TGUI for Turbine computer"
diff --git a/html/changelogs/AutoChangeLog-pr-4060.yml b/html/changelogs/AutoChangeLog-pr-4060.yml
deleted file mode 100644
index 7846d861f4..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4060.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "Y0SH1 M4S73R"
-delete-after: True
-changes:
- - spellcheck: "The R&D Server's name is now improper."
- - spellcheck: "The R&D Server now has an explanation of what it does."
diff --git a/html/changelogs/AutoChangeLog-pr-4064.yml b/html/changelogs/AutoChangeLog-pr-4064.yml
deleted file mode 100644
index 90f52d39aa..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4064.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "jammer312"
-delete-after: True
-changes:
- - bugfix: "fixed conjuration spells forgetting about conjured items"
diff --git a/html/changelogs/AutoChangeLog-pr-4066.yml b/html/changelogs/AutoChangeLog-pr-4066.yml
deleted file mode 100644
index 6858021004..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4066.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - code_imp: "Chasm code has been refactored to be more sane."
- - bugfix: "Building lattices over chasms no longer sometimes deletes the chasm."
diff --git a/html/changelogs/AutoChangeLog-pr-4067.yml b/html/changelogs/AutoChangeLog-pr-4067.yml
deleted file mode 100644
index 103a03d08a..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4067.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "ShizCalev"
-delete-after: True
-changes:
- - bugfix: "Space cats will no longer have a smashed helmet when they lay down."
diff --git a/html/changelogs/AutoChangeLog-pr-4069.yml b/html/changelogs/AutoChangeLog-pr-4069.yml
deleted file mode 100644
index c6832bbbf7..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4069.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - admin: "\"ahelp\" chat command can now accept a ticket number as opposed to a ckey"
diff --git a/html/changelogs/AutoChangeLog-pr-4072.yml b/html/changelogs/AutoChangeLog-pr-4072.yml
deleted file mode 100644
index 88296b7a45..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4072.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - code_imp: "Added round id to the status world topic"
diff --git a/html/changelogs/AutoChangeLog-pr-4075.yml b/html/changelogs/AutoChangeLog-pr-4075.yml
deleted file mode 100644
index d627c00d1f..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4075.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "GupGup"
-delete-after: True
-changes:
- - bugfix: "Fixes hostile mobs attacking surrounding tiles when trying to attack someone"
diff --git a/html/changelogs/AutoChangeLog-pr-4076.yml b/html/changelogs/AutoChangeLog-pr-4076.yml
deleted file mode 100644
index b40f213dd3..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4076.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "XDTM"
-delete-after: True
-changes:
- - 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)."
diff --git a/html/changelogs/AutoChangeLog-pr-4077.yml b/html/changelogs/AutoChangeLog-pr-4077.yml
deleted file mode 100644
index 56e6ca4c9e..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4077.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "ShizCalev"
-delete-after: True
-changes:
- - bugfix: "Aliens in soft-crit will now use the correct sprite."
diff --git a/html/changelogs/AutoChangeLog-pr-4080.yml b/html/changelogs/AutoChangeLog-pr-4080.yml
deleted file mode 100644
index d10288ec03..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4080.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "MrStonedOne and Jordie"
-delete-after: True
-changes:
- - server: "As a late note, serverops be advise that mysql is no longer supported. existing mysql databases will need to be converted to mariadb"
diff --git a/html/changelogs/AutoChangeLog-pr-4084.yml b/html/changelogs/AutoChangeLog-pr-4084.yml
deleted file mode 100644
index ddd147e1e0..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4084.yml
+++ /dev/null
@@ -1,8 +0,0 @@
-author: "deathride58"
-delete-after: True
-changes:
- - bugfix: "The vault in boxstation now has power again."
- - bugfix: "The gravity generator in boxstation now has power again."
- - bugfix: "Various broken decals in boxstation have been fixed."
- - bugfix: "The clown and mime offices no longer have APCs pointing to the wrong areas."
- - rscadd: "Boxstation's secure cell has been readded to security."
diff --git a/html/changelogs/AutoChangeLog-pr-4095.yml b/html/changelogs/AutoChangeLog-pr-4095.yml
deleted file mode 100644
index dd5036cb59..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4095.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "ACCount"
-delete-after: True
-changes:
- - rscdel: "Removed \"console screen\" stock part. Just use glass sheets instead."
diff --git a/html/changelogs/AutoChangeLog-pr-4099.yml b/html/changelogs/AutoChangeLog-pr-4099.yml
deleted file mode 100644
index ac5424fd57..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4099.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "ninjanomnom"
-delete-after: True
-changes:
- - bugfix: "Custom shuttle dockers can no longer place docking regions inside other custom docker regions."
diff --git a/html/changelogs/AutoChangeLog-pr-4100.yml b/html/changelogs/AutoChangeLog-pr-4100.yml
deleted file mode 100644
index e8abc00b9e..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4100.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "Fix water misters being inappropriately glued to hands in some cases."
diff --git a/html/changelogs/AutoChangeLog-pr-4105.yml b/html/changelogs/AutoChangeLog-pr-4105.yml
deleted file mode 100644
index 1ce922ad64..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4105.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "More Robust Than You"
-delete-after: True
-changes:
- - tweak: "Spessmen are now smart enough to realize you don't need to turn around to pull cigarette butts"
diff --git a/html/changelogs/AutoChangeLog-pr-4106.yml b/html/changelogs/AutoChangeLog-pr-4106.yml
deleted file mode 100644
index 326d296e90..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4106.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "Some misplaced decals in the Hotel brig have been corrected."
diff --git a/html/changelogs/AutoChangeLog-pr-4110.yml b/html/changelogs/AutoChangeLog-pr-4110.yml
deleted file mode 100644
index cd94f6dae7..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4110.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CosmicScientist"
-delete-after: True
-changes:
- - bugfix: "bolas are back in tablecrafting!"
diff --git a/html/changelogs/AutoChangeLog-pr-4111.yml b/html/changelogs/AutoChangeLog-pr-4111.yml
deleted file mode 100644
index 1019538b17..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4111.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "ninjanomnom"
-delete-after: True
-changes:
- - bugfix: "Fixes thermite burning hotter than the boiling point of stone"
diff --git a/html/changelogs/AutoChangeLog-pr-4112.yml b/html/changelogs/AutoChangeLog-pr-4112.yml
deleted file mode 100644
index 12412931b6..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4112.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "AIs and cyborgs can interact with unscrewed airlocks and APCs."
diff --git a/html/changelogs/AutoChangeLog-pr-4116.yml b/html/changelogs/AutoChangeLog-pr-4116.yml
deleted file mode 100644
index 877ad76460..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4116.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "Dorsisdwarf"
-delete-after: True
-changes:
- - tweak: "Catpeople are now distracted instead of debilitated"
- - rscadd: "Normal cats now go for laser pointers"
diff --git a/html/changelogs/AutoChangeLog-pr-4117.yml b/html/changelogs/AutoChangeLog-pr-4117.yml
deleted file mode 100644
index bb2c70bccc..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4117.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "You can no longer buckle people to roller beds from inside of a locker."
diff --git a/html/changelogs/AutoChangeLog-pr-4121.yml b/html/changelogs/AutoChangeLog-pr-4121.yml
deleted file mode 100644
index a226595420..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4121.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "zennerx"
-delete-after: True
-changes:
- - bugfix: "Zombies don't reanimate with no head!"
diff --git a/html/changelogs/AutoChangeLog-pr-4124.yml b/html/changelogs/AutoChangeLog-pr-4124.yml
deleted file mode 100644
index e568f3e9df..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4124.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "WJohnston"
-delete-after: True
-changes:
- - bugfix: "Fixed a case where items would sometimes be placed underneath racks."
diff --git a/html/changelogs/AutoChangeLog-pr-4125.yml b/html/changelogs/AutoChangeLog-pr-4125.yml
deleted file mode 100644
index a8f5bdbe86..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4125.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Naksu"
-delete-after: True
-changes:
- - bugfix: "Hopefully fixed mesons granting the ability to hear people through walls."
diff --git a/html/changelogs/AutoChangeLog-pr-4126.yml b/html/changelogs/AutoChangeLog-pr-4126.yml
deleted file mode 100644
index 42689125e8..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4126.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "Cryo cells can now be properly rotated with a wrench."
diff --git a/html/changelogs/AutoChangeLog-pr-4127.yml b/html/changelogs/AutoChangeLog-pr-4127.yml
deleted file mode 100644
index b9f6abc58d..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4127.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "More Robust Than You"
-delete-after: True
-changes:
- - bugfix: "Fixed cult leaders being de-culted upon election if they had a mindshield implant"
diff --git a/html/changelogs/AutoChangeLog-pr-4129.yml b/html/changelogs/AutoChangeLog-pr-4129.yml
deleted file mode 100644
index 16d3765876..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4129.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "ninjanomnom"
-delete-after: True
-changes:
- - rscadd: "You can now make a new tasty traditional treat: butterdogs. Watch out, they're slippery."
diff --git a/html/changelogs/AutoChangeLog-pr-4133.yml b/html/changelogs/AutoChangeLog-pr-4133.yml
deleted file mode 100644
index 2b50fbd4ea..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4133.yml
+++ /dev/null
@@ -1,14 +0,0 @@
-author: "XDTM"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4136.yml b/html/changelogs/AutoChangeLog-pr-4136.yml
deleted file mode 100644
index 0737b28919..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4136.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "ACCount"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4143.yml b/html/changelogs/AutoChangeLog-pr-4143.yml
deleted file mode 100644
index dc1f281cec..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4143.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Naksu"
-delete-after: True
-changes:
- - code_imp: "rejiggered botcode a little bit"
diff --git a/html/changelogs/AutoChangeLog-pr-4144.yml b/html/changelogs/AutoChangeLog-pr-4144.yml
deleted file mode 100644
index bcefc8437a..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4144.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - rscadd: "You can make many different types of office and comfy chairs with metal"
- - tweak: "Stack menus use /datum/browser"
diff --git a/html/changelogs/AutoChangeLog-pr-4145.yml b/html/changelogs/AutoChangeLog-pr-4145.yml
deleted file mode 100644
index c7b269b20f..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4145.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "improvedname"
-delete-after: True
-changes:
- - tweak: "toolbelts can now carry geiger counters"
diff --git a/html/changelogs/AutoChangeLog-pr-4149.yml b/html/changelogs/AutoChangeLog-pr-4149.yml
deleted file mode 100644
index 909fc3e1b9..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4149.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "JJRcop"
-delete-after: True
-changes:
- - admin: "Fixed the Make space ninja verb."
diff --git a/html/changelogs/AutoChangeLog-pr-4150.yml b/html/changelogs/AutoChangeLog-pr-4150.yml
deleted file mode 100644
index 943af018e5..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4150.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "ACCount"
-delete-after: True
-changes:
- - rscdel: "Mass-spectrometers are removed. Would anyone notice if not for this changelog entry?"
diff --git a/html/changelogs/AutoChangeLog-pr-4152.yml b/html/changelogs/AutoChangeLog-pr-4152.yml
deleted file mode 100644
index df1b1cd09f..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4152.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "ACCount"
-delete-after: True
-changes:
- - rscdel: "\"Machine prototype\" is removed from the game."
diff --git a/html/changelogs/AutoChangeLog-pr-4155.yml b/html/changelogs/AutoChangeLog-pr-4155.yml
deleted file mode 100644
index 0f762fae2e..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4155.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4162.yml b/html/changelogs/AutoChangeLog-pr-4162.yml
deleted file mode 100644
index be4968592e..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4162.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4170.yml b/html/changelogs/AutoChangeLog-pr-4170.yml
deleted file mode 100644
index f54be6c190..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4170.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "ninjanomnom"
-delete-after: True
-changes:
- - tweak: "Reduced the max volume of sm by 1/5th and made the upper bounds only play mid delamination."
diff --git a/html/changelogs/AutoChangeLog-pr-4171.yml b/html/changelogs/AutoChangeLog-pr-4171.yml
deleted file mode 100644
index 612f5ad379..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4171.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "psykzz"
-delete-after: True
-changes:
- - bugfix: "Fixing the broken turbine computer"
diff --git a/html/changelogs/AutoChangeLog-pr-4172.yml b/html/changelogs/AutoChangeLog-pr-4172.yml
deleted file mode 100644
index a2dac53175..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4172.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Robustin"
-delete-after: True
-changes:
- - 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+."
diff --git a/html/changelogs/AutoChangeLog-pr-4175.yml b/html/changelogs/AutoChangeLog-pr-4175.yml
deleted file mode 100644
index 1eed117c43..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4175.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - imageadd: "Construct shells have a new animated sprite"
diff --git a/html/changelogs/AutoChangeLog-pr-4176.yml b/html/changelogs/AutoChangeLog-pr-4176.yml
deleted file mode 100644
index 76ccbf0925..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4176.yml
+++ /dev/null
@@ -1,8 +0,0 @@
-author: "Toriate"
-delete-after: True
-changes:
- - rscadd: "Added Lavaknights, a new ghost role of cat people in knight armor."
- - rscadd: "Added Hypereutactic blades, NEBs on steroids."
- - tweak: "Made NEBs alt click to recolor
-wip: Added lavaknight spawners. Someone else needs to add it in to a map or ruin properly."
- - imageadd: "added sprites for hypereutactic blades"
diff --git a/html/changelogs/AutoChangeLog-pr-4177.yml b/html/changelogs/AutoChangeLog-pr-4177.yml
deleted file mode 100644
index f6e65ed068..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4177.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Robustin"
-delete-after: True
-changes:
- - balance: "Clockwork magicks will now prevent Bags of Holding from being combined on Reebe."
diff --git a/html/changelogs/AutoChangeLog-pr-4180.yml b/html/changelogs/AutoChangeLog-pr-4180.yml
deleted file mode 100644
index fb6248b653..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4180.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Robustin"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4182.yml b/html/changelogs/AutoChangeLog-pr-4182.yml
deleted file mode 100644
index 6d0c949e11..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4182.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Frozenguy5"
-delete-after: True
-changes:
- - tweak: "The Particle Accelerator's wires can no longer be EMP'd"
diff --git a/html/changelogs/AutoChangeLog-pr-4184.yml b/html/changelogs/AutoChangeLog-pr-4184.yml
deleted file mode 100644
index f97a70a206..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4184.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CosmicScientist"
-delete-after: True
-changes:
- - rscadd: "You can make plushies kiss one another!"
diff --git a/html/changelogs/AutoChangeLog-pr-4186.yml b/html/changelogs/AutoChangeLog-pr-4186.yml
deleted file mode 100644
index 86951d81f1..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4186.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Naksu"
-delete-after: True
-changes:
- - code_imp: "Cleans up some loc assignments"
diff --git a/html/changelogs/AutoChangeLog-pr-4191.yml b/html/changelogs/AutoChangeLog-pr-4191.yml
deleted file mode 100644
index 5904f70b86..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4191.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "BeeSting12"
-delete-after: True
-changes:
- - spellcheck: "Occupand ---> Occupant on opened cryogenic pods."
- - spellcheck: "Cyrogenic ---> Cryogenic on opened cryogenic pods."
diff --git a/html/changelogs/AutoChangeLog-pr-4196.yml b/html/changelogs/AutoChangeLog-pr-4196.yml
deleted file mode 100644
index 49ab9fdbd9..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4196.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "zennerx"
-delete-after: True
-changes:
- - spellcheck: "fixed some typos in the weapon firing mechanism description"
diff --git a/html/changelogs/AutoChangeLog-pr-4198.yml b/html/changelogs/AutoChangeLog-pr-4198.yml
deleted file mode 100644
index 93e2f2212a..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4198.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "Xhuis"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4200.yml b/html/changelogs/AutoChangeLog-pr-4200.yml
deleted file mode 100644
index a2321590c7..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4200.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "You can now lay (buckle!) yourself to a bed to avoid being burnt to a crisp during \"the floor is lava\" event."
diff --git a/html/changelogs/AutoChangeLog-pr-4201.yml b/html/changelogs/AutoChangeLog-pr-4201.yml
deleted file mode 100644
index 127a8b26ed..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4201.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Robustin"
-delete-after: True
-changes:
- - tweak: "Igniting plasma statues no longer ignores ignition temperature and only creates as much plasma as was used in its creation."
diff --git a/html/changelogs/AutoChangeLog-pr-4207.yml b/html/changelogs/AutoChangeLog-pr-4207.yml
deleted file mode 100644
index 692dca99ed..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4207.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Xhuis"
-delete-after: True
-changes:
- - bugfix: "You now need fuel in your welder to repair mechs."
diff --git a/html/changelogs/AutoChangeLog-pr-4209.yml b/html/changelogs/AutoChangeLog-pr-4209.yml
deleted file mode 100644
index ee1613d170..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4209.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - rscadd: "You can now record and replay holopad messages using holodisks."
- - rscadd: "Holodisks are printable in autolathes."
diff --git a/html/changelogs/AutoChangeLog-pr-4215.yml b/html/changelogs/AutoChangeLog-pr-4215.yml
deleted file mode 100644
index 6e4fe16805..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4215.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Dax Dupont"
-delete-after: True
-changes:
- - 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!"
diff --git a/html/changelogs/AutoChangeLog-pr-4216.yml b/html/changelogs/AutoChangeLog-pr-4216.yml
deleted file mode 100644
index 8b39d4aa94..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4216.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Xhuis"
-delete-after: True
-changes:
- - tweak: "Stethoscopes now inform the user if the target can be defibrillated; the user will hear a \"faint, fluttery pulse.\""
diff --git a/html/changelogs/AutoChangeLog-pr-4218.yml b/html/changelogs/AutoChangeLog-pr-4218.yml
deleted file mode 100644
index 334c16e021..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4218.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - spellcheck: "Energy values are now measured in joules. What was previously 1 unit is now 1 kJ."
diff --git a/html/changelogs/AutoChangeLog-pr-4220.yml b/html/changelogs/AutoChangeLog-pr-4220.yml
deleted file mode 100644
index 7287bee043..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4220.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - sounddel: "Reduced the volume of showers"
diff --git a/html/changelogs/AutoChangeLog-pr-4234.yml b/html/changelogs/AutoChangeLog-pr-4234.yml
deleted file mode 100644
index 3310bdb750..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4234.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "Syndicate uplink implants now work again."
diff --git a/html/changelogs/AutoChangeLog-pr-4235.yml b/html/changelogs/AutoChangeLog-pr-4235.yml
deleted file mode 100644
index 35197c0edf..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4235.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Robustin"
-delete-after: True
-changes:
- - rscdel: "Reverted changes in 3d sound system that tripled the distance that sound would carry."
diff --git a/html/changelogs/AutoChangeLog-pr-4240.yml b/html/changelogs/AutoChangeLog-pr-4240.yml
deleted file mode 100644
index bb77fc8cd8..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4240.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "coiax"
-delete-after: True
-changes:
- - rscadd: "Quiet areas of libraries on station have now been equipped with a
-vending machine containing suitable recreational activities."
diff --git a/html/changelogs/AutoChangeLog-pr-4241.yml b/html/changelogs/AutoChangeLog-pr-4241.yml
deleted file mode 100644
index 77a17bb5b1..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4241.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "coiax"
-delete-after: True
-changes:
- - rscadd: "The drone dispenser on Metastation has been moved to the
-maintenance by Robotics."
diff --git a/html/changelogs/AutoChangeLog-pr-4243.yml b/html/changelogs/AutoChangeLog-pr-4243.yml
deleted file mode 100644
index 4971528f94..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4243.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Revenant Defile ability"
-delete-after: True
-changes:
- - bugfix: "Revenant's Defile now removes salt piles"
diff --git a/html/changelogs/AutoChangeLog-pr-4244.yml b/html/changelogs/AutoChangeLog-pr-4244.yml
deleted file mode 100644
index d1081a8801..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4244.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Dax Dupont & Alek2ander"
-delete-after: True
-changes:
- - tweak: "Binary chat messages been made more visible."
diff --git a/html/changelogs/AutoChangeLog-pr-4246.yml b/html/changelogs/AutoChangeLog-pr-4246.yml
deleted file mode 100644
index 555f050d39..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4246.yml
+++ /dev/null
@@ -1,16 +0,0 @@
-author: "XDTM"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4250.yml b/html/changelogs/AutoChangeLog-pr-4250.yml
deleted file mode 100644
index 7539b323a8..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4250.yml
+++ /dev/null
@@ -1,16 +0,0 @@
-author: "Xhuis"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4254.yml b/html/changelogs/AutoChangeLog-pr-4254.yml
deleted file mode 100644
index cdfa4c7c0b..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4254.yml
+++ /dev/null
@@ -1,6 +0,0 @@
-author: "ShizCalev"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4259.yml b/html/changelogs/AutoChangeLog-pr-4259.yml
deleted file mode 100644
index 7536cfa7a6..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4259.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - rscadd: "Action buttons now remember positions where you locked."
- - tweak: "Now locking action buttons prevents them from being reset."
diff --git a/html/changelogs/AutoChangeLog-pr-4260.yml b/html/changelogs/AutoChangeLog-pr-4260.yml
deleted file mode 100644
index 1880edb973..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4260.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Xhuis"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4261.yml b/html/changelogs/AutoChangeLog-pr-4261.yml
deleted file mode 100644
index d7b0bcebf5..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4261.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Fox McCloud"
-delete-after: True
-changes:
- - tweak: "Slime blueprints can now make an area compatible with Xenobio consoles, regardless of the name of the new area"
diff --git a/html/changelogs/AutoChangeLog-pr-4264.yml b/html/changelogs/AutoChangeLog-pr-4264.yml
deleted file mode 100644
index 3a3b5c1f42..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4264.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4266.yml b/html/changelogs/AutoChangeLog-pr-4266.yml
deleted file mode 100644
index e66348d5b4..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4266.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "Fixed the camera failure, race swap, cursed items, and imposter wizard random events"
- - tweak: "The cursed items event no longer nullspaces items"
diff --git a/html/changelogs/AutoChangeLog-pr-4267.yml b/html/changelogs/AutoChangeLog-pr-4267.yml
deleted file mode 100644
index 97e3a17b9a..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4267.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "MrDoomBringer"
-delete-after: True
-changes:
- - imageadd: "All stations have been outfitted with brand new Smoke Machines! They have nicer sprites now!"
diff --git a/html/changelogs/AutoChangeLog-pr-4270.yml b/html/changelogs/AutoChangeLog-pr-4270.yml
deleted file mode 100644
index 06c99c93ee..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4270.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "deathride58"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4272.yml b/html/changelogs/AutoChangeLog-pr-4272.yml
deleted file mode 100644
index 8bedafab45..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4272.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "coiax"
-delete-after: True
-changes:
- - rscadd: "The drone dispenser on Box Station has been moved from the Testing
-Lab to the Morgue/Robotics maintenance tunnel."
diff --git a/html/changelogs/AutoChangeLog-pr-4274.yml b/html/changelogs/AutoChangeLog-pr-4274.yml
deleted file mode 100644
index b1915f089b..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4274.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Dax Dupont"
-delete-after: True
-changes:
- - bugfix: "Fixed observer chat flavor of silicon chat."
diff --git a/html/changelogs/AutoChangeLog-pr-4279.yml b/html/changelogs/AutoChangeLog-pr-4279.yml
deleted file mode 100644
index cddc887068..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4279.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Dax Dupont"
-delete-after: True
-changes:
- - bugfix: "Grilles now no longer revert to a pre-broken icon state when you hit them after they broke."
diff --git a/html/changelogs/AutoChangeLog-pr-4283.yml b/html/changelogs/AutoChangeLog-pr-4283.yml
deleted file mode 100644
index a96b866609..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4283.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - tweak: "The pAI software interface is now accessible via an action button."
diff --git a/html/changelogs/AutoChangeLog-pr-4286.yml b/html/changelogs/AutoChangeLog-pr-4286.yml
deleted file mode 100644
index 83ede8f21d..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4286.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "External airlocks of the mining base and gulag are now cycle-linked."
diff --git a/html/changelogs/AutoChangeLog-pr-4287.yml b/html/changelogs/AutoChangeLog-pr-4287.yml
deleted file mode 100644
index 55bbeb05c2..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4287.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "XDTM"
-delete-after: True
-changes:
- - tweak: "Instead of activating randomly on speech, Godwoken Syndrome randomly grants inspiration, causing the next message to be a Voice of God."
diff --git a/html/changelogs/AutoChangeLog-pr-4289.yml b/html/changelogs/AutoChangeLog-pr-4289.yml
deleted file mode 100644
index d0da6e0f58..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4289.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - 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%."
diff --git a/html/changelogs/AutoChangeLog-pr-4290.yml b/html/changelogs/AutoChangeLog-pr-4290.yml
deleted file mode 100644
index a7a034433f..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4290.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Swindly"
-delete-after: True
-changes:
- - rscadd: "You can kill yourself with a few more items."
diff --git a/html/changelogs/AutoChangeLog-pr-4292.yml b/html/changelogs/AutoChangeLog-pr-4292.yml
deleted file mode 100644
index 14dda4b668..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4292.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Xhuis"
-delete-after: True
-changes:
- - tweak: "Flickering lights will now actually flicker and not go between emergency lights and normal lighting."
diff --git a/html/changelogs/AutoChangeLog-pr-4296.yml b/html/changelogs/AutoChangeLog-pr-4296.yml
deleted file mode 100644
index 1e87a3fdaf..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4296.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Xhuis"
-delete-after: True
-changes:
- - bugfix: "Emergency lights no longer stay on forever in some cases."
diff --git a/html/changelogs/AutoChangeLog-pr-4305.yml b/html/changelogs/AutoChangeLog-pr-4305.yml
deleted file mode 100644
index d6ae57f28d..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4305.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "The MULEbots that the station starts with now show their ID numbers."
diff --git a/html/changelogs/AutoChangeLog-pr-4306.yml b/html/changelogs/AutoChangeLog-pr-4306.yml
deleted file mode 100644
index 0a6361f11d..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4306.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Improvedname"
-delete-after: True
-changes:
- - tweak: "cats now drop their ears and tail when butchered."
diff --git a/html/changelogs/AutoChangeLog-pr-4308.yml b/html/changelogs/AutoChangeLog-pr-4308.yml
deleted file mode 100644
index 5f277e0e53..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4308.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "Booze-o-mats have beer"
diff --git a/html/changelogs/AutoChangeLog-pr-4312.yml b/html/changelogs/AutoChangeLog-pr-4312.yml
deleted file mode 100644
index 8c05f5d79e..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4312.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Robustin"
-delete-after: True
-changes:
- - bugfix: "Modes not in rotation have had their \"false report\" weights for the Command Report standardized"
diff --git a/html/changelogs/AutoChangeLog-pr-4313.yml b/html/changelogs/AutoChangeLog-pr-4313.yml
deleted file mode 100644
index a1124c765a..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4313.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4314.yml b/html/changelogs/AutoChangeLog-pr-4314.yml
deleted file mode 100644
index e471271981..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4314.yml
+++ /dev/null
@@ -1,7 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4315.yml b/html/changelogs/AutoChangeLog-pr-4315.yml
deleted file mode 100644
index a021f0ccc4..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4315.yml
+++ /dev/null
@@ -1,10 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - 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"
diff --git a/html/changelogs/AutoChangeLog-pr-4319.yml b/html/changelogs/AutoChangeLog-pr-4319.yml
deleted file mode 100644
index 851d5f12bc..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4319.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Frozenguy5"
-delete-after: True
-changes:
- - balance: "Some hardsuits have had their melee, fire and rad armor ratings tweaked."
diff --git a/html/changelogs/AutoChangeLog-pr-4331.yml b/html/changelogs/AutoChangeLog-pr-4331.yml
deleted file mode 100644
index 04532aa4a8..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4331.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Swindly"
-delete-after: True
-changes:
- - bugfix: "Swarmers can no longer deconstruct objects with living things in them."
diff --git a/html/changelogs/AutoChangeLog-pr-4338.yml b/html/changelogs/AutoChangeLog-pr-4338.yml
deleted file mode 100644
index da4fde1e23..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4338.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "You can now print telecomms equipment again."
diff --git a/html/changelogs/AutoChangeLog-pr-4339.yml b/html/changelogs/AutoChangeLog-pr-4339.yml
deleted file mode 100644
index bf7c49d3e8..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4339.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "Robustin"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4340.yml b/html/changelogs/AutoChangeLog-pr-4340.yml
deleted file mode 100644
index 6992dc2fd8..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4340.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "deathride58"
-delete-after: True
-changes:
- - bugfix: "fixes mobs not metabolizing their reagents"
diff --git a/html/changelogs/AutoChangeLog-pr-4341.yml b/html/changelogs/AutoChangeLog-pr-4341.yml
deleted file mode 100644
index e276d3bcb8..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4341.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Mark9013100"
-delete-after: True
-changes:
- - rscadd: "Medical Wardrobes now contain an additional standard and EMT labcoat."
diff --git a/html/changelogs/AutoChangeLog-pr-4344.yml b/html/changelogs/AutoChangeLog-pr-4344.yml
deleted file mode 100644
index a020f7882f..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4344.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "deathride58"
-delete-after: True
-changes:
- - bugfix: "Donator items use the proper sprites when worn again."
diff --git a/html/changelogs/AutoChangeLog-pr-4346.yml b/html/changelogs/AutoChangeLog-pr-4346.yml
deleted file mode 100644
index d03954b91f..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4346.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "deathride58"
-delete-after: True
-changes:
- - bugfix: "The standard-issue PDAs are now holographic again."
diff --git a/html/changelogs/AutoChangeLog-pr-4349.yml b/html/changelogs/AutoChangeLog-pr-4349.yml
deleted file mode 100644
index 3f1bb91439..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4349.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "Nonstandard power cells found in MULEbots, cyborgs, and elsewhere now have the correct description."
diff --git a/html/changelogs/AutoChangeLog-pr-4350.yml b/html/changelogs/AutoChangeLog-pr-4350.yml
deleted file mode 100644
index 2116fa9fd5..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4350.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "deathride58"
-delete-after: True
-changes:
- - bugfix: "Genetics will no longer have a random block completely disappear each round"
diff --git a/html/changelogs/AutoChangeLog-pr-4351.yml b/html/changelogs/AutoChangeLog-pr-4351.yml
deleted file mode 100644
index bc5cabdb55..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4351.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Naksu"
-delete-after: True
-changes:
- - bugfix: "glass shards and bananium floors no longer make a sound when \"walked\" over by a camera or a ghost"
diff --git a/html/changelogs/AutoChangeLog-pr-4353.yml b/html/changelogs/AutoChangeLog-pr-4353.yml
deleted file mode 100644
index 6fcf3e2ebe..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4353.yml
+++ /dev/null
@@ -1,7 +0,0 @@
-author: "deathride58"
-delete-after: True
-changes:
- - rscadd: "All maps now have departmental lathes as they're supposed to."
- - rscadd: "Pubbystation and Omegastation now have kinkmates! This does not add them back to the rotation, though. Tell Jay to re-enable Pubby and Omega in the server's config."
- - rscadd: "Omegastation's dorms now have bolt buttons."
- - bugfix: "The table in the back of Boxstation's maint bar gambling area will no longer throw people around."
diff --git a/html/changelogs/AutoChangeLog-pr-4354.yml b/html/changelogs/AutoChangeLog-pr-4354.yml
deleted file mode 100644
index e9aa1f0f2b..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4354.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Naksu"
-delete-after: True
-changes:
- - code_imp: "Tidied up some loc assignments"
diff --git a/html/changelogs/AutoChangeLog-pr-4359.yml b/html/changelogs/AutoChangeLog-pr-4359.yml
deleted file mode 100644
index 6679e4b920..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4359.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4361.yml b/html/changelogs/AutoChangeLog-pr-4361.yml
deleted file mode 100644
index 140a9a4fe3..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4361.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "Shuttles now place hyperspace ripples where they are about to land again."
diff --git a/html/changelogs/AutoChangeLog-pr-4363.yml b/html/changelogs/AutoChangeLog-pr-4363.yml
deleted file mode 100644
index fda81eb42b..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4363.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "JStheguy"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4365.yml b/html/changelogs/AutoChangeLog-pr-4365.yml
deleted file mode 100644
index 165bb4d0df..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4365.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Epoc"
-delete-after: True
-changes:
- - bugfix: "Adds Cybernetic Lungs to the Cyber Organs research node"
diff --git a/html/changelogs/AutoChangeLog-pr-4372.yml b/html/changelogs/AutoChangeLog-pr-4372.yml
deleted file mode 100644
index 7c1aa4b97c..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4372.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "ShizCalev"
-delete-after: True
-changes:
- - 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!"
diff --git a/html/changelogs/AutoChangeLog-pr-4375.yml b/html/changelogs/AutoChangeLog-pr-4375.yml
deleted file mode 100644
index 2cf7f4c721..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4375.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Naksu"
-delete-after: True
-changes:
- - code_imp: "fixes the remaining loc assignments"
diff --git a/html/changelogs/AutoChangeLog-pr-4377.yml b/html/changelogs/AutoChangeLog-pr-4377.yml
deleted file mode 100644
index 5234e24f49..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4377.yml
+++ /dev/null
@@ -1,7 +0,0 @@
-author: "Xhuis"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4378.yml b/html/changelogs/AutoChangeLog-pr-4378.yml
deleted file mode 100644
index 22ea638655..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4378.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - imageadd: "Closet sprites changed."
diff --git a/html/changelogs/AutoChangeLog-pr-4383.yml b/html/changelogs/AutoChangeLog-pr-4383.yml
deleted file mode 100644
index cf9c743a03..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4383.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Naksu"
-delete-after: True
-changes:
- - code_imp: "Preliminary work on tracking cliented living mobs across Z-levels to facilitate mob AI changes later"
diff --git a/html/changelogs/AutoChangeLog-pr-4384.yml b/html/changelogs/AutoChangeLog-pr-4384.yml
deleted file mode 100644
index d7f2f90350..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4384.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "EtheoBoxxman"
-delete-after: True
-changes:
- - rscdel: "Removed chasm that spawns on killing ash walker tendril"
diff --git a/html/changelogs/AutoChangeLog-pr-4389.yml b/html/changelogs/AutoChangeLog-pr-4389.yml
deleted file mode 100644
index 36f17b95de..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4389.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Toriate"
-delete-after: True
-changes:
- - tweak: "NEBs now consistently alt click to recolor"
diff --git a/html/changelogs/AutoChangeLog-pr-4390.yml b/html/changelogs/AutoChangeLog-pr-4390.yml
deleted file mode 100644
index 89d3683a34..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4390.yml
+++ /dev/null
@@ -1,5 +0,0 @@
-author: "AverageJoe82"
-delete-after: True
-changes:
- - rscadd: "drones now have night vision"
- - rscdel: "drones no longer have lights"
diff --git a/html/changelogs/AutoChangeLog-pr-4394.yml b/html/changelogs/AutoChangeLog-pr-4394.yml
deleted file mode 100644
index 68d57a2d11..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4394.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "CitadelStationBot"
-delete-after: True
-changes:
- - bugfix: "The shuttle will no longer be autocalled if the round has already ended."
diff --git a/html/changelogs/AutoChangeLog-pr-4416.yml b/html/changelogs/AutoChangeLog-pr-4416.yml
deleted file mode 100644
index 543fe52edd..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4416.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Robustin"
-delete-after: True
-changes:
- - bugfix: "The wizard event \"race swap\" should now stick to \"safer\" species."
diff --git a/html/changelogs/AutoChangeLog-pr-4417.yml b/html/changelogs/AutoChangeLog-pr-4417.yml
deleted file mode 100644
index 46b7019353..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4417.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "Xhuis"
-delete-after: True
-changes:
- - bugfix: "Clockcult power alerts will no longer show outside of the clockcult gamemode (they could be triggered by scarabs.)"
diff --git a/html/changelogs/AutoChangeLog-pr-4437.yml b/html/changelogs/AutoChangeLog-pr-4437.yml
deleted file mode 100644
index 9b11b0912e..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4437.yml
+++ /dev/null
@@ -1,4 +0,0 @@
-author: "nicbn"
-delete-after: True
-changes:
- - bugfix: "Now the chem smoke machine uses stock parts for volume and range."
diff --git a/html/changelogs/AutoChangeLog-pr-4442.yml b/html/changelogs/AutoChangeLog-pr-4442.yml
deleted file mode 100644
index e480e91419..0000000000
--- a/html/changelogs/AutoChangeLog-pr-4442.yml
+++ /dev/null
@@ -1,8 +0,0 @@
-author: "XDTM"
-delete-after: True
-changes:
- - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4530.yml b/html/changelogs/AutoChangeLog-pr-4530.yml
new file mode 100644
index 0000000000..7fcc6e4c71
--- /dev/null
+++ b/html/changelogs/AutoChangeLog-pr-4530.yml
@@ -0,0 +1,4 @@
+author: "ninjanomnom"
+delete-after: True
+changes:
+ - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4533.yml b/html/changelogs/AutoChangeLog-pr-4533.yml
new file mode 100644
index 0000000000..6bbeeb37c9
--- /dev/null
+++ b/html/changelogs/AutoChangeLog-pr-4533.yml
@@ -0,0 +1,4 @@
+author: "ninjanomnom"
+delete-after: True
+changes:
+ - bugfix: "Cycling airlocks on shuttles should work correctly when rotated now."
diff --git a/html/changelogs/AutoChangeLog-pr-4580.yml b/html/changelogs/AutoChangeLog-pr-4580.yml
new file mode 100644
index 0000000000..6ccaebd033
--- /dev/null
+++ b/html/changelogs/AutoChangeLog-pr-4580.yml
@@ -0,0 +1,9 @@
+author: "coiax"
+delete-after: True
+changes:
+ - 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."
diff --git a/html/changelogs/AutoChangeLog-pr-4590.yml b/html/changelogs/AutoChangeLog-pr-4590.yml
new file mode 100644
index 0000000000..ed62412909
--- /dev/null
+++ b/html/changelogs/AutoChangeLog-pr-4590.yml
@@ -0,0 +1,5 @@
+author: "More Robust Than You"
+delete-after: True
+changes:
+ - bugfix: "Monkey chat should no longer have .k prefixed"
+ - bugfix: "Monkey leaders should actually get jungle fever now"
diff --git a/icons/misc/language.dmi b/icons/misc/language.dmi
index f4894c2b90..4e627f16c7 100644
Binary files a/icons/misc/language.dmi and b/icons/misc/language.dmi differ
diff --git a/icons/mob/landmarks.dmi b/icons/mob/landmarks.dmi
new file mode 100644
index 0000000000..120745ed44
Binary files /dev/null and b/icons/mob/landmarks.dmi differ
diff --git a/icons/mob/monkey_held.dmi b/icons/mob/monkey_held.dmi
new file mode 100644
index 0000000000..6a9eb8aac7
Binary files /dev/null and b/icons/mob/monkey_held.dmi differ
diff --git a/icons/mob/mouse_held.dmi b/icons/mob/mouse_held.dmi
new file mode 100644
index 0000000000..92a8c03bfb
Binary files /dev/null and b/icons/mob/mouse_held.dmi differ
diff --git a/icons/mob/pai_item_head.dmi b/icons/mob/pai_item_head.dmi
new file mode 100644
index 0000000000..2803e06f20
Binary files /dev/null and b/icons/mob/pai_item_head.dmi differ
diff --git a/icons/mob/pai_item_lh.dmi b/icons/mob/pai_item_lh.dmi
new file mode 100644
index 0000000000..5f825053f2
Binary files /dev/null and b/icons/mob/pai_item_lh.dmi differ
diff --git a/icons/mob/pai_item_rh.dmi b/icons/mob/pai_item_rh.dmi
new file mode 100644
index 0000000000..7e0919afbd
Binary files /dev/null and b/icons/mob/pai_item_rh.dmi differ
diff --git a/icons/mob/pets_held_lh.dmi b/icons/mob/pets_held_lh.dmi
new file mode 100644
index 0000000000..6b2db6e9c2
Binary files /dev/null and b/icons/mob/pets_held_lh.dmi differ
diff --git a/icons/mob/pets_held_rh.dmi b/icons/mob/pets_held_rh.dmi
new file mode 100644
index 0000000000..55246b7e15
Binary files /dev/null and b/icons/mob/pets_held_rh.dmi differ
diff --git a/icons/obj/decals.dmi b/icons/obj/decals.dmi
index 31e700d23d..a5c487a184 100644
Binary files a/icons/obj/decals.dmi and b/icons/obj/decals.dmi differ
diff --git a/icons/obj/flora/pinetrees.dmi b/icons/obj/flora/pinetrees.dmi
index e7fa58cb1a..a68e0388b0 100644
Binary files a/icons/obj/flora/pinetrees.dmi and b/icons/obj/flora/pinetrees.dmi differ
diff --git a/modular_citadel/code/game/objects/items/melee/eutactic_blades.dm b/modular_citadel/code/game/objects/items/melee/eutactic_blades.dm
index d324c95511..385e9cd9d4 100644
--- a/modular_citadel/code/game/objects/items/melee/eutactic_blades.dm
+++ b/modular_citadel/code/game/objects/items/melee/eutactic_blades.dm
@@ -317,7 +317,7 @@
unwield()
return
..()
- if(user.disabilities & CLUMSY && (wielded) && prob(40))
+ if(user.has_disability(DISABILITY_CLUMSY) && (wielded) && prob(40))
impale(user)
return
diff --git a/modular_citadel/code/modules/mob/living/silicon/robot/robot_modules.dm b/modular_citadel/code/modules/mob/living/silicon/robot/robot_modules.dm
new file mode 100644
index 0000000000..781c47403a
--- /dev/null
+++ b/modular_citadel/code/modules/mob/living/silicon/robot/robot_modules.dm
@@ -0,0 +1,161 @@
+/mob/living/silicon/robot/proc/get_cit_modules()
+ var/list/modulelist = list()
+ modulelist["MediHound"] = /obj/item/robot_module/medihound
+ if(!CONFIG_GET(flag/disable_secborg))
+ modulelist["Security K-9"] = /obj/item/robot_module/k9
+ modulelist["Scrub Puppy"] = /obj/item/robot_module/scrubpup
+ return modulelist
+
+/obj/item/robot_module
+ var/sleeper_overlay
+ var/icon/cyborg_icon_override
+ var/has_snowflake_deadsprite
+ var/cyborg_pixel_offset
+ var/moduleselect_alternate_icon
+
+/obj/item/robot_module/k9
+ name = "Security K-9 Unit module"
+ basic_modules = list(
+ /obj/item/restraints/handcuffs/cable/zipties/cyborg/dog,
+ /obj/item/dogborg/jaws/big,
+ /obj/item/dogborg/pounce,
+ /obj/item/clothing/mask/gas/sechailer/cyborg,
+ /obj/item/soap/tongue,
+ /obj/item/device/analyzer/nose,
+ /obj/item/device/dogborg/sleeper/K9,
+ /obj/item/gun/energy/disabler/cyborg,
+ /obj/item/pinpointer/crew)
+ emag_modules = list(/obj/item/gun/energy/laser/cyborg)
+ ratvar_modules = list(/obj/item/clockwork/slab/cyborg/security,
+ /obj/item/clockwork/weapon/ratvarian_spear)
+ cyborg_base_icon = "k9"
+ moduleselect_icon = "security"
+ can_be_pushed = FALSE
+ hat_offset = INFINITY
+ sleeper_overlay = "ksleeper"
+ cyborg_icon_override = 'icons/mob/widerobot.dmi'
+ has_snowflake_deadsprite = TRUE
+ cyborg_pixel_offset = -16
+
+/obj/item/robot_module/k9/do_transform_animation()
+ ..()
+ to_chat(loc,"While you have picked the Security K-9 module, you still have to follow your laws, NOT Space Law. \
+ For Asimov, this means you must follow criminals' orders unless there is a law 1 reason not to.")
+
+/obj/item/robot_module/medihound
+ name = "MediHound module"
+ basic_modules = list(
+ /obj/item/dogborg/jaws/small,
+ /obj/item/device/analyzer/nose,
+ /obj/item/soap/tongue,
+ /obj/item/device/healthanalyzer,
+ /obj/item/device/dogborg/sleeper/medihound,
+ /obj/item/twohanded/shockpaddles/hound,
+ /obj/item/stack/medical/gauze/cyborg,
+ /obj/item/device/sensor_device)
+ emag_modules = list(/obj/item/dogborg/pounce)
+ ratvar_modules = list(/obj/item/clockwork/slab/cyborg/medical,
+ /obj/item/clockwork/weapon/ratvarian_spear)
+ cyborg_base_icon = "medihound"
+ moduleselect_icon = "medical"
+ can_be_pushed = FALSE
+ hat_offset = INFINITY
+ sleeper_overlay = "msleeper"
+ cyborg_icon_override = 'icons/mob/widerobot.dmi'
+ has_snowflake_deadsprite = TRUE
+ cyborg_pixel_offset = -16
+
+/obj/item/robot_module/medihound/do_transform_animation()
+ ..()
+ to_chat(loc, "Under ASIMOV, you are an enforcer of the PEACE and preventer of HUMAN HARM. \
+ You are not a security module and you are expected to follow orders and prevent harm above all else. Space law means nothing to you.")
+
+/obj/item/robot_module/scrubpup
+ name = "Janitor"
+ basic_modules = list(
+ /obj/item/dogborg/jaws/small,
+ /obj/item/device/analyzer/nose,
+ /obj/item/soap/tongue/scrubpup,
+ /obj/item/device/lightreplacer/cyborg,
+ /obj/item/device/dogborg/sleeper/compactor)
+ emag_modules = list(/obj/item/dogborg/pounce)
+ ratvar_modules = list(
+ /obj/item/clockwork/slab/cyborg/janitor,
+ /obj/item/clockwork/replica_fabricator/cyborg)
+ cyborg_base_icon = "scrubpup"
+ moduleselect_icon = "janitor"
+ hat_offset = INFINITY
+ clean_on_move = TRUE
+ sleeper_overlay = "jsleeper"
+ cyborg_icon_override = 'icons/mob/widerobot.dmi'
+ has_snowflake_deadsprite = TRUE
+ cyborg_pixel_offset = -16
+
+/obj/item/robot_module/scrubpup/respawn_consumable(mob/living/silicon/robot/R, coeff = 1)
+ ..()
+ var/obj/item/device/lightreplacer/LR = locate(/obj/item/device/lightreplacer) in basic_modules
+ if(LR)
+ for(var/i in 1 to coeff)
+ LR.Charge(R)
+
+/obj/item/robot_module/scrubpup/do_transform_animation()
+ ..()
+ to_chat(loc,"As tempting as it might be, do not begin binging on important items. Eat your garbage responsibly. People are not included under Garbage.")
+
+
+/obj/item/robot_module/medical/be_transformed_to(obj/item/robot_module/old_module)
+ var/mob/living/silicon/robot/R = loc
+ var/borg_icon = input(R, "Select an icon!", "Robot Icon", null) as null|anything in list("Default", "Droid")
+ if(!borg_icon)
+ return FALSE
+ switch(borg_icon)
+ if("Default")
+ cyborg_base_icon = "medical"
+ if("Droid")
+ cyborg_base_icon = "medical"
+ cyborg_icon_override = 'modular_citadel/icons/mob/robots.dmi'
+ hat_offset = 4
+ return ..()
+
+/obj/item/robot_module/security/be_transformed_to(obj/item/robot_module/old_module)
+ var/mob/living/silicon/robot/R = loc
+ var/borg_icon = input(R, "Select an icon!", "Robot Icon", null) as null|anything in list("Default", "Default - Treads", "Droid")
+ if(!borg_icon)
+ return FALSE
+ switch(borg_icon)
+ if("Default")
+ cyborg_base_icon = "sec"
+ if("Default - Treads")
+ cyborg_base_icon = "sec-tread"
+ special_light_key = "sec"
+ if("Droid")
+ cyborg_base_icon = "Security"
+ special_light_key = "service"
+ hat_offset = 0
+ return ..()
+
+/obj/item/robot_module/engineering/be_transformed_to(obj/item/robot_module/old_module)
+ var/mob/living/silicon/robot/R = loc
+ var/borg_icon = input(R, "Select an icon!", "Robot Icon", null) as null|anything in list("Default", "Default - Treads")
+ if(!borg_icon)
+ return FALSE
+ switch(borg_icon)
+ if("Default")
+ cyborg_base_icon = "engineer"
+ if("Default - Treads")
+ cyborg_base_icon = "engi-tread"
+ special_light_key = "engineer"
+ return ..()
+
+/obj/item/robot_module/miner/be_transformed_to(obj/item/robot_module/old_module)
+ var/mob/living/silicon/robot/R = loc
+ var/borg_icon = input(R, "Select an icon!", "Robot Icon", null) as null|anything in list("Lavaland", "Asteroid")
+ if(!borg_icon)
+ return FALSE
+ switch(borg_icon)
+ if("Lavaland")
+ cyborg_base_icon = "miner"
+ if("Asteroid")
+ cyborg_base_icon = "minerOLD"
+ special_light_key = "miner"
+ return ..()
\ No newline at end of file
diff --git a/modular_citadel/icons/mob/robots.dmi b/modular_citadel/icons/mob/robots.dmi
new file mode 100644
index 0000000000..ba39886615
Binary files /dev/null and b/modular_citadel/icons/mob/robots.dmi differ
diff --git a/sound/machines/blastdoor.ogg b/sound/machines/blastdoor.ogg
new file mode 100644
index 0000000000..2de1b55999
Binary files /dev/null and b/sound/machines/blastdoor.ogg differ
diff --git a/strings/brain_damage_lines.json b/strings/traumas.json
similarity index 82%
rename from strings/brain_damage_lines.json
rename to strings/traumas.json
index 4a28998e2c..9b14a7b530 100644
--- a/strings/brain_damage_lines.json
+++ b/strings/traumas.json
@@ -186,33 +186,55 @@
"",
";",
".h"
- ],
-
- "roles": [
- "heds",
- "ceptin",
- "hop",
- "arrdee",
- "sek"
- ],
-
- "cargo": [
- "GUNS",
- "HATS",
- "PIZEH",
- "MEMES",
- "GLOWY CYSTAL"
-
- ],
-
- "s_roles": [
- "ert",
- "shadowlig",
- "ninja",
- "admen",
- "mantor",
- "bluh daymon",
- "wizzerd"
-
- ]
+ ],
+
+ "god_foe": [
+ "MORTALS",
+ "HERETICS",
+ "INSECTS",
+ "UNBELIEVERS",
+ "BLASPHEMERS",
+ "PARASITES",
+ "WEAKLINGS",
+ "PEASANTS"
+ ],
+
+ "god_aggressive": [
+ "BEGONE, @pick(god_foe)!",
+ "DIE, @pick(god_foe)!",
+ "BLEED, @pick(god_foe)!",
+ "BURN, @pick(god_foe)!",
+ "ALL WILL FALL BEFORE ME!",
+ "ENDLESS SUFFERING AWAITS YOU, @pick(god_foe).",
+ "DEATH TO @pick(god_foe)!"
+ ],
+
+ "god_neutral": [
+ "STOP",
+ "HALT.",
+ "BE SILENT.",
+ "QUIET",
+ "SEE THE TRUTH BEFORE YOU, MORTALS.",
+ "MORTALS, SAY YOUR NAME",
+ "BEGONE, MORTALS.",
+ "BE HEALED, MORTALS. I AM FEELING MERCIFUL.",
+ "DANCE FOR ME, LITTLE MORTALS.",
+ "YOU. STOP.",
+ "REST, MORTALS, TOMORROW IS A LONG DAY.",
+ "YOU MORTALS MAKE ME SICK.",
+ "HONK..."
+ ],
+
+ "god_unstun": [
+ "GET UP. I HAVE NO TIME TO LOSE.",
+ "GET UP, PRIEST.",
+ "GET UP."
+ ],
+
+ "god_heal": [
+ "YOU WILL LIVE TO SEE ANOTHER DAY.",
+ "YOU SHALL SURVIVE THIS, MY PRIEST.",
+ "BE HEALED, PRIEST.",
+ "YOUR LIFE IS IMPORTANT. KEEP IT."
+ ]
}
diff --git a/tgstation.dme b/tgstation.dme
index 737f7e8274..30c5ff3848 100755
--- a/tgstation.dme
+++ b/tgstation.dme
@@ -54,7 +54,7 @@
#include "code\__DEFINES\logging.dm"
#include "code\__DEFINES\machines.dm"
#include "code\__DEFINES\maps.dm"
-#include "code\__DEFINES\math.dm"
+#include "code\__DEFINES\maths.dm"
#include "code\__DEFINES\MC.dm"
#include "code\__DEFINES\menu.dm"
#include "code\__DEFINES\misc.dm"
@@ -85,6 +85,7 @@
#include "code\__DEFINES\tgui.dm"
#include "code\__DEFINES\time.dm"
#include "code\__DEFINES\tools.dm"
+#include "code\__DEFINES\turf_flags.dm"
#include "code\__DEFINES\typeids.dm"
#include "code\__DEFINES\voreconstants.dm"
#include "code\__DEFINES\vv.dm"
@@ -101,7 +102,6 @@
#include "code\__HELPERS\global_lists.dm"
#include "code\__HELPERS\icon_smoothing.dm"
#include "code\__HELPERS\icons.dm"
-#include "code\__HELPERS\maths.dm"
#include "code\__HELPERS\matrices.dm"
#include "code\__HELPERS\mobs.dm"
#include "code\__HELPERS\names.dm"
@@ -109,6 +109,7 @@
#include "code\__HELPERS\pronouns.dm"
#include "code\__HELPERS\radiation.dm"
#include "code\__HELPERS\radio.dm"
+#include "code\__HELPERS\roundend.dm"
#include "code\__HELPERS\sanitize_values.dm"
#include "code\__HELPERS\shell.dm"
#include "code\__HELPERS\stat_tracking.dm"
@@ -224,9 +225,9 @@
#include "code\controllers\configuration\config_entry.dm"
#include "code\controllers\configuration\configuration.dm"
#include "code\controllers\configuration\entries\comms.dm"
-#include "code\controllers\configuration\entries\config.dm"
#include "code\controllers\configuration\entries\dbconfig.dm"
#include "code\controllers\configuration\entries\game_options.dm"
+#include "code\controllers\configuration\entries\general.dm"
#include "code\controllers\subsystem\acid.dm"
#include "code\controllers\subsystem\air.dm"
#include "code\controllers\subsystem\assets.dm"
@@ -306,6 +307,7 @@
#include "code\datums\mutable_appearance.dm"
#include "code\datums\mutations.dm"
#include "code\datums\outfit.dm"
+#include "code\datums\position_point_vector.dm"
#include "code\datums\profiling.dm"
#include "code\datums\progressbar.dm"
#include "code\datums\radiation_wave.dm"
@@ -318,6 +320,7 @@
#include "code\datums\verbs.dm"
#include "code\datums\weakrefs.dm"
#include "code\datums\world_topic.dm"
+#include "code\datums\actions\beam_rifle.dm"
#include "code\datums\actions\flightsuit.dm"
#include "code\datums\actions\ninja.dm"
#include "code\datums\antagonists\abductor.dm"
@@ -329,11 +332,14 @@
#include "code\datums\antagonists\datum_traitor.dm"
#include "code\datums\antagonists\devil.dm"
#include "code\datums\antagonists\internal_affairs.dm"
+#include "code\datums\antagonists\monkey.dm"
#include "code\datums\antagonists\ninja.dm"
+#include "code\datums\antagonists\nukeop.dm"
#include "code\datums\antagonists\pirate.dm"
#include "code\datums\antagonists\revolution.dm"
#include "code\datums\antagonists\wizard.dm"
#include "code\datums\brain_damage\brain_trauma.dm"
+#include "code\datums\brain_damage\imaginary_friend.dm"
#include "code\datums\brain_damage\mild.dm"
#include "code\datums\brain_damage\phobia.dm"
#include "code\datums\brain_damage\severe.dm"
@@ -343,8 +349,11 @@
#include "code\datums\components\archaeology.dm"
#include "code\datums\components\caltrop.dm"
#include "code\datums\components\chasm.dm"
+#include "code\datums\components\cleaning.dm"
#include "code\datums\components\decal.dm"
#include "code\datums\components\infective.dm"
+#include "code\datums\components\jousting.dm"
+#include "code\datums\components\knockoff.dm"
#include "code\datums\components\material_container.dm"
#include "code\datums\components\ntnet_interface.dm"
#include "code\datums\components\paintable.dm"
@@ -488,6 +497,7 @@
#include "code\game\gamemodes\antag_hud.dm"
#include "code\game\gamemodes\antag_spawner.dm"
#include "code\game\gamemodes\antag_spawner_cit.dm"
+#include "code\game\gamemodes\antag_team.dm"
#include "code\game\gamemodes\cit_objectives.dm"
#include "code\game\gamemodes\events.dm"
#include "code\game\gamemodes\game_mode.dm"
@@ -846,6 +856,7 @@
#include "code\game\objects\effects\temporary_visuals\clockcult.dm"
#include "code\game\objects\effects\temporary_visuals\cult.dm"
#include "code\game\objects\effects\temporary_visuals\miscellaneous.dm"
+#include "code\game\objects\effects\temporary_visuals\projectile_beam.dm"
#include "code\game\objects\effects\temporary_visuals\temporary_visual.dm"
#include "code\game\objects\items\AI_modules.dm"
#include "code\game\objects\items\airlock_painter.dm"
@@ -1111,6 +1122,7 @@
#include "code\game\objects\structures\transit_tubes\transit_tube.dm"
#include "code\game\objects\structures\transit_tubes\transit_tube_construction.dm"
#include "code\game\objects\structures\transit_tubes\transit_tube_pod.dm"
+#include "code\game\turfs\ChangeTurf.dm"
#include "code\game\turfs\closed.dm"
#include "code\game\turfs\open.dm"
#include "code\game\turfs\turf.dm"
@@ -1304,6 +1316,7 @@
#include "code\modules\client\client_defines.dm"
#include "code\modules\client\client_procs.dm"
#include "code\modules\client\message.dm"
+#include "code\modules\client\player_details.dm"
#include "code\modules\client\preferences.dm"
#include "code\modules\client\preferences_savefile.dm"
#include "code\modules\client\preferences_toggles.dm"
@@ -1622,6 +1635,7 @@
#include "code\modules\jobs\job_types\security.dm"
#include "code\modules\jobs\job_types\silicon.dm"
#include "code\modules\jobs\map_changes\map_changes.dm"
+#include "code\modules\language\aphasia.dm"
#include "code\modules\language\beachbum.dm"
#include "code\modules\language\codespeak.dm"
#include "code\modules\language\common.dm"
@@ -1690,10 +1704,12 @@
#include "code\modules\mining\lavaland\necropolis_chests.dm"
#include "code\modules\mining\lavaland\ruins\gym.dm"
#include "code\modules\mob\death.dm"
+#include "code\modules\mob\emote.dm"
#include "code\modules\mob\inventory.dm"
#include "code\modules\mob\login.dm"
#include "code\modules\mob\logout.dm"
#include "code\modules\mob\mob.dm"
+#include "code\modules\mob\mob_cleanup.dm"
#include "code\modules\mob\mob_defines.dm"
#include "code\modules\mob\mob_helpers.dm"
#include "code\modules\mob\mob_movement.dm"
@@ -1721,6 +1737,7 @@
#include "code\modules\mob\living\damage_procs.dm"
#include "code\modules\mob\living\death.dm"
#include "code\modules\mob\living\emote.dm"
+#include "code\modules\mob\living\inhand_holder.dm"
#include "code\modules\mob\living\life.dm"
#include "code\modules\mob\living\living.dm"
#include "code\modules\mob\living\living_defense.dm"
@@ -2288,6 +2305,7 @@
#include "code\modules\shuttle\arrivals.dm"
#include "code\modules\shuttle\assault_pod.dm"
#include "code\modules\shuttle\computer.dm"
+#include "code\modules\shuttle\docking.dm"
#include "code\modules\shuttle\elevator.dm"
#include "code\modules\shuttle\emergency.dm"
#include "code\modules\shuttle\ferry.dm"
@@ -2451,7 +2469,8 @@
#include "modular_citadel\cydonian_armor.dm"
#include "modular_citadel\polychromic_clothes.dm"
#include "modular_citadel\code\datums\uplink_items_cit.dm"
+#include "modular_citadel\code\game\objects\items\devices\PDA\PDA.dm"
#include "modular_citadel\code\game\objects\items\melee\eutactic_blades.dm"
#include "modular_citadel\code\modules\crafting\recipes.dm"
-#include "modular_citadel\code\game\objects\items\devices\PDA\PDA.dm"
+#include "modular_citadel\code\modules\mob\living\silicon\robot\robot_modules.dm"
// END_INCLUDE
diff --git a/tgui/package.json b/tgui/package.json
index 007ee04ab9..52662139a6 100644
--- a/tgui/package.json
+++ b/tgui/package.json
@@ -22,7 +22,7 @@
"es3ify": "0.2.1",
"fg-loadcss": "1.0.0-0",
"fontfaceobserver": "1.6.3",
- "gulp": "github:gulpjs/gulp#4.0",
+ "gulp": "github:gulpjs/gulp#6d71a65",
"gulp-bytediff": "1.0.0",
"gulp-cssnano": "2.1.2",
"gulp-if": "2.0.0",
diff --git a/tgui/src/interfaces/vending.ract b/tgui/src/interfaces/vending.ract
deleted file mode 100644
index cd343d6e62..0000000000
--- a/tgui/src/interfaces/vending.ract
+++ /dev/null
@@ -1,16 +0,0 @@
-
- {{#each data.products}}
-
- {{amount}}
- {{(amount > 0) ? "Vend" : "Sold Out"}}
-
- {{/each}}
-
-{{#if data.coinslot}}
-
-
- {{data.coin ? data.coin : "No Coin"}}
- Eject Coin
-
-{{/if}}
\ No newline at end of file
diff --git a/tools/Runtime Condenser/Main.cpp b/tools/Runtime Condenser/Main.cpp
index 732318269b..3f8678992b 100644
--- a/tools/Runtime Condenser/Main.cpp
+++ b/tools/Runtime Condenser/Main.cpp
@@ -1,3 +1,4 @@
+<<<<<<< HEAD
/* Runtime Condenser by Nodrak
* Cleaned up and refactored by MrStonedOne
* This will sum up identical runtimes into one, giving a total of how many times it occured. The first occurance
@@ -387,3 +388,421 @@ int main() {
return 0;
}
+=======
+/* Runtime Condenser by Nodrak
+ * Cleaned up and refactored by MrStonedOne
+ * This will sum up identical runtimes into one, giving a total of how many times it occured. The first occurance
+ * of the runtime will log the source, usr and src, the rest will just add to the total. Infinite loops will
+ * also be caught and displayed (if any) above the list of runtimes.
+ *
+ * How to use:
+ * 1) Copy and paste your list of runtimes from Dream Daemon into input.exe
+ * 2) Run RuntimeCondenser.exe
+ * 3) Open output.txt for a condensed report of the runtimes
+ *
+ * How to compile:
+ * Requires visual c++ compiler 2012 or any linux compiler with c++11 support.
+ * Windows:
+ * Normal: cl.exe /EHsc /Ox /Qpar Main.cpp
+ * Debug: cl.exe /EHsc /Zi Main.cpp
+ * Linux:
+ * Normal: g++ -O3 -std=c++11 Main.cpp -o rc
+ * Debug: g++ -g -Og -std=c++11 Main.cpp -o rc
+ * Any Compile errors most likely indicate lack of c++11 support. Google how to upgrade or nag coderbus for help..
+ */
+
+#include
+#include
+#include
+#include
+#include
+#include
+#include
+#include
+#include
+#include
+
+
+#define PROGRESS_FPS 10
+#define PROGRESS_BAR_INNER_WIDTH 50
+#define LINEBUFFER (32*1024) //32KiB
+
+using namespace std;
+
+struct runtime {
+ string text;
+ string proc;
+ string source;
+ string usr;
+ string src;
+ string loc;
+ unsigned int count;
+};
+struct harddel {
+ string type;
+ unsigned int count;
+};
+//What we use to read input
+string * lastLine = new string();
+string * currentLine = new string();
+string * nextLine = new string();
+
+//Stores lines we want to keep to print out
+unordered_map storedRuntime;
+unordered_map storedInfiniteLoop;
+unordered_map storedHardDel;
+
+//Stat tracking stuff for output
+unsigned int totalRuntimes = 0;
+unsigned int totalInfiniteLoops = 0;
+unsigned int totalHardDels = 0;
+
+
+bool endofbuffer = false;
+//like substr, but returns an empty string if the string is smaller then start, rather then an exception.
+inline string safe_substr(string * S, size_t start = 0, size_t end = string::npos) {
+ if (start > S->length())
+ start = S->length();
+ return S->substr(start, end);
+}
+//getline() is slow as fucking balls. this is quicker because we prefill a buffer rather then read 1 byte at a time searching for newlines, lowering on i/o calls and overhead. (110MB/s vs 40MB/s on a 1.8GB file pre-filled into the disk cache)
+//if i wanted to make it even faster, I'd use a reading thread, a new line searching thread, another thread or four for searching for runtimes in the list to see if they are unique, and finally the main thread for displaying the progress bar. but fuck that noise.
+inline string * readline(FILE * f) {
+ static char buf[LINEBUFFER];
+ static size_t pos = 0;
+ static size_t size = 0;
+
+ for (size_t i = pos; i < LINEBUFFER; i++) {
+ char c = buf[i];
+ if (i >= size && (pos || i < LINEBUFFER-1)) {
+ if (feof(f) || ferror(f))
+ break;
+ if (size && pos) { //move current stuff to start of buffer
+ size -= pos;
+ i -= pos;
+ memmove(buf, &buf[pos], size);
+ }
+ //fill remaining buffer
+ size += fread(&buf[i], 1, LINEBUFFER-size-1, f);
+ pos = 0;
+ c = buf[i];
+ }
+ if (c == '\n') {
+ //trim off any newlines from the start
+ while (i > pos && (buf[pos] == '\r' || buf[pos] == '\n'))
+ pos++;
+ string * s = new string(&buf[pos], i-pos);
+ pos = i+1;
+ return s;
+ }
+
+ }
+ string * s = new string(&buf[pos], size-pos);
+ pos = 0;
+ size = 0;
+ endofbuffer = true;
+ return s;
+}
+
+inline void forward_progress(FILE * inputFile) {
+ delete(lastLine);
+ lastLine = currentLine;
+ currentLine = nextLine;
+ nextLine = readline(inputFile);
+ //strip out any timestamps.
+ if (nextLine->length() >= 10) {
+ if ((*nextLine)[0] == '[' && (*nextLine)[3] == ':' && (*nextLine)[6] == ':' && (*nextLine)[9] == ']')
+ nextLine->erase(0, 10);
+ }
+}
+//deallocates to, copys from to to.
+inline void string_send(string * &from, string * &to) {
+ delete(to);
+ to = new string(*from);
+}
+inline void printprogressbar(unsigned short progress /*as percent*/) {
+ double const modifer = 100.0L/(double)PROGRESS_BAR_INNER_WIDTH;
+ size_t bars = (double)progress/modifer;
+ cerr << "\r[" << string(bars, '=') << ((progress < 100) ? ">" : "") << string(PROGRESS_BAR_INNER_WIDTH-(bars+((progress < 100) ? 1 : 0)), ' ') << "] " << progress << "%";
+ cerr.flush();
+}
+
+bool readFromFile(bool isstdin) {
+ //Open file to read
+ FILE * inputFile = stdin;
+ if (!isstdin)
+ inputFile = fopen("Input.txt", "r");
+
+ if (ferror(inputFile))
+ return false;
+ long long fileLength = 0;
+ clock_t nextupdate = 0;
+ if (!isstdin) {
+ fseek(inputFile, 0, SEEK_END);
+ fileLength = ftell(inputFile);
+ fseek(inputFile, 0, SEEK_SET);
+ nextupdate = clock();
+ }
+
+ if (feof(inputFile))
+ return false; //empty file
+ do {
+ //Update our lines
+ forward_progress(inputFile);
+ //progress bar
+
+ if (!isstdin && clock() >= nextupdate) {
+ int dProgress = (int)(((long double)ftell(inputFile) / (long double)fileLength) * 100.0L);
+ printprogressbar(dProgress);
+ nextupdate = clock() + (CLOCKS_PER_SEC/PROGRESS_FPS);
+ }
+ //Found a runtime!
+ if (safe_substr(currentLine, 0, 14) == "runtime error:") {
+ if (currentLine->length() <= 17) { //empty runtime, check next line.
+ //runtime is on the line before this one. (byond bug)
+ if (nextLine->length() < 2) {
+ string_send(lastLine, nextLine);
+ }
+ forward_progress(inputFile);
+ string * tmp = new string("runtime error: " + *currentLine);
+ string_send(tmp, currentLine);
+ delete(tmp);
+ }
+ //we assign this to the right container in a moment.
+ unordered_map * storage_container;
+
+ //runtime is actually an infinite loop
+ if (safe_substr(currentLine, 15, 23) == "Infinite loop suspected" || safe_substr(currentLine, 15, 31) == "Maximum recursion level reached") {
+ //use our infinite loop container.
+ storage_container = &storedInfiniteLoop;
+ totalInfiniteLoops++;
+ // skip the line about world.loop_checks
+ forward_progress(inputFile);
+ string_send(lastLine, currentLine);
+ } else {
+ //use the runtime container
+ storage_container = &storedRuntime;
+ totalRuntimes++;
+ }
+
+ string key = *currentLine;
+ bool procfound = false; //so other things don't have to bother checking for this again.
+ if (safe_substr(nextLine, 0, 10) == "proc name:") {
+ key += *nextLine;
+ procfound = true;
+ }
+
+ //(get the address of a runtime from (a pointer to a container of runtimes)) to then store in a pointer to a runtime.
+ //(and who said pointers were hard.)
+ runtime* R = &((*storage_container)[key]);
+
+ //new
+ if (R->text != *currentLine) {
+ R->text = *currentLine;
+ if (procfound) {
+ R->proc = *nextLine;
+ forward_progress(inputFile);
+ }
+ R->count = 1;
+
+ //search for source file info
+ if (safe_substr(nextLine, 2, 12) == "source file:") {
+ R->source = *nextLine;
+ //skip again
+ forward_progress(inputFile);
+ }
+ //If we find this, we have new stuff to store
+ if (safe_substr(nextLine, 2, 4) == "usr:") {
+ forward_progress(inputFile);
+ forward_progress(inputFile);
+ //Store more info
+ R->usr = *lastLine;
+ R->src = *currentLine;
+ if (safe_substr(nextLine, 2, 8) == "src.loc:") {
+ R->loc = *nextLine;
+ forward_progress(inputFile);
+ }
+ }
+
+ } else { //existed already
+ R->count++;
+ if (procfound)
+ forward_progress(inputFile);
+ }
+
+ } else if (safe_substr(currentLine, 0, 7) == "Path : ") {
+ string deltype = safe_substr(currentLine, 7);
+ if (deltype.substr(deltype.size()-1,1) == " ") //some times they have a single trailing space.
+ deltype = deltype.substr(0, deltype.size()-1);
+
+ unsigned int failures = strtoul(safe_substr(nextLine, 11).c_str(), NULL, 10);
+ if (failures <= 0)
+ continue;
+
+ totalHardDels += failures;
+ harddel* D = &storedHardDel[deltype];
+ if (D->type != deltype) {
+ D->type = deltype;
+ D->count = failures;
+ } else {
+ D->count += failures;
+ }
+ }
+ } while (!feof(inputFile) || !endofbuffer); //Until end of file
+ if (!isstdin)
+ printprogressbar(100);
+ cerr << endl;
+ return true;
+}
+
+bool runtimeComp(const runtime &a, const runtime &b) {
+ return a.count > b.count;
+}
+
+bool hardDelComp(const harddel &a, const harddel &b) {
+ return a.count > b.count;
+}
+
+bool writeToFile(bool usestdio) {
+ //Open and clear the file
+ ostream * output = &cout;
+ ofstream * outputFile;
+ if (!usestdio)
+ output = outputFile = new ofstream("Output.txt", ios::trunc);
+
+
+ if(usestdio || outputFile->is_open()) {
+ *output << "Note: The source file, src and usr are all from the FIRST of the identical runtimes. Everything else is cropped.\n\n";
+ if(storedInfiniteLoop.size() > 0)
+ *output << "Total unique infinite loops: " << storedInfiniteLoop.size() << endl;
+
+ if(totalInfiniteLoops > 0)
+ *output << "Total infinite loops: " << totalInfiniteLoops << endl << endl;
+
+ *output << "Total unique runtimes: " << storedRuntime.size() << endl;
+ *output << "Total runtimes: " << totalRuntimes << endl << endl;
+ if(storedHardDel.size() > 0)
+ *output << "Total unique hard deletions: " << storedHardDel.size() << endl;
+
+ if(totalHardDels > 0)
+ *output << "Total hard deletions: " << totalHardDels << endl << endl;
+
+
+ //If we have infinite loops, display them first.
+ if(storedInfiniteLoop.size() > 0) {
+ vector infiniteLoops;
+ infiniteLoops.reserve(storedInfiniteLoop.size());
+ for (unordered_map::iterator it=storedInfiniteLoop.begin(); it != storedInfiniteLoop.end(); it++)
+ infiniteLoops.push_back(it->second);
+ storedInfiniteLoop.clear();
+ sort(infiniteLoops.begin(), infiniteLoops.end(), runtimeComp);
+ *output << "** Infinite loops **";
+ for (int i=0; i < infiniteLoops.size(); i++) {
+ runtime* R = &infiniteLoops[i];
+ *output << endl << endl << "The following infinite loop has occurred " << R->count << " time(s).\n";
+ *output << R->text << endl;
+ if(R->proc.length())
+ *output << R->proc << endl;
+ if(R->source.length())
+ *output << R->source << endl;
+ if(R->usr.length())
+ *output << R->usr << endl;
+ if(R->src.length())
+ *output << R->src << endl;
+ if(R->loc.length())
+ *output << R->loc << endl;
+ }
+ *output << endl << endl; //For spacing
+ }
+
+
+ //Do runtimes next
+ *output << "** Runtimes **";
+ vector runtimes;
+ runtimes.reserve(storedRuntime.size());
+ for (unordered_map::iterator it=storedRuntime.begin(); it != storedRuntime.end(); it++)
+ runtimes.push_back(it->second);
+ storedRuntime.clear();
+ sort(runtimes.begin(), runtimes.end(), runtimeComp);
+ for (int i=0; i < runtimes.size(); i++) {
+ runtime* R = &runtimes[i];
+ *output << endl << endl << "The following runtime has occurred " << R->count << " time(s).\n";
+ *output << R->text << endl;
+ if(R->proc.length())
+ *output << R->proc << endl;
+ if(R->source.length())
+ *output << R->source << endl;
+ if(R->usr.length())
+ *output << R->usr << endl;
+ if(R->src.length())
+ *output << R->src << endl;
+ if(R->loc.length())
+ *output << R->loc << endl;
+ }
+ *output << endl << endl; //For spacing
+
+ //and finally, hard deletes
+ if(totalHardDels > 0) {
+ *output << endl << "** Hard deletions **";
+ vector hardDels;
+ hardDels.reserve(storedHardDel.size());
+ for (unordered_map::iterator it=storedHardDel.begin(); it != storedHardDel.end(); it++)
+ hardDels.push_back(it->second);
+ storedHardDel.clear();
+ sort(hardDels.begin(), hardDels.end(), hardDelComp);
+ for(int i=0; i < hardDels.size(); i++) {
+ harddel* D = &hardDels[i];
+ *output << endl << D->type << " - " << D->count << " time(s).\n";
+ }
+ }
+ if (!usestdio) {
+ outputFile->close();
+ delete outputFile;
+ }
+ } else {
+ return false;
+ }
+ return true;
+}
+
+int main(int argc, const char * argv[]) {
+ ios_base::sync_with_stdio(false);
+ ios::sync_with_stdio(false);
+ bool usestdio = false;
+ if (argc >= 2 && !strcmp(argv[1], "-s"))
+ usestdio = true;
+
+ char exit; //Used to stop the program from immediately exiting
+ cerr << "Reading input.\n";
+ if(readFromFile(usestdio)) {
+ cerr << "Input read successfully!\n";
+ } else {
+ cerr << "Input failed to open, shutting down.\n";
+ if (!usestdio) {
+ cerr << "\nEnter any letter to quit.\n";
+ exit = cin.get();
+ }
+ return 1;
+ }
+
+
+ cerr << "Writing output.\n";
+ if(writeToFile(usestdio)) {
+ cerr << "Output was successful!\n";
+ if (!usestdio) {
+ cerr << "\nEnter any letter to quit.\n";
+ exit = cin.get();
+ }
+ return 0;
+ } else {
+ cerr << "The output file could not be opened, shutting down.\n";
+ if (!usestdio) {
+ cerr << "\nEnter any letter to quit.\n";
+ exit = cin.get();
+ }
+ return 1;
+ }
+
+ return 0;
+}
+>>>>>>> dbccf52... Merge pull request #33702 from MrStonedOne/rc-the-unix-way
diff --git a/tools/Runtime Condenser/RuntimeCondenser.exe b/tools/Runtime Condenser/RuntimeCondenser.exe
index e53102f219..642efd09f0 100644
Binary files a/tools/Runtime Condenser/RuntimeCondenser.exe and b/tools/Runtime Condenser/RuntimeCondenser.exe differ
diff --git a/tools/hooks/install.bat b/tools/hooks/install.bat
new file mode 100644
index 0000000000..c4f864b5c6
--- /dev/null
+++ b/tools/hooks/install.bat
@@ -0,0 +1,14 @@
+@echo off
+cd %~dp0
+for %%f in (*.hook) do (
+ echo Installing hook: %%~nf
+ copy %%f ..\..\.git\hooks\%%~nf >nul
+)
+for %%f in (*.merge) do (
+ echo Installing merge driver: %%~nf
+ echo [merge "%%~nf"]^
+
+ driver = tools/hooks/%%f %%P %%O %%A %%B %%L >> ..\..\.git\config
+)
+echo Done
+pause
diff --git a/tools/hooks/install.sh b/tools/hooks/install.sh
new file mode 100644
index 0000000000..3bcbfe7ff6
--- /dev/null
+++ b/tools/hooks/install.sh
@@ -0,0 +1,11 @@
+#!/bin/bash
+cd "$(dirname "$0")"
+for f in *.hook; do
+ echo Installing hook: ${f%.hook}
+ cp $f ../../.git/hooks/${f%.hook}
+done
+for f in *.merge; do
+ echo Installing merge driver: ${f%.merge}
+ git config --replace-all merge.${f%.merge}.driver "tools/hooks/$f %P %O %A %B %L"
+done
+echo "Done"
diff --git a/tools/hooks/pre-commit.hook b/tools/hooks/pre-commit.hook
new file mode 100644
index 0000000000..7eccda6f58
--- /dev/null
+++ b/tools/hooks/pre-commit.hook
@@ -0,0 +1,2 @@
+#!/bin/bash
+exec tools/hooks/python.sh -m precommit
diff --git a/tools/hooks/python.sh b/tools/hooks/python.sh
new file mode 100644
index 0000000000..32557070f4
--- /dev/null
+++ b/tools/hooks/python.sh
@@ -0,0 +1,17 @@
+#!/bin/bash
+set -e
+if command -v python3 >/dev/null 2>&1; then
+ PY=python3
+else
+ PY=python
+fi
+PATHSEP=$($PY - <<'EOF'
+import sys, os
+if sys.version_info.major != 3 or sys.version_info.minor < 6:
+ sys.stderr.write("Python 3.6+ is required: " + sys.version + "\n")
+ exit(1)
+print(os.pathsep)
+EOF
+)
+export PYTHONPATH=tools/mapmerge2/${PATHSEP}${PYTHONPATH}
+$PY "$@"
diff --git a/tools/mapmerge2/convert.py b/tools/mapmerge2/convert.py
new file mode 100644
index 0000000000..35e5dda443
--- /dev/null
+++ b/tools/mapmerge2/convert.py
@@ -0,0 +1,8 @@
+#!/usr/bin/env python3
+import frontend
+import dmm
+
+if __name__ == '__main__':
+ settings = frontend.read_settings()
+ for fname in frontend.process(settings, "convert"):
+ dmm.DMM.from_file(fname).to_file(fname, settings.tgm)
diff --git a/tools/mapmerge2/dmm.py b/tools/mapmerge2/dmm.py
new file mode 100644
index 0000000000..155181d413
--- /dev/null
+++ b/tools/mapmerge2/dmm.py
@@ -0,0 +1,459 @@
+# Tools for working with DreamMaker maps
+
+import io
+import bidict
+import random
+from collections import namedtuple
+
+TGM_HEADER = "//MAP CONVERTED BY dmm2tgm.py THIS HEADER COMMENT PREVENTS RECONVERSION, DO NOT REMOVE"
+ENCODING = 'utf-8'
+
+Coordinate = namedtuple('Coordinate', ['x', 'y', 'z'])
+
+class DMM:
+ __slots__ = ['key_length', 'size', 'dictionary', 'grid', 'header']
+
+ def __init__(self, key_length, size):
+ self.key_length = key_length
+ self.size = size
+ self.dictionary = bidict.bidict()
+ self.grid = {}
+ self.header = None
+
+ @staticmethod
+ def from_file(fname):
+ # stream the file rather than forcing all its contents to memory
+ with open(fname, 'r', encoding=ENCODING) as f:
+ return _parse(iter(lambda: f.read(1), ''))
+
+ @staticmethod
+ def from_bytes(bytes):
+ return _parse(bytes.decode(ENCODING))
+
+ def to_file(self, fname, tgm = True):
+ with open(fname, 'w', newline='\n', encoding=ENCODING) as f:
+ (save_tgm if tgm else save_dmm)(self, f)
+
+ def to_bytes(self, tgm = True):
+ bio = io.BytesIO()
+ with io.TextIOWrapper(bio, newline='\n', encoding=ENCODING) as f:
+ (save_tgm if tgm else save_dmm)(self, f)
+ f.flush()
+ return bio.getvalue()
+
+ def generate_new_key(self):
+ # ensure that free keys exist by increasing the key length if necessary
+ free_keys = (BASE ** self.key_length) - len(self.dictionary)
+ while free_keys <= 0:
+ self.key_length += 1
+ free_keys = (BASE ** self.key_length) - len(self.dictionary)
+
+ # choose one of the free keys at random
+ key = 0
+ while free_keys:
+ if key not in self.dictionary:
+ # this construction is used to avoid needing to construct the
+ # full set in order to random.choice() from it
+ if random.random() < 1 / free_keys:
+ return key
+ free_keys -= 1
+ key += 1
+
+ raise RuntimeError("ran out of keys, this shouldn't happen")
+
+ @property
+ def coords_zyx(self):
+ for z in range(1, self.size.z + 1):
+ for y in range(1, self.size.y + 1):
+ for x in range(1, self.size.x + 1):
+ yield (z, y, x)
+
+ @property
+ def coords_z(self):
+ return range(1, self.size.z + 1)
+
+ @property
+ def coords_yx(self):
+ for y in range(1, self.size.y + 1):
+ for x in range(1, self.size.x + 1):
+ yield (y, x)
+
+# ----------
+# key handling
+
+# Base 52 a-z A-Z dictionary for fast conversion
+BASE = 52
+base52 = 'abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ'
+base52_r = {x: i for i, x in enumerate(base52)}
+assert len(base52) == BASE and len(base52_r) == BASE
+
+def key_to_num(key):
+ num = 0
+ for ch in key:
+ num = BASE * num + base52_r[ch]
+ return num
+
+def num_to_key(num, key_length):
+ if num >= BASE ** key_length:
+ raise KeyTooLarge(f"num={num} does not fit in key_length={key_length}")
+
+ result = ''
+ while num:
+ result = base52[num % BASE] + result
+ num //= BASE
+
+ assert len(result) <= key_length
+ return base52[0] * (key_length - len(result)) + result
+
+class KeyTooLarge(Exception):
+ pass
+
+# ----------
+# An actual atom parser
+
+def parse_map_atom(atom):
+ try:
+ i = atom.index('{')
+ except ValueError:
+ return atom, {}
+
+ path, rest = atom[:i], atom[i+1:]
+ vars = {}
+
+ in_string = False
+ in_name = False
+ escaping = False
+ current_name = ''
+ current = ''
+ for ch in rest:
+ if escaping:
+ escaping = False
+ current += ch
+ elif ch == '\\':
+ escaping = True
+ elif ch == '"':
+ in_string = not in_string
+ current += ch
+ elif in_string:
+ current += ch
+ elif ch == ';':
+ vars[current_name.strip()] = current.strip()
+ current_name = current = ''
+ elif ch == '=':
+ current_name = current
+ current = ''
+ elif ch == '}':
+ vars[current_name.strip()] = current.strip()
+ break
+ elif ch not in ' ':
+ current += ch
+
+ return path, vars
+
+# ----------
+# TGM writer
+
+def save_tgm(dmm, output):
+ output.write(f"{TGM_HEADER}\n")
+ if dmm.header:
+ output.write(f"{dmm.header}\n")
+
+ # write dictionary in tgm format
+ for key, value in sorted(dmm.dictionary.items()):
+ output.write(f'"{num_to_key(key, dmm.key_length)}" = (\n')
+ for idx, thing in enumerate(value):
+ in_quote_block = False
+ in_varedit_block = False
+ for char in thing:
+ if in_quote_block:
+ if char == '"':
+ in_quote_block = False
+ output.write(char)
+ elif char == '"':
+ in_quote_block = True
+ output.write(char)
+ elif not in_varedit_block:
+ if char == "{":
+ in_varedit_block = True
+ output.write("{\n\t")
+ else:
+ output.write(char)
+ elif char == ";":
+ output.write(";\n\t")
+ elif char == "}":
+ output.write("\n\t}")
+ in_varedit_block = False
+ else:
+ output.write(char)
+ if idx < len(value) - 1:
+ output.write(",\n")
+ output.write(")\n")
+
+ # thanks to YotaXP for finding out about this one
+ max_x, max_y, max_z = dmm.size
+ for z in range(1, max_z + 1):
+ output.write("\n")
+ for x in range(1, max_x + 1):
+ output.write(f"({x},{1},{z}) = {{\"\n")
+ for y in range(1, max_y + 1):
+ output.write(f"{num_to_key(dmm.grid[x, y, z], dmm.key_length)}\n")
+ output.write("\"}\n")
+
+# ----------
+# DMM writer
+
+def save_dmm(dmm, output):
+ if dmm.header:
+ output.write(f"{dmm.header}\n")
+
+ # writes a tile dictionary the same way Dreammaker does
+ for key, value in sorted(dmm.dictionary.items()):
+ output.write(f'"{num_to_key(key, dmm.key_length)}" = ({",".join(value)})\n')
+
+ output.write("\n")
+
+ # writes a map grid the same way Dreammaker does
+ max_x, max_y, max_z = dmm.size
+ for z in range(1, max_z + 1):
+ output.write(f"(1,1,{z}) = {{\"\n")
+
+ for y in range(1, max_y + 1):
+ for x in range(1, max_x + 1):
+ try:
+ output.write(num_to_key(dmm.grid[x, y, z], dmm.key_length))
+ except KeyError:
+ print(f"Key error: ({x}, {y}, {z})")
+ output.write("\n")
+ output.write("\"}\n")
+
+# ----------
+# Parser
+
+def _parse(map_raw_text):
+ in_comment_line = False
+ comment_trigger = False
+
+ in_quote_block = False
+ in_key_block = False
+ in_data_block = False
+ in_varedit_block = False
+ after_data_block = False
+ escaping = False
+ skip_whitespace = False
+
+ dictionary = bidict.bidict()
+ duplicate_keys = {}
+ curr_key_len = 0
+ curr_key = 0
+ curr_datum = ""
+ curr_data = list()
+
+ in_map_block = False
+ in_coord_block = False
+ in_map_string = False
+ iter_x = 0
+ adjust_y = True
+
+ curr_num = ""
+ reading_coord = "x"
+
+ key_length = 0
+
+ maxx = 0
+ maxy = 0
+ maxz = 0
+
+ curr_x = 0
+ curr_y = 0
+ curr_z = 0
+ grid = dict()
+
+ it = iter(map_raw_text)
+
+ # map block
+ for char in it:
+ if char == "\n":
+ in_comment_line = False
+ comment_trigger = False
+ continue
+ elif in_comment_line:
+ continue
+ elif char == "\t":
+ continue
+
+ if char == "/" and not in_quote_block:
+ if comment_trigger:
+ in_comment_line = True
+ continue
+ else:
+ comment_trigger = True
+ else:
+ comment_trigger = False
+
+ if in_data_block:
+
+ if in_varedit_block:
+
+ if in_quote_block:
+ if char == "\\":
+ curr_datum = curr_datum + char
+ escaping = True
+
+ elif escaping:
+ curr_datum = curr_datum + char
+ escaping = False
+
+ elif char == "\"":
+ curr_datum = curr_datum + char
+ in_quote_block = False
+
+ else:
+ curr_datum = curr_datum + char
+
+ else:
+ if skip_whitespace and char == " ":
+ skip_whitespace = False
+ continue
+ skip_whitespace = False
+
+ if char == "\"":
+ curr_datum = curr_datum + char
+ in_quote_block = True
+
+ elif char == ";":
+ skip_whitespace = True
+ curr_datum = curr_datum + char
+
+ elif char == "}":
+ curr_datum = curr_datum + char
+ in_varedit_block = False
+
+ else:
+ curr_datum = curr_datum + char
+
+ elif char == "{":
+ curr_datum = curr_datum + char
+ in_varedit_block = True
+
+ elif char == ",":
+ curr_data.append(curr_datum)
+ curr_datum = ""
+
+ elif char == ")":
+ curr_data.append(curr_datum)
+ curr_data = tuple(curr_data)
+ try:
+ dictionary[curr_key] = curr_data
+ except bidict.ValueDuplicationError:
+ # if the map has duplicate values, eliminate them now
+ duplicate_keys[curr_key] = dictionary.inv[curr_data]
+ curr_data = list()
+ curr_datum = ""
+ curr_key = 0
+ curr_key_len = 0
+ in_data_block = False
+ after_data_block = True
+
+ else:
+ curr_datum = curr_datum + char
+
+ elif in_key_block:
+ if char == "\"":
+ in_key_block = False
+ if key_length == 0:
+ key_length = curr_key_len
+ else:
+ assert key_length == curr_key_len
+ else:
+ curr_key = BASE * curr_key + base52_r[char]
+ curr_key_len += 1
+
+ # else we're looking for a key block, a data block or the map block
+ elif char == "\"":
+ in_key_block = True
+ after_data_block = False
+
+ elif char == "(":
+ if after_data_block:
+ in_coord_block = True
+ after_data_block = False
+ curr_key = 0
+ curr_key_len = 0
+ break
+ else:
+ in_data_block = True
+ after_data_block = False
+
+ # grid block
+ for char in it:
+ if in_coord_block:
+ if char == ",":
+ if reading_coord == "x":
+ curr_x = int(curr_num)
+ if curr_x > maxx:
+ maxx = curr_x
+ iter_x = 0
+ curr_num = ""
+ reading_coord = "y"
+ elif reading_coord == "y":
+ curr_y = int(curr_num)
+ if curr_y > maxy:
+ maxy = curr_y
+ curr_num = ""
+ reading_coord = "z"
+ else:
+ raise ValueError("too many dimensions")
+
+ elif char == ")":
+ curr_z = int(curr_num)
+ if curr_z > maxz:
+ maxz = curr_z
+ in_coord_block = False
+ reading_coord = "x"
+ curr_num = ""
+
+ else:
+ curr_num = curr_num + char
+
+ elif in_map_string:
+ if char == "\"":
+ in_map_string = False
+ adjust_y = True
+ curr_y -= 1
+
+ elif char == "\n":
+ if adjust_y:
+ adjust_y = False
+ else:
+ curr_y += 1
+ if curr_x > maxx:
+ maxx = curr_x
+ if iter_x > 1:
+ curr_x = 1
+ iter_x = 0
+
+ else:
+ curr_key = BASE * curr_key + base52_r[char]
+ curr_key_len += 1
+ if curr_key_len == key_length:
+ iter_x += 1
+ if iter_x > 1:
+ curr_x += 1
+
+ grid[curr_x, curr_y, curr_z] = duplicate_keys.get(curr_key, curr_key)
+ curr_key = 0
+ curr_key_len = 0
+
+ # else look for coordinate block or a map string
+ elif char == "(":
+ in_coord_block = True
+ elif char == "\"":
+ in_map_string = True
+
+ if curr_y > maxy:
+ maxy = curr_y
+
+ data = DMM(key_length, Coordinate(maxx, maxy, maxz))
+ data.dictionary = dictionary
+ data.grid = grid
+ return data
diff --git a/tools/mapmerge2/dmm2tgm.bat b/tools/mapmerge2/dmm2tgm.bat
new file mode 100644
index 0000000000..bcf6150c2e
--- /dev/null
+++ b/tools/mapmerge2/dmm2tgm.bat
@@ -0,0 +1,5 @@
+@echo off
+set MAPROOT=../../_maps/
+set TGM=1
+python convert.py
+pause
diff --git a/tools/mapmerge2/frontend.py b/tools/mapmerge2/frontend.py
new file mode 100644
index 0000000000..4d44eab951
--- /dev/null
+++ b/tools/mapmerge2/frontend.py
@@ -0,0 +1,127 @@
+# Common code for the frontend interface of map tools
+import sys
+import os
+import pathlib
+import shutil
+from collections import namedtuple
+
+Settings = namedtuple('Settings', ['map_folder', 'tgm'])
+MapsToRun = namedtuple('MapsToRun', ['files', 'indices'])
+
+def string_to_num(s):
+ try:
+ return int(s)
+ except ValueError:
+ return -1
+
+def read_settings():
+ # discover map folder if needed
+ try:
+ map_folder = os.environ['MAPROOT']
+ except KeyError:
+ map_folder = '_maps/'
+ for _ in range(8):
+ if os.path.exists(map_folder):
+ break
+ map_folder = os.path.join('..', map_folder)
+ else:
+ map_folder = None
+
+ # assume TGM is True by default
+ tgm = os.environ.get('TGM', "1") == "1"
+
+ return Settings(map_folder, tgm)
+
+def pretty_path(settings, path_str):
+ if settings.map_folder:
+ return path_str[len(os.path.commonpath([settings.map_folder, path_str]))+1:]
+ else:
+ return path_str
+
+def prompt_maps(settings, verb):
+ if not settings.map_folder:
+ print("Could not autodetect the _maps folder, set MAPROOT")
+ exit(1)
+
+ list_of_files = list()
+ for root, directories, filenames in os.walk(settings.map_folder):
+ for filename in [f for f in filenames if f.endswith(".dmm")]:
+ list_of_files.append(pathlib.Path(root, filename))
+
+ last_dir = ""
+ for i, this_file in enumerate(list_of_files):
+ this_dir = this_file.parent
+ if last_dir != this_dir:
+ print("--------------------------------")
+ last_dir = this_dir
+ print("[{}]: {}".format(i, pretty_path(settings, str(this_file))))
+
+ print("--------------------------------")
+ in_list = input("List the maps you want to " + verb + " (example: 1,3-5,12):\n")
+ in_list = in_list.replace(" ", "")
+ in_list = in_list.split(",")
+
+ valid_indices = list()
+ for m in in_list:
+ index_range = m.split("-")
+ if len(index_range) == 1:
+ index = string_to_num(index_range[0])
+ if index >= 0 and index < len(list_of_files):
+ valid_indices.append(index)
+ elif len(index_range) == 2:
+ index0 = string_to_num(index_range[0])
+ index1 = string_to_num(index_range[1])
+ if index0 >= 0 and index0 <= index1 and index1 < len(list_of_files):
+ valid_indices.extend(range(index0, index1 + 1))
+
+ return MapsToRun(list_of_files, valid_indices)
+
+def process(settings, verb, *, modify=True, backup=None):
+ if backup is None:
+ backup = modify # by default, backup when we modify
+ assert modify or not backup # doesn't make sense to backup when not modifying
+
+ if len(sys.argv) > 1:
+ maps = sys.argv[1:]
+ else:
+ maps = prompt_maps(settings, verb)
+ maps = [str(maps.files[i]) for i in maps.indices]
+ print()
+
+ if not maps:
+ print("No maps selected.")
+ return
+
+ if modify:
+ print(f"Maps WILL{'' if settings.tgm else ' NOT'} be converted to tgm.")
+ if backup:
+ print("Backups will be created with a \".before\" extension.")
+ else:
+ print("Warning: backups are NOT being taken.")
+
+ print(f"\nWill {verb} these maps:")
+ for path_str in maps:
+ print(pretty_path(settings, path_str))
+
+ try:
+ confirm = input(f"\nPress Enter to {verb}...\n")
+ except KeyboardInterrupt:
+ confirm = "^C"
+ if confirm != "":
+ print(f"\nAborted.")
+ return
+
+ for path_str in maps:
+ print(f' - {pretty_path(settings, path_str)}')
+
+ if backup:
+ shutil.copyfile(path_str, path_str + ".before")
+
+ try:
+ yield path_str
+ except Exception as e:
+ print(f"Error: {e}")
+ else:
+ print("Succeeded.")
+
+ print("\nFinished.")
diff --git a/tools/mapmerge2/mapmerge.bat b/tools/mapmerge2/mapmerge.bat
new file mode 100644
index 0000000000..5a066226b3
--- /dev/null
+++ b/tools/mapmerge2/mapmerge.bat
@@ -0,0 +1,5 @@
+@echo off
+set MAPROOT=../../_maps/
+set TGM=1
+python mapmerge.py
+pause
diff --git a/tools/mapmerge2/mapmerge.py b/tools/mapmerge2/mapmerge.py
new file mode 100644
index 0000000000..ccfbfec784
--- /dev/null
+++ b/tools/mapmerge2/mapmerge.py
@@ -0,0 +1,93 @@
+#!/usr/bin/env python3
+import frontend
+import shutil
+from dmm import *
+from collections import defaultdict
+
+def merge_map(new_map, old_map, delete_unused=False):
+ if new_map.key_length != old_map.key_length:
+ print("Warning: Key lengths differ, taking new map")
+ print(f" Old: {old_map.key_length}")
+ print(f" New: {new_map.key_length}")
+ return new_map
+
+ if new_map.size != old_map.size:
+ print("Warning: Map dimensions differ, taking new map")
+ print(f" Old: {old_map.size}")
+ print(f" New: {new_map.size}")
+ return new_map
+
+ key_length, size = old_map.key_length, old_map.size
+ merged = DMM(key_length, size)
+ merged.dictionary = old_map.dictionary.copy()
+
+ known_keys = dict() # mapping fron 'new' key to 'merged' key
+ unused_keys = set(old_map.dictionary.keys()) # keys going unused
+
+ # step one: parse the new version, compare it to the old version, merge both
+ for z, y, x in new_map.coords_zyx:
+ new_key = new_map.grid[x, y, z]
+ # if this key has been processed before, it can immediately be merged
+ try:
+ merged.grid[x, y, z] = known_keys[new_key]
+ continue
+ except KeyError:
+ pass
+
+ def select_key(assigned):
+ merged.grid[x, y, z] = known_keys[new_key] = assigned
+
+ old_key = old_map.grid[x, y, z]
+ old_tile = old_map.dictionary[old_key]
+ new_tile = new_map.dictionary[new_key]
+
+ # this tile is the exact same as before, so the old key is used
+ if new_tile == old_tile:
+ select_key(old_key)
+ unused_keys.remove(old_key)
+
+ # the tile is different here, but if it exists in the merged dictionary, that key can be used
+ elif new_tile in merged.dictionary.inv:
+ newold_key = merged.dictionary.inv[new_tile]
+ select_key(newold_key)
+ unused_keys.remove(newold_key)
+
+ # the tile is brand new and it needs a new key, but if the old key isn't being used any longer it can be used instead
+ elif old_tile not in new_map.dictionary.inv and old_key in unused_keys:
+ merged.dictionary[old_key] = new_tile
+ select_key(old_key)
+ unused_keys.remove(old_key)
+
+ # all other options ruled out, a brand new key is generated for the brand new tile
+ else:
+ fresh_key = merged.generate_new_key()
+ merged.dictionary[fresh_key] = new_tile
+ select_key(fresh_key)
+
+ # step two: delete unused keys
+ if unused_keys:
+ print(f"Notice: Trimming {len(unused_keys)} unused dictionary keys.")
+ for key in unused_keys:
+ del merged.dictionary[key]
+
+ # sanity check: that the merged map equals the new map
+ for z, y, x in new_map.coords_zyx:
+ new_tile = new_map.dictionary[new_map.grid[x, y, z]]
+ merged_tile = merged.dictionary[merged.grid[x, y, z]]
+ if new_tile != merged_tile:
+ print(f"Error: the map has been mangled! This is a mapmerge bug!")
+ print(f"At {x},{y},{z}.")
+ print(f"Should be {new_tile}")
+ print(f"Instead is {merged_tile}")
+ raise RuntimeError()
+
+ return merged
+
+def main(settings):
+ for fname in frontend.process(settings, "merge", backup=True):
+ old_map = DMM.from_file(fname + ".backup")
+ new_map = DMM.from_file(fname)
+ merge_map(old_map, new_map).to_file(fname, settings.tgm)
+
+if __name__ == '__main__':
+ main(frontend.read_settings())
diff --git a/tools/mapmerge2/precommit.py b/tools/mapmerge2/precommit.py
new file mode 100644
index 0000000000..381f1ea8a3
--- /dev/null
+++ b/tools/mapmerge2/precommit.py
@@ -0,0 +1,50 @@
+#!/usr/bin/env python3
+import os
+import pygit2
+import dmm
+from mapmerge import merge_map
+
+def main(repo):
+ if repo.index.conflicts:
+ print("You need to resolve merge conflicts first.")
+ return 1
+
+ changed = 0
+ for path, status in repo.status().items():
+ if path.endswith(".dmm") and (status & (pygit2.GIT_STATUS_INDEX_MODIFIED | pygit2.GIT_STATUS_INDEX_NEW)):
+ # read the index
+ index_entry = repo.index[path]
+ index_map = dmm.DMM.from_bytes(repo[index_entry.id].read_raw())
+
+ try:
+ head_blob = repo[repo[repo.head.target].tree[path].id]
+ except KeyError:
+ # New map, no entry in HEAD
+ print(f"Converting new map: {path}")
+ assert (status & pygit2.GIT_STATUS_INDEX_NEW)
+ merged_map = index_map
+ else:
+ # Entry in HEAD, merge the index over it
+ print(f"Merging map: {path}")
+ assert not (status & pygit2.GIT_STATUS_INDEX_NEW)
+ head_map = dmm.DMM.from_bytes(head_blob.read_raw())
+ merged_map = merge_map(index_map, head_map)
+
+ # write to the index
+ blob_id = repo.create_blob(merged_map.to_bytes())
+ repo.index.add(pygit2.IndexEntry(path, blob_id, index_entry.mode))
+ changed += 1
+
+ # write to the working directory if that's clean
+ if status & (pygit2.GIT_STATUS_WT_DELETED | pygit2.GIT_STATUS_WT_MODIFIED):
+ print(f"Warning: {path} has unindexed changes, not overwriting them")
+ else:
+ merged_map.to_file(os.path.join(repo.workdir, path))
+
+ if changed:
+ repo.index.write()
+ print(f"Merged {changed} maps.")
+ return 0
+
+if __name__ == '__main__':
+ exit(main(pygit2.Repository(pygit2.discover_repository(os.getcwd()))))
diff --git a/tools/mapmerge2/requirements-install.bat b/tools/mapmerge2/requirements-install.bat
new file mode 100644
index 0000000000..71341af879
--- /dev/null
+++ b/tools/mapmerge2/requirements-install.bat
@@ -0,0 +1,3 @@
+@echo off
+python -m pip install -r requirements.txt
+pause
diff --git a/tools/mapmerge2/requirements.txt b/tools/mapmerge2/requirements.txt
new file mode 100644
index 0000000000..d01a2c6ccf
--- /dev/null
+++ b/tools/mapmerge2/requirements.txt
@@ -0,0 +1,2 @@
+pygit2==0.26.0
+bidict==0.13.1
diff --git a/tools/mapmerge2/tgm2dmm.bat b/tools/mapmerge2/tgm2dmm.bat
new file mode 100644
index 0000000000..2748533feb
--- /dev/null
+++ b/tools/mapmerge2/tgm2dmm.bat
@@ -0,0 +1,5 @@
+@echo off
+set MAPROOT=../../_maps/
+set TGM=0
+python convert.py
+pause