diff --git a/devTools/FC.d.ts b/devTools/FC.d.ts
index 356f276896c1398d474b6df475d3fe21b84658c4..f1186870e854dd6e4b17419c2ab133371eae910d 100644
--- a/devTools/FC.d.ts
+++ b/devTools/FC.d.ts
@@ -43,6 +43,8 @@ declare namespace App {
 	namespace Desc {}
 
 	namespace Entity {
+		class Serializable {}
+
 		namespace Utils {}
 	}
 
@@ -51,7 +53,7 @@ declare namespace App {
 	namespace Interact {}
 
 	namespace MainView {}
-	
+
 	namespace RA {
 		class NumericTarget {
 			cond: string;
diff --git a/js/002-config/fc-js-init.js b/js/002-config/fc-js-init.js
index ce3b9d12f6328f6cdb4701a916d1d769cd9092da..7f6482afd104d9f214bd39cf9002e64c8796d2f4 100644
--- a/js/002-config/fc-js-init.js
+++ b/js/002-config/fc-js-init.js
@@ -4,6 +4,9 @@
 
 var App = { };
 
+App.Arcology = {
+	Cell: {},
+};
 App.Art = {};
 App.Data = {};
 App.Debug = {};
diff --git a/js/utils.js b/js/utils.js
index daf43d3fd156d5a604476dad1ef21cb2a887ed7b..88bee3fcfd49b26519c4b38ad4ea1e4f6c9ca318 100644
--- a/js/utils.js
+++ b/js/utils.js
@@ -152,6 +152,29 @@ function addA(word) {
 	return `a ${word}`;
 }
 
+Object.defineProperty(Array.prototype, 'toStringExt', {
+	/**
+	 * @param {string} delimiter
+	 * @param {string} lastDelimiter
+	 * @returns {string}
+	 */
+	value(delimiter = ', ', lastDelimiter = ' and ') {
+		if (this == null) {
+			throw new TypeError('Array.prototype.toStringExt called on null or undefined');
+		}
+		if (this.length === 0) {
+			return "none";
+		}
+		if (this.length === 1) {
+			return this[0].toString();
+		}
+		const last = this.pop();
+		let r = this.join(delimiter);
+		this.push(last); // don't leave the array modified
+		return `${r}${lastDelimiter}${last}`;
+	}
+});
+
 /**
  * @param {number} i
  * @returns {string}
@@ -298,3 +321,50 @@ App.Utils.topologicalSort = function(keys, edges) {
 
 	return sorted;
 };
+
+/**
+ * Sorts an array of objects based on the order of the first array.
+ * Sorts by values accessible by unsorted[key]
+ * Values of the second array must be a subset of sorted
+ *
+ * O(n + m)
+ *
+ * @param {Array<any>} sorted
+ * @param {Array<object>} unsorted
+ * @param {string} key
+ * @returns {Array<object>}
+ */
+function sortArrayByArray(sorted, unsorted, key) {
+	const map = {};
+	sorted.forEach((value, index) => {
+		map[value] = index;
+	});
+
+	return unsorted.sort((a, b) => {
+		return map[a[key]] - map[b[key]];
+	});
+}
+
+/**
+ * @param {object} target
+ * @param {object} source
+ */
+function deepAssign(target, source) {
+	function isObject(o) {
+		return (o !== undefined && typeof o === 'object' && !Array.isArray(o));
+	}
+
+	if (isObject(target) && isObject(source)) {
+		for (const key in source) {
+			if (!source.hasOwnProperty(key)) { continue; }
+			if (isObject(source[key])) {
+				if (!target.hasOwnProperty(key)) { target[key] = {}; }
+				deepAssign(target[key], source[key]);
+			} else {
+				Object.assign(target, {
+					[key]: source[key]
+				});
+			}
+		}
+	}
+}
diff --git a/src/002-config/Serializable.js b/src/002-config/Serializable.js
new file mode 100644
index 0000000000000000000000000000000000000000..16d26dad17d59de87c5e2f22e17e6724827a5fb3
--- /dev/null
+++ b/src/002-config/Serializable.js
@@ -0,0 +1,70 @@
+/**
+ * The basic class for all classes that can be saved and loaded, i.e. serialized and deserialized.
+ *
+ * All subclasses HAVE to implement get className(), _cleanUpConfigScheme() and clone(),
+ * in the SAME WAY they are implemented here.
+ *
+ * @type {App.Entity.Serializable}
+ */
+App.Entity.Serializable = class {
+	/**
+	 * Returns the name of the class including namespaces
+	 *
+	 * @returns {string}
+	 */
+	get className() { return "App.Entity.Serializable"; }
+
+	/**
+	 * Updates saved data in case of changes to the class.
+	 *
+	 * NOTE: new attributes do NOT need to be added here, as they are automatically added with default values.
+	 *
+	 * @param {object} config
+	 * @protected
+	 */
+	static _cleanupConfigScheme(config) {
+		// in subclasses _cleanupConfigScheme() must call
+		// super._cleanupConfigScheme(config)
+		// BC code
+	}
+
+	/**
+	 * @returns {App.Entity.Serializable}
+	 */
+	clone() {
+		return (new App.Entity.Serializable())._init(this);
+	}
+
+	/**
+	 * @param {object} config
+	 * @param {boolean} clean
+	 * @returns {App.Entity.Serializable}
+	 * @protected
+	 */
+	_init(config, clean = false) {
+		if (clean) {
+			App.Entity.Serializable._cleanupConfigScheme(config);
+		}
+
+		// Clone the given object's own properties into our own properties.
+		deepAssign(this, config);
+
+		// Return `this` to make usage easier.
+		return this;
+	}
+
+	/**
+	 * @returns {[]}
+	 */
+	toJSON() {
+		// Return a code string that will create a new instance containing our
+		// own data.
+		//
+		// NOTE: Supplying `this` directly as the `reviveData` parameter to the
+		// `JSON.reviveWrapper()` call will trigger out of control recursion in
+		// the serializer, so we must pass it a clone of our own data instead.
+		const ownData = {};
+		deepAssign(ownData, this);
+		return JSON.reviveWrapper(`(new ${this.className}())._init($ReviveData$, true)`, ownData);
+	}
+};
diff --git a/src/003-assets/CSS/arcologyBuilding.css b/src/003-assets/CSS/arcologyBuilding.css
new file mode 100644
index 0000000000000000000000000000000000000000..c4335ceacb02d4387f0db5e4ee6f3101e4488e9f
--- /dev/null
+++ b/src/003-assets/CSS/arcologyBuilding.css
@@ -0,0 +1,143 @@
+div.building {
+    display: flex;
+    flex-direction: column;
+    width: 70%;
+    margin: 0 auto;
+}
+
+div.building div.row {
+    display: flex;
+    flex-direction: row;
+    width: 100%;
+    justify-content: center
+}
+
+div.building div.outerCell {
+}
+
+div.building div.innerCell {
+    border: solid 5px;
+    margin: 3px;
+    text-align: center;
+}
+
+/* penthouse formatting */
+div.building div.gridWrapper {
+    display: grid;
+}
+
+div.building div.gridWrapper.grid1 {
+    grid-template-columns: 100%;
+}
+
+div.building div.gridWrapper.grid2 {
+    grid-template-columns: repeat(2, 50%);
+}
+
+div.building div.gridWrapper.grid3 {
+    grid-template-columns: repeat(3, 33.3%);
+}
+
+div.building div.gridWrapper div {
+    display: inline flow-root;
+    line-height: 1.1;
+    padding-bottom: 0.3em;
+}
+
+div.building div.collapsed {
+    display: inline flow-root;
+    margin: 0 0.2em;
+}
+
+/* border color for each cell */
+div.building div.row div.apartments {
+    border-color: limegreen;
+}
+
+div.building div.row div.arcade {
+    border-color: deeppink;
+}
+
+div.building div.row div.brothel {
+    border-color: violet;
+}
+
+div.building div.row div.barracks {
+    border-color: olivedrab;
+}
+
+div.building div.row div.club {
+    border-color: orchid;
+}
+
+div.building div.row div.corporateMarket {
+    border-color: purple;
+}
+
+div.building div.row div.dairy {
+    border-color: white;
+}
+
+div.building div.row div.denseApartments {
+    border-color: seagreen;
+}
+
+div.building div.row div.empty {
+    border-color: lightgray;
+}
+
+div.building div.row div.farmyard {
+    border-color: brown;
+}
+
+div.building div.row div.fsShops {
+    border-color: mediumpurple;
+}
+
+div.building div.row div.manufacturing {
+    border-color: slategray;
+}
+
+div.building div.row div.markets {
+    border-color: mediumorchid;
+}
+
+div.building div.row div.nursery {
+    border-color: deepskyblue;
+}
+
+div.building div.row div.luxuryApartments {
+    border-color: palegreen;
+}
+
+div.building div.row div.pens {
+    border-color: goldenrod;
+}
+
+div.building div.row div.penthouse {
+    border-color: teal;
+}
+
+div.building div.row div.pit {
+    border-color: orangered;
+}
+
+div.building div.row div.private {
+    border-color: red;
+}
+
+div.building div.row div.shops {
+    border-color: thistle;
+}
+
+div.building div.row div.sweatshops {
+    border-color: gray;
+}
+
+div.building div.row div.transportHub {
+    border-color: magenta;
+}
+
+div.building div.row div.weaponsManufacturing {
+    border-color: springgreen;
+}
diff --git a/src/004-base/arcologyBuilding.js b/src/004-base/arcologyBuilding.js
new file mode 100644
index 0000000000000000000000000000000000000000..c9999c606dab850173f65cc273de6843755683d5
--- /dev/null
+++ b/src/004-base/arcologyBuilding.js
@@ -0,0 +1,184 @@
+App.Arcology.Cell.BaseCell = class extends App.Entity.Serializable {
+	/**
+	 * @param {number} owner
+	 */
+	constructor(owner) {
+		super();
+		/**
+		 * 0: private
+		 * 1: player
+		 * @type {number}
+		 */
+		this.owner = owner;
+	}
+
+	/**
+	 * @returns {string}
+	 */
+	get colorClass() {
+		return "empty";
+	}
+
+	/**
+	 * @returns {number}
+	 */
+	get width() {
+		return 1;
+	}
+
+	/**
+	 * @param {Array<number>} path
+	 * @returns {Node}
+	 */
+	cellContent(path) {
+		return document.createDocumentFragment();
+	}
+
+	/**
+	 * @returns {Node}
+	 */
+	cellPassage() {
+		const fragment = document.createDocumentFragment();
+
+		const scene = document.createElement("p");
+		scene.classList.add("scene-intro");
+		scene.append(this._setting());
+		if (this.canBeSold()) {
+			scene.append(ownership(this));
+		}
+		fragment.append(scene);
+
+		if (this.owner === 1) {
+			const upgrades = document.createElement("p");
+
+			upgrades.append(this._body());
+
+			fragment.append(upgrades);
+		}
+
+		return fragment;
+
+		/**
+		 * @returns {DocumentFragment}
+		 */
+		function ownership(cell) {
+			const fragment = document.createDocumentFragment();
+			const A = V.arcologies[0];
+
+			const price = 1000 * Math.trunc(A.prosperity * (1 + (A.demandFactor / 100)));
+			if (cell.owner === 1) {
+				fragment.append(`Selling this sector would relinquish a 4% interest in ${A.name}. Such an interest is worth ${cashFormat(price)}.`);
+
+				if (A.ownership >= 4) {
+					const span = document.createElement("span");
+					span.classList.add("clear-formatting");
+					span.append(App.UI.DOM.passageLink("Sell", "Main",
+						() => {
+							cashX(price, "capEx");
+							App.Arcology.updateOwnership();
+							A.demandFactor -= 20;
+							cell.owner = 0;
+						}));
+					fragment.append(" ", span);
+				}
+			} else {
+				fragment.append(`You will have to acquire an additional 4% interest in ${A.name} to take control of this sector. Such an interest is worth ${cashFormat(price)} and will require a transaction cost of ${cashFormat(10000)} to acquire for a total cost of ${cashFormat(price + 10000)}.`);
+				if (A.ownership + A.minority <= 96) {
+					const buySpan = document.createElement("span");
+					buySpan.classList.add("clear-formatting");
+					buySpan.append(App.UI.DOM.passageLink("Buy", "Main",
+						() => {
+							cashX(-(price + 10000));
+							A.demandFactor += 20;
+							App.Arcology.updateOwnership();
+							cell.owner = 1;
+						}));
+					fragment.append(" ", buySpan);
+
+					if (V.rep >= 18000) {
+						const repDiv = document.createElement("div");
+						repDiv.classList.add("choices", "clear-formatting");
+
+						const repPrice = Math.clamp(price / 2, 0, 18000);
+						repDiv.append("You have so much political capital that you can spend reputation to acquire ownership by spending reputation.",
+							App.UI.DOM.passageLink("Use reputation", "Main",
+								() => {
+									repX(-(repPrice), "capEx");
+									A.demandFactor += 20;
+									App.Arcology.updateOwnership();
+									cell.owner = 1;
+								}));
+						fragment.append(repDiv);
+					}
+				} else {
+					fragment.append("Too much of the arcology is owned by a single minority holder for you to force a purchase of this sector right now. Your control of the arcology should naturally resolve this situation in a few weeks.");
+				}
+			}
+			return fragment;
+		}
+	}
+
+	/**
+	 * @returns {string|Node}
+	 * @private
+	 */
+	_setting() {
+		return "baseCell";
+	}
+
+	/**
+	 * @returns {Node}
+	 * @private
+	 */
+	_body() {
+		return document.createDocumentFragment();
+	}
+
+	/**
+	 * @param {string} name
+	 * @param {function(): void} action
+	 * @param {number} cost
+	 * @param {string} [note]
+	 * @param {Node} [domNote]
+	 * @returns {HTMLDivElement}
+	 * @protected
+	 */
+	_makeUpgrade(name, action, cost, note, domNote) {
+		const div = document.createElement("div");
+
+		div.append(App.UI.DOM.passageLink(name, "Main",
+			() => {
+				cashX(-cost, "capEx");
+				action();
+			}));
+
+		if (cost > 0 || note === undefined) {
+			note = ` Costs ${cashFormat(cost)}${note !== undefined ? ` ${note}` : ""}.`;
+		}
+		div.append(App.UI.DOM.makeSpan(note, "detail"));
+
+		if (domNote !== undefined) {
+			div.append(domNote); // this only exists for the farmyard, remove once that is out of alpha
+		}
+
+		return div;
+	}
+
+	/**
+	 * @returns {boolean}
+	 */
+	canBeSold() {
+		return false;
+	}
+
+	static _cleanupConfigScheme(config) {
+		super._cleanupConfigScheme(config);
+		// BC code
+	}
+
+	clone() {
+		return (new App.Arcology.Cell.BaseCell())._init(this);
+	}
+
+	get className() { return "App.Arcology.Cell.BaseCell"; }
+};
diff --git a/src/Corporation/corporate.js b/src/Corporation/corporate.js
index a8e232ef959e3b99d849bfdb991f652373c45a5a..91e06546f4486908a6ec52a416d2bdc793db16f4 100644
--- a/src/Corporation/corporate.js
+++ b/src/Corporation/corporate.js
@@ -628,8 +628,7 @@ App.Corporate.Init = function() {
 		toDelete.forEach(id => delete V[id]);
 
 		if(this.hasMarket) {
-			let corporateMarketIndex = V.sectors.findIndex(sector => sector.type === "CorporateMarket");
-			V.sectors[corporateMarketIndex].type = "Markets";
+			App.Arcology.cellUpgrade(V.building, App.Arcology.Cell.Market, "Corporate Market", "Markets");
 			this.hasMarket = false;
 		}
 	};
diff --git a/src/Corporation/corporateMarket.tw b/src/Corporation/corporateMarket.tw
index 51e4a883d8b469bb680a582de0912184921e1b15..ad09776c085bc8050e971f2e022e0407e13fc4bb 100644
--- a/src/Corporation/corporateMarket.tw
+++ b/src/Corporation/corporateMarket.tw
@@ -105,8 +105,6 @@ The offered price is <<print cashFormat(_slaveCost)>>.<<if $slavesSeen > $slaveM
 
 <<link "End corporate slave sales here and return this sector to standard markets">>
 	<<set $corpMarket = 0>>
-	<<for _i = 0; _i < $sectors.length; _i++>>
-		<<if $sectors[_i].type == "CorporateMarket">><<set $sectors[_i].type = "Markets">><<break>><</if>>
-	<</for>>
+	<<run App.Arcology.cellUpgrade($building, App.Arcology.Cell.Market, "Corporate Market", "Markets")>>
 	<<goto "Main">>
 <</link>>
diff --git a/src/SecExp/secExpSmilingMan.tw b/src/SecExp/secExpSmilingMan.tw
index 8028c0364267f6346076866002115444eefc35e3..8b32f0de5c37dc14a480290f22465e393e1319b6 100644
--- a/src/SecExp/secExpSmilingMan.tw
+++ b/src/SecExp/secExpSmilingMan.tw
@@ -169,31 +169,10 @@
 
 	<<if $arcologies[0].ownership >= 60>>
 		<<if $SecExp.core.authority <= 10000>>
-			<<for _i = 1; _i < $sectors.length; _i++>>
-				<<if $sectors[_i].ownership == 1>>
-					<<if $sectors[_i].type != "Brothel">>
-						<<if $sectors[_i].type != "Club">>
-							<<if $sectors[_i].type != "Arcade">>
-								<<if $sectors[_i].type != "Dairy">>
-									<<if $sectors[_i].type != "Pit">>
-										<<if $sectors[_i].type != "Sweatshops">>
-											<<if $sectors[_i].type != "Pens">>
-												<<if $sectors[_i].type != "Barracks">>
-													<<if random(1,100) >= 66>>
-														<<set $sectors[_i].ownership = 0>>
-														Vast amount of data relative to the ownership of the arcology is lost. You lost all legal claims to one of the sectors.
-														<<break>>
-													<</if>>
-												<</if>>
-											<</if>>
-										<</if>>
-									<</if>>
-								<</if>>
-							<</if>>
-						<</if>>
-					<</if>>
-				<</if>>
-			<</for>>
+			<<set _cells = $building.findCells(cell => cell.canBeSold())>>
+			<<set jsEither(_cells).owner = 0>>
+			Vast amount of data relative to the ownership of the arcology is lost. You lost all legal claims to one of the sectors.
+		<<else>>
 			Vast amount of data relative to the ownership of the arcology is lost. You would've run the risk of losing ownership of one of the sectors, but fortunately your authority is so high your citizens do not dare question your claims even in the absence of a valid legal case.
 		<</if>>
 	<</if>>
diff --git a/src/SecExp/transportHub.tw b/src/SecExp/transportHub.tw
index c12481197e17822e564fc15fe35f56773186a825..548cd813af17fae30bafa41435d194a9144079d5 100644
--- a/src/SecExp/transportHub.tw
+++ b/src/SecExp/transportHub.tw
@@ -172,4 +172,5 @@ You quickly reach the transport hub, where a constant stream of vehicles, people
 	The hub security is fully upgraded
 <</if>>
 
-<br><br>[[Return this sector to standard markets|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $sectors[$AS].type = "Markets", $transportHub = 0, $hubSecurity = 1]] //Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>//
+<br><br>
+[[Return this sector to standard markets|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), App.Arcology.cellUpgrade($building, App.Arcology.Cell.Market, "Transport Hub", "Markets"), $transportHub = 0, $hubSecurity = 1]] //Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>//
diff --git a/src/SecExp/weaponsManufacturing.tw b/src/SecExp/weaponsManufacturing.tw
index d8ab23de993e031b87003f1ca2b25c8c39917dae..1fd17d1d356a2e699cffedfee22181293a99bd64 100644
--- a/src/SecExp/weaponsManufacturing.tw
+++ b/src/SecExp/weaponsManufacturing.tw
@@ -460,4 +460,5 @@ With our current industrial and research capabilities upgrades will be finished
 		<</if>>
 	<</for>>
 <</if>>
-<br>[[Return this sector to standard manufacturing|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $sectors[$AS].type = "Manufacturing", $weapManu = 0]] //Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>//
\ No newline at end of file
+<br>
+[[Return this sector to standard manufacturing|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), App.Arcology.cellUpgrade($building, App.Arcology.Cell.Manufacturing, "Weapon Manufacturing", "Manufacturing")]] //Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>//
\ No newline at end of file
diff --git a/src/arcologyBuilding/apartments.js b/src/arcologyBuilding/apartments.js
new file mode 100644
index 0000000000000000000000000000000000000000..6be9ace631281a075679b0f355ac5302cd33225f
--- /dev/null
+++ b/src/arcologyBuilding/apartments.js
@@ -0,0 +1,122 @@
+App.Arcology.Cell.Apartment = class extends App.Arcology.Cell.BaseCell {
+	/**
+	 * @param {number} owner
+	 * @param {number} type
+	 */
+	constructor(owner, type = 2) {
+		super(owner);
+		this.type = type;
+	}
+
+	/**
+	 * @returns {string}
+	 */
+	get colorClass() {
+		switch (this.type) {
+			case 1:
+				return "luxuryApartments";
+			case 2:
+				return "apartments";
+			case 3:
+				return "denseApartments";
+			default:
+				return super.colorClass;
+		}
+	}
+
+	/**
+	 * @param {Array<number>} path
+	 * @returns {Node}
+	 */
+	cellContent(path) {
+		let message = "";
+		switch (this.type) {
+			case 1:
+				message = "Luxury Apartments";
+				break;
+			case 2:
+				message = "Apartments";
+				break;
+			case 3:
+				message = "Dense Apartments";
+				break;
+		}
+		return App.Arcology.getCellLink(path, message);
+	}
+
+	/**
+	 * @returns {string|Node}
+	 * @private
+	 */
+	_setting() {
+		let r = "";
+
+		switch (this.type) {
+			case 1:
+				r = "improved for occupancy by the Free Cities' wealthiest citizens";
+				break;
+			case 2:
+				r = "occupied by citizens of varying wealth and social standing";
+				break;
+			case 3:
+				r = "upgraded for dense occupancy by as many citizens as possible";
+				break;
+		}
+
+		if (this.owner === 1) {
+			r = `This is a sector of the arcology's living areas, ${r}. You control this part of the arcology and all these tenants pay you rent.`;
+		} else {
+			r = `This is a privately-owned sector of the arcology's living areas, ${r}.`;
+		}
+
+		return r;
+	}
+
+	/**
+	 * @returns {Node}
+	 * @private
+	 */
+	_body() {
+		const fragment = document.createDocumentFragment();
+
+		const cost = 10000 * V.upgradeMultiplierArcology;
+
+		if (this.type !== 3) {
+			fragment.append(this._makeUpgrade(
+				"Upgrade this sector of apartments for dense occupancy by as many citizens as possible.",
+				() => { this.type = 3; }, cost));
+		}
+
+		if (this.type !== 1) {
+			fragment.append(this._makeUpgrade(
+				"Improve this sector of apartments for occupancy by the Free Cities' wealthiest citizens.",
+				() => { this.type = 1; }, cost));
+		}
+
+		if (this.type !== 2) {
+			fragment.append(this._makeUpgrade(
+				"Return this sector to standard, mixed housing.",
+				() => { this.type = 2; }, cost));
+		}
+
+		return fragment;
+	}
+
+	/**
+	 * @returns {boolean}
+	 */
+	canBeSold() {
+		return true;
+	}
+
+	static _cleanupConfigScheme(config) {
+		super._cleanupConfigScheme(config);
+		// BC code
+	}
+
+	clone() {
+		return (new App.Arcology.Cell.Apartment())._init(this);
+	}
+
+	get className() { return "App.Arcology.Cell.Apartment"; }
+};
diff --git a/src/arcologyBuilding/base.js b/src/arcologyBuilding/base.js
new file mode 100644
index 0000000000000000000000000000000000000000..e0eea3125a92604e7701faa635ccb6f2c4f381a3
--- /dev/null
+++ b/src/arcologyBuilding/base.js
@@ -0,0 +1,236 @@
+/**
+ * @param {Array<number>} path
+ * @param {string} message
+ * @returns {Node}
+ */
+App.Arcology.getCellLink = function(path, message) {
+	return App.UI.DOM.passageLink(message, "Cell", () => { V.cellPath = path; });
+};
+
+/**
+ * Upgrades all instances of cellClass and cellType to newType.
+ * Intended for use on guaranteed single hits.
+ *
+ * @param {App.Arcology.Building} building
+ * @param {class} cellClass
+ * @param {any} cellType
+ * @param {any} newType
+ * @param {string} [key]
+ */
+App.Arcology.cellUpgrade = function(building, cellClass, cellType, newType, key = "type") {
+	building.findCells(cell => cell instanceof cellClass && cell[key] === cellType)
+		.forEach(cell => { cell[key] = newType; });
+};
+
+/**
+ * Updates V.arcologies[0].ownership.
+ */
+App.Arcology.updateOwnership = function() {
+	const allCells = V.building.findCells(() => true);
+	const ownedCells = allCells.filter(cell => cell.owner === 1);
+
+	const ratio = ownedCells.length / allCells.length;
+
+	V.arcologies[0].ownership = Math.round(100 * ratio);
+};
+
+/**
+ * @returns {App.Arcology.Building}
+ */
+App.Arcology.defaultBuilding = function() {
+	const sections = [];
+
+	sections.push(new App.Arcology.Section("penthouse", [[new App.Arcology.Cell.Penthouse()]]));
+	sections.push(new App.Arcology.Section("shops", [[new App.Arcology.Cell.Shop(1), new App.Arcology.Cell.Shop(1), new App.Arcology.Cell.Shop(1)]]));
+	sections.push(new App.Arcology.Section("apartments",
+		[
+			[new App.Arcology.Cell.Apartment(1), new App.Arcology.Cell.Apartment(1), new App.Arcology.Cell.Apartment(1), new App.Arcology.Cell.Apartment(1)],
+			[new App.Arcology.Cell.Apartment(1), new App.Arcology.Cell.Apartment(1), new App.Arcology.Cell.Apartment(1), new App.Arcology.Cell.Apartment(1)],
+			[new App.Arcology.Cell.Apartment(1), new App.Arcology.Cell.Apartment(1), new App.Arcology.Cell.Apartment(1), new App.Arcology.Cell.Apartment(1)],
+		]
+	));
+	sections.push(new App.Arcology.Section("markets", [[new App.Arcology.Cell.Market(1), new App.Arcology.Cell.Market(1), new App.Arcology.Cell.Market(1), new App.Arcology.Cell.Market(1), new App.Arcology.Cell.Market(1)]]));
+	sections.push(new App.Arcology.Section("manufacturing", [[new App.Arcology.Cell.Manufacturing(1), new App.Arcology.Cell.Manufacturing(1), new App.Arcology.Cell.Manufacturing(1), new App.Arcology.Cell.Manufacturing(1), new App.Arcology.Cell.Manufacturing(1)]]));
+
+	return new App.Arcology.Building(sections);
+};
+
+/**
+ * Order of the building sections. All possible sections have to be added here.
+ *
+ * @type {string[]}
+ */
+App.Arcology.sectionOrder = ["penthouse", "spire", "shops", "apartments", "markets", "manufacturing"];
+
+App.Arcology.Section = class extends App.Entity.Serializable {
+	/**
+	 * @param {string} id unique ID
+	 * @param {Array<Array<App.Arcology.Cell.BaseCell>>} rows
+	 */
+	constructor(id, rows) {
+		super();
+		this.id = id;
+		this.rows = rows;
+	}
+
+	get width() {
+		let maxWidth = 0;
+
+		this.rows.forEach(cells => {
+			let width = 0;
+			cells.forEach(cell => {
+				width += cell.width;
+			});
+			maxWidth = Math.max(maxWidth, width);
+		});
+		return maxWidth;
+	}
+
+	/**
+	 * @param {number} elementWidth in %
+	 * @param {number} index
+	 * @returns {DocumentFragment}
+	 */
+	render(elementWidth, index) {
+		/**
+		 * @param {App.Arcology.Cell.BaseCell} cell
+		 * @param {number} rowIndex
+		 * @param {number} cellIndex
+		 * @returns {HTMLDivElement}
+		 */
+		function createCell(cell, rowIndex, cellIndex) {
+			const outerDiv = document.createElement("div");
+			outerDiv.classList.add("outerCell");
+			outerDiv.style.minWidth = `${elementWidth * cell.width}%`;
+			outerDiv.style.maxWidth = `${elementWidth * cell.width}%`;
+
+			const innerDiv = document.createElement("div");
+			innerDiv.classList.add("innerCell", cell.owner === 1 ? cell.colorClass : "private");
+			innerDiv.append(cell.cellContent([index, rowIndex, cellIndex]));
+
+			outerDiv.append(innerDiv);
+			return outerDiv;
+		}
+
+		/**
+		 * @param {Array<App.Arcology.Cell.BaseCell>} row
+		 * @param {number} rowIndex
+		 * @returns {HTMLDivElement}
+		 */
+		function createRow(row, rowIndex) {
+			const div = document.createElement("div");
+			div.classList.add("row");
+
+			row.forEach((cell, cellIndex) => {
+				div.append(createCell(cell, rowIndex, cellIndex));
+			});
+
+			return div;
+		}
+
+		const fragment = document.createDocumentFragment();
+
+		this.rows.forEach((row, rowIndex) => {
+			fragment.append(createRow(row, rowIndex));
+		});
+
+		return fragment;
+	}
+
+	/**
+	 * @param {Array<number>} path of the form [i, j]
+	 * @returns {App.Arcology.Cell.BaseCell}
+	 */
+	cellByPath(path) {
+		return this.rows[path[0]][path[1]];
+	}
+
+	/**
+	 * @param {function(App.Arcology.Cell.BaseCell): boolean} predicate
+	 * @returns {Array<App.Arcology.Cell.BaseCell>}
+	 */
+	findCells(predicate) {
+		const cells = [];
+		for (const row of this.rows) {
+			for (const cell of row) {
+				if (predicate(cell)) {
+					cells.push(cell);
+				}
+			}
+		}
+		return cells;
+	}
+
+	static _cleanupConfigScheme(config) {
+		super._cleanupConfigScheme(config);
+		// BC code
+	}
+
+	clone() {
+		return (new App.Arcology.Section())._init(this);
+	}
+
+	get className() { return "App.Arcology.Section"; }
+};
+
+App.Arcology.Building = class extends App.Entity.Serializable {
+	/**
+	 * @param {Array<App.Arcology.Section>} sections
+	 */
+	constructor(sections) {
+		super();
+		this.sections = sections;
+	}
+
+	/**
+	 * @returns {HTMLDivElement}
+	 */
+	render() {
+		const div = document.createElement("div");
+		div.classList.add("building");
+
+		let maxWidth = 0;
+		this.sections.forEach(section => {
+			maxWidth = Math.max(section.width, maxWidth);
+		});
+		const elementWidth = 100 / maxWidth;
+
+		sortArrayByArray(App.Arcology.sectionOrder, this.sections, "id")
+			.forEach((section, index) => {
+				div.append(section.render(elementWidth, index));
+			});
+
+		return div;
+	}
+
+	/**
+	 * @param {Array<any>} path
+	 * @returns {App.Arcology.Cell.BaseCell}
+	 */
+	cellByPath(path) {
+		return this.sections[path[0]].cellByPath(path.slice(1));
+	}
+
+	/**
+	 * @param {function(App.Arcology.Cell.BaseCell): boolean} predicate
+	 * @returns {Array<App.Arcology.Cell.BaseCell>}
+	 */
+	findCells(predicate) {
+		return this.sections.reduce(
+			(cells, section) => {
+				cells.push(...section.findCells(predicate));
+				return cells;
+			}, []);
+	}
+
+	static _cleanupConfigScheme(config) {
+		super._cleanupConfigScheme(config);
+		// BC code
+	}
+
+	clone() {
+		return (new App.Arcology.Building())._init(this);
+	}
+
+	get className() { return "App.Arcology.Building"; }
+};
diff --git a/src/arcologyBuilding/cell.tw b/src/arcologyBuilding/cell.tw
new file mode 100644
index 0000000000000000000000000000000000000000..c65be545db4e3ce0a983f384d196079138d619cf
--- /dev/null
+++ b/src/arcologyBuilding/cell.tw
@@ -0,0 +1,12 @@
+:: Cell [nobr]
+
+<<set $nextButton = "Back", $nextLink = "Main">>
+
+<span id="content"></span>
+<<script>>
+	$(document).one(':passageend', () => {
+		$('#content').append(
+            V.building.cellByPath(V.cellPath).cellPassage()
+		);
+	});
+<</script>>
diff --git a/src/arcologyBuilding/manufacturing.js b/src/arcologyBuilding/manufacturing.js
new file mode 100644
index 0000000000000000000000000000000000000000..bac40cf74914a409ee3f81a0aa067ed590783c20
--- /dev/null
+++ b/src/arcologyBuilding/manufacturing.js
@@ -0,0 +1,287 @@
+App.Arcology.Cell.Manufacturing = class extends App.Arcology.Cell.BaseCell {
+	/**
+	 * @param {number} owner
+	 * @param {string} type
+	 */
+	constructor(owner, type = "Manufacturing") {
+		super(owner);
+		this.type = type;
+	}
+
+	/**
+	 * @returns {string}
+	 */
+	get colorClass() {
+		switch (this.type) {
+			case "Manufacturing":
+				return "manufacturing";
+			case "Dairy":
+				return "diary";
+			case "Farmyard":
+				return "farmyard";
+			case "Barracks":
+				return "barracks";
+			case "Weapon Manufacturing":
+				return "weaponsManufacturing";
+			case "Pens":
+				return "pens";
+			case "Sweatshops":
+				return "sweatshops";
+			default:
+				return super.colorClass;
+		}
+	}
+
+	/**
+	 * @param {Array<number>} path
+	 * @returns {Node}
+	 */
+	cellContent(path) {
+		if (this.type === "Dairy") {
+			const fragment = document.createDocumentFragment();
+			fragment.append(App.UI.DOM.passageLink(dairyUIName(), "Dairy"),
+				` (${V.DairyiIDs.length}${V.bioreactorsXY + V.bioreactorsXX + V.bioreactorsHerm + V.bioreactorsBarren > 0 ? "+" : ""}/${V.dairy})`);
+			if (V.Milkmaid) {
+				fragment.append(",L");
+			}
+			return fragment;
+		}
+		if (this.type === "Farmyard") {
+			const fragment = document.createDocumentFragment();
+			fragment.append(App.UI.DOM.passageLink("Farmyard", "Farmyard"),
+				` (${V.FarmyardiIDs.length}/${V.farmyard})`);
+			if (V.Farmer) {
+				fragment.append(",L");
+			}
+			return fragment;
+		}
+		switch (this.type) {
+			case "Manufacturing":
+			case "Pens":
+			case "Sweatshops":
+				return App.Arcology.getCellLink(path, this.type);
+			case "Barracks":
+				return App.UI.DOM.passageLink("Barracks", "Barracks");
+			case "Weapon Manufacturing":
+				return App.UI.DOM.passageLink("Weapons Manufacturing", "weaponsManufacturing");
+			default:
+				return App.UI.DOM.makeSpan(`ERROR: invalid type: ${this.type}`, "error");
+		}
+	}
+
+	/**
+	 * @returns {string|Node}
+	 * @private
+	 */
+	_setting() {
+		let r = "";
+
+		switch (this.type) {
+			case "Manufacturing":
+				r = "rented to a variety of tenants for manufacturing purposes";
+				if (this.owner === 1) {
+					r += ". You control this part of the arcology and all these tenants pay you rent";
+				}
+				break;
+			case "Sweatshops":
+				if (this.owner === 1) {
+					r = "designed for labor intensive manufacturing by menial slaves";
+				} else {
+					r = "rented to a variety of tenants for manufacturing purposes";
+				}
+				break;
+			case "Pens":
+				r = "designed to house hundreds of slaves for paying owners";
+				if (this.owner === 1) {
+					r += ". You control this part of the arcology. If you own menial slaves, they will be kept here; otherwise, unused space will be rented to other slave brokers";
+				}
+				break;
+		}
+
+		if (this.owner === 1) {
+			return `This is a space in the arcology's service areas, ${r}.`;
+		}
+		return `This is a privately-owned space in the arcology's service areas, ${r}.`;
+	}
+
+	/**
+	 * @returns {Node}
+	 * @private
+	 */
+	_body() {
+		const fragment = document.createDocumentFragment();
+
+		const pensDOM = pens(this);
+		if (pensDOM !== null) {
+			console.log("if");
+			fragment.append(pensDOM);
+
+			const p = document.createElement("p");
+			p.append(upgrades(this));
+			console.log("up");
+			fragment.append(p);
+		} else {
+			console.log("bor");
+			fragment.append(upgrades(this));
+		}
+
+		return fragment;
+
+		/**
+		 * @param {App.Arcology.Cell.Manufacturing} thisCell this is apparently undefined inside???
+		 * @returns {null|HTMLParagraphElement}
+		 */
+		function pens(thisCell) {
+			if (thisCell.type !== "Pens") {
+				return null;
+			}
+
+			const paragraph = document.createElement("p");
+
+			paragraph.append(App.UI.DOM.makeDiv(MenialPopCap()),
+				App.UI.DOM.makeDiv(`In total you are able to personally house a total of ${num(V.PopCap)} menial slaves.`));
+
+			if (V.menials + V.menialBioreactors + V.fuckdolls > 0) {
+				let r = "You own ";
+				let list = [];
+				if (V.menials > 0) {
+					list.push(numberWithPluralOne(V.menials, "menial slave"));
+				}
+				if (V.menialBioreactors > 0) {
+					list.push(numberWithPluralOne(V.menialBioreactors, "standard bioreactor"));
+				}
+				if (V.fuckdolls > 0) {
+					list.push(numberWithPluralOne(V.fuckdolls, "standard Fuckdoll"));
+				}
+
+				r += `${list.toStringExt()}, `;
+
+				if (V.menials + V.menialBioreactors + V.fuckdolls > 500) {
+					r += "partially ";
+				}
+
+				r += "housed in this sector.";
+
+				if (V.menials > 0 && V.Sweatshops > 0) {
+					r += ` The simple labor slaves toil in ${V.arcologies[0].name}'s sweatshops, and only return here to sleep.`;
+				}
+				if (V.fuckdolls > 0 && V.arcade > 0) {
+					r += ` The menial Fuckdolls are endlessly cycled through ${V.arcadeName}. They're restrained there and used by the public until their holes are no longer appealing, and then cycled back down here to rest until they've tightened up again.`;
+				}
+				if (V.menialBioreactors && V.dairyUpgradeMenials) {
+					r += ` Whenever there's space in ${V.dairyName}, menial Bioreactors are taken out of storage here and restrained there, with ${V.dairyName}'s powerful hookups draining them of their useful fluids and feeding them generously so they can produce more.`;
+				}
+
+				paragraph.append(r);
+			}
+
+			return paragraph;
+		}
+
+		/**
+		 * @param {App.Arcology.Cell.Manufacturing} thisCell
+		 * @returns {DocumentFragment}
+		 */
+		function upgrades(thisCell) {
+			const fragment = document.createDocumentFragment();
+			const cost = Math.trunc(10000 * V.upgradeMultiplierArcology);
+
+			if (V.dairy === 0) {
+				fragment.append(thisCell._makeUpgrade(
+					"Construct a dairy to milk slaves on an industrial scale",
+					() => {
+						V.dairy = 5;
+						thisCell.type = "Dairy";
+					}, cost, "and will incur upkeep costs"
+				));
+			}
+
+			if (V.cheatMode === 1) {
+				if (V.farmyard === 0) {
+					fragment.append(thisCell._makeUpgrade(
+						"Construct a farming facility to grow food for your arcology and house animals",
+						() => {
+							V.farmyard = 5;
+							thisCell.type = "Farmyard";
+						}, cost, "and will incur upkeep costs",
+						// this only exists for the farmyard, remove feature once that is out of alpha
+						App.UI.DOM.makeSpan("Alpha Content!", "warning")
+					));
+				}
+			}
+
+			if (V.mercenaries) {
+				if (V.barracks !== 1) {
+					fragment.append(thisCell._makeUpgrade(
+						"Build an armory to properly house your mercenaries",
+						() => {
+							V.barracks = 1;
+							thisCell.type = "Barracks";
+						}, cost, "but will reduce mercenary upkeep"
+					));
+				}
+			}
+
+			if (V.secExpEnabled === 1) {
+				if (V.weapManu !== 1) {
+					fragment.append(thisCell._makeUpgrade(
+						"Convert this sector to weapons manufacturing",
+						() => {
+							V.weapManu = 1;
+							thisCell.type = "Weapon Manufacturing";
+						}, cost, "but will provide a weekly income and will unlock upgrades for our troops"
+					));
+				}
+			}
+
+			if (thisCell.type !== "Pens") {
+				fragment.append(thisCell._makeUpgrade(
+					"Convert to pens to increase the number of menial slaves you can house",
+					() => {
+						thisCell.type = "Pens";
+					}, cost
+				));
+			}
+
+			if (thisCell.type !== "Sweatshops") {
+				fragment.append(thisCell._makeUpgrade(
+					"Convert these facilities to use the labor of menial slaves",
+					() => {
+						thisCell.type = "Sweatshops";
+					}, cost
+				));
+			}
+
+			if (thisCell.type !== "Manufacturing") {
+				fragment.append(thisCell._makeUpgrade(
+					"Return this sector to standard manufacturing",
+					() => {
+						thisCell.type = "Manufacturing";
+					}, cost
+				));
+			}
+
+			return fragment;
+		}
+	}
+
+	/**
+	 * @returns {boolean}
+	 */
+	canBeSold() {
+		return ["Manufacturing", "Sweatshops", "Pens"].includes(this.type);
+	}
+
+	static _cleanupConfigScheme(config) {
+		super._cleanupConfigScheme(config);
+		// BC code
+	}
+
+	clone() {
+		return (new App.Arcology.Cell.Manufacturing())._init(this);
+	}
+
+	get className() {
+		return "App.Arcology.Cell.Manufacturing";
+	}
+};
diff --git a/src/arcologyBuilding/markets.js b/src/arcologyBuilding/markets.js
new file mode 100644
index 0000000000000000000000000000000000000000..35bb94ba69f89b5cb950def07a38bccb62b81ba4
--- /dev/null
+++ b/src/arcologyBuilding/markets.js
@@ -0,0 +1,147 @@
+App.Arcology.Cell.Market = class extends App.Arcology.Cell.BaseCell {
+	/**
+	 * @param {number} owner
+	 * @param {string} type
+	 */
+	constructor(owner, type = "Markets") {
+		super(owner);
+		this.type = type;
+	}
+
+	/**
+	 * @returns {string}
+	 */
+	get colorClass() {
+		switch (this.type) {
+			case "Markets":
+				return "markets";
+			case "Arcade":
+				return "arcade";
+			case "Pit":
+				return "pit";
+			case "Transport Hub":
+				return "transportHub";
+			case "Corporate Market":
+				return "corporateMarket";
+			default:
+				return super.colorClass;
+		}
+	}
+
+	/**
+	 * @param {Array<number>} path
+	 * @returns {Node}
+	 */
+	cellContent(path) {
+		if (this.type === "Arcade") {
+			const fragment = document.createDocumentFragment();
+			fragment.append(App.UI.DOM.passageLink(arcadeUIName(), "Arcade"),
+				` (${V.ArcadeiIDs.length}/${V.arcade})`);
+			return fragment;
+		}
+		if (this.type === "Pit") {
+			const fragment = document.createDocumentFragment();
+			fragment.append(App.UI.DOM.passageLink(pitUIName(), "Pit"),
+				`(${V.fighterIDs.length})`);
+			return fragment;
+		}
+		switch (this.type) {
+			case "Markets":
+				return App.Arcology.getCellLink(path, "Markets");
+			case "Transport Hub":
+				return App.UI.DOM.passageLink("Transport Hub", "transportHub");
+			case "Corporate Market":
+				return App.UI.DOM.passageLink("Corporate Market", "Corporate Market");
+			default:
+				return App.UI.DOM.makeSpan("ERROR: invalid type: " + this.type, "error");
+		}
+	}
+
+	/**
+	 * @returns {string|Node}
+	 * @private
+	 */
+	_setting() {
+		/* no need to check type, since you can only get here with the basic type */
+		let r = "area of the concourse occupied by large stores and markets, many of which sell slaves.";
+
+		if (this.owner === 1) {
+			return `This is an ${r}. You control this part of the arcology and all these tenants pay you rent.`;
+		}
+		return `This is a privately-owned ${r}.`;
+	}
+
+	/**
+	 * @returns {Node}
+	 * @private
+	 */
+	_body() {
+		const fragment = document.createDocumentFragment();
+
+		const cost = Math.trunc(10000 * V.upgradeMultiplierArcology);
+		if (V.arcade === 0) {
+			fragment.append(this._makeUpgrade(
+				"Construct a sex arcade to present slaves' holes for public use",
+				() => {
+					this.type = "Arcade";
+					V.arcade = 10;
+				}, cost, "and will incur upkeep costs"
+			));
+		}
+
+		if (V.pit === 0) {
+			fragment.append(this._makeUpgrade(
+				"Build a pit to host proper slave fights",
+				() => {
+					this.type = "Pit";
+					V.pit = 1;
+				}, cost
+			));
+		}
+
+		if (V.secExpEnabled === 1 && V.transportHub === 0) {
+			fragment.append(this._makeUpgrade(
+				"Centralize and modernize the transport hub",
+				() => {
+					this.type = "Transport Hub";
+					V.transportHub = 1;
+					V.docks = 1;
+					V.railway = 1;
+					V.airport = 1;
+				}, cost
+			));
+		}
+
+		const corpCost = Math.trunc(10000 * V.upgradeMultiplierArcology);
+		if (V.corpMarket === 0 && V.corpIncorporated === 1) {
+			fragment.append(this._makeUpgrade(
+				"Create a flagship slave market for your corporation here",
+				() => {
+					this.type = "Corporate Market";
+					V.corpMarket = 1;
+					V.corpCash -= corpCost;
+				}, 0, `Costs ${cashFormat(corpCost)} of the corporation's money`
+			));
+		}
+
+		return fragment;
+	}
+
+	/**
+	 * @returns {boolean}
+	 */
+	canBeSold() {
+		return this.type === "Markets";
+	}
+
+	static _cleanupConfigScheme(config) {
+		super._cleanupConfigScheme(config);
+		// BC code
+	}
+
+	clone() {
+		return (new App.Arcology.Cell.Market())._init(this);
+	}
+
+	get className() { return "App.Arcology.Cell.Market"; }
+};
diff --git a/src/arcologyBuilding/penthouse.js b/src/arcologyBuilding/penthouse.js
new file mode 100644
index 0000000000000000000000000000000000000000..7b40058f4ef49b0b933605edc876e9fa13be5c9d
--- /dev/null
+++ b/src/arcologyBuilding/penthouse.js
@@ -0,0 +1,156 @@
+App.Arcology.Cell.Penthouse = class extends App.Arcology.Cell.BaseCell {
+	constructor() {
+		super(1);
+	}
+
+	/**
+	 * @returns {string}
+	 */
+	get colorClass() {
+		return "penthouse";
+	}
+
+	/**
+	 * @returns {number}
+	 */
+	get width() {
+		return 2;
+	}
+
+	/**
+	 * @param {Array<number>} path
+	 * @returns {Node}
+	 */
+	cellContent(path) {
+		const fragment = document.createDocumentFragment();
+
+		const link = App.UI.DOM.passageLink("Penthouse", "Manage Penthouse");
+		const hotkey = App.UI.DOM.makeSpan("[P]", "hotkey");
+		if (V.verticalizeArcologyLinks === 0) {
+			const div = document.createElement("div");
+			div.append(link, " ", hotkey);
+			fragment.append(div);
+		} else {
+			fragment.append(link, " ", hotkey);
+		}
+
+		let wrapper = getWrapper(fragment);
+
+		if (V.masterSuite) {
+			wrapper.append(createFacilityDiv(App.UI.DOM.passageLink(masterSuiteUIName(), "Master Suite"),
+				`(${V.MastSiIDs.length}/${V.masterSuite}${V.Concubine ? ", C" : ""})`));
+		}
+
+		if (V.HGSuite) {
+			const link = App.UI.DOM.passageLink(headGirlSuiteUIName(), "Head Girl Suite");
+
+			if (V.HeadGirl !== 0) {
+				wrapper.append(createFacilityDiv(link, `(HG${V.HGSuiteiIDs.length > 0 ? ", 1" : ""})`));
+			} else {
+				wrapper.append(createFacilityDiv(link));
+			}
+		}
+
+		if (V.dojo > 1) {
+			const link = App.UI.DOM.passageLink("Armory", "BG Select");
+
+			if (V.Bodyguard !== 0) {
+				wrapper.append(createFacilityDiv(link, "BG"));
+			} else {
+				wrapper.append(createFacilityDiv(link));
+			}
+		}
+
+		if (V.servantsQuarters) {
+			wrapper.append(createFacilityDiv(App.UI.DOM.passageLink(servantQuartersUIName(), "Servants' Quarters"),
+				`(${V.ServQiIDs.length}/${V.servantsQuarters}${V.Stewardess ? ", L" : ""})`));
+		}
+
+		if (V.spa) {
+			wrapper.append(createFacilityDiv(App.UI.DOM.passageLink(spaUIName(), "Spa"),
+				`(${V.SpaiIDs.length}/${V.spa}${V.Attendant ? ", L" : ""})`));
+		}
+
+		if (V.nursery) {
+			wrapper.append(createFacilityDiv(App.UI.DOM.passageLink(nurseryUIName(), "Nursery"),
+				`(${numberWithPluralOne(V.nursery - V.nurseryBabies, "empty room")}, ${V.NurseryiIDs.length}/${V.nurseryNannies}${V.Matron ? ", L" : ""})`));
+		}
+
+		if (V.clinic) {
+			wrapper.append(createFacilityDiv(App.UI.DOM.passageLink(clinicUIName(), "Clinic"),
+				`(${V.CliniciIDs.length}/${V.clinic}${V.Nurse ? ", L" : ""})`));
+		}
+
+		if (V.schoolroom) {
+			wrapper.append(createFacilityDiv(App.UI.DOM.passageLink(schoolRoomUIName(), "Schoolroom"),
+				`(${V.SchlRiIDs.length}/${V.schoolroom}${V.Schoolteacher ? ", L" : ""})`));
+		}
+
+		if (V.cellblock) {
+			wrapper.append(createFacilityDiv(App.UI.DOM.passageLink(cellblockUIName(), "Cellblock"),
+				`(${V.CellBiIDs.length}/${V.cellblock}${V.Wardeness ? ", L" : ""})`));
+		}
+
+		if (V.incubator) {
+			const link = App.UI.DOM.passageLink(incubatorUIName(), "Incubator");
+			const desc = `(${numberWithPluralOne(V.incubator - V.tanks.length, "empty tank")})`;
+
+			if (V.readySlaves > 0) {
+				wrapper.append(createFacilityDiv(link, desc, App.UI.DOM.makeSpan("[!]", "noteworthy")));
+			} else {
+				wrapper.append(createFacilityDiv(link, desc));
+			}
+		}
+
+		if (V.researchLab.level > 0) {
+			wrapper.append(createFacilityDiv(App.UI.DOM.passageLink("Prosthetic Lab", "Prosthetic Lab")));
+		}
+
+		return fragment;
+
+		/**
+		 * @returns {Node}
+		 */
+		function getWrapper(outer) {
+			const wrapper = document.createElement("div");
+			if (V.verticalizeArcologyLinks !== 0) {
+				let gridClass = `grid${V.verticalizeArcologyLinks}`;
+				wrapper.classList.add("gridWrapper", gridClass);
+			}
+			outer.append(wrapper);
+			return wrapper;
+		}
+
+		/**
+		 *
+		 * @param {HTMLElement} link
+		 * @param {Node|string} content
+		 * @returns {HTMLDivElement}
+		 */
+		function createFacilityDiv(link, ...content) {
+			const div = document.createElement("div");
+			div.append(link);
+			// in collapsed mode addtional information needs to be in it's own div to stop linebreaks at weird places
+			if (V.verticalizeArcologyLinks === 0) {
+				div.classList.add("collapsed");
+				div.append(" ", ...content);
+			} else {
+				const innerDiv = document.createElement("div");
+				innerDiv.append(...content);
+				div.append(" ", innerDiv);
+			}
+			return div;
+		}
+	}
+
+	static _cleanupConfigScheme(config) {
+		super._cleanupConfigScheme(config);
+		// BC code
+	}
+
+	clone() {
+		return (new App.Arcology.Cell.Penthouse())._init(this);
+	}
+
+	get className() { return "App.Arcology.Cell.Penthouse"; }
+};
diff --git a/src/arcologyBuilding/shops.js b/src/arcologyBuilding/shops.js
new file mode 100644
index 0000000000000000000000000000000000000000..6ac0f6c6b04d8e4e69b41f62e862f6b385090bf6
--- /dev/null
+++ b/src/arcologyBuilding/shops.js
@@ -0,0 +1,708 @@
+App.Arcology.Cell.Shop = class extends App.Arcology.Cell.BaseCell {
+	/**
+	 * @param {number} owner
+	 * @param {string} type
+	 */
+	constructor(owner, type = "Shops") {
+		super(owner);
+		this.type = type;
+	}
+
+	/**
+	 * @returns {string}
+	 */
+	get colorClass() {
+		switch (this.type) {
+			case "Shops":
+				return "shops";
+			case "Brothel":
+				return "brothel";
+			case "Club":
+				return "club";
+			default:
+				return "fsShops";
+		}
+	}
+
+	/**
+	 * @param {Array<number>} path
+	 * @returns {Node}
+	 */
+	cellContent(path) {
+		if (this.type === "Brothel") {
+			const fragment = document.createDocumentFragment();
+			fragment.append(
+				App.UI.DOM.passageLink(brothelUIName(), "Brothel"),
+				` (${V.BrothiIDs.length}/${V.brothel})`);
+			if (V.Madam) {
+				fragment.append(",L");
+			}
+			return fragment;
+		} else if (this.type === "Club") {
+			const fragment = document.createDocumentFragment();
+			fragment.append(App.UI.DOM.passageLink(clubUIName(), "Club"),
+				` (${V.ClubiIDs.length}/${V.club})`);
+			if (V.DJ) {
+				fragment.append(",L");
+			}
+			return fragment;
+		} else {
+			return App.Arcology.getCellLink(path, this.type);
+		}
+	}
+
+	/**
+	 * @returns {DocumentFragment}
+	 * @private
+	 */
+	_setting() {
+		const A = V.arcologies[0];
+		const fragment = document.createDocumentFragment();
+		const {he, himself, He, girl, him, his, woman} = getNonlocalPronouns(V.seeDicks);
+		const {his: hisP} = getPronouns(V.PC); // is this correct?, was <<setPlayerPronouns>>
+
+		if (this.owner === 1) {
+			fragment.append("This is a sector of the arcology's living areas, ");
+		} else {
+			fragment.append("This is a privately-owned sector of the arcology's living areas, ");
+		}
+
+		switch (this.type) {
+			case "Shops":
+				fragment.append("filled with a variety of small, higher-end shops, salons, brothels, and clubs.");
+				break;
+			case "Subjugationist":
+				fragment.append(`dedicated to ${A.FSSubjugationistRace} subjugationism. There are genteel dining establishments with ${A.FSSubjugationistRace} wait staff. Shops offer traditional slaving implements, including fine bespoke leather whips. To go by the shrieking, one of these is being tried on a shop's complimentary whipping targets. `,
+					App.UI.DOM.linkReplace("Shop there",
+						`Interested, you head in to see how the latest styles feel in hand. The fearful slave sales${girl}s offer you complimentary tries at the targets, of course. They barely manage to avoid bursting into tears, knowing that if they make the slightest mistake representing the shop to the arcology owner, they'll be chained up for whip trials, too. The rich handmade leather is supple and handy, and readily extracts throat rending screams from the slaves you're encouraged to try it on.`));
+				break;
+			case "Supremacist":
+				fragment.append(`dedicated to ${A.FSSupremacistRace} supremacism. There are some select social establishments here which don't actually use any slaves at all, offering a surprisingly egalitarian atmosphere in which citizens of the master race can relax in each others' company without any subhuman filth present. `,
+					App.UI.DOM.linkReplace("Put in an appearance",
+						`You decide to stop in at one of these establishments, and of course your money's no good. You're welcomed with considerable bonhomie, and much less formality than you usually receive at social events in your arcology. Everyone's ${A.FSSupremacistRace} here, and in that you're all equal, and all good friends. Everyone wants to have at least a quick word, and you stay longer than you originally meant to.`));
+				break;
+			case "Gender Radicalist":
+				fragment.append("dedicated to Gender Radicalism. The shops here offer a bewildering cornucopia of sex toys. Citizens can kit themselves and their slaves out for anything, regardless of bodily layout. A female citizen is looking over the latest strap-ons, while a male peer is considering versions designed to enable double penetration by one person. ",
+					App.UI.DOM.linkReplace("Try one",
+						`You decide to try one of the latest models. Naturally, the store is eager to have you seen considering their products. The harness is very comfortable, and it ${
+							V.PC.dick !== 0
+								? `equips you with a second phallus. The slave sales${girl} lacks a vagina, but encourages you to try the setup on ${him} anyway, promising that ${his} backpussy can accept double penetration. It can.`
+								: `provides you with an extremely large phallus, which cums from an internal reservoir. The slave sales${girl} encourages you to try the setup on ${him}, promising that ${his} holes can accommodate it. They can.`}`
+					));
+				break;
+			case "Gender Fundamentalist":
+				fragment.append(`dedicated to Gender Fundamentalism. The establishments here are mostly focused on ${A.FSRestart !== "unset" ? "keeping slaves attractively feminine. There are shops offering all kinds of treatments, drugs, clothes, and furniture to satisfy even the most discerning lady " : "citizen reproduction with slaves. There are shops offering all kinds of treatments, drugs, clothes, and furniture to facilitate the successful impregnation of one's chattel, along with a variety of beauty products to keep them soft and feminine"}. `,
+					App.UI.DOM.linkReplace("Get a massage",
+						`You decide to put in an appearance at a tenant business, and the massage parlors are of course very eager to offer you complimentary services. The masseuse is very well-trained, and not at all a sex toy with poor massage skills as a veneer for handjob services. ${He} releases the muscle soreness from your latest workout, and uses ${his} delicate touch to bring you to an enjoyable orgasm; ${he} ${
+							V.PC.dick !== 0
+								? `catches your cum in ${his} mouth and swallows it`
+								: "swallows your femcum"
+						} with every appearance of appetite.`));
+				break;
+			case "Paternalist":
+				fragment.append(`dedicated to Paternalism. Many of the establishments here cater to slaves, some even to slaves exclusively. They offer luxurious and relaxing treatment for good ${girl}s whose owners send them here as rewards. Trusted slaves enter and exit these without any visible restraint or accompaniment, looking for all the world like pretty ${girl}s on a day out. `,
+					App.UI.DOM.linkReplace("Tour the area",
+						"You decide to put in an appearance at these establishments, and tour their front lobbies, listening politely to the educated slave receptionists' polished descriptions of the services offered. You stay out of the back areas, of course; those are for relaxing slaves, and owners typically leave them be while they're there. Most of the slaves moving through the area know who you are, and many of them are confident enough to give you respectful smiles."));
+				break;
+			case "Degradationist":
+				fragment.append("dedicated to Degradationism. The stores for slaveowners sell all sorts of inventive restraints and punishments. There are also a few of a uniquely Degradationist establishment: torture parlors, where any citizen can send a slave for punishment by paying customers, within bounds defined by the owner. ",
+					App.UI.DOM.linkReplace("Try a round",
+						`You decide to put in an appearance at a tenant business and show off your skills, and the torture parlors are very eager to have you accept a complimentary round. You select a pretty ${girl} sent to a torture parlor for some unknown failing by ${his} owner, and use a switch to flog ${his} calves, inner thighs, and breasts until ${he} ${
+							V.seePee === 1 ?
+								`loses control of ${his} bladder`
+								: "passes out"
+						}. ${
+							V.PC.skill.slaving >= 100
+								? "You're skilled at this. The trick is to stop just short of blows that will break the skin, applying all possible pain without any inconvenient blood."
+								: `There's a bit of blood, but ${his} owner will expect that.`}`));
+				break;
+			case "Body Purist":
+				fragment.append("dedicated to Body Purism. There are high end clinics for citizens, with medical specialists skilled in the latest longevity treatments. Shops offer beauty treatments, anti-aging products, and personal massage services. The slave masseuses are naturally beautiful, and their bodies are obviously part of the services offered. ",
+					App.UI.DOM.linkReplace("Get a massage",
+						`You decide to put in an appearance at a tenant business, and the massage parlors are of course very eager to offer you complimentary services. The masseuse is very well-trained, and not at all a sex toy with poor massage skills as a veneer for handjob services. ${He} releases the muscle soreness from your latest workout, and uses ${his} delicate touch to bring you to an enjoyable orgasm; ${he} ${
+							V.PC.dick !== 0
+								? `catches your cum in ${his} mouth and swallows it`
+								: "swallows your femcum"
+						} with every appearance of appetite.`));
+				break;
+			case "Transformation Fetishist":
+				fragment.append("dedicated to Transformation Fetishism. Autosurgeries are expensive, and require a lot of infrastructure, so almost all of your citizens have to send their slaves to clinics for surgical transformation. These establishments attempt to differentiate themselves by specializing in different surgeries, and advertising what they're best at. ",
+					App.UI.DOM.linkReplace("Shop around",
+						`You decide to shop around the best surgery clinics, to put in an appearance and check out the latest developments available to citizens less exalted than yourself. The slave sales${girl}s are all heavily modified silicone bimbos, with an emphasis on whatever their owner's surgical specialty is. The lip specialists' sales${girl}s have facepussies so huge they can't talk at all, so they wear touchscreens around their necks that do the talking for them.`));
+				break;
+			case "Youth Preferentialist":
+				fragment.append(`dedicated to Youth Preferentialism. The shops here are quite varied. Some, like the tailors, only betray their focus on young slaves by their selections of school${girl} outfits, girlish leotards, and the like. There are several high-end slave trainers who specialize in maximizing slaves' ${
+						V.seeDicks < 100 ? "vaginal and" : ""} anal skills while they're still virgins, with instruction only. `,
+					App.UI.DOM.linkReplace("Look in on the classes",
+						`You decide to put in an appearance and look into the training sessions. Of course, the trainers are very eager to share all the details with the arcology owner, and have you seen displaying an interest in their work. You're shown a classroom of obedient young slaves, right at sale age, paying rapt attention to a male trainer and a slave at the head of the classroom. He's reviewing how to relax during one's first time before 'deflowering' the teacher's assistant, whose ${
+							V.seeDicks > 25
+								? "asshole is allowed to rest and return to virgin tightness"
+								: "hymen is surgically restored"
+						} between sessions.`));
+				break;
+			case "Maturity Preferentialist":
+				fragment.append("dedicated to Maturity Preferentialism. It's not immediately apparent, though the stores here offer fashions that are obviously designed to flatter mature women, and anti-aging products of all kinds are prominently displayed. What there are, though, are quite a number of pretty, scantily clad female citizens here, obviously retired from sexual slavery and looking to slake their still trained libidos with any handsome fellow citizen interested. ",
+					App.UI.DOM.linkReplace("Hook up with a MILF",
+						`Many of them recognize you, and it's immediately apparent that you have your choice of pretty much every retired slave present. You select the prettiest and make out with ${him} for a while, among many admirers, until you feel like bringing ${him} over to a nearby bench and doing ${him}. ${
+							V.PC.dick === 0
+								? `${He}'s as eager as a teenager to have a lesbian experience in public, and can't stop giggling as you fuck.`
+								: A.FSGenderFundamentalist !== "unset"
+								? `Like many recently retired slaves in your arcology, ${he}'s gotten pregnant as a free ${woman}, and it's supercharged ${his} sex drive. No matter what you do to ${him}, ${he} just wants more.`
+								: A.FSGenderRadicalist !== "unset"
+									? `${He}'s got a big dick, and clearly has close friends among the other recently retired ${girl}s, but is very willing to be your bottom, especially in public.`
+									: `${He} was horny to begin with, but the foreplay and the naughtiness of doing it out in public has ${him} as eager as a teenager, and ${he} goes wild.`
+						}`));
+				break;
+			case "Slimness Enthusiast":
+				fragment.append("dedicated to Slimness Enthusiasm. The shops here are quite varied. Some, like the tailors, only betray their focus on slim slaves by their selections of lingerie for petite breasts and trim hips. There are a large number of contract slave exercisers and slave dietitians, since many citizens who can afford a slave need assistance there. ",
+					App.UI.DOM.linkReplace("Tour the trainers",
+						"You decide to put in an appearance and look around the trainers. They're very eager to show you around, of course, and have you seen looking around; your expertise in keeping slaves slender is well known. The most inspiring sight you're shown is a long row of slaves on treadmills, running as fast as their individual fitness can support. They do this nude, since none of them have boobs big enough to require support, offering the sight of a long row of cute butts covered in a sheen of feminine sweat."));
+				break;
+			case "Asset Expansionist":
+				fragment.append(`dedicated to Asset Expansionism. The sector's focus is unmissable, even in the clothes stores. Many of the bras on offer look like a cross between an engineering marvel and a bad joke, and there are dresses that look like parachutes when they aren't on a mannequin or worn by a slave sales${girl}. Then there's the crane store. `,
+					App.UI.DOM.linkReplace("Shop there",
+						`You decide to look in on the crane showroom, to see how citizens who don't own enough slaves to do the lifting and carrying are served. The huge-boobed slave sales${girl}s show you a variety of wheeled cranes that can help support a slave's breasts if they get too big for ${him} to walk, and ${he} needs to go somewhere. You have other slaves to help with that, and mechanical assistance built into your penthouse, but not everyone does. The sales${girl}s work in pairs, so one of them can unbutton ${his} tent-like blouse and demonstrate the merchandise with ${his} monstrous udders.`));
+				break;
+			case "Pastoralist":
+				fragment.append(`dedicated to Pastoralism. Milking is mostly done elsewhere, so the establishments here are a curious mix of farm supply stores and eateries. You can sample all kinds of ice cream, shakes, smoothies, cheeses, butter, and other dairy products here, all made from creamy human milk drawn from a busty slave${girl}'s breasts. ${
+						V.seeDicks > 0
+							? `There are also all kinds of slave beauty products and foods made from 'the other slave${girl} milk,' cum.` : ""} `,
+					App.UI.DOM.linkReplace("Tour the kitchens",
+						"The eateries are very eager to have you seen inspecting their equipment and methods, and roll out the red carpet for you as they show you around. All kinds of old world culinary skill is on display here: artisan cheesemaking, butter hand-churned by muscular slaves, sweet custards and delicate flans that could compete in any dessert contest in the world. It's all so very refined and normal that it's quite easy to forget completely that the milk that is the basis of all this food comes from slaves."));
+				break;
+			case "Physical Idealist":
+				fragment.append("dedicated to Physical Idealism. There are supplement shops and workout equipment stores here, but they're small and packed into the spaces between all the gyms. These are some of the best patronized gyms in the world, because not only do physical idealists work out, there's a strong inclination to work out in public. ",
+					App.UI.DOM.linkReplace("Leg day",
+						`It's all very positive, and the one unspoken rule is not to disparage others, but there's definitely competition. So when you step forward and get a complimentary day pass from one of the bubbly, permed slave${girl} receptionists, you have an audience. What kind of definition you've got in your quads is going to be a subject of conversation today, but you've got confidence. You lift, and receive respectful complements and bro-fists. Then you take your turn spotting others, an honor your citizens greatly appreciate.`));
+				break;
+			case "Chattel Religionist":
+				fragment.append("dedicated to Chattel Religionism. The stores offer all the items useful to a slaveowner who holds the new faith: proper slave restraints and penitent slave garments, of course, but also fine oils and incense, candles, tapers, and other devotional necessities. There are also correctional convents for the assistance of citizens with wayward slaves. ",
+					App.UI.DOM.linkReplace("Visit the convents",
+						`As a leader of the new faith, your visitation rights on these convents are unquestioned, and their owners are indeed eager to have you look around and offer your revered advice. The average citizen with only a slave or two often needs help keeping ${girl}s within the faith. The convents are severe houses of correction, and the sounds of prayer and penitence are omnipresent. In one nave, a slave prostrates ${himself} before a religious icon, praying in a loud, desperate tone while ${
+							V.seeDicks === 0
+								? "a woman in nun's attire holding a ribbed vibrating dildo"
+								: V.seeDicks < 100
+								? "futanari in nun's attire"
+								: "a man in monk's attire"
+						} fucks ${him} mercilessly from behind.`));
+				break;
+			case "Roman Revivalist":
+				fragment.append("dedicated to Roman Revivalism. Since the forums are out on the arcology's plazas, there are fewer stores here. There are eateries, from which the sharp smell of ",
+					App.UI.DOM.makeSpan("garum", "note"),
+					" is distinctly identifiable, but most of the space is occupied by hypocaust baths, which are free to enter but include various concession stands run by slaves.",
+					App.UI.DOM.linkReplace("Clean yourself",
+						"A good Roman trip to the baths serves to cleanse, but it's a social experience, too. After being oiled down by a skilled slave, you work out in the proper nude, and then have the oil and any dirt scraped off your skin with by another slave. Then you make your way across the heated floor through a set of baths of varying temperatures, ending in a large and egalitarian space where many naked citizens of the new Rome are sharing the news of the day. You're welcomed with surprise, but also with comradeship, and made to feel welcome."));
+				break;
+			case "Aztec Revivalist":
+				fragment.append("dedicated to Aztec Revivalism. There are a variety of stores selling tools of worship ranging from bloodletting daggers to sacrificial altars, some even open for public use. Any blood spilt here flows to a shallow reflecting pool in the middle of the plaza. ",
+					App.UI.DOM.linkReplace("Pay tribute",
+						"You decide to pay tribute to the gods and draw your preferred tool for bloodletting. You run it across your hand and watch as your blood begins to flow. You let several drops fall into the pool before stemming the flow as a good feeling washes over you."));
+				break;
+			case "Egyptian Revivalist":
+				fragment.append(`dedicated to Egyptian Revivalism. There are a bewildering multiplicity of shops here; ancient Egypt is wonderfully fertile of linen fashion, fine jewelry, perfumes, incense, and other luxury goods. Beautiful warm-skinned slave${girl}s of all races have wares in hand to offer citizens who pass by, and they seem well-treated. `,
+					App.UI.DOM.linkReplace("Shop around",
+						`You decide to tour the shops; with so much fine merchandise on offer, it's possible that someone's selling something that even you haven't heard of, and it's always good to see and be seen. The slave sales${girl}s are welcoming, and most are so well-trained that despite knowing who you are, they treat you with the same friendly courtesy that they offer everyone. They all offer you the peculiar straight-down curtsey that allows them to keep their necks straight, since they're all wearing gradually melting perfume cakes atop their hair, making them glisten with beguiling scent.`));
+				break;
+			case "Edo Revivalist":
+				fragment.append("dedicated to Edo Revivalism. There are strict restrictions on the establishments' décor here, so ",
+					App.UI.DOM.makeSpan("tatami", "note"),
+					" mats and paper partitions are ubiquitous. There are handsome ",
+					App.UI.DOM.makeSpan("sake", "note"),
+					" shops and tea rooms offering the traditional ceremony, and ",
+					App.UI.DOM.makeSpan("kabuki", "note"),
+					" theaters offering the traditional performance, with modern plots and themes. ",
+					App.UI.DOM.linkReplace("See a show",
+						"As soon as you enter a theater, the play stops, and refined slave attendants usher you forward to the place of honor. None of the citizens present resent the interruption; having you here is a great addition to the performance. The actors bow deeply to you and resume. The classical dance drama is almost impenetrable to outsiders, and the modernity of the characters and events would not be at all decipherable. Once you catch the thread, though, the richness of the allegory towards Free Cities personages and events is quite enjoyable."));
+				break;
+			case "Arabian Revivalist":
+				fragment.append(`dedicated to Arabian Revivalism. The thriving mercantilism isn't limited to the slave markets, so many floors below; there are a bewildering variety of shops and stalls here, in no discernible order. Particolored cloth awnings, stacked goods, and bustling menial slaves constantly obscure your view, as pretty slave${girl}s hawking luxurious goods do their best to catch your eye. `,
+					App.UI.DOM.linkReplace("Visit a coffee house",
+						"But you disappoint them, even though some of them artfully manage to fall out of their slinky silk garments as you pass. You look into a little coffeehouse, densely packed with citizens drinking the strong, hot beverage out of tiny china and discussing the news of the day. Coffeehouses are democratic sorts of places and you're welcomed with comradely warmth; prosperous citizens shuffle and pack a little closer to make you a space, and a steaming cup full of almost midnight black coffee appears before you, as if from nowhere."));
+				break;
+			case "Chinese Revivalist":
+				fragment.append("dedicated to Chinese Revivalism. The longest continuous cultural history humanity has provides so much material that no two establishments here fill quite the same niche. There are calligraphy schools and Confucian academies to teach ignorant citizens how to fit in. There are shops selling traditional cures and the latest pharmacological wonders side by side. There are even martial arts schools. ",
+					App.UI.DOM.linkReplace("Exercise yourself",
+						`You look into one of these. The students are exercising, moving through a series of forms in unison. The teacher recognizes you, ${
+							V.PC.skill.warfare >= 100
+								? "and eagerly beckons you to join. Your martial skill is well known, and he's not disappointed. You're familiar with the forms, and join them seamlessly. Much later, when the exercise is done, the students are extremely pleased to discover exactly who their skillful temporary classmate was."
+								: "and gives you a doubtful, questioning glance, politely asking whether you can join with credit to yourself, all without words. You nod and pick up the forms, having a basic familiarity with them. They're difficult, but you're able to get through the enjoyable exercise with credit."
+						}`));
+				break;
+			case "Repopulationist":
+				fragment.append(`dedicated to Repopulationism. The shops here offer a lovely mix of sex toys, fertility agents, maternity wear and furniture to fit even the biggest pregnancy. An attractive slave salesgirl with a huge belly is demonstrating the proper use of a swing designed to accommodate ${his} added heft to a female citizen just beginning to show and her curious husband. `,
+					App.UI.DOM.linkReplace("Give the swing a try",
+						`You wait for the couple to leave before approaching the hapless ${girl} and placing a hand on ${his} vulnerable middle. ${He} squeaks in surprise before ${he} realizes just who is browsing ${his} toys and the goods between ${his} legs. ${
+							V.PC.belly >= 5000
+								? `Spreading ${his} legs, you find that ${he} is suspended at the perfect height for you to comfortably penetrate ${him}; or ${he} would be, if your own rounded middle wasn't pushing into ${his} own. ${He} asks for a little help getting down, and afterwards, shows you to a series of harnesses designed to hold a ${girl} with ${his} belly dangling beneath ${him}. The perfect toy for the very pregnant slaveowner hoping to plow ${hisP} equally gravid chattel.`
+								: V.PC.dick !== 0
+								? `Spreading ${his} legs, you find that ${he} is suspended at the perfect height for you to comfortably penetrate ${him}.`
+								: `Picking out an attractive strap-on, donning it, and spreading ${his} legs, you find that ${he} is suspended at the perfect height for you to comfortably penetrate ${him}.`
+						} Even better, the swing handles ${his} weight, so no sprained back!`));
+				break;
+			case "Eugenics":
+				fragment.append("dedicated to Eugenics. You knew the individuals drawn into your society had connections, but you had no idea they were this extensive! If you can think of it, a shop here is selling it; though they are not cheap, only the finest available merchandise is for sale here. Numerous recognizable faces browse the storefronts, accompanied by their favorite chattel, and upon noticing you, vie for your valuable attention. ");
+				if (V.PC.preg > 20 && (V.PC.pregSource === -1 || V.PC.pregSource === -6)) {
+					fragment.append(App.UI.DOM.linkReplace("Shop around",
+						`You decide to waddle between the shops; with so much fine merchandise on offer, it's possible that someone's selling something to fulfill your growing cravings, and it's always good to see and be seen, especially with a middle rounded with a superior child. The slave sales${girl}s are accommodating and welcoming; most are so well-trained that they treat you with the respect a member of the Societal Elite deserves. They all offer you a curtsey that allows them lift their skirts, revealing the appropriate chastity. You end up leaving the stores with bags and bags of exotic foods and treats as well as a cute dress that shows off your pregnancy.`));
+				} else if (V.PC.title === 1) {
+					fragment.append(App.UI.DOM.linkReplace("Shop around",
+						`You decide to wander between the shops; with so much fine merchandise on offer, it's possible that someone's selling something to catch your discerning eye, and it's always good to see and be seen. The slave sales${girl}s are welcoming and most are so well-trained that they treat you with the respect a member of the Societal Elite deserves. They all offer you a curtsey that allows them lift their skirts, revealing the appropriate chastity. You end up leaving the stores with several fancy chastity belts and an amazing suit you can't wait to debut at your next social meeting.`));
+				} else {
+					fragment.append(App.UI.DOM.linkReplace("Shop around",
+						`You decide to wander between the shops; with so much fine merchandise on offer, it's possible that someone's selling something to catch your discerning eye, and it's always good to see and be seen. The slave sales${girl}s are welcoming and most are so well-trained that they treat you with the respect a member of the Societal Elite deserves. They all offer you a curtsey that allows them lift their skirts, revealing the appropriate chastity. You end up leaving the stores with several fancy chastity belts, a bag of tasty treats and an alluring dress you can't wait to debut at your next social meeting.`));
+				}
+				break;
+			case "Hedonism":
+				fragment.append(`dedicated to Hedonism. The establishments here are nearly all eateries, with a few sex shops and plus size clothing stores thrown in for good measure. Lovely smells fill the air, drawing your attention to the food vendors. Plump, cheerful slave${girl}s are present outside most of them offering free samples of the food sold within. You can't help but sample as you browse the menus. `,
+					App.UI.DOM.linkReplace("Conduct a more thorough culinary inspection",
+						"The eateries are very eager to have you seen enjoying their food, and go all out in their presentations. Plate after plate, vendor after vendor, you are treated to the best they can make and as much as you want, free of charge. You make sure to not go too crazy, but by the final restaurant, your clothing is definitely getting a little tight around your bloated belly. After a number of glowing reviews, you're left with making your way back home. Fortunately, your arcology features plenty of moving walkways and escalators, so you can relax as your infrastructure delivers you right back to your penthouse."));
+				break;
+			case "Intellectual Dependency":
+				fragment.append(`dedicated to Intellectual Dependency. The shops all have one thing in common, they are incredibly eye-catching in the hopes that a wanting bimbo will whine ${his} master into buy something to shut ${him} up. From skimpy outfits to simple to use sex toys, everything an airheaded slave may want on a whim is on display; unsurprisingly, the shop selling complex gags is also doing quite well. Most of the shops have slave sales${girl}s out front attempting to demonstrate the merchandise. `,
+					App.UI.DOM.linkReplace("Take in a sales pitch",
+						`You decide to stop and watch one try ${his} best to sell vibrating dildos. The toys are designed to automatically start vibrating when gripped so even the densest of slave${girl} can figure out how to work it. You know you picked a winner when ${he} grabs one and immediately flings it into the crowd in surprise when it activates. Completely undeterred by the laughter, ${he} makes for another, this time focusing entirely on not being shocked by it this time. ${He} stands there, completely fixated on the wiggling phallus in ${his} hands, until another onlooker prods ${him} to continue with ${his} advertising. Needless to say, yet another sex toy goes flying; this time, however, ${he} goes after it, giving the crowd a clear view up ${his} skirt at ${his} clear arousal. Enjoying the now masturbating slave's show, you pick out a few to humor your own slaves with.`));
+				break;
+			case "Slave Professionalism":
+				fragment.append("dedicated to Intellectual Dependency. There are surprisingly wide selection of shops here, each designed to stimulate the minds of curious looky-loos. Well-trained slaves can often be spotted seeking out new ways to improve their Masters' reputations and lives. The pride of the strip is a slave run massage parlor featuring some of the most skilled hands the arcology has to offer. ",
+					App.UI.DOM.linkReplace("Get a massage",
+						`You decide to put in an appearance at the facility and the slaves in charge are of course very eager to offer you complimentary services. The masseuse is nothing short of a master of the art and knows how to balance relaxation and physical pleasure. ${He} releases the muscle soreness from your latest workout and throughout ${his} service uses ${his} delicate touch to keep you on the edge of orgasm until ${his} job is complete. The finale of ${his} work pushes you to an exquisite climax where ${he} ${
+							V.PC.dick !== 0
+								? `catches your cum in ${his} mouth and swallows it`
+								: "swallows your femcum"
+						} with a grace only found among your slave population.`));
+				break;
+			case "Petite Admiration":
+				fragment.append("dedicated to Petite Admiration. The shops here are mostly focused on providing the tools and equipment a short slave will need to properly care for their Master and his abode. Several fashion lines have cropped up to provide matching clothing tailored to the shorter clientele and their often taller owners. There's even a sex shop that specializes in extreme differences in height. ");
+				if (V.PC.height >= 170) {
+					fragment.append(App.UI.DOM.linkReplace("Take a harness out for a spin",
+						`The shop has a selection of harnesses available for testing and a number of minuscule slave${girl}s to try out. You fasten one on and carry on browsing the rest of the stores. ${
+							V.PC.dick > 0
+								? `The squirming ${girl} currently housing your cock makes it very difficult to focus on anything else, so you mostly just walk the hall, busting load after load into the overstimulated slave and effectively giving the store free advertisement.`
+								: `The squirming ${girl} currently wrapped around a strap-on makes it very difficult to focus on anything else, so you mostly just walk the hall, further over stimulating the panting slave and effectively giving the store free advertisement.`
+						} By the time you return, you aren't the only one interested in purchasing a harness for home use.`));
+				} else {
+					fragment.append(App.UI.DOM.linkReplace("Pay it a visit", "As you browse their goods, it becomes more and more apparent that you yourself are too short to really make use of any of them."));
+				}
+				break;
+			case "Statuesque Glorification":
+				fragment.append("dedicated to Statuesque Glorification. The shops here are overwhelmingly dedicated to the tall; not a single shop caters the slightest to anyone below the height threshold. Most of the shops sell clothing specially tailored to their towering patrons, though a handful also sell furniture and appliances made to comfortably accommodate a more lengthy population. The crown attraction, however, is a modest indoor amusement park designed both to make the most of a riders height and invoke a sense of envy in those unable to ride. ");
+				if (V.PC.height >= 170) {
+					fragment.append(App.UI.DOM.linkReplace("Give the roller coaster a spin", "While it isn't the most thrilling ride, given the constraints it has to work with, but it does wind through the various footpaths of the promenade to maximize visibility and to remind those to short to ride of their place."));
+				} else {
+					fragment.append("You can only watch as your citizens have fun and savor the bitter feeling of them looking down on their hilariously short leader.");
+				}
+				break;
+			default:
+				fragment.append(App.UI.DOM.makeSpan(`ERROR: bad shop type: ${this.type}`, "error"));
+		}
+
+		if (this.owner === 1 && this.type === "Shops") {
+			fragment.append("You control this part of the arcology and all these businesses pay you rent.");
+		}
+
+		return fragment;
+	}
+
+	/**
+	 * @returns {Node}
+	 * @private
+	 */
+	_body() {
+		const fragment = document.createDocumentFragment();
+		const A = V.arcologies[0];
+		const cost = Math.trunc(10000 * V.upgradeMultiplierArcology);
+
+		if (V.brothel === 0) {
+			fragment.append(this._makeUpgrade(
+				"Convert this sector of the promenade into a brothel.",
+				() => {
+					V.brothel = 5;
+					this.type = "Brothel";
+				}, cost, "and will incur upkeep costs"
+			));
+		}
+
+		if (V.club === 0) {
+			fragment.append(this._makeUpgrade(
+				"Build a club to serve as a focal point for public sluts.",
+				() => {
+					V.club = 5;
+					this.type = "Club";
+				}, cost, "and will incur upkeep costs"
+			));
+		}
+
+		// if ($FSAnnounced>> likely unneded
+
+		// if (this.type !== "Shops") {
+		const currentFSStyle = this.type.replace(/\s+/g, '');
+		// <</if>>
+
+		if (A.FSSubjugationist !== "unset") {
+			if (V.FSPromenade.Subjugationist === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Subjugationist establishments.",
+					() => {
+						V.FSPromenade.Subjugationist = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Subjugationist";
+					}, cost
+				));
+			}
+		}
+
+		if (A.FSSupremacist !== "unset") {
+			if (V.FSPromenade.Supremacist === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Supremacist establishments.",
+					() => {
+						V.FSPromenade.Supremacist = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Supremacist";
+					}, cost
+				));
+			}
+		}
+
+		if (A.FSGenderRadicalist !== "unset") {
+			if (V.FSPromenade.GenderRadicalist === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Gender Radicalist establishments.",
+					() => {
+						V.FSPromenade.GenderRadicalist = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Gender Radicalist";
+					}, cost
+				));
+			}
+		} else if (A.FSGenderFundamentalist !== "unset") {
+			if (V.FSPromenade.GenderFundamentalist === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Gender Fundamentalist establishments.",
+					() => {
+						V.FSPromenade.GenderFundamentalist = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Gender Fundamentalist";
+					}, cost
+				));
+			}
+		}
+
+		if (A.FSPaternalist !== "unset") {
+			if (V.FSPromenade.Paternalist === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Paternalist establishments.",
+					() => {
+						V.FSPromenade.Paternalist = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Paternalist";
+					}, cost
+				));
+			}
+		} else if (A.FSDegradationist !== "unset") {
+			if (V.FSPromenade.Degradationist === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Degradationist establishments.",
+					() => {
+						V.FSPromenade.Degradationist = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Degradationist";
+					}, cost
+				));
+			}
+		}
+
+		if (A.FSIntellectualDependency !== "unset") {
+			if (V.FSPromenade.IntellectualDependency === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Intellectual Dependency establishments.",
+					() => {
+						V.FSPromenade.IntellectualDependency = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Intellectual Dependency";
+					}, cost
+				));
+			}
+		} else if (A.FSSlaveProfessionalism !== "unset") {
+			if (V.FSPromenade.SlaveProfessionalism === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Slave Professionalism establishments.",
+					() => {
+						V.FSPromenade.SlaveProfessionalism = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Slave Professionalism";
+					}, cost
+				));
+			}
+		}
+
+		if (A.FSBodyPurist !== "unset") {
+			if (V.FSPromenade.BodyPurist === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Body Purist establishments.",
+					() => {
+						V.FSPromenade.BodyPurist = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Body Purist";
+					}, cost
+				));
+			}
+		} else if (A.FSTransformationFetishist !== "unset") {
+			if (V.FSPromenade.TransformationFetishist === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Transformation Fetishist establishments.",
+					() => {
+						V.FSPromenade.TransformationFetishist = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Transformation Fetishist";
+					}, cost
+				));
+			}
+		}
+
+		if (A.FSYouthPreferentialist !== "unset") {
+			if (V.FSPromenade.YouthPreferentialist === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Youth Preferentialist establishments.",
+					() => {
+						V.FSPromenade.YouthPreferentialist = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Youth Preferentialist";
+					}, cost
+				));
+			}
+		} else if (A.FSMaturityPreferentialist !== "unset") {
+			if (V.FSPromenade.MaturityPreferentialist === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Maturity Preferentialist establishments.",
+					() => {
+						V.FSPromenade.MaturityPreferentialist = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Maturity Preferentialist";
+					}, cost
+				));
+			}
+		}
+
+		if (A.FSPetiteAdmiration !== "unset") {
+			if (V.FSPromenade.PetiteAdmiration === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Petite Admiration establishments.",
+					() => {
+						V.FSPromenade.PetiteAdmiration = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Petite Admiration";
+					}, cost
+				));
+			}
+		} else if (A.FSStatuesqueGlorification !== "unset") {
+			if (V.FSPromenade.StatuesqueGlorification === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Statuesque Glorification establishments.",
+					() => {
+						V.FSPromenade.StatuesqueGlorification = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Statuesque Glorification";
+					}, cost
+				));
+			}
+		}
+
+		if (A.FSSlimnessEnthusiast !== "unset") {
+			if (V.FSPromenade.SlimnessEnthusiast === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Slimness Enthusiast establishments.",
+					() => {
+						V.FSPromenade.SlimnessEnthusiast = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Slimness Enthusiast";
+					}, cost
+				));
+			}
+		} else if (A.FSAssetExpansionist !== "unset") {
+			if (V.FSPromenade.AssetExpansionist === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Asset Expansionist establishments.",
+					() => {
+						V.FSPromenade.AssetExpansionist = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Asset Expansionist";
+					}, cost
+				));
+			}
+		}
+
+		if (A.FSPastoralist !== "unset") {
+			if (V.FSPromenade.Pastoralist === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Pastoralist establishments.",
+					() => {
+						V.FSPromenade.Pastoralist = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Pastoralist";
+					}, cost
+				));
+			}
+		}
+
+		if (A.FSPhysicalIdealist !== "unset") {
+			if (V.FSPromenade.PhysicalIdealist === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Physical Idealist establishments.",
+					() => {
+						V.FSPromenade.PhysicalIdealist = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Physical Idealist";
+					}, cost
+				));
+			}
+		} else if (A.FSHedonisticDecadence !== "unset") {
+			if (V.FSPromenade.Hedonism === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Hedonistic establishments.",
+					() => {
+						V.FSPromenade.Hedonism = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Hedonism";
+					}, cost
+				));
+			}
+		}
+
+		if (A.FSRepopulationFocus !== "unset") {
+			if (V.FSPromenade.Repopulationist === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Repopulationist establishments.",
+					() => {
+						V.FSPromenade.Repopulationist = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Repopulationist";
+					}, cost
+				));
+			}
+		} else if (A.FSRestart !== "unset") {
+			if (V.FSPromenade.Eugenics === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Eugenics establishments.",
+					() => {
+						V.FSPromenade.Eugenics = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Eugenics";
+					}, cost
+				));
+			}
+		}
+
+		if (A.FSChattelReligionist !== "unset") {
+			if (V.FSPromenade.ChattelReligionist === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Chattel Religionist establishments.",
+					() => {
+						V.FSPromenade.ChattelReligionist = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Chattel Religionist";
+					}, cost
+				));
+			}
+		}
+
+		if (A.FSRomanRevivalist !== "unset") {
+			if (V.FSPromenade.RomanRevivalist === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Roman Revivalist establishments.",
+					() => {
+						V.FSPromenade.RomanRevivalist = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Roman Revivalist";
+					}, cost
+				));
+			}
+		} else if (A.FSAztecRevivalist !== "unset") {
+			if (V.FSPromenade.AztecRevivalist === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Aztec Revivalist establishments.",
+					() => {
+						V.FSPromenade.AztecRevivalist = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Aztec Revivalist";
+					}, cost
+				));
+			}
+		} else if (A.FSEgyptianRevivalist !== "unset") {
+			if (V.FSPromenade.EgyptianRevivalist === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Egyptian Revivalist establishments.",
+					() => {
+						V.FSPromenade.EgyptianRevivalist = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Egyptian Revivalist";
+					}, cost
+				));
+			}
+		} else if (A.FSEdoRevivalist !== "unset") {
+			if (V.FSPromenade.EdoRevivalist === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Edo Revivalist establishments.",
+					() => {
+						V.FSPromenade.EdoRevivalist = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Edo Revivalist";
+					}, cost
+				));
+			}
+		} else if (A.FSArabianRevivalist !== "unset") {
+			if (V.FSPromenade.ArabianRevivalist === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Arabian Revivalist establishments.",
+					() => {
+						V.FSPromenade.ArabianRevivalist = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Arabian Revivalist";
+					}, cost
+				));
+			}
+		} else if (A.FSChineseRevivalist !== "unset") {
+			if (V.FSPromenade.ChineseRevivalist === 0) {
+				fragment.append(this._makeUpgrade(
+					"Upgrade this sector to appeal to Chinese Revivalist establishments.",
+					() => {
+						V.FSPromenade.ChineseRevivalist = 1;
+						V.FSPromenade[currentFSStyle] = 0;
+						this.type = "Chinese Revivalist";
+					}, cost
+				));
+			}
+		}
+
+		if (this.type !== "Shops") {
+			fragment.append(this._makeUpgrade(
+				"Return this sector to standard outlets",
+				() => {
+					V.FSPromenade[currentFSStyle] = 0;
+					this.type = "Shops";
+				}, cost
+			));
+		}
+
+		return fragment;
+	}
+
+	/**
+	 * @returns {boolean}
+	 */
+	canBeSold() {
+		jsRandom();
+		return this.type === "Shops";
+	}
+
+	static _cleanupConfigScheme(config) {
+		super._cleanupConfigScheme(config);
+		// BC code
+	}
+
+	clone() {
+		return (new App.Arcology.Cell.Shop())._init(this);
+	}
+
+	get className() { return "App.Arcology.Cell.Shop"; }
+};
diff --git a/src/data/backwardsCompatibility/generalBC.js b/src/data/backwardsCompatibility/generalBC.js
new file mode 100644
index 0000000000000000000000000000000000000000..654ef4d55de2db7ee83171e1ce600851e1ed22c6
--- /dev/null
+++ b/src/data/backwardsCompatibility/generalBC.js
@@ -0,0 +1,63 @@
+App.Update.sectorsToBuilding = function() {
+	V.building = new App.Arcology.Building([]);
+	const B = V.building;
+	const S = V.sectors;
+
+	B.sections.push(new App.Arcology.Section("penthouse", [[new App.Arcology.Cell.Penthouse()]]));
+	if (V.arcologyUpgrade.spire === 1) {
+		B.sections.push(new App.Arcology.Section("spire", [[
+			sectorToApartment(S[1]), sectorToApartment(S[2])], [
+			sectorToApartment(S[3]), sectorToApartment(S[4])]]));
+	}
+	B.sections.push(new App.Arcology.Section("apartments",
+		[
+			[sectorToApartment(S[8]), sectorToApartment(S[9]), sectorToApartment(S[10]), sectorToApartment(S[11])],
+			[sectorToApartment(S[12]), sectorToApartment(S[13]), sectorToApartment(S[14]), sectorToApartment(S[15])],
+			[sectorToApartment(S[16]), sectorToApartment(S[17]), sectorToApartment(S[18]), sectorToApartment(S[19])],
+		]));
+
+	function sectorToApartment(sector) {
+		const a = new App.Arcology.Cell.Apartment(sector.ownership);
+		if (sector.type === "LuxuryApartments") {
+			a.type = 1;
+		} else if (sector.type === "DenseApartments") {
+			a.type = 3;
+		}
+		return a;
+	}
+
+	B.sections.push(new App.Arcology.Section("shops", [[sectorToShop(S[5]), sectorToShop(S[6]), sectorToShop(S[7])]]));
+
+	function sectorToShop(sector) {
+		return new App.Arcology.Cell.Shop(sector.ownership, sector.type);
+	}
+
+	B.sections.push(new App.Arcology.Section("markets",
+		[[sectorToMarket(S[20]), sectorToMarket(S[21]), sectorToMarket(S[22]), sectorToMarket(S[23]), sectorToMarket(S[24])]]));
+
+	function sectorToMarket(sector) {
+		const m = new App.Arcology.Cell.Market(sector.ownership);
+		if (sector.type === "transportHub") {
+			m.type = "Transport Hub";
+		} else if (sector.type === "CorporateMarket") {
+			m.type = "Corporate Market";
+		} else {
+			m.type = sector.type;
+		}
+		return m;
+	}
+
+	B.sections.push(new App.Arcology.Section("manufacturing",
+		[[sectorToManu(S[25]), sectorToManu(S[26]), sectorToManu(S[27]), sectorToManu(S[28]), sectorToManu(S[29])]]));
+
+	function sectorToManu(sector) {
+		const m = new App.Arcology.Cell.Manufacturing(sector.ownership);
+		if (sector.type === "weapManu") {
+			m.type = "Weapon Manufacturing";
+		} else {
+			m.type = sector.type;
+		}
+		return m;
+	}
+
+};
diff --git a/src/facilities/farmyard/farmyard.tw b/src/facilities/farmyard/farmyard.tw
index a9660ae3b456dcc824adf12de27d09e2db3f9573..25c82b6c66fc35d7835286786931b23bc7ca2883 100644
--- a/src/facilities/farmyard/farmyard.tw
+++ b/src/facilities/farmyard/farmyard.tw
@@ -80,10 +80,7 @@
 					<<set $menials += $farmMenials>>
 				<</if>>
 				<<set $farmyardName = "the Farmyard", $farmyard = 0, $farmyardDecoration = "standard", $farmMenials = 0, $farmMenialsSpace = 0, $farmyardShows = 0, $farmyardBreeding = 0, $farmyardUpgrade = {pump: 0, fertilizer: 0, hydroponics: 0, machinery: 0, seeds: 0, lab: 0}, $farmyardLab = 0, $farmyardLabUpgrades = {animalOvaries: 0, animalTesticles: 0, animalMpreg: 0}, $farmyardCrops = 0, $farmyardKennels = 0, $farmyardStable = 0, $farmyardCages = 0, $activeCanine = 0, $activeHooved = 0, $activeFeline = 0, $animalsBought = {canines: 0, hooved: 0, felines: 0, labradorRetrievers: 0, germanShepherds: 0, goldenRetrievers: 0, frenchBulldogs: 0, bulldogs: 0, beagles: 0, poodles: 0, rottweilers: 0, yorkshireTerriers: 0, siberianHuskies: 0, horses: 0, bulls: 0, pigs: 0, siameses: 0, persians: 0, maineCoons: 0, ragdolls: 0, bengals: 0, abbysinians: 0, birmans: 0, orientalShorthairs: 0, sphynxes: 0, russianBlues: 0, wolves: 0, foxes: 0, jackals: 0, dingos: 0, zebras: 0, cougars: 0, jaguars: 0, pumas: 0, lynx: 0, leopards: 0, lions: 0, tigers: 0}, $pitAnimal = 0, $pitAnimalType = 0, $canines = [], $hooved = [], $felines = []>>
