diff --git a/css/facilities/facilities.css b/css/facilities/facilities.css
index a875aba917659b1cc81174dbb35aa55b3ba859d2..f68e38b8f973e9495eff9010eab1e07f6eaf2b57 100644
--- a/css/facilities/facilities.css
+++ b/css/facilities/facilities.css
@@ -1,7 +1,3 @@
-.facility-rename {
-	margin-top: 1em;
-}
-
 .margin-top {
 	margin-top: 1em;
 }
diff --git a/devTools/types/FC/facilities.d.ts b/devTools/types/FC/facilities.d.ts
index e2f030c57488d4c2e119e0fb288289e76585e64e..9f3923fd007560e0833e38cb50e8597ab89ab93a 100644
--- a/devTools/types/FC/facilities.d.ts
+++ b/devTools/types/FC/facilities.d.ts
@@ -1,8 +1,60 @@
 declare namespace FC {
 	namespace Facilities {
-		export type Facility = InstanceType<typeof App.Entity.Facilities.Facility>;
+		export type Facility = InstanceType<typeof App.Facilities.Facility>;
 		export type Animal = InstanceType<typeof App.Entity.Animal>;
 
+		interface Decoration extends Record<FC.FutureSocietyDeco, string> {}
+
+		interface Upgrade {
+			/** The variable name of the upgrade. */
+			property: string;
+			/** Any prerequisites that must be met before the upgrade is available. */
+			prereqs: Array<() => boolean>;
+			/** The value to set `property` to upon purchase. */
+			value: any;
+			/** The text displayed before the upgrade has been purchased. */
+			base: string;
+			/** The text displayed after the upgrade has been purchased. */
+			upgraded: string;
+			/** The link text. */
+			link: string;
+			/** How much the upgrade costs. */
+			cost: number;
+			/** Any handler to run upon purchase. */
+			handler?: () => void;
+			/** Any additional information to display upon hover on the link. */
+			note?: string;
+			/** Any additional nodes to attach. */
+			nodes?: Array<string|HTMLElement|DocumentFragment>
+		}
+
+		interface Rule {
+			/** The variable name of the rule. */
+			property: string
+			/** Any prerequisites that must be met for the rule to be displayed. */
+			prereqs: Array<() => boolean>
+			/** Properties to use when the rule is active. */
+			active: {
+				/** The text displayed when the rule is active. */
+				text: string;
+				/** The link text to set the rule to active. */
+				link: string;
+				/** The value to set `property` to when the rule is active. */
+				value: number|boolean;
+			};
+			/** Properties to use when the rule is inactive. */
+			inactive: {
+				/** The text displayed when the rule is inactive. */
+				text: string;
+				/** The link text to set the rule to inactive. */
+				link: string;
+				/** The value to set `property` to when the rule is inactive. */
+				value: number|boolean;
+			};
+			/** Any additional nodes to attach. */
+			nodes?: Array<string|HTMLElement|DocumentFragment>
+		}
+
 		interface Pit {
 			/** Defaults to "the Pit" if not otherwise set. */
 			name: string;
diff --git a/src/005-passages/facilitiesPassages.js b/src/005-passages/facilitiesPassages.js
index 9fc53d7b7a62855e298cb4b118b38e1e07482396..54fd59cb6dc4d9bd38a72258c50cb9e565a31f6c 100644
--- a/src/005-passages/facilitiesPassages.js
+++ b/src/005-passages/facilitiesPassages.js
@@ -1,5 +1,6 @@
 /* ### Standard Facilities ### */
-new App.DomPassage("Clinic", () => { return App.Facilities.Clinic.clinic(); }, ["jump-to-safe", "jump-from-safe"]);
+
+new App.DomPassage("Clinic", () => { return new App.Facilities.Clinic.clinic().render(); }, ["jump-to-safe", "jump-from-safe"]);
 
 new App.DomPassage("Farmyard", () => { return App.Facilities.Farmyard.farmyard(); }, ["jump-to-safe", "jump-from-safe"]);
 
diff --git a/src/facilities/Facility.js b/src/facilities/Facility.js
new file mode 100644
index 0000000000000000000000000000000000000000..b36d79752eedd374cbcc8b8f90cc6f65aed33944
--- /dev/null
+++ b/src/facilities/Facility.js
@@ -0,0 +1,288 @@
+/**
+ * Creates the facility passage for a facility.
+ *
+ * Not to be confused with `App.Entity.Facilities.Facility`, which handles the logic.
+ */
+App.Facilities.Facility = class {
+	/**
+	 * @param {App.Entity.Facilities.Facility} facility The instance form of the facility. Typically found in `App.Entity.facilities`.
+	 * @param {function():void} decommissionHandler
+	 * @param {Object} expandArgs An object containing arguments for the expand method.
+	 * @param {string} expandArgs.desc
+	 * @param {FC.Assignment} [expandArgs.removeSlave]
+	 * @param {FC.Assignment} [expandArgs.removeManager]
+	 * @param {number} [expandArgs.cost]
+	 */
+	constructor(facility, decommissionHandler, expandArgs) {
+		this.facility = facility;
+
+		/** @private */
+		this._div = document.createElement("div");
+		/** @protected @type {Array<function():HTMLDivElement>} */
+		this._sections = [];
+		/** @protected @type {FC.Facilities.Upgrade[]} */
+		this._upgrades = [];
+		/** @protected @type {FC.Facilities.Rule[]} */
+		this._rules = [];
+
+		this._addUpgrades(...this.upgrades);
+		this._addRules(...this.rules);
+
+		this._addSections(
+			() => this._intro(decommissionHandler),
+			() => this._expand(expandArgs),
+			() => this._makeUpgrades(),
+			() => this._makeRules(),
+			() => this._slaves(),
+			() => this._rename(),
+		);
+	}
+
+	/**
+	 * Puts the different sections together into one passage.
+	 *
+	 * @private
+	 * @returns {DocumentFragment}
+	 */
+	_assemble() {
+		const frag = new DocumentFragment();
+
+		this._sections.forEach(section => frag.append(App.UI.DOM.makeElement("div", section(), ['margin-bottom'])));
+
+		return frag;
+	}
+
+	/**
+	 * Renders the facility onscreen.
+	 *
+	 * @returns {HTMLDivElement}
+	 */
+	render() {
+		this._div.append(this._assemble());
+
+		return this._div;
+	}
+
+	/**
+	 * Refreshes the facility onscreen.
+	 *
+	 * @returns {void}
+	 */
+	refresh() {
+		App.UI.DOM.replace(this._div, this._assemble());
+	}
+
+	/**
+	 * Adds new sections to the facility passage.
+	 *
+	 * @param  {...function():HTMLDivElement} args
+	 *
+	 * @private
+	 * @returns {void}
+	 */
+	_addSections(...args) {
+		this._sections.push(...args);
+	}
+
+	/**
+	 * Adds new purchaseable upgrades.
+	 * @param {...FC.Facilities.Upgrade} upgrades
+	 *
+	 * @private
+	 * @returns {void}
+	 */
+	_addUpgrades(...upgrades) {
+		this._upgrades.push(...upgrades);
+	}
+
+	/**
+	 * Adds new rules able to be set by the player.
+	 * @param  {...FC.Facilities.Rule} rules
+	 *
+	 * @private
+	 * @returns {void}
+	 */
+	_addRules(...rules) {
+		this._rules.push(...rules);
+	}
+
+	/**
+	 * Sets up the intro scene.
+	 *
+	 * @param {function():void} decommissionHandler
+	 *
+	 * @private
+	 * @returns {HTMLDivElement}
+	 */
+	_intro(decommissionHandler) {
+		const div = document.createElement("div");
+
+		App.UI.DOM.appendNewElement("div", div, this.intro, ['scene-intro']);
+
+		if (this.facility.hostedSlaves === 0 && !S.Nurse) {
+			div.append(App.UI.DOM.makeElement("div", App.UI.DOM.passageLink(`Decommission ${this.facility.name}`, "Main", decommissionHandler), ['indent']));
+		}
+
+		return div;
+	}
+
+	/**
+	 * Allows the facility to be expanded.
+	 *
+	 * @param {Object} args
+	 * @param {string} args.desc
+	 * @param {number} [args.cost]
+	 * @param {FC.Assignment} [args.removeManager] The assignment the manager is assigned to when all slaves are removed.
+	 * @param {FC.Assignment} [args.removeSlave] The assignment the slaves is assigned to when all slaves are removed.
+	 *
+	 * @private
+	 * @returns {HTMLDivElement}
+	 */
+	_expand({desc, cost, removeManager, removeSlave}) {
+		const div = document.createElement("div");
+
+		cost = cost || V[this.facility.name] * 1000 * V.upgradeMultiplierArcology;
+
+		div.append(desc);
+
+		App.UI.DOM.appendNewElement("div", div, App.UI.DOM.link(`Expand ${this.facility.name}`, () => {
+			cashX(forceNeg(cost), "capEx");
+			V[this.facility.name] += 5;	// TODO: this will likely need to be changed in the future
+			V.PC.skill.engineering += .1;
+
+			this.refresh();
+		}, [], '', `Costs ${cashFormat(cost)} and increases the capacity of ${this.facility.name} by 5.`), ['indent']);
+
+		if (this.facility.hostedSlaves > 0) {
+			App.UI.DOM.appendNewElement("div", div, removeFacilityWorkers(this.facility.UIName.toLowerCase(), removeManager, removeSlave), ['indent']);
+		}
+
+		return div;
+	}
+
+	/**
+	 * Allows the facility to be upgraded.
+	 *
+	 * @private
+	 * @returns {HTMLDivElement}
+	 */
+	_makeUpgrades() {
+		const div = document.createElement("div");
+
+		this._upgrades.forEach(upgrade => {
+			if (upgrade.prereqs.every(prereq => prereq())) {
+				if (V[upgrade.property] === upgrade.value) {
+					App.UI.DOM.appendNewElement("div", div, upgrade.upgraded);
+				} else {
+					App.UI.DOM.appendNewElement("div", div, upgrade.base);
+					App.UI.DOM.appendNewElement("div", div, App.UI.DOM.link(upgrade.link, () => {
+						cashX(forceNeg(upgrade.cost), "capEx");
+						V[upgrade.property] = upgrade.value;
+
+						if (upgrade.handler) {
+							upgrade.handler();
+						}
+
+						this.refresh();
+					}, [], '', `Costs ${cashFormat(upgrade.cost)}${upgrade.note ? ` and ${upgrade.note}` : ``}.`), ['indent']);
+				}
+
+				if (upgrade.nodes) {
+					App.Events.addNode(div, upgrade.nodes);
+				}
+			}
+		});
+
+		return div;
+	}
+
+	/**
+	 * Allows rules to be set up in the facility.
+	 *
+	 * @private
+	 * @returns {HTMLDivElement}
+	 */
+	_makeRules() {
+		const div = document.createElement("div");
+
+		this._rules.forEach(rule => {
+			if (rule.prereqs.every(prereq => prereq())) {
+				const options = new App.UI.OptionsGroup();
+
+				if (rule.active.value) {
+					App.UI.DOM.appendNewElement("div", div, rule.active.text);
+				} else {
+					App.UI.DOM.appendNewElement("div", div, rule.inactive.text);
+				}
+
+				options.addOption(null, rule.property)
+					.addValue(rule.active.link, rule.active.value)
+					.addValue(rule.inactive.link, rule.inactive.value);
+
+				App.UI.DOM.appendNewElement("div", div, options.render(), ['indent', 'margin-bottom']);
+			}
+
+			if (rule.nodes) {
+				App.Events.addNode(div, rule.nodes);
+			}
+		});
+
+		return div;
+	}
+
+	/**
+	 * Displays a list of slaves that can be assigned and removed.
+	 *
+	 * @private
+	 * @returns {HTMLDivElement}
+	 */
+	_slaves() {
+		return App.UI.DOM.makeElement("div", App.UI.SlaveList.stdFacilityPage(this.facility, true));
+	}
+
+	/**
+	 * Adds a textbox allowing the facility to be renamed.
+	 *
+	 * @private
+	 * @returns {HTMLDivElement}
+	 */
+	_rename() {
+		return App.Facilities.rename(this.facility, () => this.refresh());
+	}
+
+	/**
+	 * The text displayed in the intro scene.
+	 *
+	 * @returns {string}
+	 */
+	 get intro() {
+		return '';
+	}
+
+	/**
+	 * The facility description in the intro scene.
+	 *
+	 * @returns {string}
+	 */
+	 get decorations() {
+		return '';
+	}
+
+	/**
+	 * Any upgrades available for purchase.
+	 *
+	 * @returns {FC.Facilities.Upgrade[]}
+	 */
+	get upgrades() {
+		return [];
+	}
+
+	/**
+	 * Any rules able to be set.
+	 *
+	 * @returns {FC.Facilities.Rule[]}
+	 */
+	get rules() {
+		return [];
+	}
+};
diff --git a/src/facilities/clinic/clinic.js b/src/facilities/clinic/clinic.js
index e4332f3216c774099bece451bdcf2e821ae12ce4..b7a8103e4cfa1879aeacbb38be24ee5e91b89575 100644
--- a/src/facilities/clinic/clinic.js
+++ b/src/facilities/clinic/clinic.js
@@ -1,348 +1,198 @@
-App.Facilities.Clinic.clinic = function() {
-	const frag = new DocumentFragment();
-
-	const introDiv = App.UI.DOM.makeElement("div", null, ['margin-bottom']);
-	const expandDiv = App.UI.DOM.makeElement("div", null, ['margin-bottom']);
-	const upgradesDiv = App.UI.DOM.makeElement("div", null, ['margin-bottom']);
-	const rulesDiv = App.UI.DOM.makeElement("div", null, ['margin-bottom']);
-	const slavesDiv = App.UI.DOM.makeElement("div", null, ['margin-bottom']);
-	const renameDiv = App.UI.DOM.makeElement("div", null, ['margin-bottom']);
-
-	let clinicNameCaps = capFirstChar(V.clinicName);
-
-	const count = App.Entity.facilities.clinic.employeesIDs().size;
-
-	V.nextButton = "Back to Main";
-	V.nextLink = "Main";
-	V.returnTo = "Clinic";
-	V.encyclopedia = "Clinic";
+App.Facilities.Clinic.clinic = class extends App.Facilities.Facility {
+	constructor() {
+		const clinic = App.Entity.facilities.clinic;
+		const decommissionHandler = () => {
+			V.clinic = 0;
+			V.clinicDecoration = "standard";
+			V.clinicUpgradeScanner = 0;
+			V.clinicUpgradeFilters = 0;
+			V.clinicUpgradePurge = 0;
+			V.clinicInflateBelly = 0;
+			V.clinicSpeedGestation = 0;
+		};
+		const desc = `${clinic.nameCaps} has room to support ${V.clinic} slaves while they receive treatment. There ${clinic.hostedSlaves === 1 ? `is currently ${num(clinic.hostedSlaves)} slave` : `are currently ${num(clinic.hostedSlaves)} slaves`} receiving treatment in ${V.clinicName}.`;
+		const cost = V.clinic * 1000 * V.upgradeMultiplierArcology;
 
-	frag.append(
-		intro(),
-		expand(),
-		upgrades(),
-		rules(),
-		slaves(),
-		rename(),
-	);
+		super(
+			clinic,
+			decommissionHandler,
+			{desc, cost}
+		);
 
-	return frag;
+		V.nextButton = "Back to Main";
+		V.nextLink = "Main";
+		V.returnTo = "Clinic";
+		V.encyclopedia = "Clinic";
+	}
 
-	function intro() {
+	/** @returns {string} */
+	get intro() {
 		const text = [];
 
-		text.push(clinicNameCaps);
+		text.push(this.facility.nameCaps, this.decorations);
 
-		switch (V.clinicDecoration) {
-			case "Roman Revivalist":
-				text.push(`is open and airy; a breeze wafts through the space, and Roman theories on natural cleanliness are very much on display.`);
-				break;
-			case "Neo-Imperialist":
-				text.push(`is white and sterile, filled with so many high-tech machines that you cannot discern the purpose of them all. The space reminds you of a laboratory, kept painstakingly clean at all time by small robotic drones.`);
-				break;
-			case "Aztec Revivalist":
-				text.push(`is open and airy; a light hint of herbs and natural oil permeates the air. Everything is incredibly sterile, especially the blood management equipment.`);
-				break;
-			case "Egyptian Revivalist":
-				text.push(`is open and airy; clean rushes are strewn across the floor, making a gentle susurration when anyone crosses the space.`);
-				break;
-			case "Edo Revivalist":
-				text.push(`is clean and spartan to the point of featurelessness. Spotless tatami mats cover the floor, and partitions divide the space into cubicles.`);
-				break;
-			case "Arabian Revivalist":
-				text.push(`is open and airy; a thin trail of smoke wafts through the space on a gentle breeze, coming from a brazier burning incense.`);
-				break;
-			case "Chinese Revivalist":
-				text.push(`is open and airy; a thin trail of smoke wafts through the space on a gentle breeze, coming from a brazier burning medicinal herbs.`);
-				break;
-			case "Chattel Religionist":
-				text.push(`is open and airy; shaded beams of sunlight shine through skylights to bathe each bed in a pool of healing warmth.`);
-				break;
-			case "Degradationist":
-				text.push(`is clean and cold, all scrubbed tile and cool steel. The beds have prominent restraint attachment points to force patients into any position desired.`);
-				break;
-			case "Repopulationist":
-				text.push(`is warm and inviting, with wide corridors and ample seating for its pregnant clientèle. All the equipment is designed to accommodate heavily pregnant women.`);
-				break;
-			case "Eugenics":
-				text.push(`is warm and inviting on one side, cold and utilitarian on the other. Only the toys of the elite are allowed the best of care.`);
-				break;
-			case "Asset Expansionist":
-				text.push(`is utilitarian, without any concession to style. Every available ${V.showInches === 2 ? `inch` : `centimeter`} of space is used for equipment specialized to support growth.`);
-				break;
-			case "Transformation Fetishist":
-				text.push(`is utilitarian, without any concession to style. Every available ${V.showInches === 2 ? `inch` : `centimeter`} of space is used for equipment specialized to support radical surgery.`);
-				break;
-			case "Gender Radicalist":
-				text.push(`is comfortable and feminine. Its curving walls and soft colors are designed to present slaves coming out of anesthesia with an impression of girlishness.`);
-				break;
-			case "Gender Fundamentalist":
-				text.push(`is comfortable and feminine. Its curving walls and soft colors are designed to keep slaves here for their female health nice and comfortable.`);
-				break;
-			case "Physical Idealist":
-				text.push(`is utilitarian, without any concession to style. Every available ${V.showInches === 2 ? `inch` : `centimeter`} of space is used for some piece of equipment useful in making the human body faster or stronger.`);
-				break;
-			case "Supremacist":
-			case "Subjugationist":
-				text.push(`is clean and cold, all scrubbed tile and cool steel. The only hint of its radical uses are the pseudoscientific racialist charts on the walls.`);
-				break;
-			case "Paternalist":
-				text.push(`is warm and inviting, with curved walls and warm colors designed to put patients at their ease. Each bed is well provided with entertainment options.`);
-				break;
-			case "Pastoralist":
-				text.push(`is utilitarian, without any concession to style. Every available ${V.showInches === 2 ? `inch` : `centimeter`} of space is used for equipment specialized for human veterinary medicine.`);
-				break;
-			case "Maturity Preferentialist":
-				text.push(`is comfortable and soothing, with curved walls and cool colors designed to keep patients relaxed. Each bed is provided with refined yet invariably pornographic entertainment options.`);
-				break;
-			case "Youth Preferentialist":
-				text.push(`is bright and cheerful, with curved walls and pastel colors designed to keep patients in good spirits. Each bed is provided with light entertainment options.`);
-				break;
-			case "Body Purist":
-				text.push(`is utilitarian, without any concession to style. Every available ${V.showInches === 2 ? `inch` : `centimeter`} of space is filled with equipment designed to make medicine as low-impact as possible.`);
-				break;
-			case "Slimness Enthusiast":
-				text.push(`is warm and inviting, with curved walls and warm colors designed to put patients at their ease. Each bed is well provided with entertainment options.`);
-				break;
-			case "Hedonistic":
-				text.push(`is warm and comfortable, with extra wide, soft, heated beds and ample morphine. Pleasant smells are pumped into the recovery wards, plenty of entertainment is available and chubby nurse in a too small dress with a big bowl of slave food is only a button press away. It can be quite difficult to convince patients to leave.`);
-				break;
-			case "Intellectual Dependency":
-				text.push(`is bright and cheerful, with plenty of simple amusements to keep bimbos distracted and in bed. A complex locking mechanism promises no chance of a slave wandering off to slake their lust.`);
-				break;
-			case "Slave Professionalism":
-				text.push(`is clean and cold, all scrubbed tile and cool steel. Any delays in recovery are nothing more than time spent not honing one's talents.`);
-				break;
-			case "Petite Admiration":
-				text.push(`is open and airy due to all the extra space freed up by shortening the beds. A footrest is the only accommodation made for tall slaves.`);
-				break;
-			case "Statuesque Glorification":
-				text.push(`is warm and comfortable, if a little cramped; tall slaves require long beds, after all. A meager footstool is the only accommodation made for short slaves.`);
-				break;
-			default:
-				text.push(`is a well-equipped modern medical facility. Each patient has their own area, with heavy automation to provide them treatment without any human intervention at all.`);
-				break;
-		}
-
-		if (count > 2) {
-			text.push(`${clinicNameCaps} is busy. Patients occupy many of the beds; most are alert, but a few are dozing under medication designed to promote healing through deep rest.`);
-		} else if (count > 0) {
-			text.push(`${clinicNameCaps} is sparsely populated. Patients occupy a few of the beds; most are alert, but a few are dozing under medication designed to promote healing through deep rest.`);
+		if (this.facility.hostedSlaves > 2) {
+			text.push(`${this.facility.nameCaps} is busy. Patients occupy many of the beds; most are alert, but a few are dozing under medication designed to promote healing through deep rest.`);
+		} else if (this.facility.hostedSlaves > 0) {
+			text.push(`${this.facility.nameCaps} is sparsely populated. Patients occupy a few of the beds; most are alert, but a few are dozing under medication designed to promote healing through deep rest.`);
 		} else if (S.Nurse) {
 			text.push(`${S.Nurse.slaveName} is alone in the clinic, and has nothing to do but keep the place spotlessly clean and ready for its next patients.`);
 		} else {
-			text.push(`${clinicNameCaps} is empty and quiet.`);
-		}
-
-		App.UI.DOM.appendNewElement("div", introDiv, text.join(' '), ['scene-intro']);
-
-		if (count === 0 && !S.Nurse) {
-			introDiv.append(App.UI.DOM.makeElement("div", App.UI.DOM.passageLink(`Decommission ${V.clinicName}`, "Main", () => {
-				V.clinic = 0;
-				V.clinicDecoration = "standard";
-				V.clinicUpgradeScanner = 0;
-				V.clinicUpgradeFilters = 0;
-				V.clinicUpgradePurge = 0;
-				V.clinicInflateBelly = 0;
-				V.clinicSpeedGestation = 0;
-			}), ['indent']));
+			text.push(`${this.facility.nameCaps} is empty and quiet.`);
 		}
 
-		return introDiv;
+		return text.join(' ');
 	}
 
-	function expand() {
-		const cost = V.clinic * 1000 * V.upgradeMultiplierArcology;
-
-		expandDiv.append(`${clinicNameCaps} has room to support ${V.clinic} slaves while they receive treatment. There ${count === 1 ? `is currently ${num(count)} slave` : `are currently ${num(count)} slaves`} receiving treatment in ${V.clinicName}.`);
-
-		App.UI.DOM.appendNewElement("div", expandDiv, App.UI.DOM.link(`Expand ${V.clinicName}`, () => {
-			cashX(forceNeg(cost), "capEx");
-			V.clinic += 5;
-			V.PC.skill.engineering += .1;
-
-			refresh();
-		}, [], '', `Costs ${cashFormat(cost)} and increases the capacity of ${V.clinicName} by 5.`), ['indent']);
-
-		if (count > 0) {
-			expandDiv.append(removeFacilityWorkers("clinic", "rest", "rest"));
+	/** @returns {string} */
+	get decorations() {
+		/** @type {FC.Facilities.Decoration} */
+		const FS = {
+			"Roman Revivalist": `is open and airy; a breeze wafts through the space, and Roman theories on natural cleanliness are very much on display.`,
+			"Neo-Imperialist": `is white and sterile, filled with so many high-tech machines that you cannot discern the purpose of them all. The space reminds you of a laboratory, kept painstakingly clean at all time by small robotic drones.`,
+			"Aztec Revivalist": `is open and airy; a light hint of herbs and natural oil permeates the air. Everything is incredibly sterile, especially the blood management equipment.`,
+			"Egyptian Revivalist": `is open and airy; clean rushes are strewn across the floor, making a gentle susurration when anyone crosses the space.`,
+			"Edo Revivalist": `is clean and spartan to the point of featurelessness. Spotless tatami mats cover the floor, and partitions divide the space into cubicles.`,
+			"Arabian Revivalist": `is open and airy; a thin trail of smoke wafts through the space on a gentle breeze, coming from a brazier burning incense.`,
+			"Chinese Revivalist": `is open and airy; a thin trail of smoke wafts through the space on a gentle breeze, coming from a brazier burning medicinal herbs.`,
+			"Chattel Religionist": `is open and airy; shaded beams of sunlight shine through skylights to bathe each bed in a pool of healing warmth.`,
+			"Degradationist": `is clean and cold, all scrubbed tile and cool steel. The beds have prominent restraint attachment points to force patients into any position desired.`,
+			"Repopulationist": `is warm and inviting, with wide corridors and ample seating for its pregnant clientèle. All the equipment is designed to accommodate heavily pregnant women.`,
+			"Eugenics": `is warm and inviting on one side, cold and utilitarian on the other. Only the toys of the elite are allowed the best of care.`,
+			"Asset Expansionist": `is utilitarian, without any concession to style. Every available ${V.showInches === 2 ? `inch` : `centimeter`} of space is used for equipment specialized to support growth.`,
+			"Transformation Fetishist": `is utilitarian, without any concession to style. Every available ${V.showInches === 2 ? `inch` : `centimeter`} of space is used for equipment specialized to support radical surgery.`,
+			"Gender Radicalist": `is comfortable and feminine. Its curving walls and soft colors are designed to present slaves coming out of anesthesia with an impression of girlishness.`,
+			"Gender Fundamentalist": `is comfortable and feminine. Its curving walls and soft colors are designed to keep slaves here for their female health nice and comfortable.`,
+			"Physical Idealist": `is utilitarian, without any concession to style. Every available ${V.showInches === 2 ? `inch` : `centimeter`} of space is used for some piece of equipment useful in making the human body faster or stronger.`,
+			"Supremacist": `is clean and cold, all scrubbed tile and cool steel. The only hint of its radical uses are the pseudoscientific racialist charts on the walls.`,
+			"Subjugationist": `is clean and cold, all scrubbed tile and cool steel. The only hint of its radical uses are the pseudoscientific racialist charts on the walls.`,
+			"Paternalist": `is warm and inviting, with curved walls and warm colors designed to put patients at their ease. Each bed is well provided with entertainment options.`,
+			"Pastoralist": `is utilitarian, without any concession to style. Every available ${V.showInches === 2 ? `inch` : `centimeter`} of space is used for equipment specialized for human veterinary medicine.`,
+			"Maturity Preferentialist": `is comfortable and soothing, with curved walls and cool colors designed to keep patients relaxed. Each bed is provided with refined yet invariably pornographic entertainment options.`,
+			"Youth Preferentialist": `is bright and cheerful, with curved walls and pastel colors designed to keep patients in good spirits. Each bed is provided with light entertainment options.`,
+			"Body Purist": `is utilitarian, without any concession to style. Every available ${V.showInches === 2 ? `inch` : `centimeter`} of space is filled with equipment designed to make medicine as low-impact as possible.`,
+			"Slimness Enthusiast": `is warm and inviting, with curved walls and warm colors designed to put patients at their ease. Each bed is well provided with entertainment options.`,
+			"Hedonistic": `is warm and comfortable, with extra wide, soft, heated beds and ample morphine. Pleasant smells are pumped into the recovery wards, plenty of entertainment is available and chubby nurse in a too small dress with a big bowl of slave food is only a button press away. It can be quite difficult to convince patients to leave.`,
+			"Intellectual Dependency": `is bright and cheerful, with plenty of simple amusements to keep bimbos distracted and in bed. A complex locking mechanism promises no chance of a slave wandering off to slake their lust.`,
+			"Slave Professionalism": `is clean and cold, all scrubbed tile and cool steel. Any delays in recovery are nothing more than time spent not honing one's talents.`,
+			"Petite Admiration": `is open and airy due to all the extra space freed up by shortening the beds. A footrest is the only accommodation made for tall slaves.`,
+			"Statuesque Glorification": `is warm and comfortable, if a little cramped; tall slaves require long beds, after all. A meager footstool is the only accommodation made for short slaves.`,
+			"standard": `is a well-equipped modern medical facility. Each patient has their own area, with heavy automation to provide them treatment without any human intervention at all.`,
+			"": ``,
+		};
+
+		if (!Object.keys(FS).includes(V.clinicDecoration)) {
+			throw new Error(`Unknown V.clinicDecoration value of '${V.clinicDecoration}' found in decorations().`);
 		}
 
-		return expandDiv;
+		return FS[V.clinicDecoration];
 	}
 
-	function upgrades() {
-		if (V.clinicUpgradeScanner) {
-			App.UI.DOM.appendNewElement("div", upgradesDiv, `${clinicNameCaps}'s scanners have been upgraded with a sampling system that can estimate carcinogenic damage to a slave's body.`);
-		} else {
-			const cost = Math.trunc(10000 * V.upgradeMultiplierArcology * Math.min(V.upgradeMultiplierMedicine, V.HackingSkillMultiplier));
-
-			upgradesDiv.append(`It mounts powerful medical scanning technology.`);
-
-			App.UI.DOM.appendNewElement("div", upgradesDiv, App.UI.DOM.link(`Upgrade the scanners to help detect genomic damage`, () => {
-				cashX(forceNeg(cost), "capEx");
-				V.clinicUpgradeScanner = 1;
-				V.PC.skill.hacking += 0.1;
-
-				refresh();
-			}, [], '', `Costs ${cashFormat(cost)} and increases the effectiveness of ${V.clinicName}.`), ['indent']);
-		}
-
-		if (V.clinicUpgradeFilters) {
-			upgradesDiv.append(`The entire floor beneath ${V.clinicName} is occupied by a huge filtration plant that constantly cycles out the patients' blood to remove impurities.`);
-
-			if (V.clinicUpgradePurge > 0) {
-				if (V.clinicUpgradePurge > 1) {
-					upgradesDiv.append(`Microscopic magnets have been added to better facilitate the leeching of impurities from cells.`);
-				}
-
-				upgradesDiv.append(` The blood is intensely cleaned to greatly decrease the presence of impurities at the cost of compatibility. Patients will likely be ill for the duration of the treatment.`);
-			}
-
-			const cost = Math.trunc(150000 * V.upgradeMultiplierArcology * Math.min(V.upgradeMultiplierMedicine, V.HackingSkillMultiplier));
-
-			if (V.clinicUpgradePurge === 0) {
-				App.UI.DOM.appendNewElement("div", upgradesDiv, App.UI.DOM.link(`Increase the effectiveness of the impurity purging`, () => {
-					cashX(forceNeg(cost), "capEx");
-					V.clinicUpgradePurge = 1;
-					V.PC.skill.hacking += 0.1;
-
-					refresh();
-				},
-				[], '', `Costs ${cashFormat(cost)} and may cause health problems in slaves.`), ['indent']);
-			} else if (V.clinicUpgradePurge === 1) {
-				App.UI.DOM.appendNewElement("div", upgradesDiv, App.UI.DOM.link(`Further increase the effectiveness of the impurity purging by utilizing nano magnets`, () => {
-					cashX(forceNeg(cost * 2), "capEx");
-					V.clinicUpgradePurge = 2;
-					V.PC.skill.hacking += 0.1;
-
-					refresh();
-				},
-				[], '', `Costs ${cashFormat(cost * 2)} and increases the effectiveness of ${V.clinicName}.`), ['indent']);
+	/** @returns {FC.Facilities.Upgrade[]} */
+	get upgrades() {
+		return [
+			{
+				property: "clinicUpgradeScanner",
+				prereqs: [],
+				value: 1,
+				base: `It mounts powerful medical scanning technology.`,
+				upgraded: `${this.facility.nameCaps}'s scanners have been upgraded with a sampling system that can estimate carcinogenic damage to a slave's body.`,
+				link: `Upgrade the scanners to help detect genomic damage`,
+				cost: Math.trunc(10000 * V.upgradeMultiplierArcology * Math.min(V.upgradeMultiplierMedicine, V.HackingSkillMultiplier)),
+				handler: () => V.PC.skill.hacking += 0.1,
+				note: `increases the effectiveness of ${V.clinicName}`,
+			}, {
+				property: "clinicUpgradeFilters",
+				prereqs: [],
+				value: 1,
+				base: `It includes standard dialysis equipment.`,
+				upgraded: `The entire floor beneath ${V.clinicName} is occupied by a huge filtration plant that constantly cycles out the patients' blood to remove impurities.`,
+				link: `Install advanced blood treatment equipment to help address drug side effects`,
+				cost: Math.trunc(50000 * V.upgradeMultiplierArcology * Math.min(V.upgradeMultiplierMedicine, V.HackingSkillMultiplier)),
+				handler: () => V.PC.skill.hacking += 0.1,
+				note: `increases the effectiveness of ${V.clinicName}`,
+			}, {
+				property: "clinicUpgradePurge",
+				prereqs: [
+					() => V.clinicUpgradeFilters > 0,
+					() => V.clinicUpgradePurge === 0,
+				],
+				value: 1,
+				base: V.clinicUpgradeFilters ? `Microscopic magnets have been added to better facilitate the leeching of impurities from cells.` : null,
+				upgraded: `The blood is intensely cleaned to greatly decrease the presence of impurities at the cost of compatibility. Patients will likely be ill for the duration of the treatment.`,
+				link: `Increase the effectiveness of the impurity purging`,
+				cost: Math.trunc(150000 * V.upgradeMultiplierArcology * Math.min(V.upgradeMultiplierMedicine, V.HackingSkillMultiplier)),
+				handler: () => V.PC.skill.hacking += 0.1,
+				note: `may cause health problems in slaves`,
+			}, {
+				property: "clinicUpgradePurge",
+				prereqs: [
+					() => V.clinicUpgradeFilters > 0,
+					() => V.clinicUpgradePurge > 0,
+				],
+				value: 2,
+				base: V.clinicUpgradeFilters ? `Microscopic magnets have been added to better facilitate the leeching of impurities from cells.` : null,
+				upgraded: `Microscopic magnets have been added to better facilitate the leeching of impurities from cells. The blood is intensely cleaned to greatly decrease the presence of impurities at the cost of compatibility. Patients will likely be ill for the duration of the treatment.`,
+				link: `Further increase the effectiveness of the impurity purging by utilizing nano magnets`,
+				cost: Math.trunc(300000 * V.upgradeMultiplierArcology * Math.min(V.upgradeMultiplierMedicine, V.HackingSkillMultiplier)),
+				handler: () => V.PC.skill.hacking += 0.1,
+				note: `increases the effectiveness of ${V.clinicName}`,
+				nodes: !S.Nurse
+					? [`However, without a nurse in attendance, the <span class="yellow">blood treatment equipment remains idle.</span>`]
+					: null,
 			}
-			if (!S.Nurse) {
-				App.Events.addNode(upgradesDiv, [`However, without a nurse in attendance, the <span class="yellow">blood treatment equipment remains idle.</span>`], "div");
-			}
-		} else {
-			const cost = Math.trunc(50000 * V.upgradeMultiplierArcology * Math.min(V.upgradeMultiplierMedicine, V.HackingSkillMultiplier));
-
-			upgradesDiv.append(`It includes standard dialysis equipment.`);
-
-			App.UI.DOM.appendNewElement("div", upgradesDiv, App.UI.DOM.link(`Install advanced blood treatment equipment to help address drug side effects`, () => {
-				cashX(forceNeg(cost), "capEx");
-				V.clinicUpgradeFilters = 1;
-				V.PC.skill.hacking += 0.1;
-
-				refresh();
-			},
-			[], '', `Costs ${cashFormat(cost)} and increases the effectiveness of ${V.clinicName}.`), ['indent']);
-		}
-
-		return upgradesDiv;
+		];
 	}
 
-	function rules() {
-		const implantsDiv = App.UI.DOM.makeElement("div", null, ['margin-bottom']);
-		const observationDiv = App.UI.DOM.makeElement("div", null, ['margin-bottom']);
-		const gestationDiv = App.UI.DOM.makeElement("div", null, ['margin-bottom']);
-
-		rulesDiv.append(
-			implants(),
-			observation(),
-			gestation(),
-		);
-
-		return rulesDiv;
-
-		function implants() {
-			if (V.bellyImplants) {
-				if (!S.Nurse) {
-					implantsDiv.append(`A resident nurse could be used to safely regulate the rate a slave's fillable belly implant for maximum size with minimum health loss.`);
-				} else {
-					const options = new App.UI.OptionsGroup();
-
-					if (V.clinicInflateBelly) {
-						implantsDiv.append(`${clinicNameCaps} is useful for keeping slaves healthy during long term procedures. Slaves in ${V.clinicName} with inflatable belly implants will be filled during their time under ${S.Nurse.slaveName}'s supervision to maximize growth with minimized health complications.`);
-					} else {
-						implantsDiv.append(`${clinicNameCaps} is useful for keeping slaves healthy during long term procedures. ${S.Nurse.slaveName} can supervise weekly filling regimens for clinic slaves with fillable belly implants during their stay to maximize growth with minimal health complications.`);
-					}
-
-					options.addOption(``, "clinicInflateBelly")
-						.addValue(`Fill belly implants`, 1)
-						.addValue(`Do not fill belly implants`, 0);
-
-					App.UI.DOM.appendNewElement("div", implantsDiv, options.render(), ['indent']);
+	/** @returns {FC.Facilities.Rule[]} */
+	get rules() {
+		return [
+			{
+				property: "clinicInflateBelly",
+				prereqs: [
+					() => !!S.Nurse,
+				],
+				active: {
+					get text() { return `${capFirstChar(V.clinicName)} is useful for keeping slaves healthy during long term procedures. Slaves in ${V.clinicName} with inflatable belly implants will be filled during their time under ${S.Nurse.slaveName}'s supervision to maximize growth with minimized health complications.`; },
+					link: `Fill belly implants`,
+					value: 1,
+				},
+				inactive: {
+					get text() { return `${capFirstChar(V.clinicName)} is useful for keeping slaves healthy during long term procedures. ${S.Nurse.slaveName} can supervise weekly filling regimens for clinic slaves with fillable belly implants during their stay to maximize growth with minimal health complications.`; },
+					link: `Do not fill belly implants`,
+					value: 0,
 				}
-			}
-
-			return implantsDiv;
-		}
-
-		function observation() {
-			if (V.seePreg) {
-				const options = new App.UI.OptionsGroup();
-
-				if (V.clinicObservePregnancy) {
-					observationDiv.append(`Patients undergoing a high-risk pregnancy or are close to giving birth will be kept under observation.`);
-				} else {
-					observationDiv.append(`Pregnant patients will not be kept under observation.`);
+			},
+			{
+				property: "clinicObservePregnancy",
+				prereqs: [],
+				active: {
+					text: `Patients undergoing a high-risk pregnancy or are close to giving birth will be kept under observation.`,
+					link: `Keep high-risk pregnancies under observation`,
+					value: 1,
+				},
+				inactive: {
+					text: `Pregnant patients will not be kept under observation.`,
+					link: `Stop observing pregnancies`,
+					value: 0,
 				}
-
-				options.addOption(``, "clinicObservePregnancy")
-					.addValue(`Keep high-risk pregnancies under observation`, 1)
-					.addValue(`Stop observing pregnancies`, 0);
-
-				App.UI.DOM.appendNewElement("div", observationDiv, options.render(), ['indent']);
-			}
-
-			return observationDiv;
-		}
-
-		function gestation() {
-			if (!S.Nurse) {
-				gestationDiv.append(`A resident nurse could be used to supervise patients under rapid gestation agents while minimizing strain and health complications.`);
-			} else {
-				const options = new App.UI.OptionsGroup();
-
-				if (V.clinicSpeedGestation) {
-					gestationDiv.append(`It's exceedingly dangerous to speed up gestation without constant supervision. In ${V.clinicName}, ${S.Nurse.slaveName} will monitor slaves on rapid gestation agents; making sure the growing patients' food demands are met, monitoring their skin and womb and, if need be, perform an emergency c-section should the need arise.`);
-				} else {
-					gestationDiv.append(`${clinicNameCaps} is currently not applying rapid gestation agents to pregnant patients. Only individually selected slaves will undergo this procedure.`);
+			},
+			{
+				property: "clinicSpeedGestation",
+				prereqs: [
+					() => !!S.Nurse,
+				],
+				active: {
+					get text() { return `It's exceedingly dangerous to speed up gestation without constant supervision. In ${V.clinicName}, ${S.Nurse.slaveName} will monitor slaves on rapid gestation agents; making sure the growing patients' food demands are met, monitoring their skin and womb and, if need be, perform an emergency c-section should the need arise.`; },
+					link: `Limit rapid gestation agents to selected slaves only`,
+					value: 0,
+				},
+				inactive: {
+					get text() { return `${capFirstChar(V.clinicName)} is currently not applying rapid gestation agents to pregnant patients. Only individually selected slaves will undergo this procedure.`; },
+					link: `Speed up gestation for all pregnant patients`,
+					value: 1,
 				}
-
-				options.addOption(``, "clinicSpeedGestation")
-					.addValue(`Limit rapid gestation agents to selected slaves only`, 0)
-					.addValue(`Speed up gestation for all pregnant patients`, 1);
-
-				App.UI.DOM.appendNewElement("div", gestationDiv, options.render(), ['indent']);
-			}
-
-			return gestationDiv;
-		}
-	}
-
-	function slaves() {
-		slavesDiv.append(App.UI.SlaveList.stdFacilityPage(App.Entity.facilities.clinic, true));
-
-		return slavesDiv;
-	}
-
-	function rename() {
-		renameDiv.append(App.Facilities.rename(App.Entity.facilities.clinic, () => {
-			clinicNameCaps = capFirstChar(V.clinicName);
-
-			refresh();
-		}));
-
-		return renameDiv;
-	}
-
-	function refresh() {
-		App.UI.DOM.replace(introDiv, intro);
-		App.UI.DOM.replace(expandDiv, expand);
-		App.UI.DOM.replace(upgradesDiv, upgrades);
-		App.UI.DOM.replace(rulesDiv, rules);
-		App.UI.DOM.replace(slavesDiv, slaves);
-		App.UI.DOM.replace(renameDiv, rename);
+			},
+		];
 	}
 };
diff --git a/src/facilities/utils.js b/src/facilities/utils.js
index 1cc245bb0519e05eefa5696cc1523687a6b4488a..580e56e1a5aca1579fb2aff957a705b78470a974 100644
--- a/src/facilities/utils.js
+++ b/src/facilities/utils.js
@@ -6,8 +6,8 @@
  * @param {function():void} [handler] Any custom function to be run upon entering a new name.
  */
 App.Facilities.rename = function rename(facility, handler) {
-	const renameDiv = App.UI.DOM.makeElement("div", `Rename ${facility.name}: `, ["facility-rename"]);
-	const renameNote = App.UI.DOM.makeElement("span", ` Use a noun or similar short phrase`, ["note"]);
+	const renameDiv = App.UI.DOM.makeElement("div", `Rename ${facility.name}: `, ['margin-top']);
+	const renameNote = App.UI.DOM.makeElement("span", ` Use a noun or similar short phrase`, ['note']);
 
 	renameDiv.appendChild(App.UI.DOM.makeTextBox(facility.name, newName => {
 		facility.name = newName;