-				<<set _far = $sectors.findIndex(function(s) { return s.type == "Farmyard"; })>>
-				<<if _far != -1>>
-					<<set $sectors[_far].type = "Manufacturing">>
-				<</if>>
+				<<run App.Arcology.cellUpgrade($building, App.Arcology.Cell.Manufacturing, "Farmyard", "Manufacturing")>>
 			<</link>>
 		</div>
 	<</if>>
diff --git a/src/gui/css/mainStyleSheet.css b/src/gui/css/mainStyleSheet.css
index fb14e536dd2202dd07699d729c701b8d194bb468..7cd035141c268e0f39999968115699385fed4caf 100644
--- a/src/gui/css/mainStyleSheet.css
+++ b/src/gui/css/mainStyleSheet.css
@@ -370,5 +370,10 @@ h3 + p {
 
 .clear-formatting {
 	color: white;
-	font-weight: normal
-}
\ No newline at end of file
+	font-weight: normal;
+	font-style: normal;
+}
+
+.hotkey {
+	color: cyan;
+}
diff --git a/src/init/storyInit.tw b/src/init/storyInit.tw
index d99d83e008df786a43e7d4c44c6a59eb78293d12..91dbffff3400f099fc3b8c426f90a2ec48bd0387 100644
--- a/src/init/storyInit.tw
+++ b/src/init/storyInit.tw
@@ -1116,47 +1116,10 @@ You should have received a copy of the GNU General Public License along with thi
 <<set $revealFoodEffects = 0>>
 <<set $rations = 0>>
 
-<<set $sectors = [
-	{type: "Penthouse", ownership: 1},
-	{type: "Empty", ownership: 0},
-	{type: "Empty", ownership: 0},
-	{type: "Empty", ownership: 0},
-	{type: "Empty", ownership: 0},
-	{type: "Shops", ownership: 1},
-	{type: "Shops", ownership: 1},
-	{type: "Shops", ownership: 1},
-	{type: "Apartments", ownership: 1},
-	{type: "Apartments", ownership: 1},
-	{type: "Apartments", ownership: 1},
-	{type: "Apartments", ownership: 1},
-	{type: "Apartments", ownership: 1},
-	{type: "Apartments", ownership: 1},
-	{type: "Apartments", ownership: 1},
-	{type: "Apartments", ownership: 1},
-	{type: "Apartments", ownership: 1},
-	{type: "Apartments", ownership: 1},
-	{type: "Apartments", ownership: 1},
-	{type: "Apartments", ownership: 1},
-	{type: "Markets", ownership: 1},
-	{type: "Markets", ownership: 1},
-	{type: "Markets", ownership: 1},
-	{type: "Markets", ownership: 1},
-	{type: "Markets", ownership: 1},
-	{type: "Manufacturing", ownership: 1},
-	{type: "Manufacturing", ownership: 1},
-	{type: "Manufacturing", ownership: 1},
-	{type: "Manufacturing", ownership: 1},
-	{type: "Manufacturing", ownership: 1}
-]>>
-
-<<for _i = 0; _i < 12; _i++>>
-	<<set _j = random(5,28)>>
-	<<if $sectors[_j].ownership == 1>>
-		<<set $sectors[_j].ownership = 0>>
-	<<else>>
-		<<set _i-->>
-	<</if>>
-<</for>>
+<<set $building = App.Arcology.defaultBuilding()>>
+<<set _sellable = $building.findCells(cell => cell.canBeSold())>>
+<<set _random12 = jsRandomMany(_sellable, 12)>>
+<<run _random12.forEach(cell => {cell.owner = 0})>>
 
 <<set $menials = 0>>
 <<set $fuckdolls = 0>>
diff --git a/src/js/PenthouseNaming.js b/src/js/PenthouseNaming.js
deleted file mode 100644
index 1397106c83636c43c8a1adf2a1b695e3d6b36fbe..0000000000000000000000000000000000000000
--- a/src/js/PenthouseNaming.js
+++ /dev/null
@@ -1,71 +0,0 @@
-/**
- * @returns {string}
- */
-window.MasterSuiteUIName = function() {
-	const name = (V.masterSuiteNameCaps === "The Master Suite") ? "Master Suite" : V.masterSuiteNameCaps;
-	return `<<link "${name}""Master Suite">><</link>> `;
-};
-
-/**
- * @returns {string}
- */
-window.HeadGirlSuiteUIName = function() {
-	const name = (V.HGSuiteNameCaps === "The Head Girl Suite") ? "Head Girl Suite" : V.HGSuiteNameCaps;
-	return `<<link "${name}""Head Girl Suite">><</link>> `;
-};
-
-/**
- * @returns {string}
- */
-window.ServantQuartersUIName = function() {
-	const name = (V.servantsQuartersNameCaps === "The Servants' Quarters") ? "Servants' Quarters" : V.servantsQuartersNameCaps;
-	return `<<link "${name}""Servants' Quarters">><</link>> `;
-};
-
-/**
- * @returns {string}
- */
-window.SpaUIName = function() {
-	const name = (V.spaNameCaps === "The Spa") ? "Spa" : V.spaNameCaps;
-	return `<<link "${name}""Spa">><</link>> `;
-};
-
-/**
- * @returns {string}
- */
-window.NurseryUIName = function() {
-	const name = (V.nurseryNameCaps === "The Nursery") ? "Nursery" : V.nurseryNameCaps;
-	return `<<link "${name}""Nursery">><</link>> `;
-};
-
-/**
- * @returns {string}
- */
-window.ClinicUIName = function() {
-	const name = (V.clinicNameCaps === "The Clinic") ? "Clinic" : V.clinicNameCaps;
-	return `<<link "${name}""Clinic">><</link>> `;
-};
-
-/**
- * @returns {string}
- */
-window.SchoolRoomUIName = function() {
-	const name = (V.schoolroomNameCaps === "The Schoolroom") ? "Schoolroom" : V.schoolroomNameCaps;
-	return `<<link "${name}""Schoolroom">><</link>> `;
-};
-
-/**
- * @returns {string}
- */
-window.CellblockUIName = function() {
-	const name = (V.cellblockNameCaps === "The Cellblock") ? "Cellblock" : V.cellblockNameCaps;
-	return `<<link "${name}""Cellblock">><</link>> `;
-};
-
-/**
- * @returns {string}
- */
-window.IncubatorUIName = function() {
-	const name = (V.incubatorNameCaps === "The Incubator") ? "Incubator" : V.incubatorNameCaps;
-	return `<<link "${name}""Incubator">><</link>> `;
-};
diff --git a/src/js/assayJS.js b/src/js/assayJS.js
index b0142fbdc71096e0edecba02f0c2dcaa610d005e..425529c834aeba211b220b8414d93c8a18ad972f 100644
--- a/src/js/assayJS.js
+++ b/src/js/assayJS.js
@@ -397,6 +397,21 @@ window.getPronouns = function(obj) {
 	return new App.Utils.Pronouns(obj);
 };
 
+/**
+ * @param {number} dickRatio
+ * @returns {App.Utils.Pronouns}
+ */
+window.getNonlocalPronouns = function(dickRatio) {
+	/* a fake slave object, we need the .pronoun attribute only */
+	const slave = {pronoun: App.Data.Pronouns.Kind.female};
+	/* Used for generic slaves, citizens, security, etc. */
+	if (V.diversePronouns === 1 && dickRatio > 0 && (dickRatio >= 100 || random(1, 100) <= dickRatio)) {
+		slave.pronoun = App.Data.Pronouns.Kind.male;
+	}
+
+	return getPronouns(slave);
+};
+
 /**
  * @param {App.Entity.SlaveState} slave
  * @returns {string}
@@ -1540,14 +1555,10 @@ window.slaveSortMinor = function slaveSortMinor(slaves) {
 };
 
 window.MenialPopCap = function MenialPopCap() {
-	let popCap = 500;
 	let r = "";
 
-	for (let mwi = 20; mwi < V.sectors.length; mwi++) {
-		if (V.sectors[mwi].type === "Pens") {
-			popCap += 500;
-		}
-	}
+	let popCap = 500 * (1 + V.building.findCells(cell => cell instanceof App.Arcology.Cell.Manufacturing && cell.type === "Pens").length);
+
 	let overMenialCap = V.menials + V.fuckdolls + V.menialBioreactors - popCap;
 	if (overMenialCap > 0) {
 		const price = menialSlaveCost(-overMenialCap);
diff --git a/src/js/economyJS.js b/src/js/economyJS.js
index ebe5ee33ac894f057b0a40b6f79785292e1febcd..2feac509d9dbdece4209aeec30c33b1feaf84df9 100644
--- a/src/js/economyJS.js
+++ b/src/js/economyJS.js
@@ -2076,7 +2076,7 @@ Number.prototype.toFixedHTML = function() {
 };
 
 window.SectorCounts = function() {
-	V.Sweatshops = 0; // Ternaries: - https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/Conditional_Operator
+	// Ternaries: - https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/Conditional_Operator
 	V.AProsperityCapModified = V.AProsperityCapModified > 0 ? V.AProsperityCapModified : 0;
 	const caps = [
 		{upgrade: "drones", cap: 10},
@@ -2092,13 +2092,17 @@ window.SectorCounts = function() {
 		}
 	});
 
-	for (let i = 0; i < V.sectors.length; i++) {
-		if (V.sectors[i].type.includes("Apartments")) {
-			V.AProsperityCap += V.sectors[i].type.includes("Luxury") ? 15 : 10;
-		} else if (V.sectors[i].type.includes("Sweatshops")) {
-			V.Sweatshops++;
+	const apartments = V.building.findCells(cell => cell instanceof App.Arcology.Cell.Apartment);
+	apartments.forEach(a => {
+		if (a.type === "Apartments") {
+			V.AProsperityCap += 10;
+		} else if (a.type === "Luxury Apartments") {
+			V.AProsperityCap += 15;
 		}
-	}
+	});
+
+	const sweatshops = V.building.findCells(cell => cell instanceof App.Arcology.Cell.Manufacturing && cell.type === "Sweatshops");
+	V.Sweatshops = sweatshops.length;
 
 	V.AProsperityCap += V.AProsperityCapModified;
 };
diff --git a/src/js/facilityUINaming.js b/src/js/facilityUINaming.js
new file mode 100644
index 0000000000000000000000000000000000000000..5d74383cd4effd03fe317aadf65a5fa54a07f65f
--- /dev/null
+++ b/src/js/facilityUINaming.js
@@ -0,0 +1,97 @@
+/**
+ * @returns {string}
+ */
+window.masterSuiteUIName = function() {
+	return V.masterSuiteNameCaps === "The Master Suite" ? "Master Suite" : V.masterSuiteNameCaps;
+};
+
+/**
+ * @returns {string}
+ */
+window.headGirlSuiteUIName = function() {
+	return V.HGSuiteNameCaps === "The Head Girl Suite" ? "Head Girl Suite" : V.HGSuiteNameCaps;
+};
+
+/**
+ * @returns {string}
+ */
+window.servantQuartersUIName = function() {
+	return V.servantsQuartersNameCaps === "The Servants' Quarters" ? "Servants' Quarters" : V.servantsQuartersNameCaps;
+};
+
+/**
+ * @returns {string}
+ */
+window.spaUIName = function() {
+	return V.spaNameCaps === "The Spa" ? "Spa" : V.spaNameCaps;
+};
+
+/**
+ * @returns {string}
+ */
+window.nurseryUIName = function() {
+	return V.nurseryNameCaps === "The Nursery" ? "Nursery" : V.nurseryNameCaps;
+};
+
+/**
+ * @returns {string}
+ */
+window.clinicUIName = function() {
+	return V.clinicNameCaps === "The Clinic" ? "Clinic" : V.clinicNameCaps;
+};
+
+/**
+ * @returns {string}
+ */
+window.schoolRoomUIName = function() {
+	return V.schoolroomNameCaps === "The Schoolroom" ? "Schoolroom" : V.schoolroomNameCaps;
+};
+
+/**
+ * @returns {string}
+ */
+window.cellblockUIName = function() {
+	return V.cellblockNameCaps === "The Cellblock" ? "Cellblock" : V.cellblockNameCaps;
+};
+
+/**
+ * @returns {string}
+ */
+window.incubatorUIName = function() {
+	return V.incubatorNameCaps === "The Incubator" ? "Incubator" : V.incubatorNameCaps;
+};
+
+/**
+ * @returns {string}
+ */
+window.clubUIName = function() {
+	return V.clubNameCaps === "The Club" ? "Club" : V.clubNameCaps;
+};
+
+/**
+ * @returns {string}
+ */
+window.brothelUIName = function() {
+	return V.brothelNameCaps === "The Brothel" ? "Brothel" : V.brothelNameCaps;
+};
+
+/**
+ * @returns {string}
+ */
+window.pitUIName = function() {
+	return V.pitNameCaps === "The Pit" ? "Pit" : V.pitNameCaps;
+};
+
+/**
+ * @returns {string}
+ */
+window.arcadeUIName = function() {
+	return V.arcadeNameCaps === "The Arcade" ? "Arcade" : V.arcadeNameCaps;
+};
+
+/**
+ * @returns {string}
+ */
+window.dairyUIName = function() {
+	return V.dairyNameCaps === "The Dairy" ? "Dairy" : V.dairyNameCaps;
+};
diff --git a/src/js/heroCreator.js b/src/js/heroCreator.js
index e60b531b66860c5e3ed61f64876722cd758819b2..288945086bd01529f661bf7ec46770d99117c93e 100644
--- a/src/js/heroCreator.js
+++ b/src/js/heroCreator.js
@@ -4,26 +4,6 @@
  * @returns {App.Entity.SlaveState}
  */
 App.Utils.getHeroSlave = function(heroSlave, baseHeroSlave) {
-	function isObject(o) {
-		return (o !== undefined && typeof o === 'object' && !Array.isArray(o));
-	}
-
-	function deepAssign(target, source) {
-		if (isObject(target) && isObject(source)) {
-			for (const key in source) {
-				if (!source.hasOwnProperty(key)) { continue; }
-				if (isObject(source[key])) {
-					if (!target.hasOwnProperty(key)) { target[key] = {}; }
-					deepAssign(target[key], source[key]);
-				} else {
-					Object.assign(target, {
-						[key]: source[key]
-					});
-				}
-			}
-		}
-	}
-
 	function repairLimbs(slave) {
 		if (slave.hasOwnProperty("removedLimbs")) {
 			if (slave.removedLimbs[0] === 1) {
diff --git a/src/js/utilsDOM.js b/src/js/utilsDOM.js
index f6f1d48f0e18af327797a1dad368a26853d4c9b6..c55aefbe02fa7b743847538adb58a1021591d372 100644
--- a/src/js/utilsDOM.js
+++ b/src/js/utilsDOM.js
@@ -139,6 +139,30 @@ App.UI.DOM.makeSpan = function makeSpan(text, classNames) {
 	return r;
 };
 
+/**
+ * @param {Node|string} content
+ * @returns {HTMLDivElement}
+ */
+App.UI.DOM.makeDiv = function(content) {
+	const div = document.createElement("div");
+	div.append(content);
+	return div;
+};
+
+/**
+ * @param {string} linkText
+ * @param {string|Node} newContent
+ * @returns {HTMLSpanElement}
+ */
+App.UI.DOM.linkReplace = function(linkText, newContent) {
+	const span = document.createElement("span");
+	span.append(App.UI.DOM.link(linkText, () => {
+		span.innerHTML = "";
+		span.append(newContent);
+	}));
+	return span;
+};
+
 /**
  * @param {string} passage
  * @returns {Element}
diff --git a/src/uncategorized/BackwardsCompatibility.tw b/src/uncategorized/BackwardsCompatibility.tw
index bc9f10e33541fb2b62e106ea7563fef07911b6c8..c235961c8f88ad4e16b7510aba580fe803e735d6 100644
--- a/src/uncategorized/BackwardsCompatibility.tw
+++ b/src/uncategorized/BackwardsCompatibility.tw
@@ -1617,67 +1617,6 @@
 	<<set $seeBuilding = $seeArcology>>
 <</if>>
 
-<<if ndef $sectors>>
-	<<set $sectors = []>>
-	<<set $AS = {type: "Penthouse", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: ($arcologyUpgrade.spire) ? "LuxuryApartments" : "Empty", ownership: 0}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: ($arcologyUpgrade.spire) ? "LuxuryApartments" : "Empty", ownership: 0}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: ($arcologyUpgrade.spire) ? "LuxuryApartments" : "Empty", ownership: 0}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: ($arcologyUpgrade.spire) ? "LuxuryApartments" : "Empty", ownership: 0}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Shops", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Shops", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Shops", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Apartments", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Apartments", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Apartments", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Apartments", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Apartments", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Apartments", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Apartments", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Apartments", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Apartments", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Apartments", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Apartments", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Apartments", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Markets", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Markets", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Markets", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Markets", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Markets", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Manufacturing", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Manufacturing", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Manufacturing", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Manufacturing", ownership: 1}>><<set $sectors.push($AS)>>
-	<<set $AS = {type: "Manufacturing", ownership: 1}>><<set $sectors.push($AS)>>
-	<<for _bci = 0; _bci < 12; _bci++>>
-		<<set _j = random(5,28)>>
-		<<if $sectors[_j].ownership == 1>>
-			<<set $sectors[_j].ownership = 0>>
-		<<else>>
-			<<set _bci-->>
-		<</if>>
-	<</for>>
-<</if>>
-
-<<if $brothel && $sectors[5].type != "Brothel" && $sectors[6].type != "Brothel" && $sectors[7].type != "Brothel">>
-	<<set $sectors[5].type = "Brothel", $sectors[5].ownership = 1>>
-<</if>>
-<<if $club && $sectors[5].type != "Club" && $sectors[6].type != "Club" && $sectors[7].type != "Club">>
-	<<set $sectors[7].type = "Club", $sectors[7].ownership = 1>>
-<</if>>
-<<if $arcade && $sectors[20].type != "Arcade" && $sectors[21].type != "Arcade" && $sectors[22].type != "Arcade" && $sectors[23].type != "Arcade" && $sectors[24].type != "Arcade">>
-	<<set $sectors[21].type = "Arcade", $sectors[21].ownership = 1>>
-<</if>>
-<<if $pit && $sectors[20].type != "Pit" && $sectors[21].type != "Pit" && $sectors[22].type != "Pit" && $sectors[23].type != "Pit" && $sectors[24].type != "Pit">>
-	<<set $sectors[23].type = "Pit", $sectors[23].ownership = 1>>
-<</if>>
-<<if $dairy && $sectors[25].type != "Dairy" && $sectors[26].type != "Dairy" && $sectors[27].type != "Dairy" && $sectors[28].type != "Dairy" && $sectors[29].type != "Dairy">>
-	<<set $sectors[27].type = "Dairy", $sectors[27].ownership = 1>>
-<</if>>
-<<if $farmyard && $sectors[25].type != "Farmyard" && $sectors[26].type != "Farmyard" && $sectors[27].type != "Farmyard" && $sectors[28].type != "Farmyard" && $sectors[29].type != "Farmyard">>
-	<<set $sectors[28].type = "Farmyard", $sectors[28].ownership = 1>>
-<</if>>
-
 <<if def $year>>
 	<<unset $year>>
 <</if>>
@@ -3063,9 +3002,11 @@ Setting missing global variables:
 	<<set $mercenariesHelpCorp = 0>>
 	<<set $corpMarket = 0>>
 	<<unset $corpPeopleEnslaved, $slaveAssets, $slaveAssetPrice, $corpProfit, $corpCash, $corpValue, $sharePrice, $oldSharePrice, $personalShares, $publicShares, $generalAssetPrice, $generalAssets, $entrapmentAssets, $entrapmentAssetPrice, $captureAssets, $captureAssetPrice, $trainingAssets, $trainingAssetPrice, $surgicalAssets, $surgicalAssetPrice, $drugAssets, $drugAssetPrice, $generalUpgradeBreaking, $generalUpgradeWeight, $generalUpgradeMuscle, $entrapmentUpgradeDevotionOne, $entrapmentUpgradeDevotionTwo, $entrapmentUpgradeIntelligence, $captureUpgradeGender, $surgicalUpgradeGenitalia, $captureUpgradeAge, $captureUpgradeRace, $trainingUpgradeAccent, $trainingUpgradeEducation, $trainingUpgradeSexEd, $surgicalUpgradeCosmetics, $surgicalUpgradeImplants, $drugUpgradeHormones, $drugUpgradeInjectionOne, $drugUpgradeInjectionTwo>>
-	<<for _i = 0; _i < $sectors.length; _i++>>
-		<<if $sectors[_i].type == "CorporateMarket">><<set $sectors[_i].type = "Markets">><<break>><</if>>
-	<</for>>
+	<<if def $sectors>>
+		<<for _i = 0; _i < $sectors.length; _i++>>
+			<<if $sectors[_i].type == "CorporateMarket">><<set $sectors[_i].type = "Markets">><<break>><</if>>
+		<</for>>
+	<</if>>
 <</if>>
 
 /*Slave services and goods variables*/
@@ -3802,6 +3743,14 @@ Done<br>
 	<<set $PC.customTitle = undefined, $PC.customTitleLisp = undefined>>
 <</if>>
 
+<<if ndef $building>>
+	<<if def $sectors>>
+		<<run App.Update.sectorsToBuilding()>>
+	<<else>>
+		<<set $building = App.Arcology.defaultBuilding()>>
+	<</if>>
+<</if>>
+
 /* leave this at the bottom of BC */
 <<if $releaseID < App.Version.release>>
 	<<set $releaseID = App.Version.release>>
diff --git a/src/uncategorized/apartments.tw b/src/uncategorized/apartments.tw
deleted file mode 100644
index 3265a2096a41e15d429f6f5cb92ea57c3c42c8a5..0000000000000000000000000000000000000000
--- a/src/uncategorized/apartments.tw
+++ /dev/null
@@ -1,46 +0,0 @@
-:: Apartments [nobr]
-
-<<set $nextButton = "Back", $nextLink = "Main">>
-
-<p class="scene-intro">
-	This is a sector of the arcology's living areas,
-	<<switch $sectors[$AS].type>>
-		<<case "Apartments">>
-			occupied by citizens of varying wealth and social standing.
-		<<case "DenseApartments">>
-			upgraded for dense occupancy by as many citizens as possible.
-		<<case "LuxuryApartments">>
-			improved for occupancy by the Free Cities' wealthiest citizens.
-		<<default>>
-			ERROR: bad sector type
-	<</switch>>
-	You control this part of the arcology and all these tenants pay you rent.
-	<<SectorSell>>
-</p>
-
-<div>
-	<<if $sectors[$AS].type != "DenseApartments">>
-		[[Upgrade this sector of apartments for dense occupancy by as many citizens as possible|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $sectors[$AS].type = "DenseApartments"]]
-		<span class="note">
-			Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-		</span>
-	<</if>>
-</div>
-
-<div>
-	<<if $sectors[$AS].type != "LuxuryApartments">>
-		[[Improve this sector of apartments for occupancy by the Free Cities' wealthiest citizens|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $sectors[$AS].type = "LuxuryApartments"]]
-		<span class="note">
-			Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-		</span>
-	<</if>>
-</div>
-
-<div>
-	<<if $sectors[$AS].type != "Apartments">>
-		[[Return this sector to standard, mixed housing|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $sectors[$AS].type = "Apartments"]]
-		<span class="note">
-			Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-		</span>
-	<</if>>
-</div>
\ No newline at end of file
diff --git a/src/uncategorized/arcade.tw b/src/uncategorized/arcade.tw
index 6fd04829edf46689843eda34bfe85be07ab0e09b..403a8e3358b0e07db48ce61d8e754cf23b63c803 100644
--- a/src/uncategorized/arcade.tw
+++ b/src/uncategorized/arcade.tw
@@ -76,10 +76,7 @@
 		<div class="choices" style="font-style:normal">
 			<<link "Decommission the arcade" "Main">>
 				<<set $arcade = 0, $arcadeUpgradeInjectors = 0, $arcadeUpgradeFuckdolls = 0, $arcadeUpgradeCollectors = 0>>
-				<<set _arc = $sectors.findIndex(function(s) { return s.type == "Arcade"; })>>
-				<<if _arc != -1>>
-					<<set $sectors[_arc].type = "Markets">>
-				<</if>>
+				<<run App.Arcology.cellUpgrade($building, App.Arcology.Cell.Market, "Arcade", "Markets")>>
 			<</link>>
 		</div>
 	<</if>>
diff --git a/src/uncategorized/barracks.tw b/src/uncategorized/barracks.tw
index 07b9ee7f00856f8ecb48c4cb8394b5708ba7695b..c7bd69802cba0a9d405da34a6c082b1bc7fd49df 100644
--- a/src/uncategorized/barracks.tw
+++ b/src/uncategorized/barracks.tw
@@ -186,10 +186,7 @@ You head up a deck, to the staff area, and up one more, to look into the living
 
 <div class="choices" style="font-style:normal">
 	<<link "Decommission the armory and return this sector to manufacturing">>
-		<<set $barracks = 0>>
-		<<for _i = 0; _i < $sectors.length; _i++>>
-			<<if $sectors[_i].type == "Barracks">><<set $sectors[_i].type = "Manufacturing">><<break>><</if>>
-		<</for>>
+		<<run App.Arcology.cellUpgrade($building, App.Arcology.Cell.Manufacturing, "Barracks", "Manufacturing")>>
 		<<goto "Main">>
 	<</link>>
 </div>
\ No newline at end of file
diff --git a/src/uncategorized/brothel.tw b/src/uncategorized/brothel.tw
index 797c66757d2ec89fe5e17d811a84cda1892e1bc3..17898fb95ca4bd032502f407490a8fc34c27510f 100644
--- a/src/uncategorized/brothel.tw
+++ b/src/uncategorized/brothel.tw
@@ -147,10 +147,7 @@
 		<div class="choices" style="font-style:normal">
 			<<link "Decommission the brothel" "Main">>
 				<<set $brothel = 0, $brothelUpgradeDrugs = 0, $brothelDecoration = "standard", $brothelAdsSpending = 0>>
-				<<set _broth = $sectors.findIndex(function(s) { return s.type == "Brothel"; })>>
-				<<if _broth != -1>>
-					<<set $sectors[_broth].type = "Shops">>
-				<</if>>
+				<<run App.Arcology.cellUpgrade($building, App.Arcology.Cell.Shop, "Brothel", "Shops")>>
 			<</link>>
 		</div>
 	<</if>>
diff --git a/src/uncategorized/buildingWidgets.tw b/src/uncategorized/buildingWidgets.tw
deleted file mode 100644
index 423b35e37cfc55ddbea75888ac9b53021dedc351..0000000000000000000000000000000000000000
--- a/src/uncategorized/buildingWidgets.tw
+++ /dev/null
@@ -1,326 +0,0 @@
-:: building widgets [nobr widget]
-
-/%
-Call as <<DisplayBuilding>>
-Displays the arcology as a table.
-Yes, I am aware this is horrible. If anyone can figure out how to get widgets to play nice with tables, or otherwise unfuck this, tell me and I'll implement it.
-%/
-<<widget "DisplayBuilding">>
-
-<<set _Pass = passage()>>
-
-<style>
-	table.arcology {
-		table-layout: fixed;
-		text-align: center;
-		border-collapse: separate;
-		border-spacing: 5px;
-		border-style: hidden;
-		empty-cells: hide;
-		width: 70%;
-	}
-
-	table.arcology td {
-		margin: 1px;
-	}
-
-	table.arcology col {
-		width: 8%;
-	}
-
-	table.arcology td {
-		border: 5px solid transparent;
-	}
-
-	td#Empty			{ border-color: lightgray; }
-	td#Private			{ border-color: red; }
-	td#Shops			{ border-color: thistle; }
-	td#FSShops			{ border-color: mediumpurple; }
-	td#Brothel			{ border-color: violet; }
-	td#Club				{ border-color: orchid; }
-	td#Apartments		{ border-color: limegreen; }
-	td#DenseApartments	{ border-color: seagreen; }
-	td#LuxuryApartments	{ border-color: palegreen; }
-	td#Markets			{ border-color: mediumorchid; }
-	td#CorporateMarket	{ border-color: purple; }
-	td#Arcade			{ border-color: deeppink; }
-	td#Pens				{ border-color: goldenrod; }
-	td#Pit				{ border-color: orangered; }
-	td#Manufacturing	{ border-color: slategray; }
-	td#transportHub		{ border-color: magenta; }
-	td#weapManu			{ border-color: springgreen; }
-	td#Sweatshops		{ border-color: gray; }
-	td#Barracks			{ border-color: olivedrab; }
-	td#Penthouse		{ border-color: teal; }
-	td#Dairy			{ border-color: white; }
-	td#Farmyard			{ border-color: brown; }
-	td#Nursery			{ border-color: deepskyblue; }
-
-	.arcology .penthouse {
-		display: inline-block;
-	}
-	.arcology .penthouse .info:before { content: "("; }
-	.arcology .penthouse .info:after  { content: ")"; }
-	.arcology .penthouseWrapper {
-		display: inline-block;
-	}
-	.arcology.verticalLinks .penthouse{
-		display:block;
-	}
-	.arcology.griddedLinks .penthouseWrapper {
-		display: flex;
-		flex-wrap: wrap;
-		box-sizing: border-box;
-	}
-	.arcology.griddedLinks .penthouse .info:before,
-	.arcology.griddedLinks .penthouse .info:after {
-		content: "";
-	 }
-	.arcology.griddedLinks .penthouse .info {
-		display: block;
-		line-height: 0.75;
-		margin-top: -0.2em;
-		margin-bottom: 0.2em;
-	}
-	.arcology.griddedLinks .penthouseWrapper .penthouse {
-		flex-grow: 1;
-		box-sizing: border-box;
-		justify-content: space-between;
-	}
-	.arcology.grid2 .penthouseWrapper .penthouse {
-		width: 45%;
-	}
-	.arcology.grid3 .penthouseWrapper .penthouse {
-		width: 30%;
-	}
-</style>
-
-<<script>>
-/* This code only runs once per page load */
-if(!Macro.has('sectorblock')) {
-	/* Usage: <<sectorblock sector index "other text (optional)">> */
-	Macro.add('sectorblock', {
-		/*
-		* Add sector metadata here
-		*
-		* base: Which passage the sector link goes to if owned. Defaults to the sector type. Unowned go to "Private"
-		* name: The sector name. Defaults to the sector type, with spaces inserted in case of WordsLikeThis
-		* cls: The CSS id to use for styling if owned; else uses "Private"
-		* extra: Some (SugarCube-style) extra text to add after the link
-		*/
-		sectors: {
-			LuxuryApartments: { base: 'Apartments' },
-			DenseApartments: { base: 'Apartments' },
-			Club: { extra: ' <<if $clubNameCaps != "The Club">>$clubNameCaps<</if>> ($ClubiIDs.length/<<print $club>><<if $DJ>>, L<</if>>)' },
-			Brothel: { extra: ' <<if $brothelNameCaps != "The Brothel">>$brothelNameCaps<</if>> ($BrothiIDs.length/<<print $brothel>><<if $Madam>>,L<</if>>)' },
-			CorporateMarket: { base: 'Corporate Market' },
-			Pit: { extra: ' <<if $pitNameCaps != "The Pit">>$pitNameCaps<</if>> ($fighterIDs.length)'},
-			Arcade: { extra: ' <<if $arcadeNameCaps != "The Arcade">>$arcadeNameCaps<</if>> ($ArcadeiIDs.length/<<print $arcade>>)'},
-			Dairy: { extra: ' <<if $dairyNameCaps != "The Dairy">>$dairyNameCaps<</if>> <<set _SCapT9 = $bioreactorsXY+$bioreactorsXX+$bioreactorsHerm+$bioreactorsBarren>> ($DairyiIDs.length<<if _SCapT9>>+_SCapT9<</if>>/<<print $dairy>><<if $Milkmaid>>,L<</if>>)' },
-			Sweatshops: { base: 'Manufacturing' },
-			weapManu: { base: 'weaponsManufacturing', name: 'Weapons Manufacturing', cls: 'weapManu' },
-			transportHub: { base: 'transportHub', name: 'Transport Hub', cls: 'transportHub' },
-			Barracks: { base: 'Barracks', name: 'Garrison', extra: ' of $mercenariesTitle' },
-			Farmyard: { extra: ' <<if $farmyardNameCaps != "The Farmyard">>$farmyardNameCaps<</if>> ($FarmyardiIDs.length/<<print $farmyard>><<if $Farmer>>, L<</if>>)'},
-			Nursery: { extra: ' <<if $nurseryNameCaps != "The Nursery">>$nurseryNameCaps<</if>> ($nurseryBabies babies, $NurseryiIDs.length/<<print $nurseryNannies>><<if $Matron>>,L<</if>>)'},
-			/* speciality shop types */
-			'Subjugationist': { base: 'Shops', name: 'Subjugationist Shops', cls: 'FSShops' },
-			'Supremacist': { base: 'Shops', name: 'Supremacist Shops', cls: 'FSShops' },
-			'Gender Radicalist': { base: 'Shops', name: 'Gender Radicalist Shops', cls: 'FSShops' },
-			'Gender Fundamentalist': { base: 'Shops', name: 'Gender Fundamentalist Shops', cls: 'FSShops' },
-			'Paternalist': { base: 'Shops', name: 'Paternalist Shops', cls: 'FSShops' },
-			'Degradationist': { base: 'Shops', name: 'Degradationist Shops', cls: 'FSShops' },
-			'Body Purist': { base: 'Shops', name: 'Body Purist Shops', cls: 'FSShops' },
-			'Transformation Fetishist': { base: 'Shops', name: 'Transformation Fetishist Shops', cls: 'FSShops' },
-			'Youth Preferentialist': { base: 'Shops', name: 'Youth Preferentialist Shops', cls: 'FSShops' },
-			'Maturity Preferentialist': { base: 'Shops', name: 'Maturity Preferentialist Shops', cls: 'FSShops' },
-			'Slimness Enthusiast': { base: 'Shops', name: 'Slimness Enthusiast Shops', cls: 'FSShops' },
-			'Asset Expansionist': { base: 'Shops', name: 'Asset Expansionist Shops', cls: 'FSShops' },
-			'Pastoralist': { base: 'Shops', name: 'Pastoralist Shops', cls: 'FSShops' },
-			'Physical Idealist': { base: 'Shops', name: 'Physical Idealist Shops', cls: 'FSShops' },
-			'Chattel Religionist': { base: 'Shops', name: 'Chattel Religionist Shops', cls: 'FSShops' },
-			'Roman Revivalist': { base: 'Shops', name: 'Roman Revivalist Shops', cls: 'FSShops' },
-			'Aztec Revivalist': { base: 'Shops', name: 'Aztec Revivalist Shops', cls: 'FSShops' },
-			'Egyptian Revivalist': { base: 'Shops', name: 'Egyptian Revivalist Shops', cls: 'FSShops' },
-			'Edo Revivalist': { base: 'Shops', name: 'Edo Revivalist Shops', cls: 'FSShops' },
-			'Arabian Revivalist': { base: 'Shops', name: 'Arabian Revivalist Shops', cls: 'FSShops' },
-			'Chinese Revivalist': { base: 'Shops', name: 'Chinese Revivalist Shops', cls: 'FSShops' },
-			'Repopulationist': { base: 'Shops', name: 'Repopulationist Shops', cls: 'FSShops' },
-			'Eugenics': { base: 'Shops', name: 'Eugenics Shops', cls: 'FSShops' },
-			'Hedonism': { base: 'Shops', name: 'Hedonistic Shops', cls: 'FSShops' },
-			'Intellectual Dependency': { base: 'Shops', name: 'Intellectual Dependency Shops', cls: 'FSShops' },
-			'Slave Professionalism': { base: 'Shops', name: 'Slave Professionalism Shops', cls: 'FSShops' },
-			'Petite Admiration': { base: 'Shops', name: 'Petite Admiration Shops', cls: 'FSShops' },
-			'Statuesque Glorification': { base: 'Shops', name: 'Statuesque Glorification Shops', cls: 'FSShops' },
-		},
-
-		handler() {
-			let sec = this.args[0];
-			if(!sec || !sec.type) {
-				return;
-			}
-			let meta = this.self.sectors[sec.type] || {};
-			let type = sec.ownership === 1 ? (meta.cls || sec.type) : 'Private';
-			let basetype = sec.ownership === 1 ? (meta.base || sec.type) : 'Private';
-			let name = meta.name || sec.type.replace(/([a-z])([A-Z])/g, '$1 $2');
-			let text =
-				'<td colspan="2" id="' + type + '">'
-				+ '[[' + name + '|' + basetype + '][$AS=' + this.args[1] + ']]'
-				+ (meta.extra || '') + (this.args[2] || '')
-				+ '</td>';
-			new Wikifier(this.output, text);
-		},
-	});
-}
-<</script>>
-<center>
-<<set _arcologyTableClass = "arcology">>
-<<switch $verticalizeArcologyLinks>>
-	<<case 1>>
-		<<set _arcologyTableClass += " verticalLinks">>
-	<<case 2>>
-		<<set _arcologyTableClass += " griddedLinks grid2">>
-	<<case 3>>
-		<<set _arcologyTableClass += " griddedLinks grid3">>
-<</switch>>
-<table @class="_arcologyTableClass">
-	<tr> /* Level 9, penthouse, sector 0 */
-		<td colspan="3"></td>
-		<td id="Penthouse" colspan="4">
-			<span class="penthouse">
-			<<link "Penthouse">><<set $nextButton = "Back", $nextLink = _Pass>><<goto "Manage Penthouse">><</link>> @@.cyan;[P]@@
-			</span>
-			<div class="penthouseWrapper">
-			<<if $masterSuite>>
-				<span class="penthouse masterSuite">
-				<span class="name"><<print MasterSuiteUIName()>></span><span class="info">$MastSiIDs.length/$masterSuite<<if $Concubine>>, C<</if>></span>
-				</span>
-			<</if>>
-			<<if $HGSuite>>
-				<span class="penthouse headGirlSuite">
-				<span class="name"><<print HeadGirlSuiteUIName()>></span><<if $HeadGirl != 0>><span class="info">HG<<if $HGSuiteiIDs.length > 0>>, 1<</if>></span><</if>>
-				</span>
-			<</if>>
-			<<if $dojo > 1>>
-				<span class="penthouse armory">
-				<span class="name">[[Armory|BG Select]]</span><<if $Bodyguard != 0>> <span class="info">BG</span><</if>>
-				</span>
-			<</if>>
-			<<if $servantsQuarters>>
-				<span class="penthouse servantsQuarters">
-				<span class="name"><<print ServantQuartersUIName()>></span><span class="info">$ServQiIDs.length/$servantsQuarters<<if $Stewardess>>, L<</if>></span>
-				</span>
-			<</if>>
-			<<if $spa>>
-				<span class="penthouse spa">
-				<span class="name"><<print SpaUIName()>></span><span class="info">$SpaiIDs.length/$spa<<if $Attendant>>, L<</if>></span>
-				</span>
-			<</if>>
-			<<if $nursery>>
-				<span class="penthouse nursery">
-				<span class="name"><<print NurseryUIName()>></span><span class="info"><<= numberWithPluralOne($nursery-$nurseryBabies, "empty room")>>, $NurseryiIDs.length/$nurseryNannies<<if $Matron>>, L<</if>></span> <<if $readyChildren > 0>>@@.yellow;[!]@@<</if>>
-				</span>
-			<</if>>
-			<<if $clinic>>
-				<span class="penthouse clinic">
-				<span class="name"><<print ClinicUIName()>></span><span class="info">$CliniciIDs.length/$clinic<<if $Nurse>>, L<</if>></span>
-				</span>
-			<</if>>
-			<<if $schoolroom>>
-				<span class="penthouse schoolroom">
-				<span class="name"><<print SchoolRoomUIName()>></span><span class="info">$SchlRiIDs.length/$schoolroom<<if $Schoolteacher>>, L<</if>></span>
-				</span>
-			<</if>>
-			<<if $cellblock>>
-				<span class="penthouse cellblock">
-				<span class="name"><<print CellblockUIName()>></span><span class="info">$CellBiIDs.length/$cellblock<<if $Wardeness>>, L<</if>></span>
-				</span>
-			<</if>>
-			<<if $incubator>>
-				<span class="penthouse incubator">
-				<span class="name"><<print IncubatorUIName()>></span><span class="info"><<=numberWithPluralOne($incubator-$tanks.length, "empty tank")>></span> <<if $readySlaves > 0>>@@.yellow;[!]@@<</if>>
-				</span>
-			<</if>>
-			<<if $researchLab.level > 0>>
-				<span class="penthouse researchLab">
-				<span class="name">[[Prosthetic Lab]]</span>
-				</span>
-			<</if>>
-			</div>
-		</td>
-		<td colspan="3"></td>
-	</tr>
-	<<if $arcologyUpgrade.spire == 1>>
-		<tr> /* Level 8, spire, sectors 1-2 */
-			<td colspan="3"></td>
-			<<for _i = 1; _i <= 2; _i++>><<sectorblock $sectors[_i] _i>><</for>>
-			<td colspan="3"></td>
-		</tr>
-		<tr> /* Level 7, spire, sectors 3-4 */
-			<td colspan="3"></td>
-			<<for _i = 3; _i <= 4; _i++>><<sectorblock $sectors[_i] _i>><</for>>
-			<td colspan="3"></td>
-		</tr>
-	<</if>>
-	<tr> /* Level 6, promenade, sectors 5-7 */
-		<td colspan="2"></td>
-		<<for _i = 5; _i <= 7; _i++>><<sectorblock $sectors[_i] _i>><</for>>
-		<td colspan="2"></td>
-	</tr>
-	<tr> /* Level 5, apartments, sectors 8-11 */
-		<td></td>
-		<<for _i = 8; _i <= 11; _i++>><<sectorblock $sectors[_i] _i>><</for>>
-		<td></td>
-	</tr>
-	<tr> /* Level 4, apartments, sectors 12-15 */
-		<td></td>
-		<<for _i = 12; _i <= 15; _i++>><<sectorblock $sectors[_i] _i>><</for>>
-		<td></td>
-	</tr>
-	<tr> /* Level 3, apartments, sectors 16-19 */
-		<td></td>
-		<<for _i = 16; _i <= 19; _i++>><<sectorblock $sectors[_i] _i>><</for>>
-		<td></td>
-	</tr>
-	<tr> /* Level 2, concourse, sectors 20-24 */
-		<<for _i = 20; _i <= 24; _i++>><<sectorblock $sectors[_i] _i>><</for>>
-	</tr>
-	<tr> /* Level 1, service area, sectors 25-29 */
-		<<for _i = 25; _i <= 29; _i++>><<sectorblock $sectors[_i] _i>><</for>>
-	</tr>
-</table>
-</center>
-
-<</widget>>
-
-<<widget "SectorSell">>
-
-<<set $price = 1000*Math.trunc($arcologies[0].prosperity*(1+($arcologies[0].demandFactor/100)))>>
-Selling this sector would relinquish a 4% interest in $arcologies[0].name. Such an interest is worth <<print cashFormat($price)>>.
-<<if $arcologies[0].ownership >= 4>>
-	<span style="font-style:normal">
-		[[Sell|Main][cashX($price, "capEx"), $arcologies[0].ownership -= 4, $arcologies[0].demandFactor -= 20, $sectors[$AS].ownership = 0]]
-	</span>
-<</if>>
-
-<</widget>>
-
-/%
-Call as <<UpdateOwnership>>
-Updates $arcologies[0].ownership.
-%/
-<<widget "UpdateOwnership">>
-
-<<set $arcologies[0].ownership = 0>>
-<<if $arcologyUpgrade.spire == 1>>
-	<<for _i = 1; _i <= 29; _i++>>
-		<<if $sectors[_i].ownership == 1>><<set $arcologies[0].ownership += 3.45>><</if>>
-	<</for>>
-	<<set $arcologies[0].ownership = Math.trunc($arcologies[0].ownership)>>
-<<else>>
-	<<for _i = 5; _i <= 29; _i++>>
-		<<if $sectors[_i].ownership == 1>><<set $arcologies[0].ownership += 4>><</if>>
-	<</for>>
-<</if>>
-
-<</widget>>
diff --git a/src/uncategorized/club.tw b/src/uncategorized/club.tw
index 41f7314f48525cdc7a332f854025858bef790a04..d5ee1248cd12cabbcb1866245ab5d5417465d2b7 100644
--- a/src/uncategorized/club.tw
+++ b/src/uncategorized/club.tw
@@ -148,10 +148,7 @@
 		<div class="choices" style="font-style:normal">
 			<<link "Decommission the club" "Main">>
 				<<set $club = 0, $clubDecoration = "standard", $clubUpgradePDAs = 0, $clubAdsSpending = 0>>
-				<<set _club = $sectors.findIndex(function(s) { return s.type == "Club"; })>>
-				<<if _club != -1>>
-					<<set $sectors[_club].type = "Shops">>
-				<</if>>
+				<<run App.Arcology.cellUpgrade($building, App.Arcology.Cell.Shop, "Club", "Shops")>>
 			<</link>>
 		</div>
 	<</if>>
diff --git a/src/uncategorized/dairy.tw b/src/uncategorized/dairy.tw
index ca7b4427aef48f197d04c814fd6390a1f9107519..dbaa325034b2d7fc9368a6eaae96d68ada909200 100644
--- a/src/uncategorized/dairy.tw
+++ b/src/uncategorized/dairy.tw
@@ -318,10 +318,7 @@
 		<div class="choices" style="font-style:normal">
 			<<link "Decommission the dairy" "Main">>
 				<<set $dairy = 0, $dairyFeedersUpgrade = 0, $dairyPregUpgrade = 0, $dairyStimulatorsUpgrade = 0, $dairyDecoration = "standard", $dairyFeedersSetting = 0, $dairyPregSetting = 0, $dairyStimulatorsSetting = 0, $dairyHyperPregRemodel = 0, $cumPipeline = 0, $milkPipeline = 0>>
-				<<set _dai = $sectors.findIndex(function(s) { return s.type == "Dairy"; })>>
-				<<if _dai != -1>>
-					<<set $sectors[_dai].type = "Manufacturing">>
-				<</if>>
+				<<run App.Arcology.cellUpgrade($building, App.Arcology.Cell.Manufacturing, "Dairy", "Manufacturing")>>
 			<</link>>
 		</div>
 	<</if>>
diff --git a/src/uncategorized/economics.tw b/src/uncategorized/economics.tw
index fd91fdd8e34dbbda23c029a77c15e22ca37dfe91..14f1dd5142ce54431475302423c87091296a3173 100644
--- a/src/uncategorized/economics.tw
+++ b/src/uncategorized/economics.tw
@@ -9,7 +9,7 @@
 <</if>>
 
 <<= SectorCounts()>>
-<<UpdateOwnership>>
+<<run App.Arcology.updateOwnership()>>
 
 <<include "Markets Report">>
 
diff --git a/src/uncategorized/fsDevelopments.tw b/src/uncategorized/fsDevelopments.tw
index c8838a145ff3e86181c6a7a39d4f71bbdfed62dc..66ba98f708a43fba1ab5b091c5d411810f28e1a2 100644
--- a/src/uncategorized/fsDevelopments.tw
+++ b/src/uncategorized/fsDevelopments.tw
@@ -337,17 +337,11 @@
 <</if>>
 
 /* Promenade effects */
-<<for _i = 5; _i <= 7; _i++>>
-	<<if $sectors[_i].type != "Shops">>
-		<<if $sectors[_i].type != "Brothel">>
-			<<if $sectors[_i].type != "Club">>
-				The $sectors[_i].type establishments on the Promenade help develop society.
-				<<set _changed_fs = $sectors[_i].type.replace(" ","")>>
-				<<= FutureSocieties.Change(_changed_fs, 4)>>
-				<<continue>>
-			<</if>>
-		<</if>>
-	<</if>>
+<<run _cells = $building.findCells(cell => cell instanceof App.Arcology.Cell.Shop && !["Shops", "Brothel", "Club"].includes(cell.type))>>
+<<for _i = 0; _i < _cells.length; _i++>>
+	The _cells[_i].type establishments on the Promenade help develop society.
+	<<set _changed_fs = _cells[_i].type.replace(" ","")>>
+	<<= FutureSocieties.Change(_changed_fs, 4)>>
 <</for>>
 
 /* PA FS bonuses */
diff --git a/src/uncategorized/main.tw b/src/uncategorized/main.tw
index de9fd7e0af9c88db65a91767bbf236496fef02e3..236a9236733d5aa8efc8100fa12877e2b547fee5 100644
--- a/src/uncategorized/main.tw
+++ b/src/uncategorized/main.tw
@@ -68,7 +68,17 @@
 
 <<set _SL = $slaves.length>>
 
-<<if $newModelUI == 1>><<DisplayBuilding>><</if>>
+<<if $newModelUI == 1>>
+	<span id="building"></span>
+	<<script>>
+		$(document).one(':passageend', () => {
+			$('#building').append(
+				V.building.render(),
+			);
+		});
+	<</script>>
+<</if>>
+
 <<if $seeArcology == 1>>&nbsp;&nbsp;&nbsp;&nbsp;<<include "Arcology Description">> | [[Hide|Main][$seeArcology = 0]]<br><</if>>
 
 <<if $seeDesk == 1>>
diff --git a/src/uncategorized/manageArcology.tw b/src/uncategorized/manageArcology.tw
index 9d2222058b240667b66f2335d048570055a50fd3..40c592fb83b09b3da56ddf3f91ad02d47894684c 100644
--- a/src/uncategorized/manageArcology.tw
+++ b/src/uncategorized/manageArcology.tw
@@ -8,7 +8,14 @@
 <</if>>
 
 <div>
-	<<DisplayBuilding>>
+	<span id="building"></span>
+	<<script>>
+		$(document).one(':passageend', () => {
+			$('#building').append(
+				V.building.render(),
+			);
+		});
+	<</script>>
 	<<include "Arcology Description">>
 </div>
 
@@ -16,7 +23,7 @@
 
 <p>
 	<div>
-		<<UpdateOwnership>>
+		<<run App.Arcology.updateOwnership()>>
 		<<= ownershipReport({sidebar: false})>>
 	</div>
 </p>
@@ -63,7 +70,7 @@
 		<span class="note">
 			The next major upgrade needed is the addition of a spire at the top of the arcology to increase the space available for the wealthiest citizens to own whole floors. This huge project will cost <<print cashFormat(Math.trunc(250000*$upgradeMultiplierArcology))>>.
 		</span>
-		[[Add spire|Manage Arcology][cashX(forceNeg(Math.trunc(250000*$upgradeMultiplierArcology)), "capEx"), $arcologyUpgrade.spire = 1, $sectors[1].type = "Apartments", $sectors[2].type = "Apartments", $sectors[3].type = "Apartments", $sectors[4].type = "Apartments", $sectors[1].ownership = 1, $sectors[2].ownership = 1, $sectors[3].ownership = 1, $sectors[4].ownership = 1, $PC.skill.engineering += 1]]
+		[[Add spire|Manage Arcology][cashX(forceNeg(Math.trunc(250000*$upgradeMultiplierArcology)), "capEx"), $arcologyUpgrade.spire = 1, $building.sections.push(new App.Arcology.Section("spire", [[new App.Arcology.Cell.Apartment(1, 2), new App.Arcology.Cell.Apartment(1, 2)], [new App.Arcology.Cell.Apartment(1, 2), new App.Arcology.Cell.Apartment(1, 2)]])), $PC.skill.engineering += 1]]
 	<<else>>
 		<span class="note">
 			The arcology's public areas are fully upgraded.
diff --git a/src/uncategorized/manufacturing.tw b/src/uncategorized/manufacturing.tw
deleted file mode 100644
index 5ddebf728e49ebc0b34963bcee9ac18c024a5828..0000000000000000000000000000000000000000
--- a/src/uncategorized/manufacturing.tw
+++ /dev/null
@@ -1,106 +0,0 @@
-:: Manufacturing [nobr]
-
-<<set $nextButton = "Back", $nextLink = "Main">>
-
-<p class="scene-intro">
-	This is a space in the arcology's service areas,
-	<<switch $sectors[$AS].type>>
-		<<case "Manufacturing">>
-			rented to a variety of tenants for manufacturing purposes. You control this part of the arcology and all these producers pay you rent.
-		<<case "Sweatshops">>
-			designed for labor intensive manufacturing by menial slaves.
-		<<default>>ERROR: bad sector type
-	<</switch>>
-	<<if $sectors[$AS].type == "Manufacturing">>
-		<<SectorSell>>
-	<</if>>
-</p>
-
-<div>
-	<<if $sectors[$AS].type == "Sweatshops">>
-		<<set $Sweatshops = 0>>
-		<<for _i = 25; _i <= 29; _i++>>
-			<<if $sectors[_i].type == "Sweatshops">>
-				<<set $Sweatshops++>>
-			<</if>>
-		<</for>>
-		<<if $menials > 0>>
-			<p>
-				You own <<print num($menials)>> menial slaves. All your sweatshops together can use only <<print $Sweatshops*500>>,
-				<<if $menials > $Sweatshops*500>>
-					the remainder is assigned to various odd jobs in the arcology.
-				<<elseif $menials == $Sweatshops*500>>
-					and your menials are fully staffing them.
-				<<else>>
-					leaving space for <<print $Sweatshops*500-$menials>> more.
-				<</if>>
-			</p>
-		<</if>>
-	<</if>>
-</div>
-
-<div>
-	<<if $dairy == 0>>
-		[[Construct a dairy to milk slaves on an industrial scale|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $dairy = 5, $sectors[$AS].type = "Dairy"]]
-		<span class="note">
-			Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>> and will incur upkeep costs
-		</span>
-	<</if>>
-</div>
-
-<<if $cheatMode == 1>>
-	<<if $farmyard == 0>>
-		<div>
-			[[Construct a farming facility to grow food for your arcology and house animals|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $farmyard = 5, $sectors[$AS].type = "Farmyard"]]
-			<span class="note">
-				Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>> and will incur upkeep costs
-			</span> @@.red;Alpha Content!@@
-		</div>
-	<</if>>
-<</if>>
-
-<<if $mercenaries>>
-	<<if $barracks != 1>>
-		<div>
-			[[Build an armory to properly house your mercenaries|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $barracks = 1, $sectors[$AS].type = "Barracks"]]
-			<span class="note">
-				Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>> but will reduce mercenary upkeep
-			</span>
-		</div>
-	<</if>>
-<</if>>
-
-<<if $secExpEnabled == 1>>
-	<<if $weapManu != 1>>
-		<div>
-			[[Convert this sector to weapons manufacturing|Main][cashX(forceNeg(Math.trunc(30000*$upgradeMultiplierArcology)), "capEx"), $weapManu = 1, $sectors[$AS].type = "weapManu"]]
-			<span class="note">
-				Costs <<print cashFormat(Math.trunc(30000*$upgradeMultiplierArcology))>> but will provide a weekly income and will unlock upgrades for our troops
-			</span>
-		</div>
-	<</if>>
-<</if>>
-<div>
-	[[Convert to pens to increase the number of menial slaves you can house|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $sectors[$AS].type = "Pens"]]
-	<span class="note">
-		Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-	</span>
-</div>
-
-<div>
-	<<if $sectors[$AS].type != "Sweatshops">>
-		[[Convert these facilities to use the labor of menial slaves|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $sectors[$AS].type = "Sweatshops"]]
-		<span class="note">
-			Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-		</span>
-	<</if>>
-</div>
-
-<div>
-	<<if $sectors[$AS].type != "Manufacturing">>
-		[[Return this sector to standard manufacturing|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $sectors[$AS].type = "Manufacturing"]]
-		<span class="note">
-			Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-		</span>
-	<</if>>
-</div>
\ No newline at end of file
diff --git a/src/uncategorized/markets.tw b/src/uncategorized/markets.tw
deleted file mode 100644
index 98575b68b49564143915b99f7c1a23755c363f40..0000000000000000000000000000000000000000
--- a/src/uncategorized/markets.tw
+++ /dev/null
@@ -1,45 +0,0 @@
-:: Markets [nobr]
-
-<<set $nextButton = "Back", $nextLink = "Main">>
-
-<p class="scene-intro">
-	This is an area of the concourse occupied by large stores and markets, many of which sell slaves. You control this part of the arcology and all these merchants pay you rent.
-	<<SectorSell>>
-</p>
-
-
-<div>
-	<<if $arcade == 0>>
-		[[Construct a sex arcade to present slaves' holes for public use|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $arcade = 10, $sectors[$AS].type = "Arcade"]]
-		<span class="note">
-			Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>> and will incur upkeep costs
-		</span>
-	<</if>>
-<div>
-
-</div>
-	<<if $pit == 0>>
-		[[Build a pit to host proper slave fights|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $pit = 1, $sectors[$AS].type = "Pit"]]
-		<span class="note">
-			Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-		</span>
-	<</if>>
-<div>
-
-</div>
-	<<if $secExpEnabled == 1 && $transportHub == 0>>
-		[[Centralize and modernize the transport hub|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $transportHub = 1, $sectors[$AS].type = "transportHub", $docks = 1, $railway = 1, $airport = 1]]
-		<span class="note">
-			Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-		</span>
-	<</if>>
-<div>
-
-</div>
-	<<if $corpMarket == 0 && $corpIncorporated == 1>>
-		[[Create a flagship slave market for your corporation here|Main][$corpCash -= Math.trunc(10000*$upgradeMultiplierArcology), $corpMarket = 1, $sectors[$AS].type = "CorporateMarket"]]
-		<span class="note">
-			Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>> of the corporation's money
-		</span>
-	<</if>>
-</div>
diff --git a/src/uncategorized/pens.tw b/src/uncategorized/pens.tw
deleted file mode 100644
index e635df2cfab07f14ab61c0fbc63025e773f29dc9..0000000000000000000000000000000000000000
--- a/src/uncategorized/pens.tw
+++ /dev/null
@@ -1,53 +0,0 @@
-:: Pens [nobr]
-
-<<set $nextButton = "Back", $nextLink = "Main">>
-
-<p class="scene-intro">
-	This is a space in the arcology's service areas, designed to house hundreds of slaves for paying owners. You control this part of the arcology. If you own menial slaves, they will be kept here; otherwise, unused space will be rented to other slave brokers.
-</p>
-
-<<= MenialPopCap()>>
-<div>
-	In total you are able to personally house a total of <<= num($PopCap)>> menial slaves.
-</div>
-<<SectorSell>>
-
-<p>
-	<<if $menials+$menialBioreactors+$fuckdolls > 0>>
-		You own
-		<<if $menials > 0>>
-			<<if $menials > 1>><<print num($menials)>> menial slaves<<if ($menialBioreactors > 0) && ($fuckdolls == 0)>> and<<else>>,<</if>><<else>>one menial slave<<if ($menialBioreactors > 0) && ($fuckdolls == 0)>> and<<else>>,<</if>><</if>>
-		<</if>>
-		<<if $menialBioreactors > 0>>
-			<<if $menialBioreactors > 1>><<print num($menialBioreactors)>> standard bioreactors,<<else>>one standard bioreactor,<</if>>
-			<<if $fuckdolls > 0>>and<</if>>
-		<</if>>
-		<<if $fuckdolls > 0>>
-			<<if $fuckdolls > 1>><<print num($fuckdolls)>> standard Fuckdolls,<<else>>one Fuckdoll,<</if>>
-		<</if>>
-		<<if $menials+$menialBioreactors+$fuckdolls > 0>>partially<</if>>
-		housed in this sector.
-		<<if $menials > 0>>
-			<<if $Sweatshops>>
-				The simple labor slaves toil in $arcologies[0].name's sweatshops, and only return here to sleep.
-			<</if>>
-		<</if>>
-		<<if $fuckdolls > 0>>
-			<<if $arcade>>
-				The menial Fuckdolls are endlessly cycled through $arcadeName. They're restrained there and used by the public until their holes are no longer appealing, and then cycled back down here to rest until they've tightened up again.
-			<</if>>
-		<</if>>
-		<<if $menialBioreactors > 0>>
-			<<if $dairyUpgradeMenials>>
-				Whenever there's space in $dairyName, menial Bioreactors are taken out of storage here and restrained there, with $dairyName's powerful hookups draining them of their useful fluids and feeding them generously so they can produce more.
-			<</if>>
-		<</if>>
-	<</if>>
-</p>
-
-<div>
-	[[Convert this sector into a manufacturing district|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $sectors[$AS].type = "Manufacturing"]]
-	<span class="note">
-		Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-	</span>
-</div>
diff --git a/src/uncategorized/pit.tw b/src/uncategorized/pit.tw
index 176d704400ac45bbb3d053d9ac636cfc3b789455..22618b870374dc9225b07a8c670c44d8a3be899d 100644
--- a/src/uncategorized/pit.tw
+++ b/src/uncategorized/pit.tw
@@ -20,10 +20,7 @@ $pitNameCaps is clean and ready,
 	<div class="choices" style="font-style:normal">
 		<<link "Decommission the pit" "Main">>
 			<<set $pit = 0, $pitAnimal = 0, $pitAnimalType = 0>>
-			<<set _pit = $sectors.findIndex(function(s) { return s.type == "Pit"; })>>
-			<<if _pit != -1>>
-				<<set $sectors[_pit].type = "Markets">>
-			<</if>>
+			<<run App.Arcology.cellUpgrade($building, App.Arcology.Cell.Market, "Pit", "Markets")>>
 		<</link>>
 	</div>
 <</if>>
diff --git a/src/uncategorized/private.tw b/src/uncategorized/private.tw
deleted file mode 100644
index fdc8935a5c18b8faa8852d4842794372ff3516a1..0000000000000000000000000000000000000000
--- a/src/uncategorized/private.tw
+++ /dev/null
@@ -1,47 +0,0 @@
-:: Private [nobr]
-
-<<set $nextButton = "Back", $nextLink = "Main">>
-
-<<UpdateOwnership>>
-<p class="scene-intro">
-	This is a privately-owned
-	<<switch $sectors[$AS].type>>
-		<<case "Shops">>
-			section of the promenade filled with a variety of small, higher-end shops, salons, brothels, and clubs.
-		<<case "Apartments">>
-			sector of the arcology's living areas, occupied by citizens of varying wealth and social standing.
-		<<case "DenseApartments">>
-			sector of the arcology's living areas, upgraded for dense occupancy by as many citizens as possible.
-		<<case "LuxuryApartments">>
-			sector of the arcology's living areas, improved for occupancy by the Free Cities' wealthiest citizens.
-		<<case "Markets">>
-			area of the concourse occupied by large stores and markets, many of which sell slaves.
-		<<case "Manufacturing">>
-			space in the arcology's service areas, rented to a variety of tenants for manufacturing purposes.
-		<<case "Sweatshops">>
-			space in the arcology's service areas, rented to a variety of tenants for sweatshop labor.
-		<<case "Pens">>
-			space in the arcology's service areas, designed to house hundreds of slaves for paying owners.
-		<<default>>
-			ERROR: bad sector type
-	<</switch>>
-
-	<<set $price = 1000*Math.trunc($arcologies[0].prosperity*(1+($arcologies[0].demandFactor/100)))>>
-	You will have to acquire an additional 4% interest in $arcologies[0].name to take control of this sector. Such an interest is worth <<print cashFormat($price)>> and will require a transaction cost of <<print cashFormat(10000)>> to acquire for a total cost of <<print cashFormat($price+10000)>>.
-	<<if $arcologies[0].ownership+$arcologies[0].minority <= 96>>
-		<span style="font-style:normal">
-			[[Buy|Main][cashX(forceNeg($price+10000), "capEx"), $arcologies[0].demandFactor += 20, $sectors[$AS].ownership = 1]]
-		</span>
-		<<if $rep >= 18000>>
-			<div class="choices" style="font-style:normal">
-				<<set $repPrice = Math.clamp($price/2, 0, 18000)>>
-				You have so much political capital that you can spend reputation to acquire ownership by spending reputation.
-				<span style="font-style:normal">
-					[[Use reputation|Main][repX(forceNeg($repPrice), "capEx"), $arcologies[0].ownership += 4, $arcologies[0].demandFactor += 20, $sectors[$AS].ownership = 1]]
-				</span>
-			</div>
-		<</if>>
-	<<else>>
-		Too much of the arcology is owned by a single minority holder for you to force a purchase of this sector right now. Your control of the arcology should naturally resolve this situation in a few weeks.
-	<</if>>
-</p>
\ No newline at end of file
diff --git a/src/uncategorized/shops.tw b/src/uncategorized/shops.tw
deleted file mode 100644
index cef96d4a42533a6366ca5643a253f59f5b69b099..0000000000000000000000000000000000000000
--- a/src/uncategorized/shops.tw
+++ /dev/null
@@ -1,415 +0,0 @@
-:: Shops [nobr]
-
-<<set $nextButton = "Back", $nextLink = "Main">>
-<<setNonlocalPronouns $seeDicks>>
-<p class="scene-intro">
-	This is a section of the promenade
-	<<switch $sectors[$AS].type>>
-		<<case "Shops">>
-			filled with a variety of small, higher-end shops, salons, brothels, and clubs. You control this part of the arcology and all these businesses pay you rent.
-		<<case "Subjugationist">>
-			dedicated to $arcologies[0].FSSubjugationistRace subjugationism. There are genteel dining establishments with $arcologies[0].FSSubjugationistRace wait staff. Shops offer traditional slaving implements, including fine bespoke leather whips. To go by the shrieking, one of these is being tried on a shop's complimentary whipping targets.
-			<span id="result"><<link "Shop there">><<replace "#result">>Interested, you head in to see how the latest styles feel in hand. The fearful slave sales<<= _girlU>>s offer you complimentary tries at the targets, of course. They barely manage to avoid bursting into tears, knowing that if they make the slightest mistake representing the shop to the arcology owner, they'll be chained up for whip trials, too. The rich handmade leather is supple and handy, and readily extracts throat rending screams from the slaves you're encouraged to try it on.<</replace>><</link>></span>
-		<<case "Supremacist">>
-			dedicated to $arcologies[0].FSSupremacistRace supremacism. There are some select social establishments here which don't actually use any slaves at all, offering a surprisingly egalitarian atmosphere in which citizens of the master race can relax in each others' company without any subhuman filth present.
-			<span id="result"><<link "Put in an appearance">><<replace "#result">>You decide to stop in at one of these establishments, and of course your money's no good. You're welcomed with considerable bonhomie, and much less formality than you usually receive at social events in your arcology. Everyone's $arcologies[0].FSSupremacistRace here, and in that you're all equal, and all good friends. Everyone wants to have at least a quick word, and you stay longer than you originally meant to.<</replace>><</link>></span>
-		<<case "Gender Radicalist">>
-			dedicated to Gender Radicalism. The shops here offer a bewildering cornucopia of sex toys. Citizens can kit themselves and their slaves out for anything, regardless of bodily layout. A female citizen is looking over the latest strap-ons, while a male peer is considering versions designed to enable double penetration by one person.
-			<span id="result"><<link "Try one">><<replace "#result">>You decide to try one of the latest models. Naturally, the store is eager to have you seen considering their products. The harness is very comfortable, and it <<if $PC.dick != 0>>equips you with a second phallus. The slave sales<<= _girlU>> lacks a vagina, but encourages you to try the setup on _himU anyway, promising that _hisU backpussy can accept double penetration. It can.<<else>>provides you with an extremely large phallus, which cums from an internal reservoir. The slave sales<<= _girlU>> encourages you to try the setup on _himU, promising that _hisU holes can accommodate it. They can.<</if>><</replace>><</link>></span>
-		<<case "Gender Fundamentalist">>
-			dedicated to Gender Fundamentalism. The establishments here are mostly focused on <<if $arcologies[0].FSRestart != "unset">>keeping slaves attractively feminine. There are shops offering all kinds of treatments, drugs, clothes, and furniture to satisfy even the most discerning lady<<else>>citizen reproduction with slaves. There are shops offering all kinds of treatments, drugs, clothes, and furniture to facilitate the successful impregnation of one's chattel, along with a variety of beauty products to keep them soft and feminine<</if>>.
-			<span id="result"><<link "Get a massage">><<replace "#result">>You decide to put in an appearance at a tenant business, and the massage parlors are of course very eager to offer you complimentary services. The masseuse is very well-trained, and not at all a sex toy with poor massage skills as a veneer for handjob services. _HeU releases the muscle soreness from your latest workout, and uses _hisU delicate touch to bring you to an enjoyable orgasm; _heU <<if $PC.dick != 0>>catches your cum in _hisU mouth and swallows it<<else>>swallows your femcum<</if>> with every appearance of appetite.<</replace>><</link>></span>
-		<<case "Paternalist">>
-			dedicated to Paternalism. Many of the establishments here cater to slaves, some even to slaves exclusively. They offer luxurious and relaxing treatment for good <<= _girlU>>s whose owners send them here as rewards. Trusted slaves enter and exit these without any visible restraint or accompaniment, looking for all the world like pretty <<= _girlU>>s on a day out.
-			<span id="result"><<link "Tour the area">><<replace "#result">>You decide to put in an appearance at these establishments, and tour their front lobbies, listening politely to the educated slave receptionists' polished descriptions of the services offered. You stay out of the back areas, of course; those are for relaxing slaves, and owners typically leave them be while they're there. Most of the slaves moving through the area know who you are, and many of them are confident enough to give you respectful smiles.<</replace>><</link>></span>
-		<<case "Degradationist">>
-			dedicated to Degradationism. The stores for slaveowners sell all sorts of inventive restraints and punishments. There are also a few of a uniquely Degradationist establishment: torture parlors, where any citizen can send a slave for punishment by paying customers, within bounds defined by the owner.
-			<span id="result"><<link "Try a round">><<replace "#result">>You decide to put in an appearance at a tenant business and show off your skills, and the torture parlors are very eager to have you accept a complimentary round. You select a pretty _girlU sent to a torture parlor for some unknown failing by _hisU owner, and use a switch to flog _hisU calves, inner thighs, and breasts until _heU <<if $seePee == 1>>loses control of _hisU bladder<<else>>passes out<</if>>. <<if $PC.skill.slaving >= 100>>You're skilled at this. The trick is to stop just short of blows that will break the skin, applying all possible pain without any inconvenient blood.<<else>>There's a bit of blood, but _hisU owner will expect that.<</if>><</replace>><</link>></span>
-		<<case "Body Purist">>
-			dedicated to Body Purism. There are high end clinics for citizens, with medical specialists skilled in the latest longevity treatments. Shops offer beauty treatments, anti-aging products, and personal massage services. The slave masseuses are naturally beautiful, and their bodies are obviously part of the services offered.
-			<span id="result"><<link "Get a massage">><<replace "#result">>You decide to put in an appearance at a tenant business, and the massage parlors are of course very eager to offer you complimentary services. The masseuse is very well-trained, and not at all a sex toy with poor massage skills as a veneer for handjob services. _HeU releases the muscle soreness from your latest workout, and uses _hisU delicate touch to bring you to an enjoyable orgasm; _heU <<if $PC.dick != 0>>catches your cum in _hisU mouth and swallows it<<else>>swallows your femcum<</if>> with every appearance of appetite.<</replace>><</link>></span>
-		<<case "Transformation Fetishist">>
-			dedicated to Transformation Fetishism. Autosurgeries are expensive, and require a lot of infrastructure, so almost all of your citizens have to send their slaves to clinics for surgical transformation. These establishments attempt to differentiate themselves by specializing in different surgeries, and advertising what they're best at.
-			<span id="result"><<link "Shop around">><<replace "#result">>You decide to shop around the best surgery clinics, to put in an appearance and check out the latest developments available to citizens less exalted than yourself. The slave sales<<= _girlU>>s are all heavily modified silicone bimbos, with an emphasis on whatever their owner's surgical specialty is. The lip specialists' sales<<= _girlU>>s have facepussies so huge they can't talk at all, so they wear touchscreens around their necks that do the talking for them.<</replace>><</link>></span>
-		<<case "Youth Preferentialist">>
-			dedicated to Youth Preferentialism. The shops here are quite varied. Some, like the tailors, only betray their focus on young slaves by their selections of school<<= _girlU>> outfits, girlish leotards, and the like. There are several high-end slave trainers who specialize in maximizing slaves' <<if $seeDicks < 100>>vaginal and <</if>>anal skills while they're still virgins, with instruction only.
-			<span id="result"><<link "Look in on the classes">><<replace "#result">>You decide to put in an appearance and look into the training sessions. Of course, the trainers are very eager to share all the details with the arcology owner, and have you seen displaying an interest in their work. You're shown a classroom of obedient young slaves, right at sale age, paying rapt attention to a male trainer and a slave at the head of the classroom. He's reviewing how to relax during one's first time before 'deflowering' the teacher's assistant, whose <<if $seeDicks > 25>>asshole is allowed to rest and return to virgin tightness<<else>>hymen is surgically restored<</if>> between sessions.<</replace>><</link>></span>
-		<<case "Maturity Preferentialist">>
-			dedicated to Maturity Preferentialism. It's not immediately apparent, though the stores here offer fashions that are obviously designed to flatter mature women, and anti-aging products of all kinds are prominently displayed. What there are, though, are quite a number of pretty, scantily clad female citizens here, obviously retired from sexual slavery and looking to slake their still trained libidos with any handsome fellow citizen interested.
-			<span id="result"><<link "Hook up with a MILF">><<replace "#result">>Many of them recognize you, and it's immediately apparent that you have your choice of pretty much every retired slave present. You select the prettiest and make out with _himU for a while, among many admirers, until you feel like bringing _himU over to a nearby bench and doing _himU. <<if $PC.dick == 0>>_HeU's as eager as a teenager to have a lesbian experience in public, and can't stop giggling as you fuck.<<elseif $arcologies[0].FSGenderFundamentalist != "unset">>Like many recently retired slaves in your arcology, _heU's gotten pregnant as a free _womanU, and it's supercharged _hisU sex drive. No matter what you do to _himU, _heU just wants more.<<elseif $arcologies[0].FSGenderRadicalist != "unset">>_HeU's got a big dick, and clearly has close friends among the other recently retired <<= _girlU>>s, but is very willing to be your bottom, especially in public.<<else>>_HeU was horny to begin with, but the foreplay and the naughtiness of doing it out in public has _himU as eager as a teenager, and _heU goes wild.<</if>><</replace>><</link>></span>
-		<<case "Slimness Enthusiast">>
-			dedicated to Slimness Enthusiasm. The shops here are quite varied. Some, like the tailors, only betray their focus on slim slaves by their selections of lingerie for petite breasts and trim hips. There are a large number of contract slave exercisers and slave dietitians, since many citizens who can afford a slave need assistance there.
-			<span id="result"><<link "Tour the trainers">><<replace "#result">>You decide to put in an appearance and look around the trainers. They're very eager to show you around, of course, and have you seen looking around; your expertise in keeping slaves slender is well known. The most inspiring sight you're shown is a long row of slaves on treadmills, running as fast as their individual fitness can support. They do this nude, since none of them have boobs big enough to require support, offering the sight of a long row of cute butts covered in a sheen of feminine sweat.<</replace>><</link>></span>
-		<<case "Asset Expansionist">>
-			dedicated to Asset Expansionism. The sector's focus is unmissable, even in the clothes stores. Many of the bras on offer look like a cross between an engineering marvel and a bad joke, and there are dresses that look like parachutes when they aren't on a mannequin or worn by a slave sales<<= _girlU>>. Then there's the crane store.
-			<span id="result"><<link "Shop there">><<replace "#result">>You decide to look in on the crane showroom, to see how citizens who don't own enough slaves to do the lifting and carrying are served. The huge-boobed slave sales<<= _girlU>>s show you a variety of wheeled cranes that can help support a slave's breasts if they get too big for _himU to walk, and _heU needs to go somewhere. You have other slaves to help with that, and mechanical assistance built into your penthouse, but not everyone does. The sales<<= _girlU>>s work in pairs, so one of them can unbutton _hisU tent-like blouse and demonstrate the merchandise with _hisU monstrous udders.<</replace>><</link>></span>
-		<<case "Pastoralist">>
-			dedicated to Pastoralism. Milking is mostly done elsewhere, so the establishments here are a curious mix of farm supply stores and eateries. You can sample all kinds of ice cream, shakes, smoothies, cheeses, butter, and other dairy products here, all made from creamy human milk drawn from a busty slave<<= _girlU>>'s breasts. <<if $seeDicks > 0>>There are also all kinds of slave beauty products and foods made from 'the other slave<<= _girlU>> milk,' cum.<</if>>
-			<span id="result"><<link "Tour the kitchens">><<replace "#result">>The eateries are very eager to have you seen inspecting their equipment and methods, and roll out the red carpet for you as they show you around. All kinds of old world culinary skill is on display here: artisan cheesemaking, butter hand-churned by muscular slaves, sweet custards and delicate flans that could compete in any dessert contest in the world. It's all so very refined and normal that it's quite easy to forget completely that the milk that is the basis of all this food comes from slaves.<</replace>><</link>></span>
-		<<case "Physical Idealist">>
-			dedicated to Physical Idealism. There are supplement shops and workout equipment stores here, but they're small and packed into the spaces between all the gyms. These are some of the best patronized gyms in the world, because not only do physical idealists work out, there's a strong inclination to work out in public.
-			<span id="result"><<link "Leg day">><<replace "#result">>It's all very positive, and the one unspoken rule is not to disparage others, but there's definitely competition. So when you step forward and get a complimentary day pass from one of the bubbly, permed slave<<= _girlU>> receptionists, you have an audience. What kind of definition you've got in your quads is going to be a subject of conversation today, but you've got confidence. You lift, and receive respectful complements and bro-fists. Then you take your turn spotting others, an honor your citizens greatly appreciate.<</replace>><</link>></span>
-		<<case "Chattel Religionist">>
-			dedicated to Chattel Religionism. The stores offer all the items useful to a slaveowner who holds the new faith: proper slave restraints and penitent slave garments, of course, but also fine oils and incense, candles, tapers, and other devotional necessities. There are also correctional convents for the assistance of citizens with wayward slaves.
-			<span id="result"><<link "Visit the convents">><<replace "#result">>As a leader of the new faith, your visitation rights on these convents are unquestioned, and their owners are indeed eager to have you look around and offer your revered advice. The average citizen with only a slave or two often needs help keeping <<= _girlU>>s within the faith. The convents are severe houses of correction, and the sounds of prayer and penitence are omnipresent. In one nave, a slave prostrates _himselfU before a religious icon, praying in a loud, desperate tone while <<if $seeDicks == 0>>a woman in nun's attire holding a ribbed vibrating dildo<<elseif $seeDicks < 100>>futanari in nun's attire<<else>>a man in monk's attire<</if>> fucks _himU mercilessly from behind.<</replace>><</link>></span>
-		<<case "Roman Revivalist">>
-			dedicated to Roman Revivalism. Since the forums are out on the arcology's plazas, there are fewer stores here. There are eateries, from which the sharp smell of <span class="note">garum</span> is distinctly identifiable, but most of the space is occupied by hypocaust baths, which are free to enter but include various concession stands run by slaves.
-			<span id="result"><<link "Clean yourself">><<replace "#result">>A good Roman trip to the baths serves to cleanse, but it's a social experience, too. After being oiled down by a skilled slave, you work out in the proper nude, and then have the oil and any dirt scraped off your skin with by another slave. Then you make your way across the heated floor through a set of baths of varying temperatures, ending in a large and egalitarian space where many naked citizens of the new Rome are sharing the news of the day. You're welcomed with surprise, but also with comradeship, and made to feel welcome.<</replace>><</link>></span>
-		<<case "Aztec Revivalist">>
-			dedicated to Aztec Revivalism. There are a variety of stores selling tools of worship ranging from bloodletting daggers to sacrificial altars, some even open for public use. Any blood spilt here flows to a shallow reflecting pool in the middle of the plaza.
-			<span id="result"><<link "Pay tribute">><<replace "#result">>You decide to pay tribute to the gods and draw your preferred tool for bloodletting. You run it across your hand and watch as your blood begins to flow. You let several drops fall into the pool before stemming the flow as a good feeling washes over you.<</replace>><</link>></span>
-		<<case "Egyptian Revivalist">>
-			dedicated to Egyptian Revivalism. There are a bewildering multiplicity of shops here; ancient Egypt is wonderfully fertile of linen fashion, fine jewelry, perfumes, incense, and other luxury goods. Beautiful warm-skinned slave<<= _girlU>>s of all races have wares in hand to offer citizens who pass by, and they seem well-treated.
-			<span id="result"><<link "Shop around">><<replace "#result">>You decide to tour the shops; with so much fine merchandise on offer, it's possible that someone's selling something that even you haven't heard of, and it's always good to see and be seen. The slave sales<<= _girlU>>s are welcoming, and most are so well-trained that despite knowing who you are, they treat you with the same friendly courtesy that they offer everyone. They all offer you the peculiar straight-down curtsey that allows them to keep their necks straight, since they're all wearing gradually melting perfume cakes atop their hair, making them glisten with beguiling scent.<</replace>><</link>></span>
-		<<case "Edo Revivalist">>
-			dedicated to Edo Revivalism. There are strict restrictions on the establishments' décor here, so
-			<span class="note">tatami</span> mats and paper partitions are ubiquitous. There are handsome <span class="note">sake</span> shops and tea rooms offering the traditional ceremony, and <span class="note">kabuki</span> theaters offering the traditional performance, with modern plots and themes.
-			<span id="result"><<link "See a show">><<replace "#result">>As soon as you enter a theater, the play stops, and refined slave attendants usher you forward to the place of honor. None of the citizens present resent the interruption; having you here is a great addition to the performance. The actors bow deeply to you and resume. The classical dance drama is almost impenetrable to outsiders, and the modernity of the characters and events would not be at all decipherable. Once you catch the thread, though, the richness of the allegory towards Free Cities personages and events is quite enjoyable.<</replace>><</link>></span>
-		<<case "Arabian Revivalist">>
-			dedicated to Arabian Revivalism. The thriving mercantilism isn't limited to the slave markets, so many floors below; there are a bewildering variety of shops and stalls here, in no discernible order. Particolored cloth awnings, stacked goods, and bustling menial slaves constantly obscure your view, as pretty slave<<= _girlU>>s hawking luxurious goods do their best to catch your eye.
-			<span id="result"><<link "Visit a coffee house">><<replace "#result">>But you disappoint them, even though some of them artfully manage to fall out of their slinky silk garments as you pass. You look into a little coffeehouse, densely packed with citizens drinking the strong, hot beverage out of tiny china and discussing the news of the day. Coffeehouses are democratic sorts of places and you're welcomed with comradely warmth; prosperous citizens shuffle and pack a little closer to make you a space, and a steaming cup full of almost midnight black coffee appears before you, as if from nowhere.<</replace>><</link>></span>
-		<<case "Chinese Revivalist">>
-			dedicated to Chinese Revivalism. The longest continuous cultural history humanity has provides so much material that no two establishments here fill quite the same niche. There are calligraphy schools and Confucian academies to teach ignorant citizens how to fit in. There are shops selling traditional cures and the latest pharmacological wonders side by side. There are even martial arts schools.
-			<span id="result"><<link "Exercise yourself">><<replace "#result">>You look into one of these. The students are exercising, moving through a series of forms in unison. The teacher recognizes you, <<if $PC.skill.warfare >= 100>>and eagerly beckons you to join. Your martial skill is well known, and he's not disappointed. You're familiar with the forms, and join them seamlessly. Much later, when the exercise is done, the students are extremely pleased to discover exactly who their skillful temporary classmate was.<<else>>and gives you a doubtful, questioning glance, politely asking whether you can join with credit to yourself, all without words. You nod and pick up the forms, having a basic familiarity with them. They're difficult, but you're able to get through the enjoyable exercise with credit.<</if>><</replace>><</link>></span>
-		<<case "Repopulationist">>
-			<<setPlayerPronouns>>
-			dedicated to Repopulationism. The shops here offer a lovely mix of sex toys, fertility agents, maternity wear and furniture to fit even the biggest pregnancy. An attractive slave salesgirl with a huge belly is demonstrating the proper use of a swing designed to accommodate _hisU added heft to a female citizen just beginning to show and her curious husband.
-			<span id="result"><<link "Give the swing a try">><<replace "#result">>You wait for the couple to leave before approaching the hapless _girlU and placing a hand on _hisU vulnerable middle. _HeU squeaks in surprise before _heU realizes just who is browsing _hisU toys and the goods between _hisU legs. <<if $PC.belly >= 5000>>Spreading _hisU legs, you find that _heU is suspended at the perfect height for you to comfortably penetrate _himU; or _heU would be, if your own rounded middle wasn't pushing into _hisU own. _HeU asks for a little help getting down, and afterwards, shows you to a series of harnesses designed to hold a _girlU with _hisU belly dangling beneath _himU. The perfect toy for the very pregnant slaveowner hoping to plow _hisP equally gravid chattel.<<elseif $PC.dick != 0>>Spreading _hisU legs, you find that _heU is suspended at the perfect height for you to comfortably penetrate _himU.<<else>> Picking out an attractive strap-on, donning it, and spreading _hisU legs, you find that _heU is suspended at the perfect height for you to comfortably penetrate _himU.<</if>> Even better, the swing handles _hisU weight, so no sprained back!<</replace>><</link>></span>
-		<<case "Eugenics">>
-			dedicated to Eugenics. You knew the individuals drawn into your society had connections, but you had no idea they were this extensive! If you can think of it, a shop here is selling it; though they are not cheap, only the finest available merchandise is for sale here. Numerous recognizable faces browse the storefronts, accompanied by their favorite chattel, and upon noticing you, vie for your valuable attention.
-			<<if $PC.preg > 20 && ($PC.pregSource == -1 || $PC.pregSource == -6)>>
-				<span id="result"><<link "Shop around">><<replace "#result">>You decide to waddle between the shops; with so much fine merchandise on offer, it's possible that someone's selling something to fulfill your growing cravings, and it's always good to see and be seen, especially with a middle rounded with a superior child. The slave sales<<= _girlU>>s are accommodating and welcoming; most are so well-trained that they treat you with the respect a member of the Societal Elite deserves. They all offer you a curtsey that allows them lift their skirts, revealing the appropriate chastity. You end up leaving the stores with bags and bags of exotic foods and treats as well as a cute dress that shows off your pregnancy.<</replace>><</link>></span>
-			<<elseif $PC.title == 1>>
-				<span id="result"><<link "Shop around">><<replace "#result">>You decide to wander between the shops; with so much fine merchandise on offer, it's possible that someone's selling something to catch your discerning eye, and it's always good to see and be seen. The slave sales<<= _girlU>>s are welcoming and most are so well-trained that they treat you with the respect a member of the Societal Elite deserves. They all offer you a curtsey that allows them lift their skirts, revealing the appropriate chastity. You end up leaving the stores with several fancy chastity belts and an amazing suit you can't wait to debut at your next social meeting.<</replace>><</link>></span>
-			<<else>>
-				<span id="result"><<link "Shop around">><<replace "#result">>You decide to wander between the shops; with so much fine merchandise on offer, it's possible that someone's selling something to catch your discerning eye, and it's always good to see and be seen. The slave sales<<= _girlU>>s are welcoming and most are so well-trained that they treat you with the respect a member of the Societal Elite deserves. They all offer you a curtsey that allows them lift their skirts, revealing the appropriate chastity. You end up leaving the stores with several fancy chastity belts, a bag of tasty treats and an alluring dress you can't wait to debut at your next social meeting.<</replace>><</link>></span>
-			<</if>>
-		<<case "Hedonism">>
-			dedicated to Hedonism. The establishments here are nearly all eateries, with a few sex shops and plus size clothing stores thrown in for good measure. Lovely smells fill the air, drawing your attention to the food vendors. Plump, cheerful slave<<= _girlU>>s are present outside most of them offering free samples of the food sold within. You can't help but sample as you browse the menus.
-			<span id="result"><<link "Conduct a more thorough culinary inspection">><<replace "#result">>The eateries are very eager to have you seen enjoying their food, and go all out in their presentations. Plate after plate, vendor after vendor, you are treated to the best they can make and as much as you want, free of charge. You make sure to not go too crazy, but by the final restaurant, your clothing is definitely getting a little tight around your bloated belly. After a number of glowing reviews, you're left with making your way back home. Fortunately, your arcology features plenty of moving walkways and escalators, so you can relax as your infrastructure delivers you right back to your penthouse.<</replace>><</link>></span>
-		<<case "Intellectual Dependency">>
-			dedicated to Intellectual Dependency. The shops all have one thing in common, they are incredibly eye-catching in the hopes that a wanting bimbo will whine _hisU master into buy something to shut _himU up. From skimpy outfits to simple to use sex toys, everything an airheaded slave may want on a whim is on display; unsurprisingly, the shop selling complex gags is also doing quite well. Most of the shops have slave sales<<= _girlU>>s out front attempting to demonstrate the merchandise.
-			<span id="result"><<link "Take in a sales pitch">><<replace "#result">>You decide to stop and watch one try _hisU best to sell vibrating dildos. The toys are designed to automatically start vibrating when gripped so even the densest of slave<<print _girlU>> can figure out how to work it. You know you picked a winner when _heU grabs one and immediately flings it into the crowd in surprise when it activates. Completely undeterred by the laughter, _heU makes for another, this time focusing entirely on not being shocked by it this time. _HeU stands there, completely fixated on the wiggling phallus in _hisU hands, until another onlooker prods _himU to continue with _hisU advertising. Needless to say, yet another sex toy goes flying; this time, however, _heU goes after it, giving the crowd a clear view up _hisU skirt at _hisU clear arousal. Enjoying the now masturbating slave's show, you pick out a few to humor your own slaves with.<</replace>><</link>></span>
-		<<case "Slave Professionalism">>
-			dedicated to Intellectual Dependency. There are surprisingly wide selection of shops here, each designed to stimulate the minds of curious looky-loos. Well-trained slaves can often be spotted seeking out new ways to improve their Masters' reputations and lives. The pride of the strip is a slave run massage parlor featuring some of the most skilled hands the arcology has to offer.
-			<span id="result"><<link "Get a massage">><<replace "#result">>You decide to put in an appearance at the facility and the slaves in charge are of course very eager to offer you complimentary services. The masseuse is nothing short of a master of the art and knows how to balance relaxation and physical pleasure. _HeU releases the muscle soreness from your latest workout and throughout _hisU service uses _hisU delicate touch to keep you on the edge of orgasm until _hisU job is complete. The finale of _hisU work pushes you to an exquisite climax where _heU <<if $PC.dick != 0>>catches your cum in _hisU mouth and swallows it<<else>>swallows your femcum<</if>> with a grace only found among your slave population.<</replace>><</link>></span>
-		<<case "Petite Admiration">>
-			dedicated to Petite Admiration. The shops here are mostly focused on providing the tools and equipment a short slave will need to properly care for their Master and his abode. Several fashion lines have cropped up to provide matching clothing tailored to the shorter clientele and their often taller owners. There's even a sex shop that specializes in extreme differences in height.
-			<<if $PC.height >= 170>>
-				<span id="result"><<link "Take a harness out for a spin">><<replace "#result">>
-					The shop has a selection of harnesses available for testing and a number of minuscule slave<<print _girlU>>s to try out. You fasten one on and carry on browsing the rest of the stores.
-					<<if $PC.dick > 0>>
-						The squirming _girlU currently housing your cock makes it very difficult to focus on anything else, so you mostly just walk the hall, busting load after load into the overstimulated slave and effectively giving the store free advertisement.
-					<<else>>
-						The squirming _girlU currently wrapped around a strap-on makes it very difficult to focus on anything else, so you mostly just walk the hall, further over stimulating the panting slave and effectively giving the store free advertisement.
-					<</if>>
-					By the time you return, you aren't the only one interested in purchasing a harness for home use.
-				<</replace>><</link>></span>
-			<<else>>
-				<span id="result"><<link "Pay it a visit">><<replace "#result">>
-					As you browse their goods, it becomes more and more apparent that you yourself are too short to really make use of any of them.
-				<</replace>><</link>></span>
-			<</if>>
-		<<case "Statuesque Glorification">>
-			dedicated to Statuesque Glorification. The shops here are overwhelmingly dedicated to the tall; not a single shop caters the slightest to anyone below the height threshold. Most of the shops sell clothing specially tailored to their towering patrons, though a handful also sell furniture and appliances made to comfortably accommodate a more lengthy population. The crown attraction, however, is a modest indoor amusement park designed both to make the most of a riders height and invoke a sense of envy in those unable to ride.
-			<<if $PC.height >= 170>>
-				<span id="result"><<link "Give the roller coaster a spin">>While it isn't the most thrilling ride, given the constraints it has to work with, but it does wind through the various footpaths of the promenade to maximize visibility and to remind those to short to ride of their place.<<replace "#result">><</replace>><</link>></span>
-			<<else>>
-				You can only watch as your citizens have fun and savor the bitter feeling of them looking down on their hilariously short leader.
-			<</if>>
-		<<default>>ERROR: bad sector type
-	<</switch>>
-	<<if $sectors[$AS].type == "Shops">>
-		<<SectorSell>>
-	<</if>>
-</p>
-
-<div>
-	<<if $brothel == 0>>
-		[[Convert this sector of the promenade into a brothel|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $brothel = 5, $sectors[$AS].type = "Brothel"]]
-		<span class="note">
-			Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>> and will incur upkeep costs
-		</span>
-	<</if>>
-</div>
-
-<div>
-	<<if $club == 0>>
-		[[Build a club to serve as a focal point for public sluts|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $club = 5, $sectors[$AS].type = "Club"]]
-		<span class="note">
-			Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>> and will incur upkeep costs
-		</span>
-	<</if>>
-</div>
-
-<<if $sectors[$AS].type != "Brothel" && $sectors[$AS].type != "Club">>
-	<<if $FSAnnounced>>
-		<div>
-			<<if $sectors[$AS].type != "Shops">>
-				<<set _currentFSStyle = $sectors[$AS].type>>
-				<<set _currentFSStyle = _currentFSStyle.replace(/\s+/g, '')>>
-			<</if>>
-		</div>
-
-		<div>
-			<<if $arcologies[0].FSSubjugationist != "unset">>
-				<<if $FSPromenade.Subjugationist == 0>>
-					[[Upgrade this sector to appeal to Subjugationist establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.Subjugationist = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Subjugationist"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<</if>>
-		</div>
-
-		<div>
-			<<if $arcologies[0].FSSupremacist != "unset">>
-				<<if $FSPromenade.Supremacist == 0>>
-					[[Upgrade this sector to appeal to Supremacist establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.Supremacist = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Supremacist"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<</if>>
-		</div>
-
-		<div>
-			<<if $arcologies[0].FSGenderRadicalist != "unset">>
-				<<if $FSPromenade.GenderRadicalist == 0>>
-					[[Upgrade this sector to appeal to Gender Radicalist establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.GenderRadicalist = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Gender Radicalist"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<<elseif $arcologies[0].FSGenderFundamentalist != "unset">>
-				<<if $FSPromenade.GenderFundamentalist == 0>>
-					[[Upgrade this sector to appeal to Gender Fundamentalist establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.GenderFundamentalist = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Gender Fundamentalist"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<</if>>
-		</div>
-
-		<div>
-			<<if $arcologies[0].FSPaternalist != "unset">>
-				<<if $FSPromenade.Paternalist == 0>>
-					[[Upgrade this sector to appeal to Paternalist establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.Paternalist = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Paternalist"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<<elseif $arcologies[0].FSDegradationist != "unset">>
-				<<if $FSPromenade.Degradationist == 0>>
-					[[Upgrade this sector to appeal to Degradationist establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.Degradationist = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Degradationist"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<</if>>
-		</div>
-
-		<div>
-			<<if $arcologies[0].FSIntellectualDependency != "unset">>
-				<<if $FSPromenade.IntellectualDependency == 0>>
-					[[Upgrade this sector to appeal to Intellectual Dependency establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.IntellectualDependency = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Intellectual Dependency"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<<elseif $arcologies[0].FSSlaveProfessionalism != "unset">>
-				<<if $FSPromenade.SlaveProfessionalism == 0>>
-					[[Upgrade this sector to appeal to Slave Professionalism establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.SlaveProfessionalism = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Slave Professionalism"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<</if>>
-		</div>
-
-		<div>
-			<<if $arcologies[0].FSBodyPurist != "unset">>
-				<<if $FSPromenade.BodyPurist == 0>>
-					[[Upgrade this sector to appeal to Body Purist establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.BodyPurist = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Body Purist"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<<elseif $arcologies[0].FSTransformationFetishist != "unset">>
-				<<if $FSPromenade.TransformationFetishist == 0>>
-					[[Upgrade this sector to appeal to Transformation Fetishist establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.TransformationFetishist = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Transformation Fetishist"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<</if>>
-		</div>
-
-		<div>
-			<<if $arcologies[0].FSYouthPreferentialist != "unset">>
-				<<if $FSPromenade.YouthPreferentialist == 0>>
-					[[Upgrade this sector to appeal to Youth Preferentialist establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.YouthPreferentialist = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Youth Preferentialist"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<<elseif $arcologies[0].FSMaturityPreferentialist != "unset">>
-				<<if $FSPromenade.MaturityPreferentialist == 0>>
-					[[Upgrade this sector to appeal to Maturity Preferentialist establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.MaturityPreferentialist = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Maturity Preferentialist"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<</if>>
-		</div>
-
-		<div>
-			<<if $arcologies[0].FSPetiteAdmiration != "unset">>
-				<<if $FSPromenade.PetiteAdmiration == 0>>
-					[[Upgrade this sector to appeal to Petite Admiration establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.PetiteAdmiration = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Petite Admiration"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<<elseif $arcologies[0].FSStatuesqueGlorification != "unset">>
-				<<if $FSPromenade.StatuesqueGlorification == 0>>
-					[[Upgrade this sector to appeal to Statuesque Glorification establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.StatuesqueGlorification = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Statuesque Glorification"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<</if>>
-		</div>
-
-		<div>
-			<<if $arcologies[0].FSSlimnessEnthusiast != "unset">>
-				<<if $FSPromenade.SlimnessEnthusiast == 0>>
-					[[Upgrade this sector to appeal to Slimness Enthusiast establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.SlimnessEnthusiast = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Slimness Enthusiast"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<<elseif $arcologies[0].FSAssetExpansionist != "unset">>
-				<<if $FSPromenade.AssetExpansionist == 0>>
-					[[Upgrade this sector to appeal to Asset Expansionist establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.AssetExpansionist = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Asset Expansionist"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<</if>>
-		</div>
-
-		<div>
-			<<if $arcologies[0].FSPastoralist != "unset">>
-				<<if $FSPromenade.Pastoralist == 0>>
-					[[Upgrade this sector to appeal to Pastoralist establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.Pastoralist = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Pastoralist"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<</if>>
-		</div>
-
-		<div>
-			<<if $arcologies[0].FSPhysicalIdealist != "unset">>
-				<<if $FSPromenade.PhysicalIdealist == 0>>
-					[[Upgrade this sector to appeal to Physical Idealist establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.PhysicalIdealist = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Physical Idealist"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<<elseif $arcologies[0].FSHedonisticDecadence != "unset">>
-				<<if $FSPromenade.Hedonism == 0>>
-					[[Upgrade this sector to appeal to Hedonistic establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.Hedonism = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Hedonism"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<</if>>
-		</div>
-
-		<div>
-			<<if $arcologies[0].FSRepopulationFocus != "unset">>
-				<<if $FSPromenade.Repopulationist == 0>>
-					[[Upgrade this sector to appeal to Repopulationist establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.Repopulationist = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Repopulationist"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<<elseif $arcologies[0].FSRestart != "unset">>
-				<<if $FSPromenade.Eugenics == 0>>
-					[[Upgrade this sector to appeal to Eugenics establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.Eugenics = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Eugenics"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<</if>>
-		</div>
-
-		<div>
-			<<if $arcologies[0].FSChattelReligionist != "unset">>
-				<<if $FSPromenade.ChattelReligionist == 0>>
-					[[Upgrade this sector to appeal to Chattel Religionist establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.ChattelReligionist = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Chattel Religionist"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<</if>>
-		</div>
-
-		<div>
-			<<if $arcologies[0].FSRomanRevivalist != "unset">>
-				<<if $FSPromenade.RomanRevivalist == 0>>
-					[[Upgrade this sector to appeal to Roman Revivalist establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.RomanRevivalist = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Roman Revivalist"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<<elseif $arcologies[0].FSAztecRevivalist != "unset">>
-				<<if $FSPromenade.AztecRevivalist == 0>>
-					[[Upgrade this sector to appeal to Aztec Revivalist establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.AztecRevivalist = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Aztec Revivalist"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<<elseif $arcologies[0].FSEgyptianRevivalist != "unset">>
-				<<if $FSPromenade.EgyptianRevivalist == 0>>
-					[[Upgrade this sector to appeal to Egyptian Revivalist establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.EgyptianRevivalist = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Egyptian Revivalist"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<<elseif $arcologies[0].FSEdoRevivalist != "unset">>
-				<<if $FSPromenade.EdoRevivalist == 0>>
-					[[Upgrade this sector to appeal to Edo Revivalist establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.EdoRevivalist = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Edo Revivalist"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<<elseif $arcologies[0].FSArabianRevivalist != "unset">>
-				<<if $FSPromenade.ArabianRevivalist == 0>>
-					[[Upgrade this sector to appeal to Arabian Revivalist establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.ArabianRevivalist = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Arabian Revivalist"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<<elseif $arcologies[0].FSChineseRevivalist != "unset">>
-				<<if $FSPromenade.ChineseRevivalist == 0>>
-					[[Upgrade this sector to appeal to Chinese Revivalist establishments|Main][cashX(forceNeg(Math.trunc(10000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.ChineseRevivalist = 1, $FSPromenade[_currentFSStyle] = 0, $sectors[$AS].type = "Chinese Revivalist"]]
-					<span class="note">
-						Costs <<print cashFormat(Math.trunc(10000*$upgradeMultiplierArcology))>>
-					</span>
-				<</if>>
-			<</if>>
-		</div>
-
-		<div>
-			<<if $sectors[$AS].type != "Shops">>
-				[[Return this sector to standard outlets|Main][cashX(forceNeg(Math.trunc(5000*$upgradeMultiplierArcology)), "capEx"), $FSPromenade.Subjugationist = 0, $FSPromenade.Supremacist = 0, $FSPromenade.GenderRadicalist = 0, $FSPromenade.GenderFundamentalist = 0, $FSPromenade.Paternalist = 0, $FSPromenade.Degradationist = 0, $FSPromenade.BodyPurist = 0, $FSPromenade.TransformationFetishist = 0, $FSPromenade.YouthPreferentialist = 0, $FSPromenade.MaturityPreferentialist = 0, $FSPromenade.SlimnessEnthusiast = 0, $FSPromenade.AssetExpansionist = 0, $FSPromenade.Pastoralist = 0, $FSPromenade.PhysicalIdealist = 0, $FSPromenade.ChattelReligionist = 0, $FSPromenade.RomanRevivalist = 0, $FSPromenade.AztecRevivalist = 0, $FSPromenade.EgyptianRevivalist = 0, $FSPromenade.EdoRevivalist = 0, $FSPromenade.ArabianRevivalist = 0, $FSPromenade.ChineseRevivalist = 0, $FSPromenade.Repopulationist = 0, $FSPromenade.Eugenics = 0, $FSPromenade.Hedonism = 0, $FSPromenade.IntellectualDependency = 0, $FSPromenade.SlaveProfessionalism = 0, $FSPromenade.PetiteAdmiration = 0, $FSPromenade.StatuesqueGlorification = 0, $sectors[$AS].type = "Shops"]]
-				<span class="note">
-					Costs <<print cashFormat(Math.trunc(5000*$upgradeMultiplierArcology))>>
-				</span>
-			<</if>>
-		</div>
-	<</if>>
-<</if>>