code
stringlengths
0
56.1M
repo_name
stringclasses
515 values
path
stringlengths
2
147
language
stringclasses
447 values
license
stringclasses
7 values
size
int64
0
56.8M
// Copyright (c) 2013 The Chromium Embedded Framework Authors. All rights // reserved. Use of this source code is governed by a BSD-style license that // can be found in the LICENSE file. #include "fchost_app.h" #include <string> #include "include/cef_browser.h" #include "include/cef_command_line.h" #include "include/views/cef_browser_view.h" #include "include/views/cef_window.h" #include "include/wrapper/cef_helpers.h" #include "fchost_handler.h" #include "fchost_storage_js.h" namespace { // When using the Views framework this object provides the delegate // implementation for the CefWindow that hosts the Views-based browser. class SimpleWindowDelegate : public CefWindowDelegate { public: explicit SimpleWindowDelegate(CefRefPtr<CefBrowserView> browser_view) : browser_view_(browser_view) {} void OnWindowCreated(CefRefPtr<CefWindow> window) OVERRIDE { // Add the browser view and show the window. window->AddChildView(browser_view_); window->Show(); // Give keyboard focus to the browser view. browser_view_->RequestFocus(); } void OnWindowDestroyed(CefRefPtr<CefWindow> window) OVERRIDE { browser_view_ = NULL; } bool CanClose(CefRefPtr<CefWindow> window) OVERRIDE { // Allow the window to close if the browser says it's OK. CefRefPtr<CefBrowser> browser = browser_view_->GetBrowser(); if (browser) return browser->GetHost()->TryCloseBrowser(); return true; } CefSize GetPreferredSize(CefRefPtr<CefView> view) OVERRIDE { return CefSize(800, 600); } private: CefRefPtr<CefBrowserView> browser_view_; IMPLEMENT_REFCOUNTING(SimpleWindowDelegate); DISALLOW_COPY_AND_ASSIGN(SimpleWindowDelegate); }; } // namespace FCHostApp::FCHostApp() {} void FCHostApp::OnContextInitialized() { CEF_REQUIRE_UI_THREAD(); CefRefPtr<CefCommandLine> command_line = CefCommandLine::GetGlobalCommandLine(); #if defined(OS_WIN) || defined(OS_LINUX) // Create the browser using the Views framework if "--use-views" is specified // via the command-line. Otherwise, create the browser using the native // platform framework. The Views framework is currently only supported on // Windows and Linux. const bool use_views = command_line->HasSwitch("use-views"); #else const bool use_views = false; #endif // FCHostHandler implements browser-level callbacks. CefRefPtr<FCHostHandler> handler(new FCHostHandler(use_views)); // Specify CEF browser settings here. CefBrowserSettings browser_settings; // Persist local storage browser_settings.local_storage = STATE_ENABLED; // For now, read from external file. Probably want to make this a resource // at least on Windows. #if defined(OS_WIN) wchar_t target_path[_MAX_PATH]; GetModuleFileNameW(NULL, target_path, _MAX_PATH); std::wstring url = target_path; size_t pos = url.find_last_of(L"\\/"); url = url.substr(0, pos); url += L"/FC_pregmod.html"; #else #error "Platform-specific code needed" #endif // Allow some access flexibility for our local file browser_settings.file_access_from_file_urls = STATE_ENABLED; browser_settings.universal_access_from_file_urls = STATE_ENABLED; if (use_views) { // Create the BrowserView. CefRefPtr<CefBrowserView> browser_view = CefBrowserView::CreateBrowserView( handler, url, browser_settings, NULL, NULL, NULL); // Create the Window. It will show itself after creation. CefWindow::CreateTopLevelWindow(new SimpleWindowDelegate(browser_view)); } else { // Information used when creating the native window. CefWindowInfo window_info; #if defined(OS_WIN) // On Windows we need to specify certain flags that will be passed to // CreateWindowEx(). window_info.SetAsPopup(NULL, "FCHost"); #endif // Create the first browser window. CefBrowserHost::CreateBrowser(window_info, handler, url, browser_settings, NULL, NULL); } } void FCHostApp::OnContextCreated(CefRefPtr<CefBrowser> browser, CefRefPtr<CefFrame> frame, CefRefPtr<CefV8Context> context) { FCHostStorageRegister(GetLocalStorePath().ToWString() + L"/FCHostPersistentStorage", context->GetGlobal()); }
MonsterMate/fc
FCHost/fchost/fchost_app.cc
C++
mit
4,184
// Copyright (c) 2013 The Chromium Embedded Framework Authors. All rights // reserved. Use of this source code is governed by a BSD-style license that // can be found in the LICENSE file. #pragma once #include "include/cef_app.h" // Implement application-level callbacks for the browser process. class FCHostApp : public CefApp, public CefBrowserProcessHandler, public CefRenderProcessHandler { public: FCHostApp(); // CefApp methods: virtual CefRefPtr<CefBrowserProcessHandler> GetBrowserProcessHandler() OVERRIDE { return this; } virtual CefRefPtr<CefRenderProcessHandler> GetRenderProcessHandler() OVERRIDE { return this; } // CefBrowserProcessHandler methods: virtual void OnContextInitialized() OVERRIDE; virtual void OnContextCreated(CefRefPtr<CefBrowser> browser, CefRefPtr<CefFrame> frame, CefRefPtr<CefV8Context> context) OVERRIDE; CefString GetLocalStorePath(); private: // Include the default reference counting implementation. IMPLEMENT_REFCOUNTING(FCHostApp); };
MonsterMate/fc
FCHost/fchost/fchost_app.h
C++
mit
1,025
// Copyright (c) 2013 The Chromium Embedded Framework Authors. All rights // reserved. Use of this source code is governed by a BSD-style license that // can be found in the LICENSE file. #pragma once #include "include/cef_client.h" #include <list> class FCHostHandler : public CefClient, public CefDisplayHandler, public CefLifeSpanHandler, public CefLoadHandler, public CefDownloadHandler, public CefKeyboardHandler { public: explicit FCHostHandler(bool use_views); ~FCHostHandler(); // Provide access to the single global instance of this object. static FCHostHandler* GetInstance(); // CefClient methods: virtual CefRefPtr<CefDisplayHandler> GetDisplayHandler() OVERRIDE { return this; } virtual CefRefPtr<CefLifeSpanHandler> GetLifeSpanHandler() OVERRIDE { return this; } virtual CefRefPtr<CefLoadHandler> GetLoadHandler() OVERRIDE { return this; } virtual CefRefPtr<CefDownloadHandler> GetDownloadHandler() OVERRIDE { return this; } virtual CefRefPtr<CefKeyboardHandler> GetKeyboardHandler() OVERRIDE { return this; } // CefDisplayHandler methods: virtual void OnTitleChange(CefRefPtr<CefBrowser> browser, const CefString& title) OVERRIDE; virtual bool OnConsoleMessage(CefRefPtr<CefBrowser> browser, cef_log_severity_t level, const CefString& message, const CefString& source, int line) OVERRIDE; // CefLifeSpanHandler methods: virtual void OnAfterCreated(CefRefPtr<CefBrowser> browser) OVERRIDE; virtual bool DoClose(CefRefPtr<CefBrowser> browser) OVERRIDE; virtual void OnBeforeClose(CefRefPtr<CefBrowser> browser) OVERRIDE; // CefLoadHandler methods: virtual void OnLoadError(CefRefPtr<CefBrowser> browser, CefRefPtr<CefFrame> frame, ErrorCode errorCode, const CefString& errorText, const CefString& failedUrl) OVERRIDE; virtual void OnLoadEnd(CefRefPtr<CefBrowser> browser, CefRefPtr<CefFrame> frame, int httpStatusCode) OVERRIDE; // CefDownloadHandler methods: virtual void OnBeforeDownload(CefRefPtr<CefBrowser> browser, CefRefPtr<CefDownloadItem> download_item, const CefString& suggested_name, CefRefPtr< CefBeforeDownloadCallback > callback) OVERRIDE; // CefKeyboardHandler methods: virtual bool OnPreKeyEvent(CefRefPtr<CefBrowser> browser, const CefKeyEvent& event, CefEventHandle os_event, bool* is_keyboard_shortcut) OVERRIDE; // Request that all existing browser windows close. void CloseAllBrowsers(bool force_close); bool IsClosing() const { return is_closing_; } private: // Platform-specific implementation. void PlatformTitleChange(CefRefPtr<CefBrowser> browser, const CefString& title); // True if the application is using the Views framework. const bool use_views_; // List of existing browser windows. Only accessed on the CEF UI thread. typedef std::list<CefRefPtr<CefBrowser>> BrowserList; BrowserList browser_list_; bool is_closing_; // Include the default reference counting implementation. IMPLEMENT_REFCOUNTING(FCHostHandler); };
MonsterMate/fc
FCHost/fchost/fchost_handler.h
C++
mit
3,345
// Copyright (c) 2013 The Chromium Embedded Framework Authors. All rights // reserved. Use of this source code is governed by a BSD-style license that // can be found in the LICENSE file. #include "fchost_handler.h" #include <windows.h> #include <string> #include "include/cef_browser.h" #include "resource.h" void FCHostHandler::PlatformTitleChange(CefRefPtr<CefBrowser> browser, const CefString& title) { CefWindowHandle hwnd = browser->GetHost()->GetWindowHandle(); static bool haveSetIcon = false; if (!haveSetIcon) { HICON hicon = LoadIcon(GetModuleHandle(NULL), MAKEINTRESOURCE(IDI_FCHOST)); SendMessage(hwnd, WM_SETICON, ICON_SMALL, reinterpret_cast<LPARAM>(hicon)); SendMessage(hwnd, WM_SETICON, ICON_BIG, reinterpret_cast<LPARAM>(hicon)); DestroyIcon(hicon); haveSetIcon = true; } SetWindowText(hwnd, std::wstring(title).c_str()); }
MonsterMate/fc
FCHost/fchost/fchost_handler_win.cc
C++
mit
915
#include "fchost_storage.h" #include <algorithm> #if defined(OS_WIN) #include "shlwapi.h" #endif CefRefPtr<CefV8Value> FCHostSessionStorage::keys() const { // holy hell this is awful. I hope Sugarcube doesn't actually USE this... CefRefPtr<CefV8Value> ret = CefV8Value::CreateArray(static_cast<int>(storage.size())); auto itr = storage.cbegin(); for (int i = 0; i < static_cast<int>(storage.size()); ++i, ++itr) { ret->SetValue(i, CefV8Value::CreateString(itr->first)); } return ret; } #if defined(OS_WIN) /* This shouldn't happen, so don't waste time on it. Sugarcube really only writes simple alphanumeric keys. static bool SanitizePath(std::wstring& inpath) { std::transform(inpath.begin(), inpath.end(), inpath.begin(), [](wchar_t c) { if (PathGetCharTypeW(c) != GCT_LFNCHAR) return L'_'; else return c; }); } */ void FCHostPersistentStorage::set(const CefString& key, CefRefPtr<CefV8Value> val) { __super::set(key, val); // only strings get persisted (should be OK, Sugarcube will serialize first) if (val->IsString()) { // we should probably be doing this async but TBT Sugarcube is the slow part, not the file IO DWORD written; HANDLE fh = CreateFile(get_filename(key).c_str(), GENERIC_WRITE, 0, NULL, CREATE_ALWAYS, FILE_ATTRIBUTE_NORMAL, NULL); CefString valStr = val->GetStringValue(); if (valStr.size() > 0) { WriteFile(fh, valStr.c_str(), static_cast<DWORD>(valStr.size() * sizeof(valStr.c_str()[0])), &written, NULL); } CloseHandle(fh); } } bool FCHostPersistentStorage::remove(const CefString& key) { bool retval = __super::remove(key); DeleteFile(get_filename(key).c_str()); return retval; } void FCHostPersistentStorage::clear() { __super::clear(); WIN32_FIND_DATAW w32fd; HANDLE hFind = FindFirstFile((path + L"\\*").c_str(), &w32fd); if (hFind != INVALID_HANDLE_VALUE) { do { if (w32fd.dwFileAttributes & ~(FILE_ATTRIBUTE_DIRECTORY | FILE_ATTRIBUTE_DEVICE)) { DeleteFile(get_filename(w32fd.cFileName).c_str()); } } while (FindNextFile(hFind, &w32fd)); FindClose(hFind); } } void FCHostPersistentStorage::load() { constexpr size_t bufsize = 1024 * 1024 * 1024; // 1gb should be enough char* readbuf = new char[bufsize]; WIN32_FIND_DATAW w32fd; HANDLE hFind = FindFirstFile((path + L"\\*").c_str(), &w32fd); if (hFind != INVALID_HANDLE_VALUE) { do { if (w32fd.dwFileAttributes & ~(FILE_ATTRIBUTE_DIRECTORY | FILE_ATTRIBUTE_DEVICE)) { DWORD bytesread = 0; HANDLE fh = CreateFile(get_filename(w32fd.cFileName).c_str(), GENERIC_READ, 0, NULL, OPEN_EXISTING, FILE_ATTRIBUTE_NORMAL, NULL); if (fh) { BOOL success = ReadFile(fh, readbuf, static_cast<DWORD>(bufsize - 1), &bytesread, NULL); if (success) { readbuf[bytesread] = L'\0'; readbuf[bytesread+1] = L'\0'; // null terminate CefString val = reinterpret_cast<wchar_t*>(readbuf); storage.emplace(w32fd.cFileName, CefV8Value::CreateString(val)); } CloseHandle(fh); } } } while (FindNextFile(hFind, &w32fd)); FindClose(hFind); } delete[] readbuf; } std::wstring FCHostPersistentStorage::get_filename(const CefString& key) const { return path + L"\\" + key.c_str(); } void FCHostPersistentStorage::ensure_folder_exists() const { // ignore returned errors CreateDirectory(path.c_str(), NULL); } #else #error "Platform-specific persistent storage implementation required." #endif
MonsterMate/fc
FCHost/fchost/fchost_storage.cc
C++
mit
3,425
#pragma once #include "include/cef_app.h" // probably excessive #include <map> #include <string> // simple memory-backed session storage class FCHostSessionStorage { public: virtual size_t size() const { return storage.size(); }; virtual CefRefPtr<CefV8Value> /* string array */ keys() const; virtual bool has(const CefString& key) const { return (storage.find(key) != storage.cend()); }; virtual CefRefPtr<CefV8Value> get(const CefString& key) const { auto itr = storage.find(key); if (itr == storage.cend()) return CefV8Value::CreateNull(); else return itr->second; }; virtual void set(const CefString& key, CefRefPtr<CefV8Value> val) { storage.insert_or_assign(key, val); }; virtual bool remove(const CefString& key) { return (storage.erase(key) > 0); }; virtual void clear() { storage.clear(); }; protected: std::map<CefString, CefRefPtr<CefV8Value>> storage; }; // memory-backed, disk-persistent local storage class FCHostPersistentStorage : public FCHostSessionStorage { public: FCHostPersistentStorage(const std::wstring& _path) : path(_path) { ensure_folder_exists(); load(); }; virtual void set(const CefString& key, CefRefPtr<CefV8Value> val) override; virtual bool remove(const CefString& key) override; virtual void clear() override; private: void load(); void ensure_folder_exists() const; std::wstring get_filename(const CefString& key) const; std::wstring path; };
MonsterMate/fc
FCHost/fchost/fchost_storage.h
C++
mit
1,418
#include "fchost_storage_js.h" #include <memory> // static storage objects (not threadsafe, probably doesn't matter, since they'll execute within a JS context) static std::unique_ptr<FCHostPersistentStorage> persist; static std::unique_ptr<FCHostSessionStorage> session; // storage handler js hook implementations #define REGJSFUNC(x) { \ CefRefPtr<CefV8Value> func = CefV8Value::CreateFunction(x, handler); \ object->SetValue(x, func, V8_PROPERTY_ATTRIBUTE_NONE); } static void AttachStorageFunctions(CefRefPtr<CefV8Value> object, CefRefPtr<CefV8Handler> handler) { REGJSFUNC("size"); REGJSFUNC("keys"); REGJSFUNC("has"); REGJSFUNC("get"); REGJSFUNC("set"); REGJSFUNC("remove"); REGJSFUNC("clear"); } void FCHostStorageRegister(const CefString& persistPath, CefRefPtr<CefV8Value> object) { // New context, reset everything (don't try to run more than one app at once!) if (persist) persist.reset(NULL); if (session) session.reset(NULL); persist = std::make_unique<FCHostPersistentStorage>(persistPath); session = std::make_unique<FCHostSessionStorage>(); CefRefPtr<CefV8Handler> sess_handler = new FCHostStorageHandler(false); CefRefPtr<CefV8Value> obj_sess = CefV8Value::CreateObject(NULL, NULL); object->SetValue("FCHostSession", obj_sess, V8_PROPERTY_ATTRIBUTE_NONE); AttachStorageFunctions(obj_sess, sess_handler); CefRefPtr<CefV8Handler> pers_handler = new FCHostStorageHandler(true); CefRefPtr<CefV8Value> obj_pers = CefV8Value::CreateObject(NULL, NULL); object->SetValue("FCHostPersistent", obj_pers, V8_PROPERTY_ATTRIBUTE_NONE); AttachStorageFunctions(obj_pers, pers_handler); } // individual execution objects for session/persistent storage bool FCHostStorageHandler::Execute(const CefString& name, CefRefPtr<CefV8Value> object, const CefV8ValueList& arguments, CefRefPtr<CefV8Value>& retval, CefString& exception) { // alias pointer only, no ownership FCHostSessionStorage* storage = persistent ? persist.get() : session.get(); if (name == "size") { // no arguments retval = CefV8Value::CreateInt(static_cast<int32>(storage->size())); return true; } else if (name == "keys") { // no arguments retval = storage->keys(); return true; } else if (name == "has") { // one string argument if (arguments.size() < 1 || !arguments[0]->IsString()) return false; retval = CefV8Value::CreateBool(storage->has(arguments[0]->GetStringValue())); return true; } else if (name == "get") { // one string argument if (arguments.size() < 1 || !arguments[0]->IsString()) return false; retval = storage->get(arguments[0]->GetStringValue()); return true; } else if (name == "set") { // two arguments - one string, one "whatever" if (arguments.size() < 2 || !arguments[0]->IsString()) return false; storage->set(arguments[0]->GetStringValue(), arguments[1]); retval = CefV8Value::CreateBool(true); return true; } else if (name == "remove") { // one string argument if (arguments.size() < 1 || !arguments[0]->IsString()) return false; retval = CefV8Value::CreateBool(storage->remove(arguments[0]->GetStringValue())); return true; } else if (name == "clear") { // no arguments storage->clear(); return true; } return false; }
MonsterMate/fc
FCHost/fchost/fchost_storage_js.cc
C++
mit
3,218
#pragma once #include "fchost_storage.h" // storage handlers that can be registered directly to Javascript to enable fchost_storage backing class FCHostStorageHandler : public CefV8Handler { public: FCHostStorageHandler(bool _persistent) : persistent(_persistent) {}; virtual bool Execute(const CefString& name, CefRefPtr<CefV8Value> object, const CefV8ValueList& arguments, CefRefPtr<CefV8Value>& retval, CefString& exception) OVERRIDE; private: bool persistent; IMPLEMENT_REFCOUNTING(FCHostStorageHandler); }; void FCHostStorageRegister(const CefString& persistPath, CefRefPtr<CefV8Value> object);
MonsterMate/fc
FCHost/fchost/fchost_storage_js.h
C++
mit
618
// Copyright (c) 2013 The Chromium Embedded Framework Authors. All rights // reserved. Use of this source code is governed by a BSD-style license that // can be found in the LICENSE file. #include <windows.h> #include <KnownFolders.h> #include <ShlObj.h> #include "fchost_app.h" CefString FCHostApp::GetLocalStorePath() { PWSTR ppath; SHGetKnownFolderPath(FOLDERID_Documents, 0, NULL, &ppath); std::wstring local_storage = ppath; local_storage += L"\\FreeCities_Pregmod"; CoTaskMemFree(ppath); return local_storage.c_str(); } // Entry point function for all processes. int APIENTRY wWinMain(HINSTANCE hInstance, HINSTANCE hPrevInstance, LPTSTR lpCmdLine, int nCmdShow) { UNREFERENCED_PARAMETER(hPrevInstance); UNREFERENCED_PARAMETER(lpCmdLine); // Enable High-DPI support on Windows 7 or newer. CefEnableHighDPISupport(); // Provide CEF with command-line arguments. CefMainArgs main_args(hInstance); // It will create the first browser instance in OnContextInitialized() after // CEF has initialized. CefRefPtr<FCHostApp> app(new FCHostApp); // CEF applications have multiple sub-processes (render, plugin, GPU, etc) // that share the same executable. This function checks the command-line and, // if this is a sub-process, executes the appropriate logic. int exit_code = CefExecuteProcess(main_args, app.get(), NULL); if (exit_code >= 0) { // The sub-process has completed so return here. return exit_code; } // Specify CEF global settings here. CefSettings settings; // Cache location is required for local storage CefString local_storage = app->GetLocalStorePath(); cef_string_from_utf16(local_storage.c_str(), local_storage.length(), &settings.cache_path); // Initialize CEF. CefInitialize(main_args, settings, app.get(), NULL); // Run the CEF message loop. This will block until CefQuitMessageLoop() is // called. CefRunMessageLoop(); // Shut down CEF. CefShutdown(); return 0; }
MonsterMate/fc
FCHost/fchost/fchost_win.cc
C++
mit
2,035
// Copyright (c) 2013 The Chromium Embedded Framework Authors. All rights // reserved. Use of this source code is governed by a BSD-style license that // can be found in the LICENSE file. //{{NO_DEPENDENCIES}} // Microsoft Visual C++ generated include file. // Used by fchost.rc // #define IDI_FCHOST 100 // Avoid files associated with MacOS #define _X86_ // Next default values for new objects // #ifdef APSTUDIO_INVOKED #ifndef APSTUDIO_READONLY_SYMBOLS #define _APS_NO_MFC 1 #define _APS_NEXT_RESOURCE_VALUE 102 #define _APS_NEXT_COMMAND_VALUE 32700 #define _APS_NEXT_CONTROL_VALUE 1000 #define _APS_NEXT_SYMED_VALUE 102 #endif #endif
MonsterMate/fc
FCHost/fchost/resource.h
C++
mit
642
MAKEFLAGS += -r export TWEEGO_PATH=devTools/tweeGo/storyFormats HASH := $(shell git rev-list -n 1 --abbrev-commit HEAD) COMMIT := $(shell git rev-parse --short HEAD) TWEEGO := $(shell command -v tweego 2>/dev/null) ifndef TWEEGO uname := $(shell uname -s) arch := $(shell uname -m) arch := $(shell if test $(arch) = x86_64 -o $(arch) = amd64; then echo 64; else echo 32; fi) ifeq ($(uname),Linux) ifeq ($(arch),64) TWEEGO := devTools/tweeGo/tweego_nix64 else TWEEGO := devTools/tweeGo/tweego_nix86 endif else ifeq ($(uname),Darwin) ifeq ($(arch),64) TWEEGO := devTools/tweeGo/tweego_osx64 else TWEEGO := devTools/tweeGo/tweego_osx86 endif endif endif all: bin/FC_pregmod.html bin/resources git: bin/FC_pregmod_$(HASH).html bin/resources bin/resources: resources test -L "$@" || ln -s "../$<" bin/ bin/%.html: bin/tmp rm src/002-config/fc-version.js.commitHash.js mv $< $@ bin/fc.js: bin/ devTools/concatFiles.sh js/ '*.js' $@ bin/tmp: bin/fc.js injectGitCommitHash $(TWEEGO) --module=bin/fc.js --head devTools/head.html src/ > $@ rm -f bin/fc.js injectGitCommitHash: printf "App.Version.commitHash = '%s';\n" $(COMMIT) > src/002-config/fc-version.js.commitHash.js bin/: mkdir -p $@ sanity: ./sanityCheck.sh sugarcube: (cd submodules/sugarcube-2/ && node build.js -6 -b 2) cp submodules/sugarcube-2/build/twine2/sugarcube-2/format.js devTools/tweeGo/storyFormats/sugarcube-2/format.js .PHONY: all sanity git sugarcube
MonsterMate/fc
Makefile
Makefile
mit
1,469
# Free Cities - pregmod Pregmod is a modification of the original [Free Cities](https://freecitiesblog.blogspot.com/) created by FCdev. ## Play the game To play the game you have to download the sources first. You can either download an archive of the current state or, if you plan to keep up to date with current progress, clone the repository. Clone the repo: 1. [Install Git for terminal](https://git-scm.com/book/en/v2/Getting-Started-Installing-Git) or a Git GUI of your choice. 2. Clone the repo * Via terminal: `git clone --single-branch https://gitgud.io/pregmodfan/fc-pregmod.git` 3. Get updates * Via terminal: `git pull` Compile the game: * Windows * Run compile.bat * Second run of compile.bat will overwrite without prompt * Linux/Mac 1. Ensure executable permission on file `devTools/tweeGo/tweego` (not tweego.exe!) 2. Ensure executable permission on file `compile.sh` 3. In the root dir of sources (where you see src, devTools, bin...) run command `./compile.sh` from console. Alternatively, if you have make installed, run `make all` in the root directory. To play open FCpregmod.html in bin/ (Recommendation: Drag it into incognito mode) ## Common problems * I get an error on gamestart reading `Apologies! A fatal error has occurred. Aborting. Error: Unexpected token @ in JSON at position 0. Stack Trace: SyntaxError: Unexpected token @ in JSON at position 0 at JSON.parse (<anonymous>) at JSON.value` or some variant - clear cookies * Everything is broken! - Do not copy over your existing download as it may leave old files behind, replace it entirely * I can't save more than once or twice. - Known issue caused by SugarCube level changes. Save to file doesn't have this problem and will likely avoid the first problem as well. - It is possible to increase the memory utilized by your browser to delay this * I wish to report a sanityCheck issue. - Great, however a large majority of the results are false positives coming from those specific sections being split over several lines in the name of readability and git grep's [intentionally](http://git.661346.n2.nabble.com/bug-git-grep-P-and-multiline-mode-td7613900.html ) lacking support for multiline. An Attempt to add -Pzl (https://gitgud.io/pregmodfan/fc-pregmod/merge_requests/2108 ) created a sub condition black hole. What follows are examples of common false positives that can safely be ignored: ``` [MissingClosingAngleBracket]src/art/vector/Generate_Stylesheet.tw:11:<<print "<style>."+_art_display_class+" { <<print "<style>."+_art_display_class+" { position: absolute; height: 100%; margin-left: auto; margin-right: auto; left: 0; right: 0; } ``` ## Contribute First time setup: 0. Follow the steps to clone the main repository if you haven't already. 1. Create an account on gitgud if you don't have a usable one. * (optional) Add an SSH key to your account for easier pushing. This allows you to connect to gitgud through SHH, which doesn't require your credentials every time. 2. Fork the main repository through gitgud interface. * (optional) Delete all branches other than pregmod-master, so you don't get them locally when fetching. 3. Setup your fork as a remote * (optional) Rename the main repository to upstream * Via terminal: `git remote rename origin upstream` * Add your repo as remote * Via terminal: `git remote add origin <url-to-your-fork>` * The big clone button in the gitgud interface on your fork gives you the relevant URLs. 4. Checkout `pregmod-master` * Via terminal: `git checkout pregmod-master` 5. Make sure `fc-pregmod` tracks `upstream/master` * Via terminal: `git branch -u upstream/pregmod-master` Typical cycle with Git: 1. Get changes from upstream * Via terminal: `git pull` * If you don't get new commits from `upstream` repeat steps 4&5 of the setup. 2. Checkout a new branch for your work * Via terminal: `git checkout -b <branch-name>` 3. Make your changes as you like 4. Commit your changes * Via terminal: `git commit <files>` * Make the commit message useful (`Fix X`, `Add Y`, etc.) 5. (optional, but recommended) Run sanityCheck before final push to catch any errors you missed. (You can ignore errors unrelated to files you changed.) 6. Push result into your forked repository * Via terminal: * Initially `git push -u origin <branch-name>` * Afterwards `git push` will suffice. 7. Create merge request through gitgud interface. 8. Checkout `pregmod-master` in preparation of next change. 9. Once the merge request was accepted, delete your local branch. * Via terminal: `git branch -d <branch-name>` ## Submodules FC uses a modified version of SugarCube 2. More information can be found [here](devNotes/sugarcube stuff/building SugarCube.md).
MonsterMate/fc
README.md
Markdown
mit
4,884
Further Development: - specialized slave schools - fortifications - more levels for militia edict (further militarize society) - conquering other arcologies? Events: - famous criminal escapes to the arcology, followed by another arcology's police force Bugs: - sometimes troop counts breaks - sometimes rebel numbers have fractionary parts Rules Assistant: - find a way for the new intense drugs to fit in - everything mentioned in https://gitgud.io/pregmodfan/fc-pregmod/issues/81 main.tw porting: - slaveart - createsimpletabs - displaybuilding - optionssortasappearsonmain - resetassignmentfilter - mainlinks - arcology description - office description - slave summary - use guard - toychest - walk past show exactly which organ is ready at the bottom of the main screen
MonsterMate/fc
TODO.txt
Text
mit
779
# How to vector art Please read the whole document before starting to work. Some aspects are not obvious right away. Note: This does not actually describe how to be an artist. ## TL;DR killall inkscape artTools/vector_layer_split.py artTools/vector_source.svg tw src/art/vector/layers/ compile python3 artTools/normalize_svg.py artTools/vector_source.svg git commit -a ## 1. Be an artist Make changes to the vector_source.svg. Inkscape was thoroughly tested. Adobe Illustrator might work decently, too. ## 2. Respect the structure While editing, keep the Layers in mind. * In Inkscape, Layers are special "Inkscape groups". * In Illustrator, Layers are groups with user-defined IDs. * All Layers should have an ID that is globally unique (not just within their subtree). * Please use anonymous groups only for the ease of editing. Remove all "helper" groups before finally saving the file. * Anonymous groups can be used for continuous scaling (of e.g. boobs). * Every asset that should go into a separate file needs to be in a labelled group (even if that is a group with only one shape). * There are some globally available styles defined as CSS classes (e.g. skin, hair). Use them if your asset should be changed upon display. Do not set the style directly in the object. ## 3. Normalize the document (before committing) **THIS IS IMPORTANT** The various editors out there (Inkscape, Illustrator) may use different variants of formatting the SVG XML. Use python3 normalize_svg.py vector_source.svg before committing to normalize the format so git will not freak out about the changed indentation. If you use Inkscape, please use in Edit → Settings → Input/Output → SVG-Output → Path Data → Optimized. This is the default. In case your Editor uses another path data style which cannot be changed, please contact the other artists and developers via the issue tracker to find a new common ground. What it does: * Formats the SVG XML according to Pythons lxml module, regardless of editor. * Adobe Illustrator uses group IDs as layer labels. Inkscape however uses layer labels and a separate, auto-generated group ID. normalize_svg.py overwrites the group ID with the Inkscape layer label so they are synchronized with Inkscape layer labels. * Inkscape copies the global style definition into the object *every time* the object is edited. If an object references a CSS class AND at the same time has a local style, the local style is removed so global dynamic styling is possible later on. Note: Behavior of Adobe Illustrator is untested. ## 4. Split the layers For NoX original, deepmurk extensions, execute python3 vector_layer_split.py vector_deepmurk_primary.svg tw ../src/art/vector/layers/ For faraen revamped art (based on NoX original) python3 vector_revamp_layer_split.py vector_revamp_source.svg tw ../src/art/vector_revamp/layers/ . This application reads all groups in `vector_source.svg`. Each group is stored in a separate file in the target directory `/src/art/vector/layers/`. The group ID sets the file name. Therefore, the group ID **must not** contain spaces or any other weird characters. Also consider: * A group with ID ending in _ is ignored. Use Layers ending in _ to keep overview. * A group with ID starting with "g" (Inkscape) or "XMLID" (Illustrator) is also ignored. * Existing files are overwritten **without enquiry**. * The target directory is not emptied. If a file is no longer needed, you should remove it manually. * This procedure removes global definitions. This means, SVG filters are currently not supported. Available output formats are `svg` and `tw`. `svg` output exists for debug reasons. `tw` embeds the SVG data into Twine files, but removes the global style definitions so they can be set during display. ## 5. Edit the code `/src/art/` contains Twine code which shows the assets in the story. There are many helpful comments in `/src/art/artWidgets.tw`. The code also generates the previously removed global style definitions on the fly and per display. ## 6. Compile the story Use the provided compile script (Windows batch or shell) for compiling. ## 7. Advanced usage You can define multiple CSS classes to one element, e.g. "skin torso". When procedurally generating CSS, you can then set a global "skin" style, and a different one for "torso". You can put variable text into the image using single quotes, e.g. "'+_tattooText+'". The single quotes *break* the quoting in Twine so the content of the Twine variable `_tattooText` is shown upon display. You can even align text on paths. An anonymous group can be used for dynamic transformation. However, finding the correct parameters for the affine transformation matrix can be cumbersome. Use any method you see fit. See `src/art/vector/Boob.tw` for one example of the result.
MonsterMate/fc
artTools/README.md
Markdown
mit
4,854
Apron AttractiveLingerie AttractiveLingerieForAPregnantWoman BallGown Battledress Blouse BodyOil Bunny Chains ChattelHabit Cheerleader ClubslutNetting ComfortableBodysuit Conservative Cutoffs Cybersuit FallenNunsHabit FuckdollSuit HalterTopDress HaremGauze Hijab Huipil Kimono LatexCatsuit Leotard LongQipao MaternityDress MilitaryUniform MiniDress Monokini NiceBusinessAttire NiceMaid NiceNurse No PenitentNunsHabit RedArmyUniform RestrictiveLatex ScalemailBikini SchoolgirlUniform SchutzstaffelUniform ShibariRopes SlaveGown Slutty SluttyBusinessAttire SluttyJewelry SluttyMaid SluttyNurse SluttyQipao SluttySchutzstaffelUniform Spats StretchPants StringBikini Succubus Toga UncomfortableStraps Western
MonsterMate/fc
artTools/game_suffixes.txt
Text
mit
705
#!/bin/bash # This script reads all possible values of $slave.clothes as mentioned by the documentation. # This script uses the actual implementation of the JS clothing2artSuffix function as defined in src/art/vector/Helper_Functions.tw # This script outputs suffixes to be used in the SVG naming scheme # This script is meant to be executed at the project root directory. # This script depends on bash, grep, sed, paste and nodejs (so best executed on Linux, I guess) # grep -Porh '(?<=\.clothes = )"[^"]+"' src/ | sort | uniq # searches sources for all clothes strings actually used in the game, even undocumented ones ( echo 'var window = {};' grep -v '^:' src/art/vector/Helper_Functions.tw echo -n 'Array(' sed '/^clothes:/,/:/!d' "slave variables documentation - Pregmod.txt" | grep '"' | paste -sd, echo ').forEach(v => {console.log(window.clothing2artSuffix(v));});' ) | nodejs | sort
MonsterMate/fc
artTools/generate_game_suffixes.sh
Shell
mit
906
#!/usr/bin/env python3 ''' Application for "normalizing" SVGs These problems are addressed: * Inkscape notoriously copies class styles into the object definitions. https://bugs.launchpad.net/inkscape/+bug/167937 * Inkscape uses labels on layers. Layers are basically named groups. Inkscape does not sync the group id with the layer label. Usage Example: python3 inkscape_svg_fixup.py vector_source.svg ''' import lxml.etree as etree import sys import re color_classes = { 'skin', 'head', 'torso', 'boob', 'penis', 'scrotum', 'belly', 'areola', 'bellybutton', 'labia', 'hair', 'pubic_hair', 'underarm_hair', 'eyebrow_hair', 'shoe', 'shoe_shadow', 'smart_piercing', 'steel_piercing', 'steel_chastity', 'outfit_base', 'gag', 'shadow', 'glasses', 'eye', 'sclera' } def fix(tree): # know namespaces ns = { 'svg': 'http://www.w3.org/2000/svg', 'inkscape': 'http://www.inkscape.org/namespaces/inkscape' } # find document global style definition # mangle it and interpret as python dictionary style_element = tree.find('./svg:style', namespaces=ns) style_definitions = style_element.text pythonic_style_definitions = '{'+style_definitions.\ replace('\t.', '"').replace('{', '":"').replace('}', '",').\ replace('/*', '#')+'}' styles = eval(pythonic_style_definitions) # go through all SVG elements for elem in tree.iter(): if (elem.tag == etree.QName(ns['svg'], 'g')): # compare inkscape label with group element ID lbl = elem.get(etree.QName(ns['inkscape'], 'label')) if lbl: i = elem.get('id') if (i != lbl): print("Overwriting ID %s with Label %s..." % (i, lbl)) elem.set('id', lbl) # clean styles (for easier manual merging) style_string = elem.get('style') if style_string: split_styles = style_string.strip('; ').split(';') styles_pairs = [s.strip('; ').split(':') for s in split_styles] filtered_pairs = [(k, v) for k, v in styles_pairs if not ( k.startswith('font-') or k.startswith('text-') or k.endswith('-spacing') or k in ["line-height", " direction", " writing", " baseline-shift", " white-space", " writing-mode"] )] split_styles = [':'.join(p) for p in filtered_pairs] style_string = ';'.join(sorted(split_styles)) elem.attrib["style"] = style_string # remove all style attributes offending class styles s = elem.get('style') c = elem.get('class') if (c and s): s = s.lower() c = c.split(' ')[0] # regard main style only classes = c.split(' ') hasColorClass = any(x in color_classes for x in classes) if hasColorClass: s_new = re.sub('fill:#[0-9a-f]+;?', '', s) if s != s_new: print("Explicit fill was removed from style string ({0}) for element with ID {1} " "because its class ({2}) controls the fill color".format(s, i, c)) s = s_new if s == 'style=""': # the style is empty now del elem.attrib["style"] continue cs = '' if c in styles: cs = styles[c].strip('; ').lower() if (c not in styles): print("Object id %s references unknown style class %s." % (i, c)) else: if (cs != s.strip('; ')): print("Style %s removed from object id %s differed from class %s style %s." % (s, i, c, cs)) del elem.attrib["style"] # remove explicit fill color if element class is one of the color_classes if __name__ == "__main__": input_file = sys.argv[1] tree = etree.parse(input_file) fix(tree) # store SVG into file (input file is overwritten) svg = etree.tostring(tree, pretty_print=True) with open(input_file, 'wb') as f: f.write('<?xml version="1.0" encoding="UTF-8" standalone="no"?>\n'.encode("utf-8")) f.write(svg)
MonsterMate/fc
artTools/normalize_svg.py
Python
mit
3,637
#!/usr/bin/env python3 ''' Application for procedural content adaption *THIS IS VERY EXPERIMENTAL* Contains a very poor man's implementation of spline mesh warping. This application parses SVG path data of an outfit sample aligned to a body part. The outfit is then replicated for other shapes of the same body part. Example data is geared towards generating a strap outfit for boobs and torso for all sizes of boobs and all shapes of torsos based on a single outfit for boobs of size 2 and a hourglass torso respectively. Limitations: * handles paths only * only svg.path Line and CubicBezier are tested * only the aforementioned examples are tested Usage: python3 vector_clothing_replicator.py infile clothing bodypart destinationfile Usage Example: python3 vector_clothing_replicator.py vector_source.svg Straps Boob vector_destination.svg python3 vector_clothing_replicator.py vector_source.svg Straps Torso vector_destination.svg ''' from svg.path import parse_path import copy import lxml.etree as etree import sys REFERENCE_PATH_SAMPLES = 200 EMBED_REPLICATIONS = True # whether to embed all replications into the input file or output separate files input_file = sys.argv[1] clothing = sys.argv[2] bodypart = sys.argv[3] output_file_embed = sys.argv[4] # TODO: make these configurable output_file_pattern = '%s_%s_%s.svg' #bodypart, target_id, clothing if ('Torso' == bodypart): xpath_shape = './svg:g[@id="Torso_"]/svg:g[@id="Torso_%s"]/svg:path[@class="skin torso"]/@d' # TODO: formulate more general, independent of style xpath_outfit_container = '//svg:g[@id="Torso_Outfit_%s_"]'%(clothing) xpath_outfit = '//svg:g[@id="Torso_Outfit_%s_%s"]'%(clothing,'%s') target_ids = "Unnatural,Hourglass,Normal".split(",") reference_id = "Hourglass" else: raise RuntimeError("Please specify a bodypart for clothing to replicate.") tree = etree.parse(input_file) ns = {'svg' : 'http://www.w3.org/2000/svg'} canvas = copy.deepcopy(tree) for e in canvas.xpath('./svg:g',namespaces=ns)+canvas.xpath('./svg:path',namespaces=ns): # TODO: this should be "remove all objects, preserve document properties" e.getparent().remove(e) def get_points(xpath_shape): ''' This function extracts reference paths by the given xpath selector. Each path is used to sample a fixed number of points. ''' paths_data = tree.xpath(xpath_shape,namespaces=ns) points = [] path_length = None for path_data in paths_data: p = parse_path(path_data) points += [ p.point(1.0/float(REFERENCE_PATH_SAMPLES)*i) for i in range(REFERENCE_PATH_SAMPLES) ] if (not points): raise RuntimeError( 'No paths for reference points found by selector "%s".'%(xpath_shape) ) return points def point_movement(point, reference_points, target_points): ''' For a given point, finds the nearest point in the reference path. Gives distance vector from the nearest reference point to the respective target reference point. ''' distances = [abs(point-reference_point) for reference_point in reference_points] min_ref_dist_idx = min(enumerate(distances), key=lambda x:x[1])[0] movement = target_points[min_ref_dist_idx] - reference_points[min_ref_dist_idx] return movement reference_points = get_points(xpath_shape%(reference_id)) container = tree.xpath(xpath_outfit_container,namespaces=ns) if (len(container) != 1): raise RuntimeError('Outfit container selector "%s" does not yield exactly one layer.'%(xpath_outfit_container)) container = container[0] outfit_source = container.xpath(xpath_outfit%(reference_id),namespaces=ns) if (len(outfit_source) != 1): raise RuntimeError('Outfit source selector "%s" does not yield exactly one outfit layer in container selected by "%s".'%(xpath_outfit%(reference_id), xpath_outfit_container)) outfit_source = outfit_source[0] for target_id in target_ids: print( 'Generating variant "%s" of clothing "%s" for bodypart "%s"...'% (target_id, clothing, bodypart) ) outfit = copy.deepcopy(outfit_source) paths = outfit.xpath('./svg:path',namespaces=ns) if target_id == reference_id: print("This is the source variant. Skipping...") else: layerid = outfit.get('id').replace('_%s'%(reference_id),'_%s'%(target_id)) outfit.set('id', layerid) outfit.set(etree.QName('http://www.inkscape.org/namespaces/inkscape', 'label'), layerid) # for the Inkscape-users target_points = get_points(xpath_shape%(target_id)) if (len(reference_points) != len(target_points)): raise RuntimeError( ('Different amounts of sampled points in reference "%s" and target "%s" paths. '+ 'Selector "%s" probably matches different number of paths in the two layers.')% (reference_id, target_id, xpath_shape) ) for path in paths: path_data = path.get("d") p = parse_path(path_data) for segment in p: original_distance = abs(segment.end-segment.start) start_movement = point_movement(segment.start, reference_points, target_points) segment.start += start_movement end_movement = point_movement(segment.end, reference_points, target_points) segment.end += end_movement distance = abs(segment.end-segment.start) try: # enhance position of CubicBezier control points # amplification is relative to the distance gained by movement segment.control1 += start_movement segment.control1 += (segment.control1-segment.start)*(distance/original_distance-1.0) segment.control2 += end_movement segment.control2 += (segment.control2-segment.end)*(distance/original_distance-1.0) except AttributeError as ae: # segment is not a CubicBezier pass path.set("d", p.d()) if EMBED_REPLICATIONS: container.append(outfit) if not EMBED_REPLICATIONS: container = copy.deepcopy(canvas).xpath('.',namespaces=ns)[0] container.append(outfit) if not EMBED_REPLICATIONS: svg = etree.tostring(container, pretty_print=True) with open((output_file_pattern%(bodypart, target_id, clothing)).lower(), 'wb') as f: f.write('<?xml version="1.0" encoding="UTF-8" standalone="no"?>\n'.encode("utf-8")) f.write(svg) if EMBED_REPLICATIONS: svg = etree.tostring(tree, pretty_print=True) with open(output_file_embed, 'wb') as f: f.write('<?xml version="1.0" encoding="UTF-8" standalone="no"?>\n'.encode("utf-8")) f.write(svg)
MonsterMate/fc
artTools/vector_clothing_replicator.py
Python
mit
6,231
#!/usr/bin/env python3 ''' Application for splitting groups from one SVG file into separate files Usage: python3 vector_layer_split.py infile format outdir Usage Example: python3 vector_layer_split.py vector_source.svg tw ../src/art/vector/layers/ ''' import lxml.etree as etree import sys import os import copy import re import normalize_svg import argparse parser = argparse.ArgumentParser( description='Application for splitting groups from one SVG file into separate files.') parser.add_argument('-o', '--output', dest='output_dir', required=True, help='output directory') parser.add_argument('-f', '--format', dest='output_format', choices=['svg', 'tw'], default='svg', help='output format.') parser.add_argument('-p', '--prefix', dest='prefix', default='', help='Prepend this string to result file names') parser.add_argument('input_file', metavar='FILENAME', nargs='+', help='Input SVG file with layers') args = parser.parse_args() output_format = args.output_format output_directory = args.output_dir def splitFile(inputFile): tree = etree.parse(inputFile) normalize_svg.fix(tree) # prepare output template template = copy.deepcopy(tree) root = template.getroot() # remove all svg root attributes except document size for a in root.attrib: if (a != "viewBox"): del root.attrib[a] # add placeholder for CSS class (needed for workaround for non HTML 5.1 compliant browser) # if output_format == 'tw': # root.attrib["class"] = "'+_art_display_class+'" ns = { 'svg': 'http://www.w3.org/2000/svg', 'inkscape': 'http://www.inkscape.org/namespaces/inkscape', 'sodipodi': "http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd", } # remove all content, including metadata # for twine output, style definitions are removed, too defs = None for e in root: if (e.tag == etree.QName(ns['svg'], 'defs')): defs = e if (e.tag == etree.QName(ns['svg'], 'g') or e.tag == etree.QName(ns['svg'], 'metadata') or e.tag == etree.QName(ns['svg'], 'defs') or e.tag == etree.QName(ns['sodipodi'], 'namedview') or (output_format == 'tw' and e.tag == etree.QName(ns['svg'], 'style')) ): root.remove(e) # template preparation finished # prepare regex for later use regex_xmlns = re.compile(' xmlns[^ ]+') regex_space = re.compile(r'[>]\s+[<]') # find all groups layers = tree.xpath('//svg:g', namespaces=ns) for layer in layers: i = layer.get('id') if ( # disregard non-content groups i.endswith("_") or # manually suppressed with underscore i.startswith("XMLID") or # Illustrator generated group i.startswith("g") # Inkscape generated group ): continue # create new canvas output = copy.deepcopy(template) # copy all shapes into template canvas = output.getroot() for e in layer: canvas.append(e) # represent template as SVG (binary string) svg = etree.tostring(output, pretty_print=False) # poor man's conditional defs insertion # TODO: extract only referenced defs (filters, gradients, ...) # TODO: detect necessity by traversing the elements. do not stupidly search in the string representation if ("filter:" in svg.decode('utf-8')): # it seems there is a filter referenced in the generated SVG, re-insert defs from main document canvas.insert(0, defs) # re-generate output svg = etree.tostring(output, pretty_print=False) if (output_format == 'tw'): # remove unnecessary attributes # TODO: never generate unnecessary attributes in the first place svg = svg.decode('utf-8') svg = regex_xmlns.sub('', svg) svg = svg.replace(' inkscape:connector-curvature="0"', '') # this just saves space svg = svg.replace('\n', '').replace('\r', '') # print cannot be multi-line svg = regex_space.sub('><', svg) # remove indentation svg = svg.replace('svg:', '') # svg namespace was removed if ("Boob" in i): # internal groups are used for scaling svg = svg.replace('<g ', '<g data-transform="boob" ') # boob art uses the boob scaling elif ("Belly" in i): svg = svg.replace('<g ', '<g data-transform="belly" ') # belly art uses the belly scaling elif ("Balls" in i): svg = svg.replace('<g ', '<g data-transform="balls" ') # balls art uses the balls scaling else: svg = svg.replace('<g ', '<g data-transform="art" ') # otherwise use default scaling if (not svg.endswith('\n')): svg += '\n' svg = svg.encode('utf-8') # save SVG string to file i = layer.get('id') output_path = os.path.join(output_directory, "{0}{1}.svg".format(args.prefix, i)) with open(output_path, 'wb') as f: if (output_format == 'svg'): # Header for normal SVG (XML) f.write('<?xml version="1.0" encoding="UTF-8" standalone="no"?>\n'.encode("utf-8")) f.write(svg) elif (output_format == 'tw'): f.write(svg) if not os.path.exists(output_directory): os.makedirs(output_directory) for f in args.input_file: splitFile(f)
MonsterMate/fc
artTools/vector_layer_split.py
Python
mit
4,911
#!/usr/bin/env python3 ''' Application for splitting groups from one SVG file into separate files Usage: python3 vector_layer_split.py infile format outdir Usage Example: python3 vector_layer_split.py vector_source.svg tw ../src/art/vector/layers/ ''' import lxml.etree as etree from lxml.etree import XMLParser, parse import sys import os import copy import re import argparse import normalize_svg parser = argparse.ArgumentParser( description='Application for splitting groups from one SVG file into separate files.') parser.add_argument('-o', '--output', dest='output_dir', required=True, help='output directory') parser.add_argument('-f', '--format', dest='output_format', choices=['svg', 'tw'], default='svg', help='output format.') parser.add_argument('-p', '--prefix', dest='prefix', default='', help='Prepend this string to result file names') parser.add_argument('input_file', metavar='FILENAME', nargs=1, help='Input SVG file with layers') args = parser.parse_args() output_format = args.output_format output_directory = args.output_dir input_file = args.input_file[0] if not os.path.exists(output_directory): os.makedirs(output_directory) ns = { 'svg': 'http://www.w3.org/2000/svg', 'inkscape': 'http://www.inkscape.org/namespaces/inkscape', 'sodipodi': "http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd", } p = XMLParser(huge_tree=True) tree = parse(input_file, parser=p) #tree = etree.parse(input_file) normalize_svg.fix(tree) # prepare output template template = copy.deepcopy(tree) root = template.getroot() # remove all svg root attributes except document size for a in root.attrib: if (a != "viewBox"): del root.attrib[a] # remove all content, including metadata # for twine output, style definitions are removed, too defs = None for e in root: if (e.tag == etree.QName(ns['svg'], 'defs')): defs = e if (e.tag == etree.QName(ns['svg'], 'g') or e.tag == etree.QName(ns['svg'], 'metadata') or e.tag == etree.QName(ns['svg'], 'defs') or e.tag == etree.QName(ns['sodipodi'], 'namedview') or (output_format == 'tw' and e.tag == etree.QName(ns['svg'], 'style')) ): root.remove(e) # template preparation finished # prepare regex for later use regex_xmlns = re.compile(' xmlns[^ ]+') regex_space = re.compile(r'[>]\s+[<]') # find all groups layers = tree.xpath('//svg:g', namespaces=ns) for layer in layers: i = layer.get('id') if ( # disregard non-content groups i.endswith("_") or # manually suppressed with underscore i.startswith("XMLID") or # Illustrator generated group i.startswith("g") # Inkscape generated group ): continue # create new canvas output = copy.deepcopy(template) # copy all shapes into template canvas = output.getroot() for e in layer: canvas.append(e) # represent template as SVG (binary string) svg = etree.tostring(output, pretty_print=False) # poor man's conditional defs insertion # TODO: extract only referenced defs (filters, gradients, ...) # TODO: detect necessity by traversing the elements. do not stupidly search in the string representation if ("filter:" in svg.decode('utf-8')): # it seems there is a filter referenced in the generated SVG, re-insert defs from main document canvas.insert(0, defs) # re-generate output svg = etree.tostring(output, pretty_print=False) elif ("clip-path=" in svg.decode('utf-8')): # it seems there is a clip path referenced in the generated SVG, re-insert defs from main document canvas.insert(0, defs) # re-generate output svg = etree.tostring(output, pretty_print=False) if (output_format == 'tw'): # remove unnecessary attributes # TODO: never generate unnecessary attributes in the first place svg = svg.decode('utf-8') svg = regex_xmlns.sub('', svg) svg = svg.replace(' inkscape:connector-curvature="0"', '') # this just saves space svg = svg.replace('\n', '').replace('\r', '') # print cannot be multi-line svg = regex_space.sub('><', svg) # remove indentation svg = svg.replace('svg:', '') # svg namespace was removed if (not svg.endswith('\n')): svg += '\n' svg = svg.encode('utf-8') # save SVG string to file i = layer.get('id') output_path = os.path.join(output_directory, "{0}{1}.svg".format(args.prefix, i)) with open(output_path, 'wb') as f: if (output_format == 'svg'): # Header for normal SVG (XML) f.write('<?xml version="1.0" encoding="UTF-8" standalone="no"?>\n'.encode("utf-8")) f.write(svg) elif (output_format == 'tw'): f.write(svg)
MonsterMate/fc
artTools/vector_revamp_layer_split.py
Python
mit
4,497
{ "dirs": { "intermediate": "build", "output": "bin" }, "output": "FC_pregmod.html", "twineformat": "sugarcube-2", "gitVersionFile": "src/002-config/fc-version.js.commitHash.js", "sources": { "module": { "js": ["js/**/*.js"] }, "story": { "css": ["src/**/*.css"], "js": ["src/**/*.js"], "twee": ["src/**/*.tw"], "media": [ "src/art/vector/layers", "src/art/vector_revamp/layers" ] }, "head": "devTools/head.html" }, "options": { "css": { "autoprefix": true }, "twee": { "environment": { "TWEEGO_PATH": "devTools/tweeGo/storyFormats" } } } }
MonsterMate/fc
build.config.json
JSON
mit
611
@echo off :: Free Cities Basic Compiler - Windows :: Set working directory pushd %~dp0 :: See if we can find a git installation set GITFOUND=no for %%k in (HKCU HKLM) do ( for %%w in (\ \Wow6432Node\) do ( for /f "skip=2 delims=: tokens=1*" %%a in ('reg query "%%k\SOFTWARE%%wMicrosoft\Windows\CurrentVersion\Uninstall\Git_is1" /v InstallLocation 2^> nul') do ( for /f "tokens=3" %%z in ("%%a") do ( set GIT=%%z:%%b set GITFOUND=yes goto FOUND ) ) ) ) :FOUND if %GITFOUND% == yes ( set "PATH=%GIT%bin;%PATH%" echo|set /p out="App.Version.commitHash = " > "%~dp0src\002-config\fc-version.js.commitHash.js" git rev-parse --sq --short HEAD >> "%~dp0src\002-config\fc-version.js.commitHash.js" 2>NUL if errorlevel 1 echo|set /p out="null" >> "%~dp0src\002-config\fc-version.js.commitHash.js" echo|set /p out=";" >> "%~dp0src\002-config\fc-version.js.commitHash.js" ) if not exist "bin\resources" mkdir bin\resources CALL devTools/concatFiles.bat js\ "*.js" bin\fc.js :: Run the appropriate compiler for the user's CPU architecture. if %PROCESSOR_ARCHITECTURE% == AMD64 ( CALL "%~dp0devTools\tweeGo\tweego_win64.exe" -o "%~dp0bin/FC_pregmod.html" --module=bin/fc.js --head devTools/head.html "%~dp0src" ) else ( CALL "%~dp0devTools\tweeGo\tweego_win86.exe" -o "%~dp0bin/FC_pregmod.html" --module=bin/fc.js --head devTools/head.html "%~dp0src" ) DEL bin\fc.js IF EXIST "%~dp0src\002-config\fc-version.js.commitHash.js" DEL "%~dp0src\002-config\fc-version.js.commitHash.js" popd ECHO Done
MonsterMate/fc
compile.bat
Batchfile
mit
1,558
#!/bin/bash output=/dev/stdout # displays help text function displayHelp() { cat <<HelpText Usage: compile.sh [OPTION]... Options: -d, --dry Do not compile -g, --git Add hash of HEAD to filename -h, --help Show this help text -s, --sanity Run sanityCheck -q, --quiet Suppress terminal output -t, --themes Generate theme files HelpText } #display an error message function echoError() { echo -e "\033[0;31m$*\033[0m" } #display message function echoMessage() { echo "$1" >"${output}" } #compile the HTML file function compile() { mkdir -p bin/resources export TWEEGO_PATH=devTools/tweeGo/storyFormats TWEEGO_EXE="tweego" if hash $TWEEGO_EXE 2>/dev/null; then echoMessage "system tweego binary" else case "$(uname -m)" in x86_64 | amd64) echoMessage "x64 arch" if [ "$(uname -s)" = "Darwin" ]; then TWEEGO_EXE="./devTools/tweeGo/tweego_osx64" elif [ "$OSTYPE" = "msys" ]; then TWEEGO_EXE="./devTools/tweeGo/tweego_win64" else TWEEGO_EXE="./devTools/tweeGo/tweego_nix64" fi ;; x86 | i[3-6]86) echoMessage "x86 arch" if [ "$(uname -s)" = "Darwin" ]; then TWEEGO_EXE="./devTools/tweeGo/tweego_osx86" elif [ "$OSTYPE" = "msys" ]; then TWEEGO_EXE="./devTools/tweeGo/tweego_win86" else TWEEGO_EXE="./devTools/tweeGo/tweego_nix86" fi ;; *) echoError "No system tweego binary found, and no precompiled binary for your platform available." echoError "Please compile tweego and put the executable in PATH." exit 2 ;; esac fi file="bin/FC_pregmod.html" if [[ -d .git ]]; then COMMIT=$(git rev-parse --short HEAD) # Find and insert current commit printf "App.Version.commitHash = '%s';\n" ${COMMIT} > src/002-config/fc-version.js.commitHash.js if [[ "$usehash" ]]; then file="bin/FC_pregmod_${COMMIT}.html" fi fi devTools/concatFiles.sh js/ '*.js' bin/fc.js $TWEEGO_EXE -o $file --module=bin/fc.js --head devTools/head.html src/ || build_failed="true" rm -f bin/fc.js if [ "$build_failed" = "true" ]; then echoError "Build failed." exit 1 fi if [[ -d .git ]]; then rm src/002-config/fc-version.js.commitHash.js fi echoMessage "Saved to $file." } if [[ "$1" == "" ]]; then #tip if no option echoMessage "For more options see compile.sh -h." else #parse options while [[ "$1" ]]; do case $1 in -d | --dry) dry="true" ;; -g | --git) usehash="true" ;; -h | --help) displayHelp exit 0 ;; -s | --sanity) sanity="true" ;; -q | --quiet) output=/dev/null ;; -t | --themes) themes="true" ;; *) echoError "Unknown argument $1." displayHelp exit 1 ;; esac shift done fi # Run sanity check. [ -n "$sanity" ] && ./sanityCheck.sh if ! [[ -d .git ]]; then echoMessage "No git repository. Git specific actions disabled." fi #compile if [[ "$dry" ]]; then echoMessage "Dry run finished." else compile echoMessage "Compilation finished." fi # compile themes if [[ "$themes" ]]; then ( cd themes/ || exit for D in *; do if [ -d "${D}" ]; then ../devTools/concatFiles.sh "${D}"/ '*.css' ../bin/"${D}".css fi done ) echoMessage "Themes compiled" fi
MonsterMate/fc
compile.sh
Shell
mit
3,256
@echo off :: Free Cities Basic Compiler - Windows :: Set working directory pushd %~dp0 :: See if we can find a git installation set GITFOUND=no for %%k in (HKCU HKLM) do ( for %%w in (\ \Wow6432Node\) do ( for /f "skip=2 delims=: tokens=1*" %%a in ('reg query "%%k\SOFTWARE%%wMicrosoft\Windows\CurrentVersion\Uninstall\Git_is1" /v InstallLocation 2^> nul') do ( for /f "tokens=3" %%z in ("%%a") do ( set GIT=%%z:%%b set GITFOUND=yes goto FOUND ) ) ) ) :FOUND if %GITFOUND% == yes ( set "PATH=%GIT%bin;%PATH%" bash --login -c "./sanityCheck.sh" ) :: Compile the game call "%~dp0compile.bat" popd PAUSE
MonsterMate/fc
compile_debug+sanityCheck.bat
Batchfile
mit
661
@echo off :: Free Cities Basic Compiler - Windows :: Set working directory pushd %~dp0 :: Compile the game call "%~dp0compile.bat" popd PAUSE
MonsterMate/fc
compile_debug.bat
Batchfile
mit
156
@echo off set back=%cd% for /d %%i in (%~dp0\themes\*) do ( CALL :compileDirectory %%i ) cd %back% EXIT /B %ERRORLEVEL% :compileDirectory REM ~1 is an absolute path, get name of directory here REM https://stackoverflow.com/a/5480568 set var1=%~1% set var2=%var1% set i=0 :loopprocess for /F "tokens=1* delims=\" %%A in ( "%var1%" ) do ( set /A i+=1 set var1=%%B goto loopprocess ) for /F "tokens=%i% delims=\" %%G in ( "%var2%" ) do set last=%%G REM compile CALL devTools/concatFiles.bat "%%~1" "*.css" bin\"%last%".css EXIT /B 0
MonsterMate/fc
compile_themes.bat
Batchfile
mit
575
Anatomy of a FreeCities event Type There are several types of events. They all happen during the end-of-week calculation, AFTER the normal changes to the slaves and all the economic effects (including you messing with your corporation) happened. Scheduled events Nonrandom events Random nonindividual events Random individual events The differences between them are almost non-existent. If they happen, they happen in this order, so you could say it's a kind of event priority ordering. The last two events pre-select a slave (in $eventSlave), with the "nonindividual" events using all your slaves while the "individual" events use only non-Fuckdolls, typically from your penthouse. When writing your event, you're free to ignore this and choose your own slave or create a new one. By convention, scheduled events tend to go back to the "Scheduled Event" passage so that other such events can run; all the others tend to just skip to the next event category. Nothing in code forces you to do it this way for your events. Preconditions Most events have some kind of precondition for when they happen. Scheduled events always happen when their preconditions are true. Nonrandom events happen when their preconditions are true and no other nonrandom events get picked first (so writing a too-often-true precondition is a good way to break the game by blocking any further such events). The two other types of events get put in a pool ($events) if they match the precondition, then at most one event gets pulled from the pool per type. NonRandomEvent (26-33) <<elseif (_effectiveWeek == 14) && $badC != 1>> <<set _valid = $slaves.find(function(s) { return s.curatives > 1 || s.inflationType == "curative"; })>> <<if def _valid>> <<set $badC = 1, $Event = "bad curatives">> <<goto "Generic Plot Events">> <<else>> <<set $badC = 1>> <<goto "Nonrandom Event">> <</if>> If it is week fourteen and the player hasn't ready seen the event, a check is then made for slaves that either are on curatives or have their implants filled by curatives. If it was successful then load the "bad curatives" generic event, if unsuccessful set the flag anyway and read from the Nonrandom Event passage. Immediate effects Every event can have immediate effects, which happen when the event gets chosen. For most events, those are what should happen if the player ignores the event (by hitting "Continue" or the space bar on the keyboard). Choice effects (see below) can override or roll back those. reRecruit (4-19) <<if Array.isArray($recruit)>> <<if $cheatMode == 1>> <<set $nextButton = "Back", $nextLink = "Nonrandom Event", $returnTo = "Nonrandom Event">> /* if user just clicks spacebar */ ''A random recruit event would have been selected from the following:'' <br> <<for _i = 0; _i < $recruit.length; _i++>> <<print "[[$recruit[_i]|RE recruit][$recruit = $recruit[" + _i + "]]]">> <br> <</for>> <br><br>[[Go Back to Random Nonindividual Event|Random Nonindividual Event][$eventSlave = 0]] <<else>> <<set $recruit = $recruit.random()>> <<goto "RE recruit">> <</if>> <<else>> If cheat mode is enabled and the user presses the space bar go back to the start. Main event text The bulk of the writing will be in the main event text. There are quite a few rules to deal with here. The PC is referred to in the second person singular ("you"), everyone else in third person. The PC has no direct speech. All the things "you" say are described, not quoted. A slave's description can be linked from an event by replacing their name with <<= App.UI.slaveDescriptionDialog(_Slave)>>. This allows the player to click on the slave name and view their description, then go back to the event. This is not a passage transition so you don't need to worry about preserving temporary state. If you want to introduce a new actor by their relationship to another actor, use <<= contextualIntro(_firstSlave, _newSlave)>>. You can pass a third parameter of "true" if you want the new actor's name to be linked to their description dialog. <<SlaveTitle _Slave>> sets $desc (which ends up being a string like "slavegirl", "MILF", "futanari" and so on, depending on slave). <<setLocalPronouns _Slave>> allows you to use the variables $pronoun ("she"/"he"/"it"), $pronounCap ("She"/"He"/"It"), $possessive ("her"/"his"/"its"), $possessiveCap ("Her"/"His"/"Its") and $object ("her"/"him"/"it"). There is NO variable for self-possession ("hers"/"his"/"its") and for "herself", you need to use <<= $object>>self. One more macro initializes several others and is required when you have a slave speak and want to use direct quotes: <<Enunciate _Slave>> allows you to use <<Master>>, <<WrittenMaster>>, <<says>> (which turns into "lisps" when that's the case) and the lisping replacers <<s>>, <<ss>>, <<S>>, <<c>> and <<z>>. The text should be about large enough to fit on the screen assuming typical monitor sizes. In terms of visible text, about 1000 words are a fine limit to aim for. There's a lot to keep in mind in terms of different appearances and circumstances, so keep your document with slave variables as a reference nearby. It's fine — and a part of the normal workflow — to first write an event without any variation, then go through it and vary the text here and there. Choices You should keep the amount of choices small, but not too small. About three to five is generally a good number. Choices which can't be taken due to the current situation should be displayed as such ("You lack the funds ...") if they are an obvious choice, hidden when they aren't (for example, in event chains you might want to hide choices if the player didn't do something specific or didn't acquire some specific bit of knowledge). Every choice should be a simple sentence of the form "Do something." followed by a short explanation of the obvious effects. Choices should also be hidden when they run against the game rules, like for example the setting if the player wants to see "extreme" content. diary (313-325) <<if $dairyFeedersUpgrade == 1>> The milking machines can hold feeders in slaves' mouths and inject drugs into their bodies, ensuring ideal nutrition and production. <br>&nbsp;&nbsp;&nbsp;&nbsp;The feeders are <<if $dairyFeedersSetting == 2>> ''industrial.'' [[Moderate|Dairy][$dairyFeedersSetting = 1, $dairyFeedersSettingChanged = -1]] <<elseif $dairyFeedersSetting == 1>> ''active.'' [[Inactive|Dairy][$dairyFeedersSetting = 0]]<<if ($seeExtreme != 0) && ($dairyRestraintsSetting == 2)>> | [[Industrial|Dairy][$dairyFeedersSetting = 2, $dairyFeedersSettingChanged = 1]]<</if>> <<else>> ''inactive.'' [[Active|Dairy][$dairyFeedersSetting = 1]] <</if>> <<else>> $dairyNameCaps is equipped to feed and clean slaves normally. [[Upgrade the milking machines with intubators|Dairy][cashX(forceNeg(_Tmult1), "capEx"), $dairyFeedersUpgrade = 1]] //Costs ¤_Tmult1 and will increase upkeep costs. cashX is the proper way to handle cash payments. The forceNeg part just means "make sure what comes next is negative if it isn't already, because I want it to cost the player money." "capEx" is the budget category you want this transaction recorded under. You can search through the game files to find similar transactions. // <</if>> In order to enable the industrial feeder option both any of the see extreme content options has be enabled and the restraint's have to be already set to industrial. Remember that "do nothing" is almost always a choice (it's called "Continue" and can be found on the left side of the screen) so your events don't need this as an extra choice. Choice text This should be a short text describing the effects of your choice. Generally shorter than the main text, but all the other things mentioned there apply. Try to keep surprise buttsex to a minimum. For example this cut up version of "paternalist encounter" from REFS (lines 106-139). <span id="result"> <<link "Alert your drones and keep walking">> <</link>> <<if $cash >= 2000>> <br><<link "Take the poor slave $girl into your custody">> <</link>> <</if>> <br><<link "Publicly confront the citizen">> <</link>> </span> So here you can either, A) "Alert your drones and keep walking", B) if $cash is above 2000 you can take acquire the slave or C) "Publicly confront the citizen". Choice effect A choice doesn't need to have a specific effect. If your event has an immediate effect, remember to take that into account when you decide on the choice's effects. <span id="result"> <<link "Alert your drones and keep walking">> <<replace "#result">> You inform $assistant.name that you have a slave beater in need of detainment by your security drones, then continue on your way confident in your knowledge that the citizen will soon be in custody. <</replace>> <</link>> <<if $cash >= 2000>> <br><<link "Take the poor slave $girl into your custody">> <<set $activeSlave.clothes = "no clothing">> <<replace "#art-frame">> /* 000-250-006 */ <<if $seeImages == 1>> <<if $imageChoice == 1>> <div class="imageRef lrgVector"><div class="mask">&nbsp;</div><<= SlaveArt($activeSlave, 2, 0)>></div> <<else>> <div class="imageRef lrgRender"><div class="mask">&nbsp;</div><<= SlaveArt($activeSlave, 2, 0)>></div> <</if>> <</if>> /* 000-250-006 */ <</replace>> <<replace "#result">> Confronting the citizen is simplicity in itself; he would not dare defy you under threat of arrest by your security drones and is unlikely to garner any sympathy from the public for his degradationist behaviors. As such, you are able to take civil ownership over the poor slave $girl and take $him into your care with only minimal compensation to the citizen. As you stride away from $his former owner with the $girl in your arms, $he leans over to plant a chaste kiss of thanks on your cheek. <<run cashX(-2000, "slaveTransfer", $activeSlave)>> <<include "New Slave Intro">> <</replace>> <</link>> // Taking custody of the $girl will cost <<print cashFormat(2000)>>. // <</if>> <br><<link "Publicly confront the citizen">> <<replace "#result">> Your walk up to the citizen is not accompanied by shaking ground or tumultuous fanfare, yet the citizen looks as if death itself has come before him. You don't hurt him physically, instead chastising him publicly in front of his fellow peers who begin to cheer their agreement. You end your tirade of verbal abuse with a reminder that although the man is a citizen of your arcology, that does not give him the impunity to shirk the law. To make it clear his next offense will be his last, a brace of your security drones hover behind you threateningly. The crowd that gathered @@.green;approve of your rebuke of the citizen.@@ <<run repX(2500, "event")>> <</replace>> <</link>> </span> So here the results of the choices are, A) nothing, B) reduce cash by 2000 but acquire the slave C) chastise the citizen for plus 500 rep.
MonsterMate/fc
devNotes/AnatomyOfAFreeCitiesEvent.txt
Text
mit
11,047
artist notes ------------- TO USE: SELECT VECTOR ART BY NOX/DEEPMURK CREDITS ------------- Nov_X/NoX (Original Artist, whose work I built off of) skinAnon (For doing the color hexes on hundreds of skin/nipple tones.) @prndev (For dynamic belly scaling magic) @klorpa (For fixing many of my mistakes/spaghetti art code) @kopareigns (For fixing many of my mistakes/spaghetti art code) @pregmodder (Fixes and more art) FOR MANUAL USE ------------- 1. Split source_vector_ndmain.svg and source_vector_ndextras.svg into src/art/vector/layer. Note#1 source_vector.svg is a legacy version (before the art was changed) and is not used for anything. Note#2 vector_revamp_source.svg not related and belongs to the other artist. TO PLAY WITHOUT FACES ------------- 1. Go to pregmod/src/art/vector 2. Open head.tw in notepad/notepad++ 3. Delete everything from Line 30 to Line 979... you'll see it says faceShape, eyebrowFullness, etc-- all of those are related to faces and can be deleted. (AKA just delete everything between the lines that says /* FACIAL APPEARANCE */ and /* END FACIAL APPEARANCE */) 4. Compile and play game. known issues ------------- -minor clipping issue leg/ass outfits due to their outfit transparency effects -not all outfit art works with amputees -minor hair clipping on some outfits -heavy lip piercings look wonky on open mouth art -heavy/light piercings on face seem to override each other --------------------------------------------------------------------------------------------------------------------------------------------- pending requests/suggestions ------------- -loli/shota bodies pending outfit requests ------------- -opaque stockings with ribbons planned additions ------------- -more hair styles -facepaint -alternate makeup options -rework all AI avatars -dick piercings (stalled due to planned code change) -more outfits, see current queue ( https://gitgud.io/deepmurk/fc-pregmod/issues/1 ) --------------------------------------------------------------------------------------------------------------------------------------------- v1.7 (12/22/2018) ------------- -added muscle definition (heavy) -added colorable sclera -added colorable eyebrows -added purple hair color -added dark orchid hair color -added sea green hair color -added green-yellow hair color -added dark blue hair color -added missing AI avatars -fixed faces & skintones not showing on custom ethnicities -added jet black hair color -changed black hair color -changed auburn hair color -alphabetized some options in the salon -miscellaneous tweaks to some other colors v1.6 (11/18/2018) ------------- -misc art fixes -added muscle definition (low) -added muscle definition (medium) -shibari rope outfit is now red for better contrast on some skins -fixed hair showing when ability to grow hair was surgically removed -fixed muscles showing on amputated slave limbs -fixed faces showing on Fuckdolls -fixed "mixed race" skin tone/face issues -fixed some issues related to belly outfits v1.5 (10/21/2018) ------------- -removed penis head piercing light flaccid (art only) -removed penis head piercing light erect (art only) -removed penis head piercing heavy flaccid (art only) -removed penis head piecing heavy erect (art only) -corrected ku klux klan robe description grammar -added burkini outfit -added hijab and blouse outfit -changed the code that affects art layer names due to conflicts with new outfits -changed art layer name of cutoffs to cutoffsandatshirt -changed art layer name of niqab to niqabandabaya -changed art layer name of hijab to hijabandabaya -changed art layer name of spats to spatsandatanktop -changed art layer name of stretchpants to stretchpantsandacroptop -changed art layer name of blouse to hijabandblouse -changed blouse and hijab outfit string name to hijab and blouse -changed shimapan panties outfit string name to striped panties -added bra outfit -added button-up shirt outfit -added button-up shirt and panties outfit -added gothic lolita dress outfit -added hanbok outfit -added nice pony outfit (no art yet) -added one-piece swimsuit outfit -added police uniform outfit -added skimpy loincloth outfit -added slutty klan robe outfit -added slutty pony outfit (no art yet) -added sports bra outfit -added striped bra outfit -added sweater outfit -added sweater and cutoffs outfit -added sweater and panties outfit -added t-shirt outfit -added t-shirt and jeans outfit -added t-shirt and panties outfit -added t-shirt and thong outfit -added tank-top outfit -added tank-top and panties outfit -added thong outfit -added tube top outfit -added tube top and thong outfit -added oversized t-shirt outfit -added oversized t-shirt and boyshorts outfit -added boyshorts outfit -added cutoffs outfit -added jeans outfit -added leather pants outfit -added leather pants and a tube top outfit -added leather pants and pasties outfit -added panties outfit -added panties and pasties outfit -added sport shorts outfit -added sport shorts and a sports bra outfit -added sport shorts and a t-shirt outfit -added striped underwear outfit -increased size of armpit hair art -changed minidress outfit to black color (per request) -misc art fixes -added kitty lingerie outfit v1.4 (09/29/2018) ------------- -fixed facial markings showing on restrictive latex -fixed error on certain clothes when slave is an amputee -added ku klux klan outfit -added burqa outfit -added hijab and abaya outfit -changed niqab and abaya outfit -added shimapan panty outfit -fixed malay race not having faces -added penis head piercing light flaccid (art only) -added penis head piercing light erect (art only) -added penis head piercing heavy flaccid (art only) -added penis head piecing heavy erect (art only) -added nose piercing light -added nose piercing heavy -added lip piercing light -added lip piercing heavy -added eyebrow piercing light -added eyebrow piercing heavy -fixed some eyebrow types not coloring correctly when dyeing -fixed chastity belt showing incorrectly on some bodies (chubby, fat, obese) -fixed hijab head outfit showing incorrectly on faces -added cybernetic feet basic -added cybernetic leg narrow basic -added cybernetic leg normal basic -added cybernetic leg wide basic -added cybernetic leg thick basic -added cybernetic butt 0 basic -added cybernetic butt 1 basic -added cybernetic butt 2 basic -added cybernetic butt 3 basic -added cybernetic butt 4 basic -added cybernetic butt 5 basic -added cybernetic butt 6 basic -added cybernetic arm left thumb down basic -added cybernetic arm left rebel basic -added cybernetic arm left high basic -added cybernetic arm left mid basic -added cybernetic arm left low basic -added cybernetic arm right high basic -added cybernetic arm right mid basic -added cybernetic arm right low basic -added cybernetic feet sexy -added cybernetic leg narrow sexy -added cybernetic leg normal sexy -added cybernetic leg wide sexy -added cybernetic leg thick sexy -added cybernetic butt 0 sexy -added cybernetic butt 1 sexy -added cybernetic butt 2 sexy -added cybernetic butt 3 sexy -added cybernetic butt 4 sexy -added cybernetic butt 5 sexy -added cybernetic butt 6 sexy -added cybernetic arm left thumb down sexy -added cybernetic arm left rebel sexy -added cybernetic arm left high sexy -added cybernetic arm left mid sexy -added cybernetic arm left low sexy -added cybernetic arm right high sexy -added cybernetic arm right mid sexy -added cybernetic arm right low sexy -added cybernetic feet beauty -added cybernetic leg narrow beauty -added cybernetic leg normal beauty -added cybernetic leg wide beauty -added cybernetic leg thick beauty -added cybernetic butt 0 beauty -added cybernetic butt 1 beauty -added cybernetic butt 2 beauty -added cybernetic butt 3 beauty -added cybernetic butt 4 beauty -added cybernetic butt 5 beauty -added cybernetic butt 6 beauty -added cybernetic arm left thumb down beauty -added cybernetic arm left rebel beauty -added cybernetic arm left high beauty -added cybernetic arm left mid beauty -added cybernetic arm left low beauty -added cybernetic arm right high beauty -added cybernetic arm right mid beauty -added cybernetic arm right low beauty -added cybernetic feet combat -added cybernetic leg narrow combat -added cybernetic leg normal combat -added cybernetic leg wide combat -added cybernetic leg thick combat -added cybernetic butt 0 combat -added cybernetic butt 1 combat -added cybernetic butt 2 combat -added cybernetic butt 3 combat -added cybernetic butt 4 combat -added cybernetic butt 5 combat -added cybernetic butt 6 combat -added cybernetic arm left thumb down combat -added cybernetic arm left rebel combat -added cybernetic arm left high combat -added cybernetic arm left mid combat -added cybernetic arm left low combat -added cybernetic arm right high combat -added cybernetic arm right mid combat -added cybernetic arm right low combat -added cybernetic feet swiss -added cybernetic leg narrow swiss -added cybernetic leg normal swiss -added cybernetic leg wide swiss -added cybernetic leg thick swiss -added cybernetic butt 0 swiss -added cybernetic butt 1 swiss -added cybernetic butt 2 swiss -added cybernetic butt 3 swiss -added cybernetic butt 4 swiss -added cybernetic butt 5 swiss -added cybernetic butt 6 swiss -added cybernetic arm left thumb down swiss -added cybernetic arm left rebel swiss -added cybernetic arm left high swiss -added cybernetic arm left mid swiss -added cybernetic arm left low swiss -added cybernetic arm right high swiss -added cybernetic arm right mid swiss -added cybernetic arm right low swiss -added penis flaccid circumcised 0 -added penis flaccid circumcised 1 -added penis flaccid circumcised 2 -added penis flaccid circumcised 3 -added penis flaccid circumcised 4 -added penis flaccid circumcised 5 -added penis flaccid circumcised 6 -added penis flaccid circumcised 7 -added penis flaccid circumcised 8 -added penis flaccid circumcised 9 -added penis flaccid circumcised 10 -added penis erect circumcised 0 -added penis erect circumcised 1 -added penis erect circumcised 2 -added penis erect circumcised 3 -added penis erect circumcised 4 -added penis erect circumcised 5 -added penis erect circumcised 6 -added penis erect circumcised 7 -added penis erect circumcised 8 -added penis erect circumcised 9 -added penis erect circumcised 10 v1.3 (09/22/2018) ------------- -fixed shaved sides hairstyle showing incorrectly -fixed faces showing on restrictive latex -fixed restrictive latex not showing on bodies (chubby, fat, obese) -fixed accent band not showing on kimono belly outfits -fixed facial markings showing incorrectly on faces (birthmark,etc) -added eye coloring (irises only) -fixed lips showing only one color -added fox ears and tail -added cat ears and tail -fixed nipples not showing on attractive lingerie for a pregnant woman outfit -fixed black colored nipples showing on latex and bodysuits -fixed head accessory alignment to new faces (ball gag, dildo gag, etc) -changed art on porcelain mask -added eyes type-d -added mouth type-d -added nose type-d -added eyebrows type-d pencilthin -added eyebrows type-d thin -added eyebrows type-d threaded -added eyebrows type-d natural -added eyebrows type-d tapered -added eyebrows type-d thick -added eyebrows type-d bushy -added eyes type-e -added mouth type-e -added nose type-e -added eyebrows type-e pencilthin -added eyebrows type-e thin -added eyebrows type-e threaded -added eyebrows type-e natural -added eyebrows type-e tapered -added eyebrows type-e thick -added eyebrows type-e bushy -added eyes type-f -added mouth type-f -added nose type-f -added eyebrows type-f pencilthin -added eyebrows type-f thin -added eyebrows type-f threaded -added eyebrows type-f natural -added eyebrows type-f tapered -added eyebrows type-f thick -added eyebrows type-f bushy -separated faces by race/head shape (eg: white/exotic is different from asian/exotic) -made some eye types smaller -fixed stockings not covering thick thighs properly v1.2 (09/16/2018) ------------- -added naked apron outfit (chubby, fat, obese) -added attractive lingerie (chubby, fat, obese) -added ballgown outfit (chubby, fat, obese) -added battlearmor outfit (chubby, fat, obese) -added battledress outfit (chubby, fat, obese) -added biyelgee costume (chubby, fat, obese) -added body oil outfit (chubby, fat, obese) -added bunny outfit (chubby, fat, obese) -added chains outfit (chubby, fat, obese) -added chattel habit outfit (chubby, fat, obese) -added cheerleader outfit (chubby, fat, obese) -added clubslut outfit (chubby, fat, obese) -added comfortable bodysuit outfit (chubby, fat, obese) -added conservative outfit (chubby, fat, obese) -added cutoffs and tshirt outfit (chubby, fat, obese) -added dirndl outfit (chubby, fat, obese) -added fallennun habit outfit (chubby, fat, obese) -added haltertop dress outfit (chubby, fat, obese) -added harem gauze outfit (chubby, fat, obese) -added hijab and abaya outfit (chubby, fat, obese) -added huipil outfit (chubby, fat, obese) -added kimono outfit (chubby, fat, obese) -added latex outfit (chubby, fat, obese) -added attractive lingerie for pregnant woman outfit (chubby, fat, obese) -added leotard outfit (chubby, fat, obese) -added lederhosen outfit (chubby, fat, obese) -added long qipao outfit (chubby, fat, obese) -added maternity dress outfit (chubby, fat, obese) -added military uniform outfit (chubby, fat, obese) -added minidress outfit (chubby, fat, obese) -added monikini outfit (chubby, fat, obese) -added mounty outfit (chubby, fat, obese) -added nice business attire outfit (chubby, fat, obese) -added nice maid outfit (chubby, fat, obese) -added nice nurse outfit (chubby, fat, obese) -added penitent nuns habit outfit (chubby, fat, obese) -added red army uniform outfit (chubby, fat, obese) -added scalemail bikini outfit (chubby, fat, obese) -added schoolgirl outfit (chubby, fat, obese) -added schutzstaffel uniform outfit (chubby, fat, obese) -added schutzstaffel uniform slutty outfit (chubby, fat, obese) -added shine outfit [Only applies to latex] (chubby, fat, obese) -added shibari rope outfit (chubby, fat, obese) -added slutty outfit (chubby, fat, obese) -reworked slutty outfit (changed to pasties) -added slave gown outfit (chubby, fat, obese) -added slutty business attire outfit (chubby, fat, obese) -added slutty jewelry outfit (chubby, fat, obese) -added slutty maid outfit (chubby, fat, obese) -added slutty nurse outfit (chubby, fat, obese) -updated slutty nurse outfit (now with 100% more hat) -added slutty qipao outfit (chubby, fat, obese) -added spats outfit (chubby, fat, obese) -added stretch pants outfit (chubby, fat, obese) -added string bikini outfit (chubby, fat, obese) -added succubus outfit (chubby, fat, obese) -added toga outfit (chubby, fat, obese) -added uncomfortable strap outfit (chubby, fat, obese) -added western outfit (chubby, fat, obese) -added eyes type-a -added mouth type-a -added nose type-a -added eyebrows type-a pencilthin -added eyebrows type-a thin -added eyebrows type-a threaded -added eyebrows type-a natural -added eyebrows type-a tapered -added eyebrows type-a thick -added eyebrows type-a bushy -added eyes type-b -added mouth type-b -added nose type-b -added eyebrows type-b pencilthin -added eyebrows type-b thin -added eyebrows type-b threaded -added eyebrows type-b natural -added eyebrows type-b tapered -added eyebrows type-b thick -added eyebrows type-b bushy -added eyes type-c -added mouth type-c -added nose type-c -added eyebrows type-c pencilthin -added eyebrows type-c thin -added eyebrows type-c threaded -added eyebrows type-c natural -added eyebrows type-c tapered -added eyebrows type-c thick -added eyebrows type-c bushy v1.1 (07-11-2018) ------------- -added torso chubby -added torso fat -added torso obese -added butt enormous -added butt gigantic -added butt massive -added legs thick -added butt outfits enormous (x56) -added butt outfits gigantic (x56) -added butt outfits massive (x56) -fixed crotch coloring for dicks on dirndl -fixed crotch coloring for dicks on lederhosen -fixed crotch coloring for dicks on battlearmor -fixed crotch coloring for dicks on mounty outfit -fixed crotch coloring for dicks on long qipao -fixed crotch coloring for dicks on biyelgee costume -added leg outfits thick (x56) v1.0 (07-03-2018) ------------- -added long qipao outfit -added battlearmor outfit -added mounty outfit -added dirndl outfit -added lederhosen outfit -added biyelgee costume outfit -added tiny nipple art -added cute nipple art -added puffy nipple art -added inverted nipple art -added huge nipple art -added fuckable nipple art -added partially inverted nipple art v0.9 (05-05-2018) ------------- -added dynamic belly scaling (courtesy of @prndev) -added belly button art -fixed belly piercings not showing -updated belly piercing art -added belly outfit apron -added belly outfit bodysuit -added belly outfit cheerleader -added belly outfit clubslut -added belly outfit cutoffs (base only) -added belly outfit cybersuit -added belly outfit fallen nun (base only) -added belly outfit haltertop dress -added belly outfit hijab and ayaba -added belly outfit latex catsuit -added belly outfit leotard -added belly outfit nice maid -added belly outfit slutty maid -added belly outfit military (base only) -added belly outfit minidress -added belly outfit monokini (base only) -added belly outfit nice nurse -added belly outfit slutty nurse (base only) -added belly outfit red army uniform (base only) -added belly outfit schoolgirl (base only) -added belly outfit schutzstaffel (base only) -added belly outfit silken ballgown -added belly outfit skimpy battldress (base only) -added belly outfit slave gown -added belly outfit spats and a tank top (base only) -added belly outfit succubus (base only) -added belly outfit suit nice (base only) -added belly outfit suit slutty (base only) -added belly outfit bunny outfit -added belly outfit chattel habit (base only) -added belly outfit conservative clothing (base only) -added belly outfit harem gauze (base only) -added belly outfit huipil -added belly outfit kimono (base only) -added belly outfit maternity dress -added belly outfit slutty qipao -added belly outfit toga -added belly outfit western clothing -added belly outfit penitent nun (base only) -added belly outfit restrictive latex -added freckles as misc facial feature -added heavy freckles as misc facial feature -added beauty mark as misc facial feature -added birthmark as misc facial feature -minor outfit polishing on some outfits -polished outlines on torso art (normal, narrow, absurd) -reworked naked apron outfit -updated bangles outfit -fixed problems when surgically altering a slave's race -reworked clubslut netting outfit -updated cheerleader outfit -added AI personal assistant art -added blue-violet hair color -updated deep red hair color -added shaved armpit hair -added neat armpit hair -added bushy armpit hair -fixed male genitalia showing over large bellies -added porcelain mask accessory -added ability to custom color porcelain mask -added ability to custom color glasses -added slutty schutzstaffel uniform v0.8 (04-21-2018) ------------- -added wispy pubic hair -added areola normal art -added areola large art -added areola wide art -added areola huge art -added areola star-shaped art -added areola heart-shaped art -converted stockings to a leg accessory -fixed issue that allowed stockings to be shown/selected on amputees -added visor hat to military outfit (per request) -fixed tilted neat pubic hair -fixed bellies/corsets showing at the same time if present/selected -major overhaul of skin tones -tweaked leg/hipsize/weight art distribution -fixed vaginal piercings not showing -updated vaginal piercing art -created porcelain mask accessory art -added cybersuit outfit -added skin/nipple tones for every race (courtesy of skinAnon) -added naked apron outfit -added schutzstaffel uniform -added red army uniform -darkened stocking art slightly (per request) v0.7 (04-14-2018) ------------- -added sleeves to hijab and abaya outfit -added sleeves to cutoffs and a t-shirt outfit -added sleeves to skimpy battledress outfit -added sleeves to conservative outfit -added sleeves to huipil outfit -added sleeves to kimono outfit -added sleeves to nice maid outfit -added sleeves to military uniform outfit -added sleeves to nice nurse outfit -added sleeves to slutty nurse outfit -added sleeves to slutty qipao outfit -added sleeves to schoolgirl outfit -added sleeves to nice suit outfit -added sleeves to slutty suit outfit -added sleeves to western clothing outfit -removed thigh-highs/stockings on most outfits -fixed nipple piercings showing incorrectly -fixed boots showing incorrectly on some outfits -fixed 'invisible balls' on one of the scrotum sizes (the shadow was showing as skin color, removing the outline) -slutty nurse outfit now better matches the description -updated thigh boot art -updated extreme heel art -added bare feet stocking outfits (Long/short) -added additional flat shoe outfits (bare/stockings short/stockings long) -added additional heel shoe outfits (bare/stockings short/stockings long) -added additional pump shoe outfits (bare/stockings short/stockings long) v0.6 (04-07-2018) ------------- -fixed bodysuit outfit color issue on non-default colors -fixed restrictive latex color issue on non-default colors -added hairstyle 'messy bun' (long/medium/short) -added hairstyle 'dreadlocks' (long/medium/short) -added hairstyle 'cornrows' (long/medium/short) -added hairstyle 'braided' (long/medium/short) -added hairstyle 'twintails' (long/medium/short) -added hairstyle 'shavedsides' (long/medium/short) -added chains outfit -added penitent nun outfit -reworked male genitalia -added bulge outfits for the appropriate outfits -removed transparency on clubslut, harem, and slutty torso outfits due to multiple issues -overhauled clubslut outfit to fix numerous art issues. -changed extreme heels -changed thigh high boots -overhauled breasts -reworked all breast outfits due to breast overhauled -changed breast positioning relative to the overall body -reworked corset lengths -reworked all breast and torso outfits for new breast compatibility v0.5 (03-31-2018) ------------- -added belly scaling w/pregnancy+overfeeding -minor polishing on all outfits -fixed piercings not showing correctly -added nipple light piercings -added areola light piercings -added nipple heavy piercings -added areola heavy piercings -added vaginal dildo accessory -added vaginal long dildo accessory -added vaginal large dildo accessory -added vaginal long, large dildo accessory -added vaginal huge dildo accessory -added vaginal long, huge dildo accessory -added anal long plug accessory -added anal large plug accessory -added anal long, large plug accessory -added anal huge plug accessory -added anal long, huge accessory -added anal tail plug accessory (anal hook/bunny tail) -added first trimester pregnancy empathy belly -added second trimester pregnancy empathy belly -added third trimester pregnancy empathy belly -added third trimester twin pregnancy empathy belly -added tight corset torso accessory -added extreme corset torso accessory -cleaned up changelog wording for clarity purposes -added uncomfortable leather collar outfit -updated dildo gag collar graphic art -added massive dildo gag collar outfit -added ball gag collar outfit -added bit gag collar outfit -added silken ribbon collar outfit -added bowtie collar outfit -added ancient egyptian collar outfit -added hairstyle 'neat' (long/medium/short) -added hairstyle 'up' (long/medium/short) -added hairstyle 'ponytail' (long/medium/short) -added hairstyle 'bun' (long/medium/short) -added hairstyle 'curled' (long/medium/short) -added hairstyle 'messy' (long/medium/short) -added hairstyle 'permed' (long/medium/short) -added hairstyle 'eary' (long/medium/short) -added hairstyle 'luxurious' (long/medium/short) -added hairstyle 'afro' (long/medium/short) -fixed cowboy hat not showing on western outfit -fixed baldness on generic/generated non-selectable hairstyles v0.4 (03-24-2018) ------------- -added nice lingerie outfit -fixed immersion breaking art on specific flat-chested outfits (somewhat) -added nurse slutty outfit -added silken ballgown outfit -added skimpy battledress outfit -minor polishing on all outfits -added slutty outfit -added spats and a tank top outfit -fixed graphical issues on mini dress -added succubus outfit -added nice suit outfit -added slutty suit outfit -added attractive lingerie for a pregnant woman outfit -added bunny outfit -added chattel habit outfit -updated fallen nun outfit (headdress added) -added conservative clothing outfit -added harem gauze outfit -added huipil outfit -added kimono outfit -added slave gown outfit -added stretch pants and a crop top outfit -updated schoolgirl outfit (sweater vest added) -added slutty qipao outfit -added toga outfit -added western clothing outfit (no cowboy hat) -fixed dick/ball clipping issues on all relevant outfits -added natural color nipples to match racial skin tones v0.3 (03-17-2018) ------------- -added schoolgirl outfit -added fallennun outfit -added nice maid outfit -added slutty maid outfit -updated minidress outfit (changed color+fixes) -minor polishing on some outfits -added niqab and abaya outfit (niqab > hijab) -changed white colors on outfits to grey for increased contrast on light skin tones. -added nice nurse outfit -fixed outline issues on boots/extreme heels -fixed ultra black hair color issue (vanilla only) -added military uniform outfit -updated to latest pregmod git v0.2 (03-10-2018) ------------- -added string bikini outfit -added scalemail bikini outfit -updated male genitalia display position -set default shoe colors to neutral (per request) -added some natural color nipples to match racial skin tones v0.1 (03-03-2018) ------------- -updated boob graphic art -updated nipple graphic art -updated arm graphic art -updated female genitalia graphic art -updated waist graphic art -updated butt graphic art -added bushy pubic hair -added very bushy pubic hair -updated vaginal chastity belt -updated anal chastity belt -added uncomfortable strap outfit -added shibari rope outfit -updated restrictive latex outfit -updated latex catsuit outfit -updated extreme heel graphic art -updated pump shoes graphic art (not selectable in-game yet) -added bodysuit outfit -added body oil outfit -added haltertop dress outfit -added bangles outfit -added mini dress outfit -added leotard outfit -added t-shirt and cutoffs outfit -added cheerleader outfit -added clubslut netting outfit
MonsterMate/fc
devNotes/Deepmurk_Vector_Art_Changelog.txt
Text
mit
27,291
This document gives an overview of some of the economic mechanics, especially the ones spread across multiple files and functions. Determining the prices for whoring; The general principle behind the pricing is one of supply and demand. Getting our hands on the appropriate information takes some doing due to how the game operates. Supply and demand needs to be determined before the slave reports are generated, as such it takes place at the top of 'slaveAssignmentsReport.tw'. Finding the demand is relatively straightforward, as it depends on the current arcology population of the various classes as well as visitors. Finding the supply requires more work as all slaves tasked with sexually serving the populace need to be considered. The function 'slaveJobValues()' takes care of pretty much all of that and can be found in 'economyJS.js'. 'slaveJobValues()' takes into account gloryholes/arcade, public sluts/club sluts and street whores/brothel whores separately. Gloryhole prices aren't too involved, since the 'product' is very homogenous and sluts don't get paid for their services. Whores on the other hand have variable skills and appearance and may appeal to different classes of citizens. 'SJVBrothel()' takes care of general bonuses/penalties that all jobs have to some degree. Near the end it determines the 'value' of the whore by taking the above bonus, their 'beauty()' and their 'FResult()' score. Previously 'beauty()' determined the number of sexual acts and 'FResult()' the price for them. With the distinction between classes and the kind of sexual services they demand it became glaring that the best quality whores were used most heavily. Shouldn't these talented slaves should be MORE exclusive, not less? The function whoreScore() will be taking care of this oddity and it uses 'beauty()' * 'FResult()' as well as applicable modifiers to give us an 'income' variable. This 'income' is the basis for the money the slave will be making, but will still be going through some modifications before the actual figure is produced later. This is the amount of money they used to make and are still expected to make under standard circumstances but now it will be divided between sexual acts and their value in a different fashion. whoreScore() also takes care of some slave sorting according to supply and demand. Whenever the demand of the class a slave is trying to service is already met the function will determine if the slave should perhaps service a lower class instead. It uses effectiveWhoreClass() to find out the maximum possible class a slave can service (or is allowed to service by the player), and demotes a slave for the week as needed. After the class of citizens the slave will service is set the function takes care of the specific 'sexAmount' and 'sexQuality' the slave is providing. The higher the class the more time and attention they demand from their whores. Generally a better slave servicing a higher class will fuck less than a lesser slave servicing a lower class. The price per service is adjusted to compensate; 'income' is the basis, 'sexAmount' is partially set by the class serviced and 'sexQuality' is 'income' / 'sexAmount'. There is a maximum for the 'sexAmount' and 'sexQuality' for each class; On the one hand the slave only has so much time in the day and on the other citizens will only pay a particular amount of money. There is also a minimum for 'sexAmount'; a slave assigned to whore is expected to be working hard for the entire assignment, if needed the price will be adjusted to ensure a full work week for every slave. The maximum amount of money a citizen is willing to pay depends on the rent they need to pay. Less rent means they have more spending money for other things, including whores. Additionally servicing a higher class also comes with a little bonus in and of itself. 'slaveJobValues()' aggregates all sexual services done by a player's slaves, thus at the end of this function we know the supply provided by the player. We must also consider the supply by other providers operating within the arcology, but this is relatively straightforward. Combine the two and we now have the total supply for that week and we can finally compare supply and demand to provide a final price modifier. Each class of citizens has their own demand and supply statistics and thus their own price modifier as well. All of this once again takes place within the top part of 'slaveAssignmentsReport.tw'. When demand outstrips supply, a whore will receive a premium for their services, but not proportionally. Supplying only half of what is demanded does not mean prices are doubled, they'll be increased by less than that. Likewise when supply outstrips the demand a whore will receive less for their services, but not proportionally. Doubling the demand reduces the price by significantly more than 50%. There is however an absolute minimum of 30% of the standard price. Finally, as each slave has their report generated they will actually be earning 'sexAmount' * 'sexQuality' * supply/demand modifier.
MonsterMate/fc
devNotes/Economy notes.txt
Text
mit
5,074
Extended family mode (mod) In short, extended family mode replaces the old .relation + .relationTarget system with a completely new system capable of handling a limitless number of relatives. Or at least until your game crashes from trying to handle it all. Fully incompatible with the old system and fully functional with ng+. The backbone of the system: .father and .mother Everything about a slave's family can be gathered by looking into her mother and father. Beyond the obvious mother-daughter relation, you can check two separate slaves' parents to see if they are related to each other, allowing for sisters, half-sisters, and with a .birthWeek check, twins with little effort. The following values are used with .mother and .father: Valid slave IDs (in other words, a value > 0) - Serves as both a target for checks and as a check itself to see if effort should be expended to search for the parent. 0 - Slave has no known parent. A slave with a parent value of 0 is capable of having a parent added via reRelativeRecruiter MissingParentIDs (in other words, a value < -2) - Serves as a placeholder to preserve sibling relations in the case of a parent being sold or lost. Outside of extreme cases, this value will never be restored to its' previous value. $missingParentID starts at -10000 and decrements after application. On NG+, positive values are incremented the same as a normal slave and checked for validity. Should it be invalid, it will be replaced with $missingParentID. Negative values, on the other hand, are decremented by 1200000. Values of -1 and -2 are ignored by the JS, so don't use them. Also -9999 through -9994 are used by hero slaves to preserve their sibling status no matter when they are purchased or obtained during the same game. The limiters: .sisters and .daughters Extended family mode is VERY for loop intensive, and as such, has limiters to prevent it from needlessly looping. A value greater than 0 for either of these slave variables signals that slave has a sibling/daughter for various checks. Furthermore, the value of .sisters and .daughters accurately tracks the number of sisters and daughters, particularly for checks that require all of them to be found. You'll learn to hate these, but on the plus side, they can safely be recalculated with no side effects. Nearly entirely handled by <<AddSlave>> and removeActiveSlave, you do not understand how huge of a plus this is. The recruiting check: .canRecruit Checked by reRelativeRecruiter to see if a slave is eligible to have relatives added. Hero slaves, special slaves, and often event slaves are ineligible for recruiting. Gets disabled if the slave is called into the recruiting event but fails to qualify for additional relatives due to unaddable slots or too many existing relatives. A quick list of the JS that gets things done and various useful JS calls: sameDad(slave1, slave2) - checks if the slaves share the same father and returns true/false. sameMom(slave1, slave2) - checks if the slaves share the same mother and returns true/false. sameTParent(slave1, slave2) - an exception catcher that handles such things as "slave1 knocked up slave2 and got impregnated by slave2, their children will be sisters" and returns the sister variable (0 - not related, 1 - twins, 2 - sisters, 3 - half-sisters). (subJS, never call on its own) areTwins(slave1, slave2) - checks if the slaves are twins and returns true/false. areSisters(slave1, slave2) - combines all of the above and returns the sister variable (0 - not related, 1 - twins, 2 - sisters, 3 - half-sisters). A widely used check to identify sister relatives. Generally gated by a .sisters check. Recommended to use in a <<switch>> macro instead of calling it for each outcome. totalRelatives(slave) - returns how many relatives a slave has as an integer. Useful both as a check and for its value. Recommended to use as a check in instances where you want a relative, but don't care what it is. mutualChildren(slave1, slave2, slaves) - checks the slave array for children shared by the two slave arguments and returns the number of mutual children as an integer. Currently used solely to encourage two slaves into a relationship if they have kids together. The utility JS, courtesy of FCGudder. This JS should only be called if you know it will find something, use your limiters! These will always return the only relative if only one outcome is possible, so technically they can be used creatively. randomAvailable JS should be followed with random JS as a fallback for circumstances where you must find something, but would prefer it to be sensible if possible. randomRelatedSlave(slave, filterFunction) - returns a random related slave to the slave passed into it. filterFunction is called in the following JS but not needed if you just want a random relative. randomRelatedAvailableSlave(slave) - returns a random available related slave. randomSister(slave) - returns a random sister. randomAvailableSister(slave) - returns a random available sister. randomTwinSister(slave) - returns a random twin. randomAvailableTwinSister(slave) - returns a random available twin. randomDaughter(slave) - returns a random daughter. randomAvailableDaughter(slave) - returns a random available daughter. randomParent(slave) - returns a random parent. randomAvailableParent(slave) - returns a random available parent.
MonsterMate/fc
devNotes/Extended Family Mode Explained.txt
Text
mit
5,385
Security Expansion 10/18/17 1 3 10/22/17 5 10/24/17 6 -balance adjustments -fixed improper name assignment -added renaming of units -reworked casualties logic -added statistics to arcology management screen -various other fixes 10/28/17 7 -SFanon additions -fixes -balance 10/29/17 7.1 -fixes -couple of balance adjustments. 11/01/17 7.5 7.6 -fixed reported issue -balance adjustments (run backward compatibility to apply them) 7.7 11/03/17 8 -various fixes -balance -rebellions 11/05/17 8.5 -fixes -rebellions 11/06/17 Pregmod v113 8.6 -fixes 8.7 -fixed reported issue maybe pretty please? 11/07/17 Pregmod v114/Pregmod v114.1 8.8 -fixes 9.2 -small fixes -new edicts -new units upgrade -new barracks upgrade Pregmod v115 9.6 -fixes -loyalty work 11/09/17 Pregmod v119 9.6 -small fixes 11/10/17 10 -fixes -weapons manufacturing -balance 11/11/17 Pregmod v121 10.2 -fixes Pregmod v122 11 -fixes -proclamations -balance 11.1 11.2 -fixes -extra options 11/12/17 Pregmod v124 11.5 -fixes -balance 11.6 -fixed reported issues -balance Pregmod v125 12 -fixes -transport hub and trade -balance 11/13/17 12.3 -fixes -SFanon additions -balance Pregmod v126 12.4 11/14/17 Pregmod v130 12.5 -fixes -SFanon stuff -balance Pregmod v132 12.6 -fixes -anon's stuff 12.8 -fixes -balance 12.9 -fixes 11/15/17 13 -fixes -balance 11/16/17 13.1 -fixes -balance 13.3 -fixes 13.4 -fixed >>142293 (Attack value NaN during major battle) 11/17/17 Pregmod v135 13.4 -fixes -balance -difficulty settings Pregmod v136 13.6 -fixes 11/18/17 13.7 -balance -(maybe) fix for battle terrain not showing up. 13.8 -(maybe) fixed >>142732 Pregmod v137 v13.9 -fixes (couple of) Pregmod v139 14 -fixes -spell checked attack report. My god was is bad. 14.1 -fixes 11/20/17 14.2 -fixes -balance -very satisfying version number.
MonsterMate/fc
devNotes/MultiVersionChangeLog.txt
Text
mit
2,018
# The pronouns system # All references to scene actors shall be made via the pronouns object, returned by the `getPronouns()` function. The properties of the returned object contains strings to be used for referring to the actor or his actions. The object presents three property groups. The first one refers to pronouns by their grammatical names ('noun', 'object', 'pronoun', etc.). The rest of the groups provide the same values, but referred using gender-dependent names: he/she, his/her, etc. They are meant to be used in passage texts, and you can choose any group you like, the actual strings will be based on the slave object, which was passed as argument in the `getPronouns()` call. ## Usage examples ## ```js const s = getPronouns(aSlave); `Use ${s.his} mouth` `Fuck ${s.him}` `${s.He} is ready` ``` ``` <<set _p = getPronouns(aSlave)>> <<= _p.Girl>>s' butts are for loving ``` ## Extending the pronouns system. ## Consider a degradationism-based society where a slave is a thing. To extend the pronouns system, we create a successor of the `App.Utils.Pronouns` class: ```js App.Utils.ThingPronouns = class extends App.Utils.Pronouns { get pronoun() { return "it" } get possessivePronoun() { return "its"; } get possessive() { return "its"; } get object() { return "its"; } get objectReflexive() { return "itself"; } get noun() { return "thing"; } }; ``` Notice, we override only the basic gender-neutral properties, and the rest of them use these values. Then we modify the `getPronouns()` code: ```js if (/*degradationist society condition*/) { return new App.Utils.ThingPronouns(slave); } return new App.Utils.Pronouns(slave); ```
MonsterMate/fc
devNotes/Pronouns.md
Markdown
mit
1,659
QuickList is built from the interaction of six parts. 1] The Quick List option enable/disable control. 2] The list context, basically if there are more than one, and the context is correct, the toggle, the table will be available. 3] The Slave Summary Passage contains the Quick List toggle button, clicking it either shows or hides the quick list table. 4] The Slave Summary Passage contains the actual quick list table, which if shown has a button for each slave name in the list, in columns up to 5 wide. 5] The Slave Summary Passage contains invisible <a> links or any other html element nearby or tied to each slave's name. These are generated with an html attribute id set to "slave-##" where ## is the slave's ID. 6] The JS code to tie a scroll animation from the visible name buttons in the quick list table down to the invisible links/elements. The slave summary passage is called in many strange contexts, and for this reason, there is some serious complexity in getting consistent results. As it stands now, the passage sometimes calls itself recursively (for facilities), but it doesn't do that for the Main penthouse page. The list context is duplicated, so that we can quickly loop over the list context to get the slave names in the list, all without disturbing the principal list context for the slave data. If the list context has more than one slave, and is either the first call for the Main/penthouse list, or the recursive call for any other facility, And we haven't *already* built a quick list table, then we proceed to build the quick list table. We use special attributes on the built button to name the invisible link to which we'll navigate, the speed that we'll animate our navigation and an offset.
MonsterMate/fc
devNotes/QuickList.txt
Text
mit
1,741
Assay Functions: isSlim(slave) - Returns if slave is considered slim or not by arcology standards. isStacked(slave) - Returns if slave is considered stacked (big T&A) or not. isModded(slave) - Tallies a slave's tats and piercings and returns if slave is considered heavily modded or not. isUnmodded(slave) - Returns if slave is (relatively) unmodded. Some leeway. isXY(slave) - Returns if a slave has a dick. (This needs review, it's far outdated for what it is used for.) isPreg(slave) - Returns if a slave looks pregnant. isNotPreg(slave) - Returns if slave has no sizable belly. isPure(slave) - Returns if slave has not been surgically enhanced (to a noticeable degree). isSurgicallyImproved(slave) - Returns if slave has been surgically enhanced with boob, butt and lip implants and also has a small waist. PiercingScore(slave) - Returns int representing degree of piercings. Higher means more piercings. TatScore(slave) - Returns int representing degree of tattooing. Higher means more tattoos. canImproveIntelligence(slave) - Returns if slave intelligence can be improved with Psychostimulants canImproveHeight(slave) - Returns if slave height can be improved with growth stimulants sameAssignmentP(slave, slave) - Returns if slaves are on the same assignment. haveRelationshipP(slave1, slave2) - Returns if slave1 is in a relationship with slave2. isRivalP(slave1, slave2) - Returns if slave1 is in a rivalry with slave2. supremeRaceP(slave) - Returns if slave is of the superior race. (Should only be used in conjunction with racial supremacy.) inferiorRaceP(slave) - Returns if slave is of the inferior race. (Should only be used in conjunction with racial subjugation.) isLeaderP(slave) - Returns if slave is in a leadership assignment. isMotherP(slave1, slave2) - Returns if slave2 is slave1's mother. isFatherP(slave1, slave2) - Returns if slave2 is slave1's father. isParentP(slave1, slave2) - Returns if slave2 is either of slave1's parents. sameDad(slave1, slave2) - Returns if slave1 and slave2 have the same father. sameMom(slave1, slave2) - Returns if slave1 and slave2 have the same mother. areTwins(slave1, slave2) - Returns if slave1 and slave2 are twins. areSisters(slave1, slave2) - Returns sister status of slave1 and slave2 (1 - twins, 2 - sisters, 3 - half-sisters) areRelated(slave1, slave2) - Returns if slave1 and slave2 are related. totalRelatives(slave) - Returns the number of relatives slave has. mutualChildren(slave1, slave2) - Returns if slave1 and slave2 have children together. isSlaveAvailable(slave) - Returns if slave is available and not confined someplace. assignmentVisible(slave) - Returns whether a slave's current assignment is shown in Main. Often used as a proxy for "penthouse slave". randomRelatedSlave(slave) - Returns a random relative of slave if possible. randomRelatedAvailableSlave(slave) - Returns a random available relative of slave if possible. randomSister(slave) - Returns a random sister of slave if possible. randomTwinSister(slave) - Returns a random available twin of slave if possible. randomAvailableSister(slave) - Returns a random available sister of slave if possible. randomDaughter(slave) - Returns a random child of slave if possible. randomDaughter(slave) - Returns a random available child of slave if possible. randomParent(slave) - Returns a random parent of slave if possible. randomAvailableParent(slave) - Returns a random available parent of slave if possible. totalPlayerRelatives(PC) - Returns the number of relatives the player has. isSexuallyPure(slave) - Returns if the slave has (possibly) never had sex. canGetPregnant(slave) - If the slave is fucked right now, could she get pregnant? canBreed(slave1, slave2) - Returns if slave1 and slave2 are capable of breeding with each other. canImpreg(slave1, slave2) - Returns if slave2 can impregnate slave1. PC works as an argument as well. canFemImpreg(slave1, slave2) - Returns if slave2 can squirt cum and impregnate slave1. Assumes a slave does not have a dick. PC works as an argument as well. isFertile(slave) - Returns if the actor is capable of having children. canAchieveErection(slave) - Returns if the slave can get an erection. (Not blocked by chastity.) canPenetrate(slave) - Returns if the slave can penetrate successfully. canSee(slave) - Returns if the slave can see. canHear(slave) - Returns if the slave can hear. canSmell(slave) - Returns if the slave can smell. canTaste(slave) - Returns if the slave can taste. canHold(slave) - Returns if the slave can use both arms. canWalk(slave) - Returns if the slave can walk unassisted. canTalk(slave) - Returns if the slave can talk. canDoAnal(slave) - Returns if the slave can currently have anal sex. canDoVaginal(slave) - Returns if the slave can currently have vaginal sex. tooFatSlave(slave) - Returns if the slave is too fat to move. tooBigBreasts(slave) - Returns if the slave's breasts are too big for her to move. tooBigBelly(slave) - Returns if the slave's belly is too big for her to move. tooBigBalls(slave) - Returns if the slave's balls are too big for her to move. tooBigDick(slave) - Returns if the slave's dick is too big for her to move. tooBigButt(slave) - Returns if the slave's butt is too big for her to move. milkAmount(slave) - Returns the slave's expected milk output in liters. App.Facilities.Farmyard.foodAmount(slave) - Returns the slave's expected food output in kilograms. cumAmount(slave) - Returns the slave's expected cum output in deciliters. isVegetable(slave) - Returns if the slave is mindbroken. overpowerCheck(slave, PC) - Returns an integer that represents the chance of a slave overpowering the player. heelLength(slave) - Returns the length of a slave's heels should she be wearing any Display Functions: properTitle() - Returns the player's proper title. (customTitle, Sir, Ma'am) properMaster() - Returns the slave's title for Master when WrittenMaster() is inappropriate. (customTitle, Master, Mistress) SlaveFullName(slave) - Returns the slave's full name. PlayerName() - Returns the player's full name. PCTitle() - Returns the player's full title. PoliteRudeTitle(slave) - Returns the slave's title for the player they hate. SlaveTitle(slave) - Returns the slave's descriptive title. relativeTerm(slave1, slave2) - Returns the term for slave2's relation to slave1. (daughter, mother, etc.) relationshipChecks [script] All work as expected with <<if X.rivalryTarget == $slaves[$i].ID>> preceding them. rivalryTerm(id) - Returns the rivalry term for the input. e.g. lines 99-100 of brothelReport. <<if $Madam.rivalryTarget == $slaves[$i].ID>> $He forces $his <<print rivalryTerm($Madam)>>, to service all the men in the brothel. Would print 'She forces her growing rival, to service all the men in the brothel.' relationshipTerm(id) Returns the long form relationship term for the input. e.g. lines 147-148 of saRules. <<if $slaves[$i].relationship > 0>> $He often asks to save these breaks so $he can spend them with $his <<print relationshipTerm($slaves[$i])>>. Would print '$He often asks to save these breaks so $he can spend them with $his friend.' relationshipTermShort(id) Prints the short form of the above. e.g. line 321 of slaveInteract. `"Fuck $him with $his <<print relationshipTermShort($activeSlave)>> <<= SlaveFullName($slaves[_si])>>"` Would print 'Fuck $him with $his BFF <<= SlaveFullName($slaves[_si])>>' PCrelationshipTerm(id) Prints the relationship term for the input (relative to the PC) if the relationship is < -1. <<if $slaves[$i].relationship < -1>> $He loves being your <<print PCrelationshipTerm($slaves[$i])>>. Would print '$He loves being your wife.' contextualIntro(context, actor, insertComma=false) - Introduces an actor by using any meaningful relationship(s) with an already on-screen actor, and their name. Returns strings like: "your husband John", "his growing rival and mother Alice", or "her best friend and twin sister Carla". If there is no known relationship between them, retuns the name alone. If insertComma is true, it will generate "her father, Dave" instead of "her father Dave". Use this function instead of just printing the slave's name when you'd like to let the player to know if two actors are related, even though it's not going to have any mechanical impact on the scene. bellyAdjective(slave) - Returns a string describing her belly size. lispReplace(string) - Returns the string lispified. nippleColor(slave) - Returns the slave's nipple color. UtilJS [script] num() - Returns the value thousand separated with ',' if $formatNumbers > 0 else provides the raw value. Returns an integer if $showNumbers == 0, numbers up to a preset max as words if $showNumbers == 1, or only words if $showNumbers == 2. line 138 of src/SpecialForce/Report.tw, '...focused their <<print num($SFUnit.Troops)>> troops' if $formatNumbers > 0 'focused their 1,589 troops' else 'focused their 1589 troops' if $showNumbers == 0 'focused their 1,589 troops', if $showNumbers == 1 'focused their 1,589 troops' (unless the max is set to more than 1,589), else 'focused their one thousand five hundred eighty-nine troops' cashFormat() - uses the above function to return the value thousand separated with ',' if $formatNumbers > 0 else provides the raw value. either way prepends ¤ (the fc domination) symbol. line 157 of the previously listed file, '...totaling @@.yellowgreen;<<print cashFormat(_SFIncome)>>@@' if $formatNumbers > 0 'totaling @@.yellowgreen;¤1,500,000@@' else 'totaling @@.yellowgreen;¤1500000@@' isFloat() - Checks if value is float. isInt() - Checks if value is an integer. numberWithCommas() - Currently unused. jsRandom() - JS equivalent of SugarCube's random(). jsRandomMany() - JS equivalent of SugarCube's randomMany(). jsEither() - This function wants an array - which explains why it works like array.random(). Give it one or you'll face a NaN. JS equivalent of SugarCube's either() and array.random(). deepCopy() - This function is alternative to clone - usage needed if nested objects present. Slower but result is separate object tree, not with reference to source object. hashChoice() - hashes provided input. hashSum() - totals provided input and then hashes. arr2obj() - Converts an array to an object. e.g. line 250 of :: init Nationalities [silently] <<set $nationalities = arr2obj(setup.baseNationalities)>> hashPush() //Note really sure where input is being pushed to. weightedArray2HashMap() between(a, low, high, mode = 'exclusive') - checks if the value is between low and high inputs. mode: defaults to exclusive but also supports 'inclusive'. e.g. $trees === 1. exclusive - between($trees, 1, 3) -> false inclusive - between($trees, 1, 3) -> true def() - Returns whether the input is defined, similar to SugarCube's def. Core Slave Functions: newSlave(slave) - Adds slave object to main slave array. Do not use without care! getSlave(ID) - Returns the slave object with the matching ID. getPronouns(slave) - Returns an object containing a slave's pronouns. WrittenMaster(slave) - Returns a slave's title for the player and sets lisping. Returns $activeSlave if not given an argument. Enunciate(slave) - Syncs lisp widgets with slave. fetishChangeChance(slave) - Returns an int between 0,100 as the chance of a slave's fetish shifting to a new one. SlaveSort(slaveArray) - Sorts the slaveArray array and sets indices. slaveSortMinor(slaveArray) - Alphabetically sorts the slaveArray array and returns it. faceIncrease(slave, amount) - Increases slave's .face by amount and returns a comment if it passes a threshold. assignJob(slave, assignment) - Assigns slave to assignment. Mandatory for assigning to facilities. removeJob(slave, assignment) - Removes slave from assignment to "rest". Mandatory for removing from facilities. GenerateNewSlave(sex) - Generates a new slave of sex. Replaces <<include "Generate __ Slave">> setPregType(actor) - Returns a random ovum count based off actor values and other factors to be set as .pregType. removeActiveSlave() - Removes $activeSlave from $slaves. Do not use without care! SetBellySize(slave) - Sets slave's belly size.(pregnancy+inflation+implant) generatePronouns(slave) - Sets slave's pronouns. SoftenBehavioralFlaw(slave) - Replaces the slave's behavioral flaw with the corresponding quirk. SoftenSexualFlaw(slave) - Replaces the slave's sexual flaw with the corresponding quirk. SkillIncrease.Oral(slave, value) SkillIncrease.Vaginal(slave, value) SkillIncrease.Anal(slave, value) SkillIncrease.Whore(slave, value) SkillIncrease.Entertain(slave, value) - Increases the slave's skill by value or 1. Returns a string if the skill is boosted over a threshold. surgeryAmp(slave, part) - Clean up variables connected to a specific body part that was amputated. For limbs see below. removeLimbs(slave, limb) - Remove limb(s) and clean up connected variables. attachLimbs(slave, limb, id) - Attach limb(s). Expects amputated limbs, will overwrite existing. - limb can be: "left arm", "right arm", "left leg", "right leg", "all" UtilJS [script] Height.mean(nationality, race, genes, age) - returns the mean height for the given combination and age in years (>=2). Height.mean(nationality, race, genes) - returns the mean adult height for the given combination. Height.mean(slave) - returns the mean (expected) height for the given slave. Height.random(nationality, race, genes, age) - returns a random height using the skew-normal distribution around the mean height for the given arguments. Height.random(nationality, race, genes) - returns a random height for the given combination of an adult, as above. Height.random(slave[, options]) - returns a random height for the given slave, as above. Height.forAge(height, age, genes) - returns the height adapted to the age and genes. Height.forAge(height, slave) - returns the height adapted to the slave's age and genes. heightToEitherUnit() - takes an int in centimeters e.g. $activeSlave.height, returns a string in the format of either `200cm (6'7")`, `6'7"`, or `200cm` Height.config(configuration) - configures the random height generator globally and returns the current configuration. Intelligence.random(options) - returns a random intelligence. If no options are passed, the generated number will be on a normal distribution with mean 0 and standard deviation 45. getSlaveDevotionClass(slave) - returns the trust of the target as text. e.g. if ('mindbroken' == slave.fetish) return 'mindbroken'; getSlaveTrustClass(slave) - returns the trust of the target as text. e.g. if (slave.trust < -95) return 'extremely-terrified'; Health Functions: setHealth(slave, condition, shortDamage, longDamage, illness, tired) - Sets the health (primarily) of new slaves, it helps ensure the desired values do not immediately kill the slave and corrects them if needed improveCondition(slave, value) - Basic way to improve the health of a slave, this updates the slave's 'condition' value and their overall 'health' value. healthDamage(slave, value) - Basic way to reduce the health of a slave, this updates the slave's 'shortDamage' value and their overall 'health' value. healthPenalty(slave) - Checks illness and tired state in order to provide the slave with a productivity penalty. illness(slave) - A start of the 'end week loop' function to see if a slave has gotten ill this week, or perhaps recovered, got worse, etc. endWeekHealthDamage - An end of the 'end week loop' function to move shortDamage to the appropriate longer term variables and such. Sex Functions: knockMeUp(actor, chance, hole, fatherID, displayOverride) - Attempts to impregnate actor. VCheck.Anal(count) - Increments $activeSlave's anal count by count and attempts to take virginity. Defaults to 1. VCheck.Vaginal(count) - Increments $activeSlave's vaginal count by count and attempts to take virginity. Defaults to 1. VCheck.Both(countAnal, countBoth) - Attempts to increment $activeSlave's anal count by countAnal and attempts to increment vaginal by countBoth. Defaults to 1. Attempts to take virginities. VCheck.Simple(count) - Calls either VaginalVCheck or VCheck.Anal() count times. VCheck.Partner(countAnal, countBoth) - Attempts to increment $partner's anal count by countAnal and attempts to increment vaginal by countBoth. Defaults to 1. Attempts to take virginities. SimpleSexAct.Player(slave, count) - Runs a player on slave sex act count times. (randomly chooses hole based off availability.) SimpleSexAct.Slave(slave, count) - Runs a slave on slave sex act count times. (randomly chooses hole based off availability.) SimpleSexAct.Slaves(slave1, slave2, count) - Runs a slave2 on slave1 sex act count times. (randomly chooses hole based off availability.) UtilJS [script] dickToInchString() - takes a dick value e.g. $activeSlave.dick, returns a string in the format 6 inches dickToCM() - takes a dick value e.g. $activeSlave.dick, returns an int of the dick length in cm ballsToInchString() - takes a ball value e.g. $activeSlave.balls, returns a string in the format 3 inches ballsToCM() - takes a ball value e.g. $activeSlave.balls, returns an int of the ball size in cm dickToEitherUnit() - takes a dick value e.g. $activeSlave.dick, returns a string in the format of either `20cm (8 inches)`, `8 inches`, or `20cm` ballsToEitherUnit() - takes a ball value e.g. $activeSlave.balls, returns a string in the format of either `20cm (8 inches)`, `8 inches`, or `20cm` Pregnancy Functions: WombInit($slave) - before first pregnancy, at slave creation, of as backward compatibility update. WombImpregnate($slave, $fetus_count, $fatherID, $initial_age) - should be added after normal impregnation code, with already calculated fetus count. ID of father - can be used in future for processing children from different fathers in one pregnancy. Initial age normally 1 (as .preg normally set to 1), but can be raised if needed. Also should be called at time as broodmother implant add another fetus(es), or if new fetuses added from other sources in future (transplanting maybe?) WombProgress($slave, $time_to_add_to_fetuses) - after code that update $slave.preg, time to add should be the same. $isReady = WombBirthReady($slave, $birth_ready_age) - how many children ready to be birthed if their time to be ready is $birth_ready_age (40 is for normal length pregnancy). Return int - count of ready to birth children, or 0 if no ready exists. $children = WombBirth($slave, $birth_ready_age) - for actual birth. Return array with fetuses objects that birthed (can be used in future) and remove them from womb array of $slave. Should be called at actual birth code in SugarCube. fetuses that not ready remained in womb (array). WombFlush($slave) - clean womb (array). Can be used at broodmother birthstorm or abortion situations in game. But birthstorm logically should use WombBirth($slave, 35) or so before - some children in this event is live capable, others is not. TerminatePregnancy($slave) - end a pregancy early, clean the womb, update the belly size, and automatically set an appropriate postpartum length. $slave.bellyPreg = WombGetVolume($slave) - return double, with current womb volume in CC - for updating $slave.bellyPreg, or if need to update individual fetuses sizes. findFather(ID) - searches for the ID given and returns an object or undefined Release Functions: sexAllowed - returns true if both slaves are allowed to have sex with each other. All non-assignment sex should check here first; use disobedience() to determine if the slave or slaves involved will ignore the rules. hasPartnerSex - returns true if the slave has a romantic partner, the relationship is sexual, and they are allowed to sex. Unless you are specifically checking the theoretical rule, check this instead of rules.release.partner. hasFamilySex - returns true if the slave has a close family member, they are allowed to have sex, and the player is OK with seeing the result. Unless you are specifically checking the theoretical rule, check this instead of rules.release.family. hasNonassignmentSex - returns true if the slave is having some kind of sex while off-duty with a partner other than the PC. This function provides the answer to "can I mention this slave having an off-duty sexual encounter of some kind." releaseRestricted - returns true if the slave has some kind of rule limiting the off-duty sex they have. If it returns false, the slave is completely free to fuck whomever they want. Other Functions: UtilJS [script] html5passage(passage_function) - circumvents SugarCube, allowing a plain HTML5 UI within it cmToInchString() - takes an integer e.g. $activeSlave.hLength, returns a string in the format 10 inches cmToFootInchString() - takes an integer e.g. $activeSlave.height, returns a string in the format 6'5" lengthToEitherUnit() - takes an int in centimeters e.g. $activeSlave.hLength, returns a string in the format of either `30cm (12 inches)`, `12 inches`, or `30cm` ValidateFacilityDecoration() - checks the value of the associated variable and it if it infinite i.e. NA the text description is reset back to standard. /* decoration should be passed as "facilityDecoration" in quotes. For example, ValidateFacilityDecoration("brothelDecoration"). The quotes are important, do not pass it as a story variable. */ FSChangePorn() - //Currently unused, widget version routes directly through FSChange() HackingSkillMultiplier() - outputs a value based off of the PC's hacking skill. upgradeMultiplierArcology() - outputs a value based off of the PC's engineering skill. upgradeMultiplierMedicine() - outputs a value based off of the PC's medicine skill. upgradeMultiplierTrade() - outputs a value based off of the PC's trading skill. passageLink() - Creates a HTML element with custom SugarCube attributes which works as a passage link SkillIncrease() - Depreciates the SugarCube functions. disobedience - Returns a 0-100 value indicating likelyhood of a slave ignoring the rules.
MonsterMate/fc
devNotes/Useful JS Function Documentation.txt
Text
mit
22,180
Passages that require a go over for adding clothing and accessories. Hair: Definite: descriptionWidgetsStyle.tw salon.tw cosmeticRulesAssistant.tw Possible: generateXXSlave.tw generateXYSlave.tw artWidgets.tw saLiveWithHG.tw (mostly shaved/bald hairstyle checks, probably not worth checking) fPat.tw remoteSurgery.tw surgeryDegradation.tw saLongTermEffects.tw saAgent.tw rulesAutosurgery.tw autoSurgerySettings.tw ptWorkaround.tw newSlaveIntro.tw newChildIntro.tw RESS.tw Clothes: Definite: descriptionWidgetsStyle.tw descriptionWidgetsFlesh.tw descriptionWidgetsPiercing.tw boobs.js fAbuse.tw walkPast.js slaveInteract.tw wardrobeUse.tw slaveSummaryWidgets.js rulesAssistantOptions.js toyChest.js useGuard.js birthWidgets.tw peConcubineInterview.tw PESS.tw RESS.tw Possible: artWidgets.tw saClothes.tw saChoosesOwnClothes.tw eventSelectionJS.js saLiveWithHG.tw setupVars.tw longSlaveDescription.tw Shoes: Definite: descriptionWidgetsStyle.tw descriptionWidgetsFlesh.tw slaveInteract.tw walkPast.tw wardrobeUse.tw slaveSummaryWidgets.js rulesAssistant.tw Possible: saLongTermEffects.tw saClothes.tw saChoosesOwnClothes.tw eventSelectionJS.js RESS.tw REFI.tw saServeThePublic.js saWhore.js saLiveWithHG.tw artWidgets.tw reStandardPunishment.tw setupVars.tw fAnus.tw seBirthWidgets.tw raWidgets.tw Collars: Definite: descriptionWidgetsStyle.tw fLips.tw walkPast.js slaveInteract.tw fKiss.tw wardrobeUse.tw rulesAssistant.tw RESS.tw Possible: saLongTermEffects.tw saClothes.tw saDevotion.tw raWidgets.tw artWidgets.tw reStandardPunishment.tw saChoosesOwnClothes.tw eventSelectionJS.tw assayWidgets.tw -------------------------------------------------------------------------------------- OUTFITS BY TYPE — FOR REFERENCE ONLY SEXUAL/EROTIC ============= Kitty Lingerie Slutty Jewelry Fallen Nun Chattel Habit Body Oil Pregnant Lingerie Nice Lingerie Latex Catsuit Bodysuit Skimpy Loincloth BDSM Pony outfit FESTIVE/ENTERTAINMENT/TRADITIONAL/CULTURAL ================================= Kimono Qipao nice/slutty Biyelgee Costume Harem Gauze Dirndl Klan Robes Lederhosen Western Clothing Toga Huipil Bunny Outfit Succubus Costume Ballgown Slavegown Minidress Haltertop Dress Clubslut Netting Santa Dress Hanbok Gothic Lolita EXERCISE/ATHLETICS ================== Leotard Monokini Stretch pants + croptop Spats and tank-top String Bikini Scalemail Bikini Cheerleader CASUAL/DAILY ============ Shimapan panties Hijab and Abaya Hijab and Blouse Niqab and Abaya Burqa Burkini Conservative Clothing Maternity Dress Schoolgirl Cutoffs + T-shirt Apron PROFESSIONAL/OTHER ================== Maid Nice/Maid Slutty Suit nice/slutty Nurse nice/slutty MILITARY/LAW ENFORCEMENT ======================== Mounty Schutzstaffel Uniform nice/slutty Red Army Uniform Battledress Military Uniform Battlearmor Cybersuit Police outfit [Not in-game yet]
MonsterMate/fc
devNotes/clothing hair and accessory passages.txt
Text
mit
3,076
CSS classes to color code important parts of texts: class names that are not final are marked, this list is NOT exhaustive and subject to change. Note for mass replacing: The following cases have to be checked: @@.trust.inc; <span class="trust inc"> App.UI.DOM.makeElement('string', 'string', ['trust', 'inc']); CLASS - COLOR DEVOTION .devotion.inc - hotpink .devotion.dec - mediumorchid .devotion.hateful - darkviolet ( < -50) (there is also very hateful, but they are the same color, so same class for now) .devotion.resistant - mediumorchid ( < -20) .devotion.ambivalent - yellow ( <= 20) .devotion.accept - hotpink ( <= 50) .devotion.devoted - deeppink ( <= 95) .devotion.worship - magenta ( > 95) TRUST (defiant versions for devotion < -20) .trust.inc - mediumaquamarine .defiant.inc - orangered (trust > -20) .trust.dec - gold .trust.extremely-terrified - darkgoldenrod ( < - 95) .trust.terrified - goldenrod ( < -50) .trust.frightened - gold ( < -20) .trust.fearful - yellow ( <= 20) .trust.careful - mediumaquamarine ( <= 50) .defiant.careful - orange .trust.trusting - mediumseagreen ( <= 95) .defiant.bold - orangered .trust.prof-trusting - seagreen ( > 95) .defiant.full - darkred MINDBROKEN .mindbroken - red SKILL - Player skill.player - springgreen - Slave .skill - aquamarine .skill.inc - green FETISH .fetish.gain - lightcoral .fetish.loss - coral .fetish.inc - lightsalmon INTELLIGENCE (WIP) .intelligent - deepskyblue .stupid - orange .education.neg - orangered REPUTATION .reputation.inc - green .reputation.dec - red GENERAL CHANGES .improvement - green - body parts (usually) .change.positive - lime .change.negative - orange RELATIONSHIPS (both love and family) .relationship - lightgreen ORIFICES .virginity.loss - lime PREGNANCY .pregnant - lime HEALTH .health.dec - red MONEY .cash.dec - red .cash.inc - yellowgreen FLAWS .flaw.gain - red .flaw.break - green GENERAL .error - red .noteworthy - yellow FUTURE SOCIETIES .elites.loss - red (when incrementing $failedElite)
MonsterMate/fc
devNotes/colorCSS.txt
Text
mit
2,024
## Eye Functions In all functions `side` can be `left`, `right` or `both` unless stated otherwise. Eye types: `1`: normal; `2`: glass; `3`: cybernetic `0` is used as return value if there is no eye, but is never stored in the slave object. Vision: `0`: blind; `1`: nearsighted (or impaired/blurred); `2`: normal ### Read-only functions * `hasAnyEyes(slave)`: True if slave has at least one eye. * `hasAnyNaturalEyes(slave)`: True if slave has at least one eye that is natural. * `hasAnyProstheticEyes(slave)`: True if slave has at least one eye that is prosthetic (cybernetic or glass). * `hasAnyCyberneticEyes(slave)`: True if slave has at least one eye that is cybernetic. * `hasBothEyes(slave)`: True if slave has both eyes. * `hasBothNaturalEyes(slave)`: True if slave has both eyes and they are natural. * `hasBothProstheticEyes(slave)`: True if slave has both eyes and they are prosthetic (cybernetic or glass). * `hasBothCyberneticEyes(slave)`: True if slave has both eyes and they are cybernetic. * `hasLeftEye(slave)`: True if slave has left eye. * `hasRightEye(slave)`: True if slave has right eye. * `getLeftEyeType(slave)`: Returns type of the left eye. * `getRightEyeType(slave)`: Returns type of the right eye. * `getLeftEyeVision(slave)`: Returns vision of the left eye. * `getRightEyeVision(slave)`: Returns vision of the right eye. * `getBestVision(slave)`: Returns highest vision of both eyes. * `getWorstVision(slave)`: Returns lowest vision of both eyes. * `anyVisionEquals(slave, vision)`: True if one eye has the specified vision. * `getLeftEyeColor(slave)`: Returns color of the left eye. If there is no eye `empty` is returned. * `getRightEyeColor(slave)`: Returns color of the right eye. If there is no eye `empty` is returned. * `getLeftEyePupil(slave)`: Returns the shape of pupil of the left eye. If there is no eye `circular` is returned. * `getRightEyePupil(slave)`: Returns the shape of pupil of the right eye. If there is no eye `circular` is returned. * `hasVisibleHeterochromia(slave)`: True if left and right eye colors are different. Does NOT relate to the genetic quirk. * `getGeneticEyeColor(slave, side)`: Gives the genetic color of the specified eye. `both` is not allowed as value of `side`. * `getLenseCount(slave)`: Counts the number of eyes that are not the genetic color. ### Description * `App.Desc.eyesType(slave)`: Fits in a sentence like this: She has {return}. * `App.Desc.eyeTypeToString(type)`: Converts an eye type to a string. `1` -> `natural` `2` -> `glass` `3` -> `artificial` * `App.Desc.eyesColor(slave, adj = "", eye = "eye", eyes = "eyes")`: Fits in a sentence like this: She has {return}. `adj` is added in between color and eye like this: `brown wet eyes`. * `App.Desc.eyeColor(slave)`: Fits in a sentence like this: She has {return} eyes. Prefer App.Desc.eyesColor if possible as it works reliably with only one eye. Example where this is better: {return}-eyed gaze * `App.Desc.eyesVision(slave)`: Fits in a sentence like this: She has {return}. * `App.Desc.eyesToVision(slave)`: Converts an eye vision to a string. `0` -> `blind` `1` -> `nearsighted` `2` -> `normal` ### Modification * `eyeSurgery(slave, side, action)`: Modifies a slaves eyes. Allowed values for `action`: No Existing eyes required: `normal`, `glass`, `cybernetic` Existing eyes required: `remove`, `blind`, `blur`, `fix` * `setEyeColor(slave, color, side = "both")`: Changes the visible eye color. * `setEyeColorFull(slave, iris, pupil, sclera, side)`: Changes all visible parts of the eye. * `setGeneticEyeColor(slave, color, heterochromia = false)`: Changes the genetic eye color. WARNING: If `heterochromia` is `true`, the function will add the genetic quirk, even if the slave did not have it before. * `resetEyeColor(slave, side)`: Sets the eye color to the genetic color. Takes heterochromia and albinism into account.
MonsterMate/fc
devNotes/eye functions.md
Markdown
mit
4,089
{\rtf1\ansi\deff3\adeflang1025 {\fonttbl{\f0\froman\fprq2\fcharset0 Times New Roman;}{\f1\froman\fprq2\fcharset2 Symbol;}{\f2\fswiss\fprq2\fcharset0 Arial;}{\f3\froman\fprq2\fcharset0 Liberation Serif{\*\falt Times New Roman};}{\f4\froman\fprq2\fcharset0 Liberation Sans{\*\falt Arial};}{\f5\froman\fprq2\fcharset0 DejaVu Sans Mono;}{\f6\fnil\fprq2\fcharset0 Liberation Serif{\*\falt Times New Roman};}} {\colortbl;\red0\green0\blue0;\red0\green0\blue255;\red0\green255\blue255;\red0\green255\blue0;\red255\green0\blue255;\red255\green0\blue0;\red255\green255\blue0;\red255\green255\blue255;\red0\green0\blue128;\red0\green128\blue128;\red0\green128\blue0;\red128\green0\blue128;\red128\green0\blue0;\red128\green128\blue0;\red128\green128\blue128;\red192\green192\blue192;\red152\green118\blue170;\red169\green183\blue198;\red255\green198\blue109;\red204\green120\blue50;\red106\green135\blue89;\red206\green24\blue30;\red43\green43\blue43;} {\stylesheet{\s0\snext0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031 Normal;} {\s1\sbasedon15\snext16\ilvl0\outlinelevel0\ql\widctlpar\hyphpar0\sb240\sa120\keepn\ltrpar\cf0\b\kerning1\dbch\af6\langfe1031\dbch\af6\afs36\ab\loch\f4\fs36\lang1031 \u220\'dcberschrift 1;} {\s15\sbasedon0\snext16\ql\widctlpar\hyphpar0\sb240\sa120\keepn\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\loch\f4\fs28\lang1031 \u220\'dcberschrift;} {\s16\sbasedon0\snext16\sl276\slmult1\ql\widctlpar\hyphpar0\sb0\sa140\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\loch\f3\fs24\lang1031 Textk\u246\'f6rper;} {\s17\sbasedon16\snext17\sl276\slmult1\ql\widctlpar\hyphpar0\sb0\sa140\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\loch\f3\fs24\lang1031 Liste;} {\s18\sbasedon0\snext18\ql\widctlpar\hyphpar0\sb120\sa120\ltrpar\cf0\i\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\loch\f3\fs24\lang1031 Beschriftung;} {\s19\sbasedon0\snext19\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\loch\f3\fs24\lang1031 Verzeichnis;} {\s20\sbasedon0\snext20\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\loch\f3\fs24\lang1031 Tabelleninhalt;} {\s21\sbasedon20\snext21\qc\widctlpar\hyphpar0\ltrpar\cf0\b\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\loch\f3\fs24\lang1031 Tabellen\u252\'fcberschrift;} {\s22\sbasedon0\snext22\ql\widctlpar\tqc\tx4819\tqr\tx9638\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\loch\f3\fs24\lang1031 Kopfzeile;} {\s23\sbasedon0\snext23\ql\widctlpar\hyphpar0\li567\ri567\lin567\rin567\fi0\sb0\sa283\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\loch\f3\fs24\lang1031 Zitat;} }{\*\listtable{\list\listtemplateid1 {\listlevel\levelnfc255\leveljc0\levelstartat1\levelfollow2{\leveltext \'00;}{\levelnumbers;}\fi0\li0} {\listlevel\levelnfc255\leveljc0\levelstartat1\levelfollow2{\leveltext \'00;}{\levelnumbers;}\fi0\li0} {\listlevel\levelnfc255\leveljc0\levelstartat1\levelfollow2{\leveltext \'00;}{\levelnumbers;}\fi0\li0} {\listlevel\levelnfc255\leveljc0\levelstartat1\levelfollow2{\leveltext \'00;}{\levelnumbers;}\fi0\li0} {\listlevel\levelnfc255\leveljc0\levelstartat1\levelfollow2{\leveltext \'00;}{\levelnumbers;}\fi0\li0} {\listlevel\levelnfc255\leveljc0\levelstartat1\levelfollow2{\leveltext \'00;}{\levelnumbers;}\fi0\li0} {\listlevel\levelnfc255\leveljc0\levelstartat1\levelfollow2{\leveltext \'00;}{\levelnumbers;}\fi0\li0} {\listlevel\levelnfc255\leveljc0\levelstartat1\levelfollow2{\leveltext \'00;}{\levelnumbers;}\fi0\li0} {\listlevel\levelnfc255\leveljc0\levelstartat1\levelfollow2{\leveltext \'00;}{\levelnumbers;}\fi0\li0}\listid1} }{\listoverridetable{\listoverride\listid1\listoverridecount0\ls1}}{\*\generator LibreOffice/6.1.5.2$Linux_X86_64 LibreOffice_project/10$Build-2}{\info{\creatim\yr2020\mo4\dy13\hr11\min6}{\revtim\yr2020\mo4\dy23\hr16\min13}{\printim\yr0\mo0\dy0\hr0\min0}}{\*\userprops}\deftab720 \hyphauto0\viewscale100 {\*\pgdsctbl {\pgdsc0\pgdscuse451\pgwsxn11906\pghsxn16838\marglsxn30\margtsxn1134\margbsxn1134\pgdscnxt0 Standard;}} \formshade{\*\pgdscno0}\paperh16838\paperw11906\margl30\margr0\margt1134\margb1134\sectd\sbknone\sectunlocked1\pgndec\pgwsxn11906\pghsxn16838\marglsxn30\margtsxn1134\margbsxn1134\ftnbj\ftnstart1\ftnrstcont\ftnnar\aenddoc\aftnrstcont\aftnstart1\aftnnrlc {\*\ftnsep\chftnsep}\pgndec\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031{\b\langfe1031\rtlch \ltrch\loch\lang2057 Long version:}{\langfe1031\rtlch \ltrch\loch\lang2057 "She has ... ."} \par \pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031{\langfe1031\rtlch \ltrch\loch\lang2057 All single variations have an inverted equivalent: "a red eye with green sclera and a blue eye"; inverted: "a red eye and a blue eye with yellow sclera" unless the listed variation is already usable for both sides.} \par \pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\langfe1031\rtlch \ltrch\loch\lang2057 \par \trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clbrdrt\brdrs\brdrw15\brdrcf1\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clbrdrt\brdrs\brdrw15\brdrcf1\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clbrdrt\brdrs\brdrw15\brdrcf1\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clbrdrt\brdrs\brdrw15\brdrcf1\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 shape}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 sclera}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left === right}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left !== right}\cell\row\pard\trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 def}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 def}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 red eyes}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 red and blue eyes}\cell\row\pard\trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 def}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left === right}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 red eyes with green sclerae}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 red and blue eyes with green sclerae}\cell\row\pard\trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 def}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left !== right}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 red eyes; one with a green sclera and the other with a yellow one}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 a red eye with green sclera and a blue eye with yellow sclera}\cell\row\pard\trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 def}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 single}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 red eyes; one with a green sclera}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 a red eye with green sclera and a blue eye}\cell\row\pard\trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left === right}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 def}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 demonic red eyes}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 demonic red and blue eyes}\cell\row\pard\trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left !== right}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 def}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 red eyes; one demonic and the other goat-like}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 a demonic red eye and a goat-like blue one}\cell\row\pard\trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 single}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 def}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 red eyes; one demonic}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 red and blue eyes; both demonic}\cell\row\pard\trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left === right}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left === right}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 demonic red eyes with green sclerae}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 demonic red and blue eyes with green sclerae}\cell\row\pard\trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left === right}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left !== right}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 demonic red eyes; one with a green sclera and the other with a yellow one}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 a red eye with green sclera and a blue eye with yellow sclera; both demonic}\cell\row\pard\trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left === right}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 single}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 demonic red eyes; one with a green sclera}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 a red eye with green sclera and a blue eye; both demonic}\cell\row\pard\trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left !== right}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left === right}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 red eyes; one demonic and the other goat-like, with green sclerae}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 a demonic red and a goat-like blue eye; both with green sclerae}\cell\row\pard\trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left !== right}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left !== right}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 red eyes; one demonic with green sclera and the other goat-like with yellow sclera}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 a demonic red eye with green sclera and a goat-like blue eye with yellow sclera}\cell\row\pard\trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left !== right}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 single}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 red eyes; one demonic with green sclera and the other goat-like}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 a demonic red eye with green sclera and a goat-like blue eye}\cell\row\pard\trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 single}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left === right}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 red eyes; one demonic, with green sclerae}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 a demonic red and a blue eye; both with green sclerae}\cell\row\pard\trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 single}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left !== right}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 red eyes; one demonic with green sclera and the other with yellow sclera}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 a demonic red eye with green sclera and a blue eye with yellow sclera}\cell\row\pard\trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 single}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 single (same)}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 red eyes; one demonic with green sclera}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 a demonic red eye with green sclera and a blue one}\cell\row\pard\trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 single}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 single (other)}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 red eyes; one demonic and the other with yellow sclera}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 a demonic red eye and a blue one with yellow sclera}\cell\row\pard\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\langfe1031\rtlch \ltrch\loch\lang2057 \par \pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031{\b\langfe1031\rtlch \ltrch\loch\lang2057 Short version:}{\b0\langfe1031\rtlch \ltrch\loch\lang2057 }{\langfe1031\rtlch \ltrch\loch\lang2057 "She has ... and loves to fuck."} \par \pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031{\langfe1031\rtlch \ltrch\loch\lang2057 All not listed combinations default to the most similar combination. (single and !== are handled as def)} \par \pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\langfe1031\rtlch \ltrch\loch\lang2057 \par \trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clbrdrt\brdrs\brdrw15\brdrcf1\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clbrdrt\brdrs\brdrw15\brdrcf1\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clbrdrt\brdrs\brdrw15\brdrcf1\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clbrdrt\brdrs\brdrw15\brdrcf1\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 shape}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 sclera}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left === right}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left !== right}\cell\row\pard\trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 def}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 def}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 red eyes}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 red and blue eyes}\cell\row\pard\trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 def}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left === right}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 red eyes with green sclerae}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 red and blue eyes with green sclerae}\cell\row\pard\trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left === right}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 def}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 demonic red eyes}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 demonic red and blue eyes}\cell\row\pard\trowd\trql\trleft0\ltrrow\trpaddft3\trpaddt0\trpaddfl3\trpaddl0\trpaddfb3\trpaddb0\trpaddfr3\trpaddr0\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx1528\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx3058\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clpadfr3\clpadr55\cellx7543\clpadfl3\clpadl55\clbrdrl\brdrs\brdrw15\brdrcf1\clpadft3\clpadt55\clbrdrb\brdrs\brdrw15\brdrcf1\clpadfb3\clpadb55\clbrdrr\brdrs\brdrw15\brdrcf1\clpadfr3\clpadr55\cellx11848\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left === right}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 left === right}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 demonic red eyes with green sclerae}\cell\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\intbl{\langfe1031\rtlch \ltrch\loch\lang2057 demonic red and blue eyes with green sclerae}\cell\row\pard\pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\li0\ri0\lin0\rin0\fi0\sb0\sa0\langfe1031\rtlch \ltrch\loch\lang2057 \par \pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\li0\ri0\lin0\rin0\fi0\sb0\sa0\langfe1031\rtlch \ltrch\loch\lang2057 \par \pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\li0\ri0\lin0\rin0\fi0\sb0\sa0{\langfe1031\rtlch \ltrch\loch\lang2057 Helpfull function to test the descriptions} \par \pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\li0\ri0\lin0\rin0\fi0\sb0\sa0\langfe1031\rtlch \ltrch\loch\lang2057 \par \pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\li0\ri0\lin0\rin0\fi0\sb0\sa0{\langfe1031\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 App}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 .}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 test }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 = }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 function}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 () \{}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \tab }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 const }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 irisPairs = [\{}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 left}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 "red"}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 , }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 right}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 "red"}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \}}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 , }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \{}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 left}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 "red"}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 , }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 right}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 "blue"}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \}]}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 ;}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \tab const }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 pupilPairs = [\{}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 left}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 "circular"}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 , }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 right}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 "circular"}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \}}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 , }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \{}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 left}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 "demonic"}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 , }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 right}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 "circular"}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \}}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 , }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \{}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \tab \tab }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 left}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 "demonic"}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 ,}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \tab \tab }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 right}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 "demonic"}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \tab }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \}}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 , }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \{}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 left}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 "demonic"}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 , }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 right}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 "goat-like"}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \}]}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 ;}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \tab const }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 scleraPairs = [\{}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 left}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 "white"}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 , }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 right}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 "white"}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \}}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 , }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \{}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 left}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 "yellow"}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 , }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 right}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 "white"}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \}}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 , }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \{}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \tab \tab }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 left}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 "yellow"}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 ,}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \tab \tab }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 right}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 "yellow"}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \tab }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \}}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 , }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \{}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 left}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 "yellow"}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 , }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 right}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 "green"}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \}]}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 ;}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \tab for }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 (}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 let }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 irisPair }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 of }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 irisPairs) \{}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \tab \tab }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 for }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 (}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 let }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 pupilPair }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 of }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 pupilPairs) \{}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \tab \tab \tab }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 for }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 (}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 let }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 scleraPair }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 of }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 scleraPairs) \{}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \tab \tab \tab \tab }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 const }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 slave = \{}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \tab \tab \tab \tab \tab }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 eye}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : \{}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \tab \tab \tab \tab \tab \tab }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 left}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : \{}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 iris}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : irisPair.}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 left}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 , }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 pupil}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : pupilPair.}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 left}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 , }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 sclera}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : scleraPair.}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 left}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \}}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 ,}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \tab \tab \tab \tab \tab \tab }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 right}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : \{}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 iris}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : irisPair.}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 right}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 , }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 pupil}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : pupilPair.}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 right}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 , }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 sclera}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 : scleraPair.}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 right}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \}}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \tab \tab \tab \tab \tab \}}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \tab \tab \tab \tab \}}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 ;}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \tab \tab \tab \tab }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 console}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 .}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 log}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 (}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 "She has " }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 + }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 App}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 .}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 Desc}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 .}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 eyesColorLong}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 (slave) + }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 "."}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 )}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 ;}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \tab \tab \tab }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \}}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \tab \tab \}}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \tab \}}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line }{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 \}}{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\fs20\lang2057\loch\f5\hich\af5 ;} \par \pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\li0\ri0\lin0\rin0\fi0\sb0\sa0\langfe1031\rtlch \ltrch\loch\lang2057 \par \pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\li0\ri0\lin0\rin0\fi0\sb0\sa0\langfe1031\rtlch \ltrch\loch\lang2057 \par \pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\li0\ri0\lin0\rin0\fi0\sb0\sa0{\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \line } \par \pard\plain \s0\ql\widctlpar\hyphpar0\ltrpar\cf0\kerning1\dbch\af6\langfe1031\dbch\af6\afs24\alang1081\loch\f3\fs24\lang1031\li0\ri0\lin0\rin0\fi0\sb0\sa0\cf0\i0\ulnone\ulc0\b0\langfe1031\ai0\ab0\rtlch \ltrch\loch\lang2057 \par }
MonsterMate/fc
devNotes/eyeDescription.rtf
rtf
mit
64,351
Induced NCS: The idea is a genetic change that you can't undo, once done. It is an expensive damaging process, and the first time it is run many of the secondary sexual characteristics development will reverse strongly: including height, hips width, shoulders width, dick or clit size, labia or scrotum size, and breast size. In addition, from then on, every week a small chance of shrinking any of these items. In addition, growth features (drugs, hormones, food) work at a disadvantage, while growth-reversal features (drugs, hormones, food) work at an advantage. Finally, precocious puberty is generically incremented, such that drugs, hormones or treatments that advance puberty are heightened while simultaneously drugs, hormones or treatments that work against puberty are lowered, with the exception of hormone blockers, which work as advertised. Slaves generated with .inducedNCS set to 0, and added to the backwards compatibility. Purchased only in the black market. Implemented a skeleton 'illegal goods' black market patterning it after the existing FS shopping in the black market. Added description in the Encyclopedia. Updated Surgery, unlike most surgery, can't be applied to unhealthy slaves (health > 0). Updated Surgery Degradation. Updated sa Drugs. Updated sa Hormones. Updated sa Long Term Effects. Added NCS youthening. NCS youthening, NCS will youthen slave appearances towards 8 years old if older, while younger slaves will simply, not appear to age at all. 1: every slave visually appearing less than 9 will not be affected. 2: visually 45 yrs and over will always look 1 year younger each week. 3: from 44 down to 9, the slave accumulates NCSyouthening points every week building towards a sliding youthening value which starts at 2 weeks for 44, and evenly progresses towards 10 weeks for slaves 12 and under. Formula, slaves <= 8 are ignored. Calculate _youtheningDifference the slaves visual age less 8, yielding 0 to say 38 or so, more than that will be dealt with further down the line. Take the _youthDifference divide by four and add .25 to evenly break into 0 below 9, and 10 at 45, round to int to get the _youtheningLevel. Subtract _youtheningLevel from 11 to find out the _youtheningRequirement Every week, slaves that appear older than 8 year old lolis or shotas will have their NCSyouthening incremented. Then this youthening is tested against the _youtheningRequirement, if at or better, the NCS youthens the slave, and resets the NCSyouthening. Slaves generated with .NCSyouthening set to 0, and added to the backwards compatibility.
MonsterMate/fc
devNotes/inducedNCS.txt
Text
mit
2,668
:: art widgets [nobr widget] /% Call as <<AssistantArt>> Displays assistant images. Currently passage-based. $args[0]: Image size/center. 3: Large, right. Example: description. 2: Medium, right. Example: random events. %/ <<widget "AssistantArt">> <<if $imageChoice == 0>> /* RENDERED IMAGES BY SHOKUSHU */ <<switch $assistantAppearance>> <<case "monstergirl">> <<set _fileName = "'resources/renders/assistant monstergirl.png' ">> <<case "shemale">> <<set _fileName = "'resources/renders/assistant shemale.png' ">> <<case "amazon">> <<set _fileName = "'resources/renders/assistant amazon.png' ">> <<case "businesswoman">> <<set _fileName = "'resources/renders/assistant businesswoman.png' ">> <<case "goddess">> <<set _fileName = "'resources/renders/assistant goddess.png' ">> <<case "schoolgirl">> <<set _fileName = "'resources/renders/assistant schoolgirl.png' ">> <<default>> <<set _fileName = "'resources/renders/assistant default.png' ">> <</switch>> <<if $args[1] == 3>> <<print "<img src=" + _fileName + "style='float:right; border:3px hidden'/>">> <<else>> <<print "<img src=" + _fileName + "style='float:right; border:3px hidden' width='300' height='300'/>">> <</if>> <</if>> /* CLOSES IMAGE CHOICE */ <</widget>> /% Call as <<SlaveArt>> Displays slave images. Currently passage-based. $args[0]: Slave. $args[1]: Image size/center. 3: Large, right. Example: long slave description. 2: Medium, right. Example: random events. 1: Small, left. Example: lists. 0: Tiny, left. Example: facilities $args[2]: icon UI Display for vector art, 1 for on. %/ <<widget "SlaveArt">> /* This is a nasty workaround for Chrome not rendering overlaid SVG images properly */ <<run jQuery(function() { jQuery('.imageRef').imagesLoaded().always(function() { jQuery('.imageRef').fadeTo(1, 0.999); }); })>> <<if ndef $args[0].customImage>><<set $args[0].customImage = 0>><</if>> <<if $args[0].customImage != 0>> <<set _fileFormat = ($args[0].customImageFormat || "png"), _fileName = "'resources/" + $args[0].customImage + "." + _fileFormat + "' ", _fileTypeStart = (_fileFormat === "webm" ? "video loop autoplay" : "img"), _fileTypeEnd = (_fileFormat === "webm" ? "</video>" : "")>> <<if $args[1] == 3>> <<print "<" + _fileTypeStart + " src=" + _fileName + "style='float:right; border:3px hidden'>" + _fileTypeEnd>> <<elseif $args[1] == 2>> <<print "<" + _fileTypeStart + " src=" + _fileName + "style='float:right; border:3px hidden' width='300' height='300'>" + _fileTypeEnd>> <<elseif $args[1] == 1>> <<print "<" + _fileTypeStart + " src=" + _fileName + "style='float:left; border:3px hidden' width='150' height='150'>" + _fileTypeEnd>> <<else>> <<print "<" + _fileTypeStart + " src=" + _fileName + "style='float:left; border:3px hidden' width='120' height='120'>" + _fileTypeEnd>> <</if>> <<elseif $imageChoice == 1>> /* VECTOR ART BY NOX */ <<SVGFilters>> /* 000-250-006 */ /* <div class="imageRef"> */ /* 000-250-006 */ <<set _folderLoc = "'resources/vector">> <<if $args[2] == 1>> <<print "<img class='paperdoll' src=" + _folderLoc + "/test ui.svg'" + "/>">> <</if>> /% Set skin color %/ <<set _skinFilter = "filter: url(#skin-" + _.kebabCase($args[0].skin) + ");">> /% Set hair color %/ <<set _hairFilter = "filter: url(#hair-" + _.kebabCase($args[0].hColor) + ");">> <<set _pubesFilter = "filter: url(#hair-" + _.kebabCase($args[0].pubicHColor) + ");">> <<set _axillaryFilter = "filter: url(#hair-" + _.kebabCase($args[0].underArmHColor) + ");">> <<if $args[0].customHairVector>> <<set _hairStyle = $args[0].customHairVector>> <<else>> <<set _hairStyle = ["neat", "ponytail", "messy"].includes($args[0].hStyle) ? $args[0].hStyle : "neat">> <</if>> <<set _imgSkinLoc = _folderLoc + "/body/white">> /% Shoulder width and arm or no arm %/ <<if $args[0].amp != 1>> <<if $args[0].devotion > 50>> <<set _leftArmType = "high">> <<set _rightArmType = "high">> <<elseif $args[0].trust >= -20>> <<if $args[0].devotion < -20>> <<set _leftArmType = "rebel">> <<set _rightArmType = "low">> <<elseif $args[0].devotion <= 20>> <<set _leftArmType = "low">> <<set _rightArmType = "low">> <<else>> <<set _leftArmType = "mid">> <<set _rightArmType = "high">> <</if>> <<else>> <<set _leftArmType = "mid">> <<set _rightArmType = "mid">> <</if>> <<if $args[0].fuckdoll == 0 && $args[0].clothes != "restrictive latex" && $args[0].clothes != "a latex catsuit">> <<print "<img class='paperdoll' src=" + _imgSkinLoc + "/arm left " + _leftArmType + ".svg'" + " style='"+ _skinFilter + "'>">> <<print "<img class='paperdoll' src=" + _imgSkinLoc + "/arm right " + _rightArmType + ".svg'" + " style='"+ _skinFilter + "'>">> <<else>> <<if $args[0].fuckdoll != 0>> <<set _leftArmType = "mid">> <<set _rightArmType = "mid">> <</if>> <<print "<img class='paperdoll' src=" + _folderLoc + "/outfit/arm left " + _leftArmType + " latex.svg'" + "/>">> <<print "<img class='paperdoll' src=" + _folderLoc + "/outfit/arm right " + _rightArmType + " latex.svg'" + "/>">> <</if>> <</if>> /% Hair Aft %/ <<if $args[0].hStyle != "shaved" && $args[0].fuckdoll == 0>> <<= "<img class='paperdoll' src=" + _folderLoc + "/hair/" + _hairStyle + " back.svg'" + " style='" + _hairFilter + "'/>">> <</if>> /% Butt %/ <<if $args[0].amp != 1>> <<if $args[0].butt > 6>> <<set _buttSize = 3>> <<elseif $args[0].butt > 4>> <<set _buttSize = 2>> <<elseif $args[0].butt > 2>> <<set _buttSize = 1>> <<else>> <<set _buttSize = 0>> <</if>> <<if $args[0].fuckdoll != 0 || $args[0].clothes == "restrictive latex" || $args[0].clothes == "a latex catsuit">> <<set _buttSize = _buttSize + " latex">> <<print "<img class='paperdoll' src=" + _folderLoc + "/outfit/butt " + _buttSize + ".svg'" + " style='"+ _skinFilter + "'>">> <<else>> <<print "<img class='paperdoll' src=" + _imgSkinLoc + "/butt " + _buttSize + ".svg'" + " style='"+ _skinFilter + "'>">> <</if>> <</if>> /% Leg + 1 size up when chubby or fat%/ <<if $args[0].hips < 0>> <<if $args[0].weight <= 95>>/%Chubby%/ <<set _legSize = "normal">> <<else>> <<set _legSize = "narrow">> <</if>> <<elseif $args[0].hips == 0>> <<if $args[0].weight <= 95>>/%Chubby%/ <<set _legSize = "wide">> <<else>> <<set _legSize = "normal">> <</if>> <<elseif $args[0].hips > 0>> <<set _legSize = "wide">> <</if>> <<if $args[0].amp == 1>> <<set _legSize = "stump " + _legSize>> <</if>> <<if ($args[0].fuckdoll != 0 || $args[0].clothes == "restrictive latex" || $args[0].clothes == "a latex catsuit") && $args[0].amp != 1>> <<set _legSize = _legSize + " latex">> <<print "<img class='paperdoll' src=" + _folderLoc + "/outfit/leg " + _legSize + ".svg'" + "/>">> <<else>> <<print "<img class='paperdoll' src=" + _imgSkinLoc + "/leg " + _legSize + ".svg'" + " style='"+ _skinFilter + "'>">> <</if>> /% Feet %/ <<if $args[0].amp != 1>> <<if $args[0].shoes == "heels">> <<set _shoesType = "heel">> <<elseif $args[0].shoes == "extreme heels">> <<if $args[0].weight <= 95>>/%Chubby%/ <<set _shoesType = "extreme heel wide">> <<else>> <<set _shoesType = "extreme heel">> <</if>> <<elseif $args[0].shoes == "boots">> <<if $args[0].weight <= 95>>/%Chubby%/ <<set _shoesType = "boot wide">> <<else>> <<set _shoesType = "boot">> <</if>> <<elseif $args[0].shoes == "flats">> <<set _shoesType = "flat">> <<else>> <<print "<img class='paperdoll' src=" + _imgSkinLoc + "/feet.svg'" + " style='"+ _skinFilter + "'>">> <</if>> <<if $args[0].shoes == "extreme heels" or $args[0].shoes == "boots">> <<if $args[0].fuckdoll != 0 || $args[0].clothes == "restrictive latex" || $args[0].clothes == "a latex catsuit">> <<set _shoesType = _shoesType + " latex">> <</if>> <<print "<img class='paperdoll' src=" + _folderLoc + "/outfit/" + _shoesType + ".svg'" + "/>">> <</if>> <<if $args[0].shoes == "heels" or $args[0].shoes == "flats">> <<if $args[0].fuckdoll != 0 || $args[0].clothes == "restrictive latex" || $args[0].clothes == "a latex catsuit">> <<set _shoesType = _shoesType + " latex">> <<print "<img class='paperdoll' src=" + _folderLoc + "/outfit/" + _shoesType + ".svg'" + "/>">> <<else>> <<print "<img class='paperdoll' src=" + _imgSkinLoc + "/" + _shoesType + ".svg'" + " style='"+ _skinFilter + "'>">> <</if>> <</if>> <</if>> /% Torso %/ <<if $args[0].waist < -40>>/*Unnatural*/ <<if $args[0].weight <= 30>>/%Chubby%/ <<set _torsoSize = "hourglass">> <<else>> <<set _torsoSize = "unnatural">> <</if>> <<elseif $args[0].waist <= 10>>/%Hour glass%/ <<if $args[0].weight <= 30>>/%Chubby%/ <<set _torsoSize = "normal">> <<else>> <<set _torsoSize = "hourglass">> <</if>> <<else>>/*Normal*/ <<set _torsoSize = "normal">> <</if>> <<print "<img class='paperdoll' src=" + _imgSkinLoc + "/torso " + _torsoSize + ".svg'" + " style='"+ _skinFilter + "'>">> <<if $args[0].fuckdoll != 0 || $args[0].clothes == "restrictive latex" || $args[0].clothes == "a latex catsuit">> <<set _torsoOutfit = " latex">> <<elseif $args[0].clothes == "uncomfortable straps">> <<set _torsoOutfit = " straps">> <</if>> <<if _torsoOutfit>> <<print "<img class='paperdoll' src=" + _folderLoc + "/outfit/torso " + _torsoSize + _torsoOutfit + ".svg'" + "/>">> <</if>> /*Navel Piercing*/ <<if $args[0].navelPiercing >= 1>> <<print "<img class='paperdoll' src=" + _folderLoc + "/body/addon/navel piercing.svg'" + "/>">> <</if>> <<if $args[0].navelPiercing == 2>> <<print "<img class='paperdoll' src=" + _folderLoc + "/body/addon/navel piercing heavy.svg'" + "/>">> <</if>> /% Vagina %/ <<if $args[0].vagina >= 0>> <<print "<img class='paperdoll' src=" + _imgSkinLoc + "/vagina.svg'" + " style='"+ _skinFilter + "'>">> <<if $args[0].clitPiercing == 1>> <<print "<img class='paperdoll' src=" + _folderLoc + "/body/addon/clit piercing.svg'" + "/>">> <<elseif $args[0].clitPiercing == 2>> <<print "<img class='paperdoll' src=" + _folderLoc + "/body/addon/clit piercing heavy.svg'" + "/>">> <<elseif $args[0].clitPiercing == 3>> <<print "<img class='paperdoll' src=" + _folderLoc + "/body/addon/clit piercing smart.svg'" + "/>">> <</if>> <<if $args[0].vaginaPiercing == 1>> <<print "<img class='paperdoll' src=" + _folderLoc + "/body/addon/pussy piercing.svg'" + "/>">> <<elseif $args[0].vaginaPiercing == 2>> <<print "<img class='paperdoll' src=" + _folderLoc + "/body/addon/pussy piercing heavy.svg'" + "/>">> <</if>> <</if>> /% Collar %/ <<switch $args[0].collar>> <<case "bowtie">> <<case "ancient Egyptian">> <<case "nice retirement counter" "cruel retirement counter" "leather with cowbell" "pretty jewelry" "heavy gold" "satin choker" "stylish leather" "neck corset" "shock punishment" "tight steel" "uncomfortable leather" "dildo gag">> <<print "<img class='paperdoll' src=" + _folderLoc + "/outfit/" + $args[0].collar + ".svg'" + "/>">> <</switch>> /% Head base image %/ <<if $args[0].fuckdoll != 0 || $args[0].clothes == "restrictive latex" || $args[0].clothes == "a latex catsuit">> <<print "<img class='paperdoll' src=" + _folderLoc + "/outfit/head latex.svg'" + "/>">> <<else>> <<print "<img class='paperdoll' src=" +_imgSkinLoc + "/head.svg'" + " style='"+ _skinFilter + "'>">> <</if>> /% Glasses %/ <<if $args[0].eyewear == "corrective glasses" or $args[0].eyewear == "glasses" or $args[0].eyewear == "blurring glasses">> <<print "<img class='paperdoll' src=" + _folderLoc + "/outfit/glasses.svg'" + "/>">> <</if>> /% Chastity belt or Pubic hair %/ <<if $args[0].dickAccessory == "chastity" || $args[0].dickAccessory == "anal chastity" || $args[0].dickAccessory == "combined chastity" || $args[0].vaginalAccessory == "chastity belt" || $args[0].vaginalAccessory == "anal chastity" || $args[0].vaginalAccessory == "combined chastity">> <<if $args[0].dickAccessory == "chastity" || $args[0].dickAccessory == "combined chastity">> <<print "<img class='paperdoll' src=" + _folderLoc + "/outfit/chastity male aft.svg'" + "/>">> <</if>> <<if $args[0].vaginalAccessory == "chastity belt" || $args[0].vaginalAccessory == "combined chastity">> <<print "<img class='paperdoll' src=" + _folderLoc + "/outfit/chastity female.svg'" + "/>">> <</if>> <<print "<img class='paperdoll' src=" + _folderLoc + "/outfit/chastity base.svg'" + "/>">> <<else>> <<if $args[0].pubicHStyle != "waxed">> <<set _pubicHStyle = ($args[0].pubicHStyle == "in a strip" ? "strip" : $args[0].pubicHStyle)>> <<= "<img class='paperdoll' src=" + _folderLoc + "/hair/pubes " + _pubicHStyle + ".svg' style='" + _pubesFilter + "'/>">> <</if>> <</if>> /%if pregnant%/ <<if $args[0].preg > 0>> <<print "<img class='paperdoll' src=" + _imgSkinLoc + "/preg belly.svg'" + " style='"+ _skinFilter + "'>">> <<if $args[0].navelPiercing >= 1>>/*Navel Piercing*/ <<print "<img class='paperdoll' src=" + _folderLoc + "/body/addon/preg navel piercing.svg'" + "/>">> <</if>> <<if $args[0].navelPiercing == 2>> <<print "<img class='paperdoll' src=" + _folderLoc + "/body/addon/preg navel piercing heavy.svg'" + "/>">> <</if>> <</if>> /% Boob %/ <<if $args[0].boobs < 250>> <<set _boobSize = 0>> <<elseif $args[0].boobs < 500>> <<set _boobSize = 1>> <<elseif $args[0].boobs < 800>> <<set _boobSize = 2>> <<elseif $args[0].boobs < 1600>> <<set _boobSize = 3>> <<elseif $args[0].boobs < 3200>> <<set _boobSize = 4>> <<elseif $args[0].boobs < 6400>> <<set _boobSize = 5>> <<elseif $args[0].boobs < 12000>> <<set _boobSize = 6>> <<else>> <<set _boobSize = 7>> <</if>> /% Scrotum %/ <<if $args[0].scrotum > 0>> <<if $args[0].scrotum >= 6>> <<set _ballSize = 4>> <<elseif $args[0].scrotum >= 4>> <<set _ballSize = 3>> <<elseif $args[0].scrotum >= 3>> <<set _ballSize = 2>> <<elseif $args[0].scrotum >= 2>> <<set _ballSize = 1>> <<else>> <<set _ballSize = 0>> <</if>> <</if>> /% Penis %/ <<if $args[0].dick > 0>> <<if $args[0].dick >= 8>> <<set _penisSize = 6>> <<elseif $args[0].dick >= 7>> <<set _penisSize = 5>> <<elseif $args[0].dick >= 6>> <<set _penisSize = 4>> <<elseif $args[0].dick >= 5>> <<set _penisSize = 3>> <<elseif $args[0].dick >= 4>> <<set _penisSize = 2>> <<elseif $args[0].dick >= 2>> <<set _penisSize = 1>> <<else>> <<set _penisSize = 0>> <</if>> <</if>> /% Boob %/ <<set _needBoobs = 1>> <<if $args[0].dick > 0>> <<if canAchieveErection($args[0])>> <<if _boobSize < 6>> <<if $args[0].fuckdoll != 0 || $args[0].clothes == "restrictive latex" || $args[0].clothes == "a latex catsuit">> /* normal case: outfit hides boobs */ <<set _boobOutfit = " latex" >> <</if>> <<if _boobOutfit >> <<print "<img class='paperdoll' src=" + _folderLoc + "/outfit/boob " +_boobSize + _boobOutfit + ".svg'" + "/>">> <<if $args[0].lactation > 0>> <<print "<img class='paperdoll' src=" + _imgSkinLoc + "/boob " +_boobSize + " areola.svg'" + " style='"+ _skinFilter + "'>">> <</if>> <<else>> <<print "<img class='paperdoll' src=" + _imgSkinLoc + "/boob " +_boobSize +".svg'" + " style='"+ _skinFilter + "'>">> <<print "<img class='paperdoll' src=" + _imgSkinLoc + "/boob " +_boobSize + " areola.svg'" + " style='"+ _skinFilter + "'>">> <</if>> /* special case: straps are actually dawn over the boobs */ <<if $args[0].clothes == "uncomfortable straps">> <<set _boobOutfit = " straps" >> <<print "<img class='paperdoll' src=" + _folderLoc + "/outfit/boob " +_boobSize + _boobOutfit + ".svg'" + "/>">> <</if>> <<set _needBoobs = 0>> <</if>> <</if>> <</if>> <<if $args[0].vagina > 0>> <<if $args[0].dick > 0>> <div class="highPenis"> <<if $args[0].scrotum > 0>> <<print "<img class='paperdoll' src=" + _imgSkinLoc + "/ball " + _ballSize + ".svg'" + " style='"+ _skinFilter + "'>">> <</if>> <<if canAchieveErection($args[0])>> <<print "<img class='paperdoll' src=" + _imgSkinLoc + "/penis " + _penisSize + ".svg'" + " style='"+ _skinFilter + "'>">> <<else>> <<print "<img class='paperdoll' src=" + _imgSkinLoc + "/flaccid " + _penisSize + ".svg'" + " style='"+ _skinFilter + "'>">> <<if $args[0].dickAccessory == "chastity" || $args[0].dickAccessory == "combined chastity">> <<print "<img class='paperdoll' src=" + _folderLoc + "/outfit/chastity male fore " + _penisSize + ".svg'" + "/>">> <</if>> <</if>> </div> <</if>> <<else>> <<if $args[0].dick > 0>> <div class="lowPenis"> <<if $args[0].scrotum > 0>> <<print "<img class='paperdoll' src=" + _imgSkinLoc + "/ball " + _ballSize + ".svg'" + " style='"+ _skinFilter + "'>">> <</if>> <<if canAchieveErection($args[0])>> <<print "<img class='paperdoll' src=" + _imgSkinLoc + "/penis " + _penisSize + ".svg'" + " style='"+ _skinFilter + "'>">> <<else>> <<print "<img class='paperdoll' src=" + _imgSkinLoc + "/flaccid " + _penisSize + ".svg'" + " style='"+ _skinFilter + "'>">> <<if $args[0].dickAccessory == "chastity" || $args[0].dickAccessory == "combined chastity">> <<print "<img class='paperdoll' src=" + _folderLoc + "/outfit/chastity male fore " + _penisSize + ".svg'" + "/>">> <</if>> <</if>> </div> <</if>> <</if>> <<if _needBoobs>> <<if $args[0].fuckdoll != 0 || $args[0].clothes == "restrictive latex" || $args[0].clothes == "a latex catsuit">> <<print "<img class='paperdoll' src=" + _folderLoc + "/outfit/boob " +_boobSize +" latex.svg'" + "/>">> <<if $args[0].lactation > 0>><<print "<img class='paperdoll' src=" + _imgSkinLoc + "/boob " +_boobSize + " areola.svg'" + " style='"+ _skinFilter + "'>">><</if>> <<else>> <<print "<img class='paperdoll' src=" + _imgSkinLoc + "/boob " +_boobSize +".svg'" + " style='"+ _skinFilter + "'>">> <<print "<img class='paperdoll' src=" + _imgSkinLoc + "/boob " +_boobSize + " areola.svg'" + " style='"+ _skinFilter + "'>">> <</if>> /* special case: straps are actually dawn over the boobs */ <<if $args[0].clothes == "uncomfortable straps">> <<set _boobOutfit = " straps" >> <<print "<img class='paperdoll' src=" + _folderLoc + "/outfit/boob " +_boobSize + _boobOutfit + ".svg'" + "/>">> <</if>> <</if>> /% piercings %/ <<if $args[0].nipplesPiercing == 1>> <<print "<img class='paperdoll' src=" + _folderLoc + "/body/addon/boob " +_boobSize +" piercing.svg'" + "/>">> <<elseif $args[0].nipplesPiercing == 2>> <<print "<img class='paperdoll' src=" + _folderLoc + "/body/addon/boob " +_boobSize +" piercing heavy.svg'" + "/>">> <</if>> <<if $args[0].areolaePiercing == 1>> <<print "<img class='paperdoll' src=" + _folderLoc + "/body/addon/boob " +_boobSize +" areola piercing.svg'" + "/>">> <</if>> /% clavicle %/ <<print "<img class='paperdoll' src=" + _folderLoc + "/body/addon/clavicle.svg'" + "/>">> /% Hair Foreground %/ <<if $args[0].hStyle != "shaved" && $args[0].fuckdoll == 0>> <<= "<img class='paperdoll' src=" + _folderLoc + "/hair/" + _hairStyle + " front.svg'" + " style='" + _hairFilter + "'/>">> <</if>> <<else>> /* RENDERED IMAGES BY SHOKUSHU */ <<if $args[0].vagina > -1>> <<if $args[0].dick > 0>> <<if $args[0].balls > 0>> <<set _fileName = "futanari">> <<else>> <<set _fileName = "herm">> <</if>> <<else>> <<set _fileName = "female">> <</if>> <<else>> <<if $args[0].balls > 0>> <<set _fileName = "shemale">> <<else>> <<set _fileName = "gelding">> <</if>> <</if>> <<if $args[0].preg > 10>> <<set _fileName = "preg " + _fileName>> <</if>> <<if $args[0].boobs < 400>> <<set _fileName = _fileName + " small">> <<elseif $args[0].boobs < 800>> <<set _fileName = _fileName + " big">> <<elseif $args[0].boobs < 6000>> <<set _fileName = _fileName + " huge">> <<else>> <<set _fileName = _fileName + " hyper">> <</if>> <<if $args[0].muscles > 30>> <<set _fileName = _fileName + " muscle">> <<else>> <<set _fileName = _fileName + " soft">> <</if>> <<if $args[0].fuckdoll > 0>> <<set _fileName = _fileName + " rebellious">> <<elseif $args[0].devotion <= 20>> <<if $args[0].trust < -20>> <<set _fileName = _fileName + " reluctant">> <<else>> <<set _fileName = _fileName + " rebellious">> <</if>> <<elseif $args[0].fetish == "mindbroken">> <<set _fileName = _fileName + " reluctant">> <<elseif $args[0].devotion <= 50 || $args[0].fetishKnown != 1 || ($seeMainFetishes == 0 && $args[1] < 2)>> <<set _fileName = _fileName + " obedient">> <<else>> <<if $args[0].fetish == "none">> <<set _fileName = _fileName + " obedient">> <<else>> <<set _fileName = _fileName + " " + $args[0].fetish>> <</if>> <</if>> <<set _fileName = "'resources/renders/" + _fileName + ".png' ">> <<if $args[1] == 3>> <<print "<img src=" + _fileName + "style='float:right; border:3px hidden'/>">> <<elseif $args[1] == 2>> <<print "<img src=" + _fileName + "style='float:right; border:3px hidden' width='300' height='300'/>">> <<elseif $args[1] == 1>> <<print "<img src=" + _fileName + "style='float:left; border:3px hidden' width='150' height='150'/>">> <<else>> <<print "<img src=" + _fileName + "style='float:left; border:3px hidden' width='120' height='120'/>">> <</if>> <</if>> /* CLOSES IMAGE CHOICE */ <</widget>>
MonsterMate/fc
devNotes/legacy files/artWidgets-legacy
none
mit
20,772
:: AssayJS [script] window.slimCount = function(slaves) { var slim = 0; var ArcologyZero = State.variables.arcologies[0]; for (var i = 0; i < slaves.length; i++) { var slave = slaves[i]; if ((slave.boobs < 500) && (slave.butt < 3)) { if ((slave.muscles <= 30) && (ArcologyZero.FSPhysicalIdealist == "unset") && (slave.weight <= 10) && (ArcologyZero.FSHedonisticDecadence == "unset")) { slim += 1; } else if (ArcologyZero.FSPhysicalIdealist != "unset") { if ((ArcologyZero.FSPhysicalIdealistStrongFat == 1) && (slave.weight <= 30)) { slim += 1; } } else if ((ArcologyZero.FSHedonisticDecadence != "unset") && (slave.weight <= 30)) { if (ArcologyZero.FSHedonisticDecadenceStrongFat == 1) { slim += 1; } else if (slave.muscles <= 30) { slim += 1; } } } } return slim; } window.stackedCount = function(slaves) { var stacked = 0; for (var i = 0; i < slaves.length; i++) { var slave = slaves[i]; if ((slave.butt > 4) && (slave.boobs > 800)) { stacked += 1; } } return stacked; } window.moddedCount = function(slaves) { var modded = 0; for (var i = 0; i < slaves.length; i++) { var slave = slaves[i]; var modScore = ModScore(slave); var tatScore = TatScore(slave); var piercingScore = PiercingScore(slave); if ((modScore > 15) || (piercingScore > 8) && (tatScore > 5)) { modded += 1; } } return modded; } window.unmoddedCount = function(slaves) { var unmodded = 0; for (var i = 0; i < slaves.length; i++) { var slave = slaves[i]; var modScore = ModScore(slave); var tatScore = TatScore(slave); var piercingScore = PiercingScore(slave); if ((modScore > 15) || (piercingScore > 8) && (tatScore > 5)) ; else { unmodded += 1; } } return unmodded; } window.XYCount = function(slaves) { var XY = 0; for (var i = 0; i < slaves.length; i++) { var slave = slaves[i]; if (slave.vagina == -1) { XY += 1; } } return XY; } window.XXCount = function(slaves) { var XX = 0; for (var i = 0; i < slaves.length; i++) { var slave = slaves[i]; if (slave.vagina != -1) { State.variables.XX += 1; } } return XX; } window.youngCount = function(slaves) { var young = 0; for (var i = 0; i < slaves.length; i++) { var slave = slaves[i]; if (slave.visualAge < 30) { State.variables.young += 1; } } return young; } window.oldCount = function(slaves) { var old = 0; for (var i = 0; i < slaves.length; i++) { var slave = slaves[i]; if (slave.visualAge >= 30) { State.variables.old += 1; } } return old; } window.pregYesCount = function(slaves) { var pregYes = 0; for (var i = 0; i < slaves.length; i++) { var slave = slaves[i]; if ((slave.bellyPreg >= 5000) || (slave.bellyImplant >= 5000)) { pregYes += 1; } } return pregYes; } window.pregNoCount = function(slaves) { var pregNo = 0; for (var i = 0; i < slaves.length; i++) { var slave = slaves[i]; if ((slave.bellyPreg >= 5000) || (slave.bellyImplant >= 5000)) ; else if ((slave.belly < 100) && (slave.weight < 30) && (!setup.fakeBellies.includes(slave.bellyAccessory))) { pregNo += 1; } } return pregNo; } window.implantedCount = function(slaves) { var implanted = 0; for (var i = 0; i < slaves.length; i++) { var slave = slaves[i]; if ((slave.boobsImplant == 0) && (slave.buttImplant == 0) && (slave.waist >= -95) && (slave.lipsImplant == 0) && (slave.faceImplant < 30) && (slave.bellyImplant == -1) && (Math.abs(slave.shouldersImplant) < 2) && (Math.abs(slave.hipsImplant) < 2)) ; else { implanted += 1; } } return implanted; } window.pureCount = function(slaves) { var pure = 0; for (var i = 0; i < slaves.length; i++) { var slave = slaves[i]; if ((slave.boobsImplant == 0) && (slave.buttImplant == 0) && (slave.waist >= -95) && (slave.lipsImplant == 0) && (slave.faceImplant < 30) && (slave.bellyImplant == -1) && (Math.abs(slave.shouldersImplant) < 2) && (Math.abs(slave.hipsImplant) < 2)) { pure += 1; } } return pure; }
MonsterMate/fc
devNotes/legacy files/assayJS.txt
Text
mit
3,990
/* I need to be redone phase-7 */ /* keep in mind breeder paraphilia overriding mental effects */ <<if ($slaves[$i].preg > 30)>> <<if ($slaves[$i].physicalAge < 4)>> <<if ($slaves[$i].pregType >= 20)>> $His womb takes up most of $his body and puts tremendous pressure on $his skin and organs. This is @@.mediumorchid;very worrying@@ to $him. $He is in @@.red;constant pain@@ and each movement within $his straining womb causes additional discomfort. $He is @@.gold;terrified@@ that at any moment $he could burst. <<if $slaves[$i].pregControl == "slow gestation" && $slaves[$i].intelligence > -2>> $His slowed gestation rate gives $his body more time to adapt to $his hyper gravidity, easing some of $his worries. <<set $slaves[$i].devotion -= 1>> <<set $slaves[$i].trust -= 4>> <<else>> <<set $slaves[$i].devotion -= 3>> <<set $slaves[$i].trust -= 8>> <</if>> <<set $slaves[$i].health -= 20>> <<elseif ($slaves[$i].pregType >= 10)>> $His womb greatly fills $his body and compresses $his internal organs. $He is in constant @@.mediumorchid;discomfort@@ and @@.red;pain@@ and can't wait for these children to be born. <<if $slaves[$i].pregControl == "slow gestation" && $slaves[$i].intelligence > -2>> $His slowed gestation rate gives $his body more time to adapt to $his hyper gravidity, easing some of $his worries. <<set $slaves[$i].devotion -= 1>> <<else>> <<set $slaves[$i].devotion -= 2>> <</if>> <<set $slaves[$i].health -= 10>> <<else>> $His full womb puts pressure on $his organs. It is quite @@.mediumorchid;uncomfortable@@ to $him. <<set $slaves[$i].devotion -= 2>> <</if>> <<elseif ($slaves[$i].physicalAge < 13)>> <<if ($slaves[$i].pregType >= 20)>> $His bloated womb is constantly straining to hold together. This is @@.mediumorchid;very worrying@@ to $him. $He moans @@.red;painfully@@ with each movement within $him. <<if $slaves[$i].pregControl == "slow gestation" && $slaves[$i].intelligence > -2>> $His slowed gestation rate gives $his body more time to adapt to $his hyper gravidity, easing some of $his worries. <<set $slaves[$i].devotion -= 1>> <<else>> <<set $slaves[$i].devotion -= 2>> <</if>> <<set $slaves[$i].health -= 10>> <<elseif ($slaves[$i].pregType >= 10)>> <<if ($slaves[$i].muscles <= 30)>> <<if canWalk($slaves[$i])>> $His belly is very heavy and juts out quite far from $his body. Between constantly getting in the way and the discomfort of being so full, $his belly is @@.mediumorchid;very annoying@@ to $him. <<set $slaves[$i].devotion -= 2>> <</if>> <<else>> <<if canWalk($slaves[$i])>> $His belly juts out @@.mediumorchid;annoyingly@@ far. <<set $slaves[$i].devotion -= 1>> <</if>> <</if>> <<else>> <<if ($slaves[$i].muscles <= 5)>> <<if canWalk($slaves[$i])>> $His pregnant belly is quite tiring to carry around, leading $him to be @@.mediumorchid;somewhat annoyed.@@ <<set $slaves[$i].devotion -= 1>> <</if>> <</if>> <</if>> <<else>> <<if ($slaves[$i].pregType >= 20)>> $His straining womb is @@.mediumorchid;very worrying@@ to $him. $He @@.red;moans with pain@@ every time one of $his brood moves within $him. <<if $slaves[$i].pregControl == "slow gestation" && $slaves[$i].intelligence > -2>> $His slowed gestation rate gives $his body more time to adapt to $his hyper gravidity, easing some of $his worries. <<set $slaves[$i].devotion -= 1>> <<else>> <<set $slaves[$i].devotion -= 3>> <</if>> <<set $slaves[$i].health -= 15>> <<elseif ($slaves[$i].pregType >= 10)>> <<if ($slaves[$i].muscles <= 30)>> <<if canWalk($slaves[$i])>> $His belly is very heavy and juts out quite far from $his body. Between constantly getting in the way and the discomfort of being so full, $his belly is @@.mediumorchid;very annoying@@ to $him. <<set $slaves[$i].devotion -= 2>> <</if>> <</if>> <</if>> <</if>> <<elseif ($slaves[$i].preg > 20)>> <<if ($slaves[$i].physicalAge < 4)>> <<if ($slaves[$i].pregType >= 20)>> $His womb is becoming @@.mediumorchid;distressing@@ to $him. $He is in @@.red;pain@@ with each motion within $his straining womb. $He is @@.gold;terrified@@ of what awaits $him at the end of this pregnancy. <<if $slaves[$i].pregControl == "slow gestation" && $slaves[$i].intelligence > -2>> $His slowed gestation rate gives $his body more time to adapt to $his hyper gravidity, easing some of $his worries. <<set $slaves[$i].devotion -= 1>> <<set $slaves[$i].trust -= 2>> <<else>> <<set $slaves[$i].devotion -= 2>> <<set $slaves[$i].trust -= 5>> <</if>> <<set $slaves[$i].health -= 20>> <<elseif ($slaves[$i].pregType >= 10)>> $His womb is becoming quite full causing $him some @@.mediumorchid;discomfort.@@ $He is eager to be free of this burden. <<set $slaves[$i].devotion -= 2>> <<else>> <<if canWalk($slaves[$i])>> $His big belly on $his small body keeps getting in $his way, @@.mediumorchid;annoying $him.@@ <<set $slaves[$i].devotion -= 1>> <</if>> <</if>> <<elseif ($slaves[$i].physicalAge < 13)>> <<if ($slaves[$i].pregType >= 20)>> $His bloated womb is beginning to get too crowded, @@.mediumorchid;worrying@@ $him. $He moans with @@.red;discomfort@@ with each movement within $him. <<set $slaves[$i].devotion -= 2>> <<if $slaves[$i].pregControl == "slow gestation" && $slaves[$i].intelligence > -2>> $His slowed gestation rate gives $his body more time to adapt to $his hyper gravidity, easing some of $his worries. <<set $slaves[$i].devotion -= 1>> <<else>> <<set $slaves[$i].devotion -= 2>> <</if>> <<set $slaves[$i].health -= 10>> <<elseif ($slaves[$i].pregType >= 10)>> <<if ($slaves[$i].muscles <= 30)>> <<if canWalk($slaves[$i])>> $His belly is getting heavy and starting to get in $his way. Between constantly bumping things and the discomfort of being full, $his belly is @@.mediumorchid;annoying@@ to $him. <<set $slaves[$i].devotion -= 1>> <</if>> <</if>> <</if>> <<else>> <<if ($slaves[$i].pregType >= 20)>> $His swelling womb is @@.mediumorchid; worrying@@ $him. <<set $slaves[$i].devotion -= 2>> <<elseif ($slaves[$i].pregType >= 10)>> <<if ($slaves[$i].muscles <= 30)>> <<if canWalk($slaves[$i])>> $His belly is getting heavy and starting to get in $his way. Between constantly bumping things and the discomfort of being full, $his belly is @@.mediumorchid;annoying@@ to $him. <<set $slaves[$i].devotion -= 1>> <</if>> <</if>> <</if>> <</if>> <</if>> <<if $slaves[$i].fuckdoll == 0>> <<if $slaves[$i].fetish != "mindbroken">> <<if canWalk($slaves[$i])>> <<if $slaves[$i].bellyImplant >= 600000>> $His belly implant takes up most of $his body cavity, is tremendously heavy, and protrudes massively from $his abdomen. Between constantly bumping things and the discomfort of being so extremely full, $his belly is @@.mediumorchid;really frustrating@@ to $him. <<set $slaves[$i].devotion -= 3>> <<elseif $slaves[$i].bellyImplant >= 150000>> $His belly implant takes up a good deal of $his body cavity, is extremely heavy, and protrudes greatly from $his abdomen. Between constantly bumping things and the discomfort of being so very full, $his belly is @@.mediumorchid;very annoying@@ to $him. <<set $slaves[$i].devotion -= 2>> <<elseif $slaves[$i].bellyImplant >= 10000>> $His belly implant is quite heavy and tends to get in $his way. Between constantly bumping things and the discomfort of being full, $his belly is @@.mediumorchid;annoying@@ to $him. <<set $slaves[$i].devotion -= 1>> <</if>> <</if>> <</if>> <</if>>
MonsterMate/fc
devNotes/legacy files/old preg malus.txt
Text
mit
7,862
<<if $activeSlave.preg > 30>> <<if $activeSlave.pregType == 100>> The only thing keeping $possessive from bursting are $possessive belly restraints, <<elseif $activeSlave.pregType >= 20>> $pronounCap is close to bursting, <<elseif $activeSlave.pregType >= 10>> $pronounCap is dangerously pregnant, <<else>> $pronounCap is enormously pregnant, <</if>> <<if $activeSlave.pregType == 100>> <<if $activeSlave.amp == 1>> with no arms and legs $pronoun is effectively a giant womb. <<else>> and $possessive thinning arms and legs rest helpless atop $possessive supermassive belly. <</if>> <<elseif $activeSlave.physicalAge <= 3>> <<if $activeSlave.pregType >= 20>> and $pronoun is nearly spherical. $possessiveCap toddlerish form is utterly dwarfed by $possessive pregnancy, all $pronoun can do is lay on top of it. Despite being taut, $possessive belly visibly bulges and squirms from all the babies writhing within $object. $possessiveCap womb is so full you can see the babies forced up against $possessive uterus, even the slightest provocation could cause $possessive to burst.<<if $saleDescription == 0>> $pronounCap requires multiple slaves to move $possessive bulk when $pronoun must go somewhere.<</if>> <<elseif $activeSlave.pregType >= 10>> and $possessive belly pins $possessive to the ground. $possessiveCap toddlerish form is dwarfed by $possessive pregnancy, and try as $pronoun might $pronoun can not even drag the massive thing. $pronounCap is so pregnant you can barely see the babies within $possessive bulging $possessive stomach.<<if $activeSlave.amp == 0>> $pronounCap requires assistance to get to $possessive feet<<if $saleDescription == 0>>, and uses a wheeled stand to support $possessive pregnancy when $pronoun must walk anywhere<</if>>.<</if>> <<else>> and $possessive toddlerish body is absolutely filled by $possessive womb. $pronounCap can barely move herself and resembles an over inflated blow-up doll. <</if>> <<elseif $activeSlave.physicalAge <= 12>> <<if $activeSlave.pregType >= 20>> and $pronoun is more belly than girl. $possessiveCap absolutely gigantic, overfilled womb keeps $possessive pinned to the ground. $possessiveCap belly visibly bulges and squirms from all the babies within $possessive. $pronounCap is so full you can see the babies forced up against the walls of $possessive uterus. $possessiveCap skin is so taut that even the slightest provocation could cause $possessive to burst.<<if $activeSlave.amp == 0>> $pronounCap requires assistance to get to $possessive feet<<if $saleDescription == 0>>, and uses a wheeled stand to support $possessive pregnancy when $pronoun must walk anywhere<</if>>.<</if>> <<elseif $activeSlave.pregType >= 10>> and $pronoun can barely function with $possessive enormous belly. $pronounCap is so full you can barely see the babies bulging out of $possessive stomach. <<else>> and $possessive massive, drum-taut belly dominates $possessive poor little frame. <</if>> <<elseif $activeSlave.weight > 190>> <<if $activeSlave.pregType >= 20>> and $possessive massively fat belly is stretched considerably, so much so $possessive folds are pulled flat. $possessiveCap pregnancy is covered in a thick layer of fat, save for the grotesquely bulging upper portion where $possessive fat is thinnest. $possessiveCap womb is so full that every motion within it translates to $possessive soft body. <<elseif $activeSlave.pregType >= 10>> and $possessive massively fat belly is stretched considerably; $possessive folds are nearly pulled flat from the strain. $possessiveCap pregnancy is covered in a thick layer of fat, save for the bulging upper portion where $possessive fat is thinnest. <<else>> but $pronoun's so massively fat that it's not obvious. Only the firmness at its top gives away $possessive pregnancy. <</if>> <<elseif $activeSlave.height >= 185>> <<if $activeSlave.pregType >= 20>> but $possessive tall frame barely keeps $possessive grotesque, splitting belly off the ground. Despite being taut, $possessive belly visibly bulges and squirms from all the babies writhing within $object. $possessiveCap womb is so full you can see the babies forced up against $possessive uterus, even the slightest provocation could cause $object to burst. <<elseif $activeSlave.pregType >= 10>> but $possessive tall frame barely bears $possessive obscene, drum-taut belly. $pronounCap is so pregnant you can barely see the babies within $possessive bulging stomach. <<else>> but $possessive tall frame bears $possessive massive, drum-taut belly well. <</if>> <<elseif $activeSlave.height < 150>> <<if $activeSlave.pregType >= 20>> and $pronoun is more belly than girl. $possessiveCap absolutely gigantic, overfilled womb keeps $object pinned to the ground. $possessiveCap belly visibly bulges and squirms from all the babies within $object. $pronounCap is so full you can see the babies forced up against the walls of $possessive uterus. $possessiveCap skin is so taut that even the slightest provocation could cause $object to burst.<<if $activeSlave.amp == 0>> $pronounCap requires assistance to get to $possessive feet<<if $saleDescription == 0>>, and uses a wheeled stand to support $possessive pregnancy when $pronoun must walk anywhere<</if>>.<</if>> <<elseif $activeSlave.pregType >= 10>> and $pronoun can barely function with $possessive enormous belly. $pronounCap is so full you can barely see the babies bulging out of $possessive stomach. <<else>> and $possessive massive, drum-taut belly dominates $possessive poor little frame. <</if>> <<elseif $activeSlave.muscles > 30>> <<if $activeSlave.pregType >= 20>> and $pronoun can barely hold $possessive overfilled belly upright. $possessiveCap enormous brood greatly protrudes $possessive belly covering it in writhing bulges where they are forced up against $possessive uterus. While $possessive strong body spares $object from the fear of bursting, it does nothing to stop everyone from seeing how many children $pronoun's having. <<elseif $activeSlave.pregType >= 10>> and $possessive fit body allows $object to carry $possessive obscene belly without too much trouble. $possessiveCap large brood gently bulges $possessive belly. <<else>> and $possessive fit body bears $possessive massive, drum-taut belly well. <</if>> <<else>> <<if $activeSlave.pregType >= 20>> and $pronoun is more belly than girl. $possessiveCap gigantic, overfilled womb keeps $object pinned to the ground. $possessiveCap belly visibly bulges and squirms from all the babies within $object. $pronounCap is so full you can see the babies forced up against the walls of $possessive womb through $possessive taut skin. $possessiveCap bulgy belly is at risk of rupturing.<<if $activeSlave.amp == 0>> $pronounCap requires assistance to get to $possessive feet<<if $saleDescription == 0>>, and uses a wheeled stand to support $possessive pregnancy when $pronoun must walk anywhere<</if>>.<</if>> <<elseif $activeSlave.pregType >= 10>> and $pronoun can barely function with $possessive enormous belly. $possessiveCap womb is so full you can see the babies gently bulging the walls of $possessive uterus. <<else>> and $possessive massive, drum-taut belly dominates $possessive frame. <</if>> <</if>> <<elseif $activeSlave.preg > 20>> <<if $activeSlave.pregType >= 20>> $pronounCap is dangerously pregnant, <<elseif $activeSlave.pregType >= 10>> $pronounCap is obscenely pregnant, <<else>> $pronounCap is heavily pregnant, <</if>> <<if $activeSlave.physicalAge <= 3>> <<if $activeSlave.pregType >= 20>> and $possessive hugely distended belly is bigger than $pronoun is.<<if $activeSlave.amp == 0>> $pronounCap requires assistance to get to $possessive feet<<if $saleDescription == 0>>, and uses a wheeled stand to support $possessive pregnancy when $pronoun must walk anywhere<</if>>.<</if>> <<elseif $activeSlave.pregType >= 10>> and $possessive bulging belly is as big as $pronoun is.<<if $activeSlave.amp == 0>> $pronounCap requires assistance to get to $possessive feet<<if $saleDescription == 0>>, and uses a wheeled stand to support $possessive pregnancy when $pronoun must walk anywhere<</if>>.<</if>> <<else>> and $possessive swollen belly is nearly as big as $possessive toddlerish body. <</if>> <<elseif $activeSlave.physicalAge <= 12>> <<if $activeSlave.pregType >= 20>> and $possessive hugely distended belly is nearly as big as $pronoun is.<<if $activeSlave.amp == 0>> $pronounCap requires assistance to get to $possessive feet<<if $saleDescription == 0>>, and uses a wheeled stand to support $possessive pregnancy when $pronoun must walk anywhere<</if>>.<</if>> <<elseif $activeSlave.pregType >= 10>> and $possessive bulging belly looks absolutely huge on $possessive poor little frame. <<else>> and $possessive swollen belly dominates $possessive poor little frame. <</if>> <<elseif $activeSlave.weight > 130>> <<if $activeSlave.pregType >= 20>> and $possessive big fat belly is absolutely enormous when coupled with $possessive filled womb. <<elseif $activeSlave.pregType >= 10>> but $pronoun's so fat that $pronoun appears to merely be carrying a giant gut. Only the firmness at its top gives away $possessive pregnancy. <<else>> but $pronoun's so fat that it's not obvious. Only the firmness at its top gives away $possessive pregnancy. <</if>> <<elseif $activeSlave.height >= 185>> <<if $activeSlave.pregType >= 20>> but $possessive tall frame keeps $possessive huge belly off the ground. <<elseif $activeSlave.pregType >= 10>> but $possessive tall frame lets $possessive keep $possessive posture despite $possessive large belly. <<else>> but $possessive tall frame bears $possessive swollen belly well. <</if>> <<elseif $activeSlave.height < 150>> <<if $activeSlave.pregType >= 20>> and $possessive hugely distended belly is nearly as big as $pronoun is. <<elseif $activeSlave.pregType >= 10>> and $possessive bulging belly looks absolutely huge on $possessive poor little frame. <<else>> and $possessive swollen belly dominates $possessive poor little frame. <</if>> <<elseif $activeSlave.muscles > 30>> <<if $activeSlave.pregType >= 20>> and $possessive fit body allows $object to carry $possessive huge belly with only the occasional accident. <<elseif $activeSlave.pregType >= 10>> and $possessive fit body carries $possessive bulging belly without much trouble. <<else>> and $possessive fit body bears $possessive swollen belly well. <</if>> <<else>> <<if $activeSlave.pregType >= 20>> and $possessive hugely distended belly juts far out from $possessive front and widely from $possessive sides. <<elseif $activeSlave.pregType >= 10>> and $possessive large bulging belly draws all attention away from the rest of $possessive. <<else>> and $possessive swollen belly dominates $possessive frame. <</if>> <</if>> <<elseif $activeSlave.preg > 9>> $pronounCap is visibly pregnant, <<if $activeSlave.physicalAge <= 3>> <<if $activeSlave.pregType >= 20>> $possessiveCap huge belly resembles an over-inflated beach ball compared to $possessive toddlerish frame. It bulges out from $possessive sides considerably. <<elseif $activeSlave.pregType >= 10>> and it looks like $pronoun is ready to birth triplets due to $possessive toddlerish body. <<else>> and $possessive swelling belly looks obscene on $possessive toddlerish body. <</if>> <<elseif $activeSlave.physicalAge <= 10>> <<if $activeSlave.pregType >= 20>> $possessiveCap huge belly resembles an over-inflated beach ball compared to $possessive tiny frame. <<elseif $activeSlave.pregType >= 10>> and $possessive swelling belly appears full term on $possessive tiny frame. <<else>> and $possessive swelling belly already looks huge on $possessive tiny frame. <</if>> <<elseif $activeSlave.weight > 95>> <<if $activeSlave.pregType >= 20>> $possessive fat belly considerably juts out with $possessive rapid growth. <<elseif $activeSlave.pregType >= 10>> but $pronoun's sufficiently overweight that $pronoun appears to merely be carrying a large gut. <<else>> but $pronoun's sufficiently overweight that it's not obvious. <</if>> <<elseif $activeSlave.height < 150>> <<if $activeSlave.pregType >= 20>> $possessiveCap huge belly resembles an over-inflated beach ball compared to $possessive tiny frame. <<elseif $activeSlave.pregType >= 10>> and $possessive swelling belly appears full term on $possessive tiny frame. <<else>> and $possessive swelling belly already looks huge on $possessive tiny frame. <</if>> <<elseif $activeSlave.weight < -10>> <<if $activeSlave.pregType >= 20>> $possessive enormous stomach juts far forward and lewdly extends far past $possessive sides. <<elseif $activeSlave.pregType >= 10>> $possessive bulging stomach fills $possessive thin frame obscenely. <<else>> $possessive thin form making $possessive swelling belly very obvious. <</if>> <<else>> <<if $activeSlave.pregType >= 20>> and $possessive obvious pregnancy appears full-term. <<elseif $activeSlave.pregType >= 10>> $possessive distended stomach makes $possessive look to be in $possessive last trimester. <<else>> the life growing within $possessive beginning to swell $possessive belly. <<if $activeSlave.bellySag > 0>> $possessiveCap new pregnancy reduces the amount of sag to $possessive overstretched middle. <</if>> <</if>> <</if>> <<if ($activeSlave.preg == -2) && ($activeSlave.vagina < 0) && ($activeSlave.mpreg == 0)>> <<elseif ($activeSlave.preg <= -2) && ($activeSlave.ovaries == 1 || $activeSlave.mpreg == 1)>> $pronounCap is sterile. <<elseif $activeSlave.preg == 0 && $activeSlave.vagina > -1>> <<if $activeSlave.pregType > 30>> $possessiveCap lower belly is noticeably bloated, $possessive breasts bigger and more sensitive, and $possessive pussy swollen and leaking fluids. $pronoun desperately needs a dick in $object and reminds you of a bitch in heat. <<elseif $activeSlave.pregType > 20>> $possessiveCap lower belly is noticeably bloated and $possessive pussy swollen and leaking fluids. $pronounCap is very ready to be seeded. <<elseif $activeSlave.pregType > 2>> $possessiveCap lower belly is slightly bloated and $possessive pussy swollen and leaking fluids. $pronounCap is ready to be seeded. <</if>> <<elseif $activeSlave.preg > 30>> <<if $activeSlave.pregType >= 20>> $pronounCap is @@.red;on the brink of bursting!@@ $possessiveCap belly is painfully stretched, the slightest provocation could cause $object to rupture. <<elseif $activeSlave.pregType >= 10>> $pronounCap is @@.pink;dangerously pregnant,@@ $possessive overburdened womb is filled with $activeSlave.pregType babies. <<elseif $activeSlave.pregType > 4>> $pronounCap is @@.pink;obscenely pregnant:@@ $pronoun's carrying quintuplets. <<elseif $activeSlave.pregType > 2>> $pronounCap is @@.pink;massively pregnant:@@ $pronoun's carrying <<if $activeSlave.pregType == 4>> quadruplets. <<else>> triplets. <</if>> <<else>> $pronounCap is @@.pink;hugely pregnant:@@ <<if $activeSlave.pregType == 2>> $pronoun's carrying twins. <<else>> $pronoun's almost ready to give birth. <</if>> <</if>> <<elseif $activeSlave.preg > 20>> <<if $activeSlave.pregType >= 20>> $pronounCap is @@.pink;dangerously pregnant,@@ despite how early in $possessive pregnancy $pronoun is: $pronoun's carrying far too many children. <<elseif $activeSlave.pregType >= 10>> $pronounCap is @@.pink;obscenely pregnant,@@ despite how early in $possessive pregnancy $pronoun is: $pronoun's carrying $activeSlave.pregType children. <<elseif $activeSlave.pregType > 4>> $pronounCap is @@.pink;massively pregnant,@@ despite how early in $possessive pregnancy $pronoun is: $pronoun's carrying quintuplets. <<elseif $activeSlave.pregType > 2>> $pronounCap is @@.pink;hugely pregnant,@@ despite how early in $possessive pregnancy $pronoun is: $pronoun's carrying <<if $activeSlave.pregType == 4>> quadruplets. <<else>> triplets. <</if>> <<else>> $pronounCap is @@.pink;very pregnant:@@ <<if $activeSlave.pregType == 2>> $pronoun's carrying twins. <<else>> the baby inside $object is growing rapidly. <</if>> <</if>> <<if $activeSlave.waist > 95>> a badly @@.red;masculine waist@@ that ruins her figure<<if $activeSlave.weight > 30>> and greatly exaggerates how fat $pronoun is<<elseif $activeSlave.weight < -30>> despite how thin $pronoun is<</if>>. <<if hyperBellyTwo($activeSlave)>> $possessiveCap titanic belly lewdly bulges out the sides of $possessive thick waist.<<if $activeSlave.preg > 3>> The sides of $possessive waist are filled by $possessive overfilled womb in its desperate search for more room.<</if>> <<elseif hyperBellyOne($activeSlave)>> $possessiveCap gigantic belly barely distends her $possessive thick waist. <<elseif hugeBelly($activeSlave)>> $possessiveCap huge belly is hidden by $possessive thick waist. <<elseif bigBelly($activeSlave)>> $possessiveCap belly is hidden by $possessive thick waist. <</if>> <<elseif $activeSlave.waist > 40>> a broad, @@.red;ugly waist@@ that makes her look mannish<<if $activeSlave.weight > 30>> and exaggerates how fat $pronoun is<<elseif $activeSlave.weight < -30>> despite how thin $pronoun is<</if>>. <<if hyperBellyTwo($activeSlave)>> $possessiveCap titanic belly lewdly bulges out the sides of $possessive chunky waist.<<if $activeSlave.preg > 3>> The sides of $possessive waist are filled by $possessive overfilled womb in its desperate search for more room.<</if>> <<elseif hyperBellyOne($activeSlave)>> $possessiveCap gigantic belly barely distends her $possessive chunky waist. <<elseif hugeBelly($activeSlave)>> $possessiveCap huge belly is barely hidden by $possessive chunky waist. <<elseif bigBelly($activeSlave)>> $possessiveCap belly is hidden by $possessive chunky waist. <</if>> <<elseif $activeSlave.waist > 10>> an @@.red;unattractive waist@@ that conceals $possessive <<if $activeSlave.visualAge > 25>>girlish<<else>>womanly<</if>> figure<<if $activeSlave.weight > 30>> and accentuates how fat $pronoun is<<elseif $activeSlave.weight < -30>> despite how thin $pronoun is<</if>>. <<if hyperBellyTwo($activeSlave)>> $possessiveCap titanic belly lewdly bulges out the sides of $possessive waist.<<if $activeSlave.preg > 3>> The sides of $possessive waist are filled by $possessive overfilled womb in its desperate search for more room.<</if>> <<elseif hyperBellyOne($activeSlave)>> $possessiveCap gigantic belly barely distends her $possessive waist. <<elseif hugeBelly($activeSlave)>> $possessiveCap huge belly is barely visible to either side of $possessive waist. <<elseif bigBelly($activeSlave)>> $possessiveCap belly is barely hidden by $possessive waist. <</if>> <<elseif $activeSlave.waist >= -10>> an average waist for a <<if $activeSlave.visualAge > 25>>girl<<else>>woman<</if>><<if $activeSlave.weight > 30>>, though it looks broader since $pronoun's fat<<elseif $activeSlave.weight < -30>>, though it looks narrower since $pronoun's thin<</if>>. <<if hyperBellyTwo($activeSlave)>> $possessiveCap titanic belly lewdly bulges out the sides of $possessive waist.<<if $activeSlave.preg > 3>> The sides of $possessive waist are filled by $possessive overfilled womb in its desperate search for more room.<</if>> <<elseif hyperBellyOne($activeSlave)>> $possessiveCap gigantic belly barely distends her $possessive waist. <<elseif hugeBelly($activeSlave)>> $possessiveCap huge belly is barely visible to either side of $possessive waist. <<elseif bigBelly($activeSlave)>> $possessiveCap belly is barely hidden by $possessive waist. <</if>> <<elseif $activeSlave.waist >= -40>> a nice @@.pink;feminine waist@@ that gives $object a <<if $activeSlave.visualAge > 25>>girlish<<else>>womanly<</if>> figure<<if $activeSlave.weight > 30>> despite $possessive extra weight<<elseif $activeSlave.weight < -30>> and accentuates how thin $pronoun is<</if>>. <<if hyperBellyTwo($activeSlave)>> $possessiveCap titanic belly lewdly bulges out the sides of $possessive feminine waist.<<if $activeSlave.preg > 3>> The sides of $possessive waist are filled by $possessive overfilled womb in its desperate search for more room.<</if>> <<elseif hyperBellyOne($activeSlave)>> $possessiveCap gigantic belly lewdly distends her $possessive feminine waist. <<elseif hugeBelly($activeSlave)>> $possessiveCap huge belly juts out slightly to either side of $possessive feminine waist. <<elseif bigBelly($activeSlave)>> $possessiveCap belly is barely visible around $possessive feminine waist. <</if>> <<elseif $activeSlave.waist >= -95>> a hot @@.pink;wasp waist@@ that gives $possessive an hourglass figure<<if $activeSlave.weight > 30>> despite $possessive extra weight<<elseif $activeSlave.weight < -30>> further accentuated by how thin $pronoun is<</if>>. <<if hyperBellyTwo($activeSlave)>> $possessiveCap titanic belly lewdly bulges out the sides of $possessive narrow waist and continues nearly half a meter farther to either side.<<if $activeSlave.preg > 3>> The sides of $possessive waist are filled by $possessive overfilled womb in its desperate search for more room.<</if>> <<elseif hyperBellyOne($activeSlave)>> $possessiveCap gigantic belly lewdly distends massively to either side of $possessive narrow waist. <<elseif hugeBelly($activeSlave)>> $possessiveCap huge belly bulges to either side of $possessive narrow waist. <<elseif bigBelly($activeSlave)>> $possessiveCap belly is visible around $possessive narrow waist. <</if>> <<else>> an @@.pink;absurdly narrow waist@@ that gives $possessive a cartoonishly hourglass figure<<if $activeSlave.weight > 30>> made even more ludicrous by $possessive extra weight<<elseif $activeSlave.weight < -30>> made even more ludicrous by how thin $pronoun is<</if>>. <<if hyperBellyTwo($activeSlave)>> $possessiveCap titanic belly lewdly bulges out the sides of $possessive very narrow waist and continues nearly half a meter farther to either side.<<if $activeSlave.preg > 3>> The sides of $possessive waist are filled by $possessive overfilled womb in its desperate search for more room.<</if>> <<elseif hyperBellyOne($activeSlave)>> $possessiveCap gigantic belly lewdly distends massively to either side of $possessive very narrow waist. <<elseif hugeBelly($activeSlave)>> $possessiveCap huge belly bulges lewdly to either side of $possessive very narrow waist. <<elseif bigBelly($activeSlave)>> $possessiveCap belly is visible to either side of $possessive very narrow waist. <</if>> <</if>>
MonsterMate/fc
devNotes/legacy files/oldPregDesc
none
mit
22,804
/** * @param {App.Entity.SlaveState} slave * @returns {string} */ window.originPronounReplace = function(slave) { let r = slave.origin; switch (r) { case "She was the result of unprotected sex with a client. Her mother tracked you down years after her birth to force her upon you.": return `${capFirstChar(slave.pronoun)} was the result of unprotected sex with a client. ${capFirstChar(slave.possessive)} mother tracked you down years after ${slave.possessive} birth to force ${slave.object} upon you.`; case "You kept her after her owner failed to pay your bill for performing surgery on her.": return `You kept ${slave.object} after ${slave.possessive} owner failed to pay your bill for performing surgery on ${slave.object}.`; case "She comes from old money and sold herself into slavery to satisfy her obsession with the practice, believing her family would buy her back out of slavery later.": return `${capFirstChar(slave.pronoun)} comes from old money and sold ${slave.objectReflexive} into slavery to satisfy ${slave.possessive} obsession with the practice, believing ${slave.possessive} family would buy ${slave.object} back out of slavery later.`; case "When you took her from her previous owner, she was locked into a beautiful rosewood box lined with red velvet, crying.": return `When you took ${slave.object} from ${slave.possessive} previous owner, ${slave.pronoun} was locked into a beautiful rosewood box lined with red velvet, crying.`; case "Her husband sold her into slavery to escape his debts.": return `${capFirstChar(slave.possessive)} husband sold ${slave.object} into slavery to escape his debts.`; case "She was voluntarily enslaved after she decided that your arcology was the best place for her to get the steroids that she'd allowed to define her life.": return `${capFirstChar(slave.pronoun)} was voluntarily enslaved after ${slave.pronoun} decided that your arcology was the best place for ${slave.object} to get the steroids that ${slave.pronoun}'d allowed to define ${slave.possessive} life.`; case "She came to you to escape being sold to a cruel master after her producer informed her of her debt.": return `${capFirstChar(slave.pronoun)} came to you to escape being sold to a cruel master after ${slave.possessive} producer informed ${slave.object} of ${slave.possessive} debt.`; case "You tricked her into enslavement, manipulating her based on her surgical addiction.": return `You tricked ${slave.object} into enslavement, manipulating ${slave.object} based on ${slave.possessive} surgical addiction.`; case "You helped free her from a POW camp after being abandoned by her country, leaving her deeply indebted to you.": return `You helped free ${slave.object} from a POW camp after being abandoned by ${slave.possessive} country, leaving ${slave.object} deeply indebted to you.`; case "You purchased her in order to pave the way for her brother to take the throne.": return `You purchased ${slave.object} in order to pave the way for ${slave.possessive} brother to take the throne.`; case "You purchased her as a favor to her father.": return `You purchased ${slave.object} as a favor to ${slave.possessive} father.`; case "You purchased her from a King after his son put an illegitimate heir in her womb.": return `You purchased ${slave.object} from a King after his son put an illegitimate heir in ${slave.possessive} womb.`; case "You acquired her in the last stages of your career as a successful venture capitalist.": case "Drugs and alcohol can be a potent mix; the night that followed it can sometimes be hard to remember. Needless to say, once your belly began swelling with her, you had to temporarily switch to a desk job for your mercenary group.": case "You acquired her in the last stages of your career as a noted private military contractor.": case "You never thought you would be capable of impregnating yourself, but years of pleasuring yourself with yourself after missions managed to create her.": case "A fresh capture once overpowered you and had his way with you. You kept her as a painful reminder to never lower your guard again.": case "Your slaving troop kept several girls as fucktoys; you sired her in your favorite.": case "You enslaved her personally during the last stages of your slaving career.": case "You sired her in yourself after an arcology owner, impressed by your work, rewarded you with a night you'll never forget.": case "You conceived her after a male arcology owner, impressed by your work, rewarded you with a night you'll never forget.": case "You sired her after a female arcology owner, impressed by your work, rewarded you with a night you'll never forget.": case "You received her as a gift from an arcology owner impressed by your work.": case "You captured her during your transition to the arcology": case "You won her at cards, a memento from your life as one of the idle rich before you became an arcology owner.": case "You brought her into the arcology mindbroken, little more than a walking collection of fuckable holes.": case "You brought her into the arcology mindbroken, little more than a human onahole.": case "She grew up sheltered and submissive, making her an easy target for enslavement.": case "She was fresh from the slave markets when you acquired her.": case "She chose to be a slave because the romanticized view of it she had turns her on.": case "She was previously owned by a creative sadist, who has left a variety of mental scars on her.": case "She was taken as a slave by a Sultan, who presented her as a gift to a surveyor.": case "She is the winner of a martial arts slave tournament. You won her in a bet.": case "She was homeless and willing to do anything for food, which in the end resulted in her becoming a slave.": case "She was sold to you by an anonymous person who wanted her to suffer.": case "You received her from a surgeon who botched an implant operation on her and needed to get her out of sight.": case "She offered herself to you for enslavement to escape having plastic surgery foisted on her.": case "You turned her into a slave girl after she fell into debt to you.": case "She was raised in a radical slave school that treated her with drugs and surgery from a very young age.": case "She was raised in a radical slave school that treated her from a very young age, up to the point that she never experienced male puberty.": case "She was a runaway slave captured by a gang outside your arcology. You bought her cheap after she was harshly used by them.": case "She was the private slave of a con artist cult leader before he had to abandon her and flee.": case "You helped her give birth, leaving her deeply indebted to you.": case "You purchased her from a King after she expressed knowledge of the prince's affair with another servant.": r = r.replace(/\bherself\b/g, slave.objectReflexive); r = r.replace(/\bHerself\b/g, capFirstChar(slave.objectReflexive)); r = r.replace(/\bshe\b/g, slave.pronoun); r = r.replace(/\bShe\b/g, capFirstChar(slave.pronoun)); r = r.replace(/\bher\b/g, slave.object); r = r.replace(/\bHer\b/g, capFirstChar(slave.object)); return r; default: r = r.replace(/\bherself\b/g, slave.objectReflexive); r = r.replace(/\bHerself\b/g, capFirstChar(slave.objectReflexive)); r = r.replace(/\bshe\b/g, slave.pronoun); r = r.replace(/\bShe\b/g, capFirstChar(slave.pronoun)); r = r.replace(/\bher\b/g, slave.possessive); r = r.replace(/\bHer\b/g, capFirstChar(slave.possessive)); return r; } }; <<widget "originDescription">> <<switch $args[0].origin>> /*startingGirls origins*/ <<case "To solidify an investment in hermaphrodite self-fertility, you took part in a test successful test trial. Nine months later your daughter was born.">> <<print "To solidify an investment in hermaphrodite self-fertility, you took part in a test successful test trial. Nine months later your daughter was born.">> <<case "Sometimes it pays off to use your body in business deals, and other times you end up burdened with child. She is the result of the latter.">> <<print "Sometimes it pays off to use your body in business deals, and other times you end up burdened with child. $He is the result of the latter.">> <<case "To seal a business deal, a client asked you to knock her up. She is the end result of that fling.">> <<print "To seal a business deal, a client asked you to knock her up. $He is the end result of that fling.">> <<case "You acquired her in the last stages of your career as a successful venture capitalist.">> <<print "You acquired $him in the last stages of your career as a successful venture capitalist.">> <<case "Drugs and alcohol can be a potent mix; the night that followed it can sometimes be hard to remember. Needless to say, once your belly began swelling with her, you had to temporarily switch to a desk job for your mercenary group.">> <<print "Drugs and alcohol can be a potent mix; the night that followed it can sometimes be hard to remember. Needless to say, once your belly began swelling with $him, you had to temporarily switch to a desk job for your mercenary group.">> <<case "A trip to a brothel after a mission resulted in an unexpected surprise years later.">> <<print "A trip to a brothel after a mission resulted in an unexpected surprise years later.">> <<case "You acquired her in the last stages of your career as a noted private military contractor.">> <<print "You acquired $him in the last stages of your career as a noted private military contractor.">> <<case "You never thought you would be capable of impregnating yourself, but years of pleasuring yourself with yourself after missions managed to create her.">> <<print "You never thought you would be capable of impregnating yourself, but years of pleasuring yourself with yourself after missions managed to create $him.">> <<case "A fresh capture once overpowered you and had his way with you. You kept her as a painful reminder to never lower your guard again.">> <<print "A fresh capture once overpowered you and had his way with you. You kept $him as a painful reminder to never lower your guard again.">> <<case "Your slaving troop kept several girls as fucktoys; you sired her in your favorite.">> <<print "Your slaving troop kept several girls as fucktoys; you sired $him in your favorite.">> <<case "You enslaved her personally during the last stages of your slaving career.">> <<print "You enslaved $him personally during the last stages of your slaving career.">> <<case "You sired her in yourself after an arcology owner, impressed by your work, rewarded you with a night you'll never forget.">> <<print "You sired $him in yourself after an arcology owner, impressed by your work, rewarded you with a night you'll never forget.">> <<case "You conceived her after a male arcology owner, impressed by your work, rewarded you with a night you'll never forget.">> <<print "You conceived $him after a male arcology owner, impressed by your work, rewarded you with a night you'll never forget.">> <<case "You sired her after a female arcology owner, impressed by your work, rewarded you with a night you'll never forget.">> <<print "You sired $him after a female arcology owner, impressed by your work, rewarded you with a night you'll never forget.">> <<case "You received her as a gift from an arcology owner impressed by your work.">> <<print "You received $him as a gift from an arcology owner impressed by your work.">> <<case "A client paid you a large sum of credits to prove you could literally fuck yourself. She is the result of that lucrative night.">> <<print "A client paid you a large sum of credits to prove you could literally fuck yourself. $He is the result of that lucrative night.">> <<case "She was the result of unprotected sex with a client. He paid you quite well to enjoy your body as you grew heavy with his child.">> <<print "$He was the result of unprotected sex with a client. He paid you quite well to enjoy your body as you grew heavy with his child.">> <<case "She was the result of unprotected sex with a client. Her mother tracked you down years after her birth to force her upon you.">> <<print "$He was the result of unprotected sex with a client. $His mother tracked you down years after $his birth to force $him upon you.">> <<case "She was a fellow escort you were popular with.">> <<print "$He was a fellow escort you were popular with.">> <<case "She was the result of a night of hard drugs and unprotected sex after a big score. It took quite a bit of alcohol to come to terms with drunkenly knocking yourself up.">> <<print "$He was the result of a night of hard drugs and unprotected sex after a big score. It took quite a bit of alcohol to come to terms with drunkenly knocking yourself up.">> <<case "She was the result of a night of hard drugs and unprotected sex after a big score.">> <<print "$He was the result of a night of hard drugs and unprotected sex after a big score.">> <<case "She was born from one of your sex toys you knocked up.">> <<print "$He was born from one of your sex toys you knocked up.">> <<case "You captured her during your transition to the arcology">> <<print "You captured $him during your transition to the arcology">> <<case "Your late master took pleasure in using his servants in creative ways. He inseminated you with your own sperm, and nine months later, your daughter was born.">> <<print "Your late master took pleasure in using his servants in creative ways. He inseminated you with your own sperm, and nine months later, your daughter was born.">> <<case "She was another of your late master's servants. She spent nine months in your womb, courtesy of your master.">> <<print "$He was another of your late master's servants. $He spent nine months in your womb, courtesy of your master.">> <<case "She was another of your late master's servants. Your master permitted you to knock up her mother.">> <<print "$He was another of your late master's servants. Your master permitted you to knock up $his mother.">> <<case "She was another of your late master's servants. She helped you give birth to his child.">> <<print "$He was another of your late master's servants. $He helped you give birth to his child.">> <<case "She was another of your late master's servants.">> <<print "$He was another of your late master's servants.">> <<case "She was conceived after a successful experiment in hermaphrodite self-reproduction.">> <<print "$He was conceived after a successful experiment in hermaphrodite self-reproduction.">> <<case "She was conceived after a botched birth control experiment early in your career.">> <<print "$He was conceived after a botched birth control experiment early in your career.">> <<case "She is the product of an affair with a cute nurse who assisted you in more ways than one.">> <<print "$He is the product of an affair with a cute nurse who assisted you in more ways than one.">> <<case "You kept her after her owner failed to pay your bill for performing surgery on her.">> <<print "You kept $him after $his owner failed to pay your bill for performing surgery on $him.">> <<case "She was conceived after a night of partying and a drunken bet. She nearly killed your career.">> <<print "$He was conceived after a night of partying and a drunken bet. $He nearly killed your career.">> <<case "She was conceived after a night of partying and a torn condom. She nearly killed your career.">> <<print "$He was conceived after a night of partying and a torn condom. $He nearly killed your career.">> <<case "She was conceived after a night of partying and a torn condom.">> <<print "$He was conceived after a night of partying and a torn condom.">> <<case "She was one of your groupies during your celebrity career.">> <<print "$He was one of your groupies during your celebrity career.">> <<case "You bet your body on a sure hand, only to lose. It turns out you could fuck yourself, and not only that, get yourself pregnant.">> <<print "You bet your body on a sure hand, only to lose. It turns out you could fuck yourself, and not only that, get yourself pregnant.">> <<case "You bet your body on a sure hand, only to lose. Nine months later, your daughter was born.">> <<print "You bet your body on a sure hand, only to lose. Nine months later, your daughter was born.">> <<case "You won a sexual fling with her mother after winning at cards, a gamble that ultimately burdened you.">> <<print "You won a sexual fling with $his mother after winning at cards, a gamble that ultimately burdened you.">> <<case "You won her at cards, a memento from your life as one of the idle rich before you became an arcology owner.">> <<print "You won $him at cards, a memento from your life as one of the idle rich before you became an arcology owner.">> <<case "She was the result of a night of hard celebration after a big score under the glow of monitors and the calming hum of 750 RPM fans. It took quite a bit of alcohol to come to terms with drunkenly knocking yourself up.">> <<print "$He was the result of a night of hard celebration after a big score under the glow of monitors and the calming hum of 750 RPM fans. It took quite a bit of alcohol to come to terms with drunkenly knocking yourself up.">> <<case "She was the result of an intruder brute forcing your firewall, overloading your pleasure sensors, and allowing a corrupted packet to slip by. With a quick wipe of your RAM and cache with some powerful liquor, you have no idea who planted her in your womb.">> <<print "$He was the result of an intruder brute forcing your firewall, overloading your pleasure sensors, and allowing a corrupted packet to slip by. With a quick wipe of your RAM and cache with some powerful liquor, you have no idea who planted $him in your womb.">> <<case "She was born out of a trade for secure data access. Nine months later, your daughter was born.">> <<print "$He was born out of a trade for secure data access. Nine months later, your daughter was born.">> <<case "She was a case officer you captured after going dark.">> <<print "$He was a case officer you captured after going dark.">> <<case "You won her at cards, a memento from your life as one of the idle rich before you became an arcology owner.">> <<print "You won $him at cards, a memento from your life as one of the idle rich before you became an arcology owner.">> <<case "You brought her into the arcology mindbroken, little more than a walking collection of fuckable holes.">> <<print "You brought $him into the arcology mindbroken, little more than a walking collection of fuckable holes.">> <<case "You brought her into the arcology mindbroken, little more than a human onahole.">> <<print "You brought $him into the arcology mindbroken, little more than a human onahole.">> /% /*dSlavesDatabase origins*/ "She is a former maid with an unsettling obsessive streak." "She grew up sheltered and submissive, making her an easy target for enslavement." "She is a former mercenary that ended up on a losing side in the byzantine Free City power games." "She was fresh from the slave markets when you acquired her." "She was once a celebrity that protested the existence of slavery, but has now become a slave herself." "She was a slave trader until she was betrayed by ambitious underlings and sold into enslavement." "She came from a wealthy background, but she sold herself into slavery to slake her desire to submit to men and dominate women." "She was sold into slavery after her father was killed by political rivals." "She was born a slave and knows no other life." "She is a former gladiator that wagered her freedom and lost." "She is a former shut-in who built up enough debt to be sold into slavery after the death of her parents." "She is a shinobi, and fanatically loyal to her master." "She was once the bodyguard to a Russian drug lord, and was sold into slavery after his death by cocaine overdose." "She was sold into slavery on a legal technicality." "She is a spoiled former rich girl who has been discarded by several former owners for her attitude." "She claims that she actually is Santa Claus." "Formerly used solely for titfucking, she quickly became a nymphomaniac after experiencing 'proper' sex." "A former Head Girl of a rich man's harem, she is used to being in charge of others." "She grew up in a well-to-do family and discovered her fetish for servitude in college, and she decided to become the world's best slave and slave trainer in one." "She was formerly owned by someone who fancied themselves a geneticist, where she acquired permanently discolored hair and odd fetishes." "She is a former soldier who was sold into slavery after losing her leg to an IED." "She is a former Head Girl that fetishizes her own degradation." "She sold herself into slavery in an attempt to sate her incredible sex drive." "She was sold into slavery from a remote, primitive village." "She lived a hard life before becoming a slave." "She chose to be a slave because the romanticized view of it she had turns her on." "She was forced into slavery and rather brutally broken in." "She was previously owned by a creative sadist, who has left a variety of mental scars on her." "She was a hermit until she became a slave, and went along with it out of boredom." "Before she was made a slave, she was a wealthy, popular honor student." "She was groomed just for you and believes herself to be madly in love with you." "She may originally be from an island nation." "She was taken as a slave by a Sultan, who presented her as a gift to a surveyor." "A previous owner cultivated her desire to escape slavery for his own amusement." "She sold herself into slavery after a pregnancy scare, desiring to give up control of her life to someone better suited to running it." "She comes from old money and sold herself into slavery to satisfy her obsession with the practice, believing her family would buy her back out of slavery later." "She was sentenced to enslavement as a punishment for fraud and theft." "She was captured from West Central Africa." "A former headmistress, she was sentenced to slavery after she was caught training her students to be lesbian trophy slaves." "She was sold to you from the public slave market, and was probably kidnapped or otherwise forced into slavery." "She is the winner of a martial arts slave tournament. You won her in a bet." "She was caught and enslaved while working undercover." "In spite of the great demand for her kind, she has apparently eluded enslavement until recently." "She came to be a slave not long after fleeing farm life for the Free Cities." "When you took her from her previous owner, she was locked into a beautiful rosewood box lined with red velvet, crying." "She sold herself into slavery to escape life on the streets." "She is an enslaved member of an anti-slavery extremist group." "Having always been a mute with no desire to communicate her origin, you aren't sure where she's from or how she ended up here." "Nothing remains of the person she originally was, either mentally or physically." "She is half of a famous musical duo, along with her twin sister. They fled to the Free Cities." /*ddSlavesDatabase origins*/ "She is a life-long house slave who has always tried to be the perfect woman, despite her dick." "She was raised as a girl despite her gargantuan dick to be a truly unique slave." "She was once a successful drug lord, but was turned into her current self after making too many enemies." "She grew up in a rich and deviant household, surrounded by but never a part of bizarre and unusual sex acts." "She was homeless and willing to do anything for food, which in the end resulted in her becoming a slave." "She volunteered to become a slave when she turned 18." "She was forced into slavery due to extreme debt." "Once she was an arcology security officer, lured to aphrodisiacs addiction and feminized by her boss (and former wife), to whom she was sold as a slave to satisfy her spousal maintenance after divorce." "She sold herself into slavery to escape a life of boredom." "She is a former Kkangpae gang member who was sold into slavery by her former boss as a punishment." "She was sold to your predecessor by her husband to pay off his extreme debt." "Her origins are unknown, but rumor has it that she is a literal demon." "She was born into a slave ring that practiced heavy hormone manipulation to alter slaves from a very young age." "She was given a sex-change in a freak laboratory mix-up, and sold herself into slavery out of desperation due to a lack of any way to prove her identity." "She was enslaved after she fell into debt to you." "She was a soldier before being enslaved." "Born without limbs and abandoned by her parents, she was taken in by a posh family, given a massive cock and trained to be the wealthy lady's perfect living sex toy." /*reFSAcquisition*/ "She offered herself for voluntary enslavement, choosing you as her new owner because you treat lactating girls well." "She offered herself for voluntary enslavement, hoping to become a valuable source of milk for you." "She was captured and enslaved in a conflict zone and fenced to you by a mercenary group." "She made the mistake of marrying into a $arcologies[0].FSSupremacistRace neighborhood and was kidnapped then sold to you." "She was beaten, sexually assaulted, and finally enslaved for being stupid enough to visit an arcology that doesn't like her kind." "She came to your arcology to be enslaved out of a sense of self-loathing for her kind." "She offered herself for voluntary enslavement to escape life in an area that disapproved of her sexual tendencies." "She offered herself for voluntary enslavement after a lifetime as an outcast due to her sexual tendencies." "She was sold to you as a way of disposing of an inconveniently pregnant young woman." "She was raped and impregnated, then sold to you as a way of disposing of an inconveniently pregnant mother." "She was voluntarily enslaved after she decided that your paternalistic arcology was a better place for advancement than the old world." "She was voluntarily enslaved after she decided that your paternalistic arcology was a better place to live than the old world." "She was sold to you by an anonymous person who wanted her to suffer." "She was sold to you by an anonymous slave breaking group." "She offered herself for voluntary enslavement to get to an arcology in which implants are uncommon, since she has a fear of surgery." "She offered herself for voluntary enslavement after graduating from a slave school and passing her majority, because she heard you treat slaves without implants well." "She came to you for enslavement out of desperation, terrified that she was about to be enslaved into a worse situation by her abusive family." "She came to you for enslavement out of desperation, terrified that she was about to be asked to do something with her life by her family." "She offered herself to you for enslavement after deciding you were her best hope of a good life as a slave." "She was sold to you by her son, in order to raise funds for his business." "You received her from a surgeon who botched an implant operation on her and needed to get her out of sight." "Her husband sold her into slavery to escape his debts." "She offered herself to you for enslavement because she felt your arcology was the best place for a woman of her appearance." "She offered herself to you for enslavement to escape having plastic surgery foisted on her." "She offered herself to you for enslavement after following a dangerous, illegal growth hormone regimen." "She offered herself to you to escape enslavement in her homeland for being older and unmarried." "She was voluntarily enslaved after she decided that your arcology was the best place for her to get the steroids that she'd allowed to define her life." "She offered herself for enslavement out of religious conviction." "She was offered to you by a group of Chattel Religionists eager to be rid of her blasphemous old world beliefs." "She sold herself to you to escape those who condemned her lifestyle." "She offered herself for enslavement in hope of being less dull." "She sold herself to you in the hopes that her body would help keep humanity alive." "She sold herself to you in the hope of someday bearing children." "She thought she was important; she was not." "She considered herself ugly and wished to stay out of your gene pool." "She offered herself to you for enslavement because she was swept up in the romanticism of a revival of Rome." "She offered herself to you for enslavement because she needs to feel a higher call." "She offered herself to you for enslavement because she had a disgustingly naïve view of medieval Japanese culture." "She offered herself to you for enslavement because she thought your harem her best hope for good treatment." "She offered herself to you for enslavement because she thought she would have prospects of advancement among your slaves." /*reRecruit "She offered herself to you as a slave to escape a life of boredom." "She offered herself to you as a slave to escape the hard life of a free whore." "She was enslaved after she fell into debt to you." "You turned her into a slave girl after she fell into debt to you." "She sold herself into slavery out of fear that life on the streets was endangering her pregnancy." "She offered herself as a slave to escape the horrors a blind girl faces on the streets." "She came to you to escape being sold to a cruel master after her producer informed her of her debt." "She sold herself into slavery to escape life on the streets." "You tricked her into enslavement, manipulating her based on her surgical addiction." "She was raised in a radical slave school that treated her with drugs and surgery from a very young age." "She was raised in a radical slave school that treated her from a very young age, up to the point that she never experienced male puberty." "She asked to be enslaved out of naïve infatuation with you." "She asked to be enslaved in the hope you'd treat a fellow woman well." "She asked to be enslaved since she felt you were her only hope of becoming a prettier woman." "She got into debt for damaging someone's property during a student protest and you bought out her debt." "She enslaved herself to be with a man she loved, only to be sold to you afterward." "She (formerly he) enslaved herself to be with a man she loved, only to be sold to you afterward." "She was given to you by criminals as 'tribute', after which you transformed the overthrown (male) leader of their rival gang." "She was a runaway slave captured by a gang outside your arcology. You bought her cheap after she was harshly used by them." "She was the private slave of a con artist cult leader before he had to abandon her and flee." "She was a dickgirl chaser in the slave races before being sold to you." "She was a virgin runner in the slave races before being sold to you." "She was a famous virgin runner in the slave races before being sold to you." "She was the housekeeper and fucktoy of a frat house before being collected by repo-men and sold to you." "She was a nanny before being sold to you." "She was a milk cow in the stable of a slaveholding farmer before being sold to you." "She was a breeding bull in the stable of a slaveholding farmer before being sold to you." "She was a virgin cow in the stable of a slaveholding farmer before being sold to you." "She was in an orphanage until reaching maturity, at which point she was sold to you." "She was captured in a raid on a gated community and quickly sold off." "She sold herself into slavery to pay for her children's education." "She sold herself into slavery to spite her father." "She offered herself to you for enslavement out of devotion to her artistic 'craft'." "She sold herself into slavery to pay her immigration costs." "She offered to sell you her body and you graciously accepted." "You helped her give birth, leaving her deeply indebted to you." "She sold herself into slavery to feed herself and her growing brood." "You helped free her from a POW camp after being abandoned by her country, leaving her deeply indebted to you." "Her womb held a baby you desired." "She is an unsuccessful cyborg experiment that was set free." "She was the virgin figurehead of a new religion and 'blessed' by their Lord." "She was the holy vessel of a new religion and 'blessed' by their Lord to bring forth His servants." "You purchased her in order to pave the way for her brother to take the throne." "You purchased her as a favor to her father." "You purchased her from a King after his son put an illegitimate heir in her womb." "You purchased her from a King after she expressed knowledge of the prince's affair with another servant." */ %/ <<default>> <<print $args[0].origin>> <</switch>> <</widget>> <<widget "customTatDescription">> <<switch $args[0].custom.tattoo>> <<case "She has a famous corporate logo tattooed on the nape of her neck.">> <<print "$He has a famous corporate logo tattooed on the nape of $his neck.">> <<case "She has a small tattoo of a private military company's coat of arms on the nape of her neck.">> <<print "$He has a small tattoo of a private military company's coat of arms on the nape of $his neck.">> <<case "She has your tiny slaving emblem tattooed behind her left ear.">> <<print "$He has your tiny slaving emblem tattooed behind $his left ear.">> <<case "She has the geometric symbol of your old arcology engineering firm laser tattooed into the nape of her neck.">> <<print "$He has the geometric symbol of your old arcology engineering firm laser tattooed into the nape of $his neck.">> <<case "She has your custom emblem tattooed on her left breast.">> <<print "$He has your custom emblem tattooed on $his left breast.">> <<case "She has the number of times her father came in you while you were pregnant with her tattooed down her back.">> <<print "$He has the number of times $his father came in you while you were pregnant with $him tattooed down $his back.">> <<case "She has your name angrily tattooed on her right shoulder.">> <<print "$He has your name angrily tattooed on $his right shoulder.">> <<case "She has your custom emblem tattooed on her left breast. She got the tattoo after starring in a porno with you.">> <<print "$He has your custom emblem tattooed on $his left breast. $He got the tattoo after starring in a porno with you.">> <<case "She has your former gang's sign tattooed on her neck.">> <<print "$He has your former gang's sign tattooed on $his neck.">> <<case "She has your master's brand on her left breast.">> <<print "$He has your master's brand on $his left breast.">> <<case "She has your personal symbol tattooed on the back of her neck: it's invisible to the naked eye, but shows up starkly on medical imaging.">> <<print "$He has your personal symbol tattooed on the back of $his neck: it's invisible to the naked eye, but shows up starkly on medical imaging.">> <<case "She has your signature, surrounded by hearts, tattooed on the back of her neck.">> <<print "$He has your signature, surrounded by hearts, tattooed on the back of $his neck.">> <<case "She has your signature, surrounded by hearts, tattooed on the back of her neck. She got the tattoo when she was still free.">> <<print "$He has your signature, surrounded by hearts, tattooed on the back of $his neck. $He got the tattoo when $he was still free.">> <<case "She has a small tattoo of a losing hand of cards on the nape of her neck.">> <<print "$He has a small tattoo of a losing hand of cards on the nape of $his neck.">> <<case "She has a small tattoo of a poor hand of cards on the nape of her neck.">> <<print "$He has a small tattoo of a poor hand of cards on the nape of $his neck.">> <<case "She has a small tattoo of a winning hand of cards on the nape of her neck.">> <<print "$He has a small tattoo of a winning hand of cards on the nape of $his neck.">> <<case "She has your former digital calling card tattooed on her neck.">> <<print "$He has your former digital calling card tattooed on $his neck.">> <<case "She has the silhouette of an arcology tattooed on the nape of her neck.">> <<print "$He has the silhouette of an arcology tattooed on the nape of $his neck.">> <<case "She has a barcode tattooed on her neck.">> <<print "$He has a barcode tattooed on $his neck.">> <<default>> <<print $args[0].custom.tattoo>> <</switch>> <</widget>>
MonsterMate/fc
devNotes/legacy files/pronoun fix functions.txt
Text
mit
36,964
:: SA hormone effects [nobr] <<set $hormones = $slaves[$i].hormones>> <<if ($hormones > -2)>> <<if ($slaves[$i].balls != 0)>> <<if ($hormones != 0) || ($hormoneUpgradePower < 2)>> <<set $hormones -= 1>> <</if>> <</if>> <</if>> <<if ($hormones < 2)>> <<if ($slaves[$i].ovaries != 0)>> <<if ($hormones != 0) || ($hormoneUpgradePower < 2)>> <<set $hormones += 1>> <</if>> <</if>> <</if>> <<if ($hormones > 1)>> $possessiveCap hormonal balance is heavily feminine. <<elseif ($hormones < -1)>> $possessiveCap hormonal balance is heavily masculine. <<elseif ($hormones > 0)>> $possessiveCap hormonal balance is feminine. <<elseif ($hormones < 0)>> $possessiveCap hormonal balance is masculine. <<else>> $pronounCap has a neutral hormonal balance. <</if>> <<if $hormoneUpgradeMood == 0>> <<if $slaves[$i].hormones > 0>> <<if $slaves[$i].balls != 0>> $possessiveCap <<if $hormoneUpgradeMood == 0>>feminine treatments have to fight<<else>>advanced treatments brutally overpower<</if>> $possessive natural hormones, <<if $slaves[$i].devotion > 50>> but $pronoun's a good enough slave to suppress the occasional moodiness. <<else>> causing @@.mediumorchid;occasional moodiness.@@ <<set $slaves[$i].devotion -= 1>> <</if>> <</if>> <</if>> <<if $slaves[$i].hormones < 0>> <<if $slaves[$i].ovaries != 0>> $possessiveCap <<if $hormoneUpgradeMood == 0>>masculine treatments have to fight<<else>>advanced treatments brutally overpower<</if>> $possessive natural hormones, <<if $slaves[$i].devotion > 50>> but $pronoun's a good enough slave to suppress the occasional moodiness. <<else>> causing @@.mediumorchid;occasional moodiness.@@ <<set $slaves[$i].devotion -= 1>> <</if>> <</if>> <</if>> <</if>> <<set _Effects = []>> <<if ($hormones >= 2)>> <<if ($hormoneUpgradeShrinkage == 0)>> <<if ($slaves[$i].dick > 1)>> <<set _Effects.push("DickShrink")>> <</if>> <<if ($slaves[$i].balls > 1)>> <<set _Effects.push("BallsShrink")>> <</if>> <<if ($slaves[$i].clit > 0)>> <<set _Effects.push("ClitSmaller")>> <</if>> <</if>> <<if ($slaves[$i].voice < 3) && ($slaves[$i].voice > 0)>> <<set _Effects.push("VoiceHigher")>> <</if>> <<if ($slaves[$i].vagina > -1) && ($slaves[$i].ovaries != 0) && ($slaves[$i].vaginaLube < 2)>> <<set _Effects.push("VaginaWetter")>> <</if>> <<if (($slaves[$i].butt-$slaves[$i].buttImplant) < 2)>> <<set _Effects.push("ButtBigger")>> <</if>> <<if (($slaves[$i].boobs-$slaves[$i].boobsImplant) < 500)>> <<set _Effects.push("BoobsBigger")>> <</if>> <<if ($slaves[$i].face-$slaves[$i].faceImplant < 0) && ($slaves[$i].face <= 95)>> <<set _Effects.push("FaceSofter")>> <</if>> <<if ($slaves[$i].faceShape == "masculine")>> <<set _Effects.push("FaceSofterAndrogynous")>> <<elseif ($slaves[$i].faceShape == "androgynous")>> <<set _Effects.push("FaceNormal")>> <</if>> <<if ($slaves[$i].physicalAge < 25)>> <<if ($slaves[$i].shoulders > -1)>> <<set _Effects.push("ShouldersNarrower")>> <</if>> <<if (($slaves[$i].hips-$slaves[$i].hipsImplant) < 1)>> <<set _Effects.push("HipsBroader")>> <</if>> <</if>> <<if ($slaves[$i].muscles > 30) && ($slaves[$i].diet != "muscle building")>> <<set _Effects.push("MusclesSofter")>> <</if>> <<if ($slaves[$i].nipples == "tiny")>> <<set _Effects.push("NipplesBigger")>> <</if>> <<if ($slaves[$i].height > 180)>> <<set _Effects.push("Shorter")>> <</if>> <<if ($slaves[$i].devotion <= 20)>> <<set _Effects.push("Devoted")>> <</if>> <<if ($slaves[$i].trust <= 20)>> <<set _Effects.push("Trusting")>> <</if>> <<if ($slaves[$i].attrXY < 95)>> <<set _Effects.push("MaleAttracted")>> <</if>> <<if ($slaves[$i].waist > 10)>> <<set _Effects.push("WaistNarrower")>> <</if>> <<elseif ($hormones > 0) && ($slaves[$i].ovaries == 0)>> <<if ($hormoneUpgradeShrinkage == 0)>> <<if ($slaves[$i].dick > 2)>> <<set _Effects.push("DickShrink")>> <</if>> <<if ($slaves[$i].balls > 2)>> <<set _Effects.push("BallsShrink")>> <</if>> <<if ($slaves[$i].clit > 1)>> <<set _Effects.push("ClitSmaller")>> <</if>> <</if>> <<if ($slaves[$i].voice < 2) && ($slaves[$i].voice > 0)>> <<set _Effects.push("VoiceHigher")>> <</if>> <<if ($slaves[$i].vagina > -1) && ($slaves[$i].ovaries != 0) && ($slaves[$i].vaginaLube < 1)>> <<set _Effects.push("VaginaWetter")>> <</if>> <<if (($slaves[$i].butt-$slaves[$i].buttImplant) < 2)>> <<set _Effects.push("ButtBigger")>> <</if>> <<if (($slaves[$i].boobs-$slaves[$i].boobsImplant) < 300)>> <<set _Effects.push("BoobsBigger")>> <</if>> <<if ($slaves[$i].face-$slaves[$i].faceImplant < 0) && ($slaves[$i].face < 40)>> <<set _Effects.push("FaceSofter")>> <</if>> <<if ($slaves[$i].faceShape == "masculine")>> <<set _Effects.push("FaceSofterAndrogynous")>> <</if>> <<if ($slaves[$i].physicalAge < 22)>> <<if ($slaves[$i].shoulders > 0)>> <<set _Effects.push("ShouldersNarrower")>> <</if>> <<if (($slaves[$i].hips - $slaves[$i].hipsImplant) < 0)>> <<set _Effects.push("HipsBroader")>> <</if>> <</if>> <<if ($slaves[$i].muscles > 30) && ($slaves[$i].diet != "muscle building")>> <<set _Effects.push("MusclesSofter")>> <</if>> <<if ($slaves[$i].attrXY < 80)>> <<set _Effects.push("MaleAttracted")>> <</if>> <<if ($slaves[$i].waist > 40)>> <<set _Effects.push("WaistNarrower")>> <</if>> <<elseif ($hormones <= -2)>> <<if ($slaves[$i].dick > 0) && ($slaves[$i].dick < 4)>> <<set _Effects.push("DickGrow")>> <</if>> <<if ($slaves[$i].balls > 0) && ($slaves[$i].balls < 4)>> <<set _Effects.push("BallsGrow")>> <</if>> <<if ($slaves[$i].clit < 2) && ($slaves[$i].dick == 0)>> <<set _Effects.push("ClitBigger")>> <</if>> <<if ($slaves[$i].voice > 1)>> <<set _Effects.push("VoiceLower")>> <</if>> <<if ($slaves[$i].vagina > -1) && ($slaves[$i].vaginaLube > 0)>> <<set _Effects.push("VaginaDrier")>> <</if>> <<if ($hormoneUpgradeShrinkage == 0)>> <<if (($slaves[$i].butt-$slaves[$i].buttImplant) > 2)>> <<set _Effects.push("ButtSmaller")>> <</if>> <<if (($slaves[$i].boobs-$slaves[$i].boobsImplant) > 500)>> <<set _Effects.push("BoobsSmaller")>> <</if>> <</if>> <<if ($slaves[$i].face-$slaves[$i].faceImplant < 0) && ($slaves[$i].face > 10)>> <<set _Effects.push("FaceHarder")>> <</if>> <<if ($slaves[$i].faceShape == "androgynous")>> <<set _Effects.push("FaceMasculine")>> <<elseif ($slaves[$i].faceShape != "masculine")>> <<set _Effects.push("FaceHarderAndrogynous")>> <</if>> <<if ($slaves[$i].physicalAge < 25)>> <<if ($slaves[$i].shoulders < 1)>> <<set _Effects.push("ShouldersBroader")>> <</if>> <<if ($slaves[$i].hips > -1)>> <<set _Effects.push("HipsNarrower")>> <</if>> <</if>> <<if ($slaves[$i].muscles <= 95) && ($slaves[$i].diet != "slimming")>> <<set _Effects.push("MusclesHarder")>> <</if>> <<if ($slaves[$i].nipples == "huge")>> <<set _Effects.push("NipplesSmaller")>> <</if>> <<if ($slaves[$i].height < 155)>> <<set _Effects.push("Taller")>> <</if>> <<if ($slaves[$i].devotion > 20)>> <<set _Effects.push("Rebellious")>> <</if>> <<if ($slaves[$i].attrXY < 95)>> <<set _Effects.push("FemaleAttracted")>> <</if>> <<if ($slaves[$i].waist <= 40)>> <<set _Effects.push("WaistBroader")>> <</if>> <<elseif ($hormones < 0) && ($slaves[$i].balls == 0)>> <<if ($slaves[$i].dick > 0) && ($slaves[$i].dick < 2)>> <<set _Effects.push("DickGrow")>> <</if>> <<if ($slaves[$i].balls > 0) && ($slaves[$i].balls < 2)>> <<set _Effects.push("BallsGrow")>> <</if>> <<if ($slaves[$i].clit < 1) && ($slaves[$i].dick == 0)>> <<set _Effects.push("ClitBigger")>> <</if>> <<if ($slaves[$i].voice > 2)>> <<set _Effects.push("VoiceLower")>> <</if>> <<if ($slaves[$i].vagina > -1) && ($slaves[$i].vaginaLube > 1)>> <<set _Effects.push("VaginaDrier")>> <</if>> <<if ($hormoneUpgradeShrinkage == 0)>> <<if (($slaves[$i].butt-$slaves[$i].buttImplant) > 2)>> <<set _Effects.push("ButtSmaller")>> <</if>> <<if (($slaves[$i].boobs-$slaves[$i].boobsImplant) > 800)>> <<set _Effects.push("BoobsSmaller")>> <</if>> <</if>> <<if ($slaves[$i].face-$slaves[$i].faceImplant < 0) && ($slaves[$i].face > 40)>> <<set _Effects.push("FaceHarder")>> <</if>> <<if ($slaves[$i].faceShape == "androgynous")>> <<set _Effects.push("FaceMasculine")>> <</if>> <<if ($slaves[$i].physicalAge < 22)>> <<if ($slaves[$i].shoulders < 0)>> <<set _Effects.push("ShouldersBroader")>> <</if>> <<if ($slaves[$i].hips > 0)>> <<set _Effects.push("HipsNarrower")>> <</if>> <</if>> <<if ($slaves[$i].muscles <= 5) && ($slaves[$i].diet != "slimming")>> <<set _Effects.push("MusclesHarder")>> <</if>> <<if ($slaves[$i].height < 155)>> <<set _Effects.push("Taller")>> <</if>> <<if ($slaves[$i].attrXY < 80)>> <<set _Effects.push("FemaleAttracted")>> <</if>> <<if ($slaves[$i].waist <= 10)>> <<set _Effects.push("WaistBroader")>> <</if>> <</if>> <<if _Effects.length < 1>> $possessiveCap body has fully adapted to its hormones. <<if $slaves[$i].drugs == "hormone enhancers">> <<set $slaves[$i].drugs = "none">> <</if>> <<elseif (_Effects.length < random(-10,10)) && ($hormoneUpgradePower == 0)>> $pronounCap does not experience significant hormone effects this week. <<else>> <<set _Effects = _Effects.random()>> <<switch _Effects>> <<case "DickShrink">> Hormonal effects cause @@.orange;$possessive dick to atrophy.@@ <<set $slaves[$i].dick -= 1>> <<case "DickGrow">> Hormonal effects cause @@.lime;$possessive micropenis to return to a more normal size.@@ <<set $slaves[$i].dick += 1>> <<case "BallsShrink">> Hormonal effects cause @@.orange;$possessive testicles to atrophy.@@ <<set $slaves[$i].balls -= 1>> <<case "BallsGrow">> Hormonal effects cause @@.lime;$possessive balls to drop.@@ <<set $slaves[$i].balls += 1>> <<case "VoiceHigher">> Hormonal effects cause @@.lime;$possessive voice to become higher and more feminine.@@ <<set $slaves[$i].voice += 1>> <<case "VoiceLower">> Hormonal effects cause @@.orange;$possessive voice to become deeper and less feminine.@@ <<set $slaves[$i].voice -= 1>> <<case "VaginaWetter">> Hormonal effects cause @@.lime;$possessive vagina to produce more copious natural lubricant.@@ <<set $slaves[$i].vaginaLube += 1>> <<case "VaginaDrier">> Hormonal effects cause @@.orange;$possessive vagina to produce less natural lubricant.@@ <<set $slaves[$i].vaginaLube -= 1>> <<case "ButtBigger">> Hormonal effects cause @@.lime;the natural size of $possessive butt to increase.@@ <<set $slaves[$i].butt += 1>> <<if $slaves[$i].weight >= -80>> <<set $slaves[$i].weight -= 10>> <</if>> <<case "ButtSmaller">> Hormonal effects cause @@.orange;the natural size of $possessive butt to decrease.@@ <<set $slaves[$i].butt -= 1>> <<if $slaves[$i].weight < 190>> <<set $slaves[$i].weight += 10>> <</if>> <<case "BoobsBigger">> Hormonal effects cause @@.lime;the natural size of $possessive tits to increase.@@ <<set $slaves[$i].boobs += 100>> <<if $slaves[$i].weight >= -90>> <<set $slaves[$i].weight -= 1>> <</if>> <<case "BoobsSmaller">> Hormonal effects cause @@.orange;the natural size of $possessive tits to shrink.@@ <<set $slaves[$i].boobs -= 100>> <<if $slaves[$i].weight < 200>> <<set $slaves[$i].weight += 1>> <</if>> <<case "FaceSofter">> Hormonal effects cause @@.lime;$possessive facial structure to soften and become less unattractive.@@ <<FaceIncrease $slaves[$i] 20>> <<case "FaceHarder">> Hormonal effects cause @@.orange;$possessive facial structure to harden and become less attractive.@@ <<set $slaves[$i].face = Math.trunc($slaves[$i].face-20,-100,100)>> <<case "FaceSofterAndrogynous">> Hormonal effects cause @@.lime;$possessive face to soften into androgyny.@@ <<set $slaves[$i].faceShape = "androgynous">> <<case "FaceHarderAndrogynous">> Hormonal effects cause @@.orange;$possessive face to harden into androgyny.@@ <<set $slaves[$i].faceShape = "androgynous">> <<case "FaceNormal">> Hormonal effects cause @@.lime;$possessive face to soften into femininity.@@ <<set $slaves[$i].faceShape = "normal">> <<case "FaceMasculine">> Hormonal effects cause @@.orange;$possessive face to harden into masculinity.@@ <<set $slaves[$i].faceShape = "masculine">> <<case "ClitSmaller">> Hormonal effects cause @@.orange;$possessive clit to shrink significantly.@@ <<set $slaves[$i].clit -= 1>> <<case "ClitBigger">> Hormonal effects cause @@.lime;$possessive clit to grow significantly.@@ <<set $slaves[$i].clit += 1>> <<case "ShouldersNarrower">> $possessiveCap body has not yet found its final bone structure, which typically happens in the mid-twenties. Hormonal effects cause @@.lime;$possessive shoulders to develop into a more feminine narrowness@@ than they would have done naturally. <<set $slaves[$i].shoulders -= 1>> <<case "ShouldersBroader">> $possessiveCap body has not yet found its final bone structure, which typically happens in the mid-twenties. Hormonal effects cause @@.orange;$possessive shoulders to develop more broadly@@ than they would have done naturally. <<set $slaves[$i].shoulders += 1>> <<case "HipsBroader">> $possessiveCap body has not yet found its final bone structure, which typically happens in the mid-twenties. Hormonal effects cause @@.lime;$possessive hips to develop more broadly@@ than they would have done naturally. <<set $slaves[$i].hips += 1>> <<case "HipsNarrower">> $possessiveCap body has not yet found its final bone structure, which typically happens in the mid-twenties. Hormonal effects cause @@.orange;$possessive hips to develop more narrowly@@ than they would have done naturally. <<set $slaves[$i].hips -= 1>> <<case "MusclesSofter">> Hormonal effects @@.orange;reduce $possessive musculature.@@ <<set $slaves[$i].muscles -= 2>> <<case "MusclesHarder">> Hormonal effects @@.lime;build up $possessive musculature.@@ <<set $slaves[$i].muscles += 2>> <<case "NipplesBigger">> Hormonal effects cause $possessive tiny @@.lime;nipples to grow to a more normal size.@@ <<set $slaves[$i].nipples = "cute">> <<case "NipplesSmaller">> Hormonal effects cause $possessive huge @@.orange;nipples to shrink to a more reasonable size.@@ <<set $slaves[$i].nipples = "cute">> <<case "Shorter">> $pronounCap has not yet reached the age at which height becomes fixed. Hormonal effects cause @@.orange;$object to lose a bit of height@@ that $pronoun would naturally have maintained. <<set $slaves[$i].height -= 1>> <<case "Taller">> $pronounCap has not yet reached the age at which height becomes fixed. Hormonal effects cause @@.lime;$object to gain a slight height advantage@@ that $pronoun would not naturally have reached. <<set $slaves[$i].height += 1>> <<case "Devoted">> Hormonal effects make $object a bit more @@.hotpink;docile.@@ <<set $slaves[$i].devotion += 1>> <<case "Rebellious">> Hormonal effects @@.mediumorchid;make $object a bit less docile.@@ <<set $slaves[$i].devotion -= 1>> <<case "Trusting">> Hormonal effects make $object a bit more @@.mediumaquamarine;trusting.@@ <<set $slaves[$i].trust += 1>> <<case "MaleAttracted">> Hormonal effects cause $object to become @@.green;more attracted to men.@@ <<set $slaves[$i].attrXY += 2+$hormoneUpgradePower>> <<case "FemaleAttracted">> Hormonal effects cause $object to become @@.green;more attracted to women.@@ <<set $slaves[$i].attrXX += 2+$hormoneUpgradePower>> <<case "WaistNarrower">> Hormonal effects cause $possessive @@.green;waist to narrow.@@ <<set $slaves[$i].waist -= 2+$hormoneUpgradePower>> <<case "WaistBroader">> Hormonal effects cause $possessive @@.orange;waist to broaden.@@ <<set $slaves[$i].waist += 2+$hormoneUpgradePower>> <<default>> ERROR: bad hormone effect: _Effects <</switch>> <</if>> <<if ($hormones < 0)>> <<if ($slaves[$i].dick > 0)>> <<if ($slaves[$i].devotion > 0)>> <<if ($slaves[$i].career == "a Futanari Sister")>> $pronounCap wishes $pronoun were more feminine, but isn't unhappy to be off hormones, since $pronoun likes being a stiff dicked futa. <<elseif ($slaves[$i].fetish == "buttslut") && ($slaves[$i].fetishStrength > 60) && ($slaves[$i].fetishKnown == 1)>> $pronounCap wishes $pronoun were more feminine, but $pronoun loves getting fucked in the butt so much that it doesn't much bother $object. <<elseif ($slaves[$i].fetish == "sadist") && ($slaves[$i].fetishStrength > 60) && ($slaves[$i].fetishKnown == 1)>> Life is easier for effeminate slaves, but $pronoun loves abusing other slaves so much that $pronoun likes being able to get hard. <<elseif ($slaves[$i].fetish == "dom") && ($slaves[$i].fetishStrength > 60) && ($slaves[$i].fetishKnown == 1)>> Life is easier for effeminate slaves, but $pronoun loves dominating other girls so much that $pronoun likes being able to get hard. <<elseif ($slaves[$i].energy > 95)>> $pronounCap wishes $pronoun were more feminine, but $pronoun loves getting fucked like a good little sex slave so much that $pronoun doesn't think about it much. <<elseif ($slaves[$i].devotion <= 20)>> Life is easier for effeminate slaves, so @@.mediumorchid;$pronoun's a little unhappy@@ that $pronoun isn't getting hormones to make $object more feminine. <<set $slaves[$i].devotion -= 2>> <<elseif ($slaves[$i].devotion <= 50)>> $pronounCap wants to be a good slave girl, so @@.mediumorchid;$pronoun's a little unhappy@@ that $pronoun isn't getting hormones to make $object look more feminine. <<set $slaves[$i].devotion -= 2>> <<else>> $pronounCap wishes $pronoun were more feminine, but $pronoun accepts your judgment in not giving $object hormones to make that happen. <</if>> <</if>> <</if>> <</if>> <<if Math.abs($slaves[$i].hormones) > 1>> <<set $slaves[$i].chem += 0.5>> <</if>>
MonsterMate/fc
devNotes/legacy files/saHormoneEffects (old).txt
Text
mit
17,648
:: SA rest [nobr] takes the week off. <<if $slaves[$i].fuckdoll > 0>>It has nothing to do but <<if $slaves[$i].amp == 0>>lie<<else>>stand<</if>> in place.<</if>> <<if $slaves[$i].health > 90>> $possessiveCap health is so outstanding that rest does not improve it. <<elseif $slaves[$i].health > -100>> $possessiveCap @@.green;health recovers@@ with rest. <<set $slaves[$i].health += 10>> <</if>> <<if $slaves[$i].fuckdoll == 0, $slaves[$i].fetish != "mindbroken">> <<if $slaves[$i].devotion > 20>> <<if $slaves[$i].trust <= 20>> Being allowed to rest @@.mediumaquamarine;reduces $possessive fear@@ of you. <<set $slaves[$i].trust += 4>> <<elseif $slaves[$i].trust <= 50>> Being allowed to rest @@.mediumaquamarine;builds $possessive trust@@ in you. <<set $slaves[$i].trust += 2>> <<else>> Being allowed to rest @@.mediumaquamarine;confirms $possessive trust@@ in you. <<set $slaves[$i].trust += 2>> <</if>> <<else>> <<if $slaves[$i].trust < -20>> Being allowed to rest @@.mediumaquamarine;reduces $possessive fear@@ of you. <<set $slaves[$i].trust += 4>> <</if>> <</if>> <</if>>
MonsterMate/fc
devNotes/legacy files/saRest.txt
Text
mit
1,123
:: SA servant [nobr] <<SlavePronouns $slaves[$i]>> works as a servant. $pronounCap performs the lowest jobs in your penthouse, cleaning up after your other slaves, bathing them, helping them dress, and giving them sexual relief. <<if $servantsQuarters > 0>> <<if (($universalRulesFacilityWork == 1) && ($slaves[$i].assignment == "be a servant") && ($servantsQuartersSpots > 0)) || ($slaves[$i].assignment == "work as a servant")>> <<if ($slaves[$i].assignment == "be a servant")>> Since there's extra space in the servants' quarters, $assistantName attaches $object to the cadre of maids there. <<set $servantsQuartersSpots -= 1>> <</if>> <<if ($Stewardess != 0)>> This brings $object under $Stewardess.slaveName's supervision. The Stewardess <<if $slaves[$i].devotion < -20>>subjects $object to corrective rape when $possessive service is imperfect, or when the Stewardess feels like raping $object, forcing the poor slave to @@.yellowgreen;find refuge in work.@@<<elseif $slaves[$i].devotion <= 20>>molests $object, encouraging the poor slave to keep $possessive head down and @@.yellowgreen;work harder.@@<<else>>uses sex as a reward, getting $object off when $pronoun @@.yellowgreen;works harder.@@<</if>> <<set $cash += $stewardessBonus>> <</if>> <</if>> <</if>> <<if ($slaves[$i].trust < -20)>> $pronounCap is frightened of punishment and works very hard, @@.yellowgreen;reducing the upkeep@@ of your slaves. <<elseif ($slaves[$i].devotion < -20)>> $pronounCap is reluctant, requiring your other slaves to force $possessive services, and does not @@.yellowgreen;reduce upkeep@@ of your slaves much. <<elseif ($slaves[$i].devotion <= 20)>> $pronounCap is hesitant, requiring your other slaves to demand $possessive services, and only slightly @@.yellowgreen;reduces upkeep@@ of your slaves. <<elseif ($slaves[$i].devotion <= 50)>> $pronounCap is obedient, offering your other slaves $possessive services, and moderately @@.yellowgreen;reduces the upkeep@@ of your slaves. <<elseif ($slaves[$i].devotion <= 95)>> $pronounCap is devoted, happily giving your other slaves $possessive services, and @@.yellowgreen;reduces the upkeep@@ of your slaves. <<else>> $pronounCap is so happy to serve your other slaves that $pronoun often sees to their needs before they know they have them, and greatly @@.yellowgreen;reduces the upkeep@@ of your slaves. <</if>> <<set _oral = random(5,10)>> <<set $slaves[$i].oralCount += _oral>> <<set $oralTotal += _oral>> <<if ($slaves[$i].relationship == -2)>> $pronounCap does $possessive best to perfect your domesticity due to $possessive emotional bond to you. <<elseif ($slaves[$i].relationship == -3) && $slaves[$i].devotion > 50>> $pronounCap does $possessive very best to be the perfect housewife, making $possessive an outstanding servant. <</if>> <<if !setup.servantCareers.includes($slaves[$i].career) && $slaves[$i].skillS < $masteredXP>> <<set $slaves[$i].skillS += random(1,($slaves[$i].intelligence+4)*2)>> <</if>> <<if setup.servantCareers.includes($slaves[$i].career)>> She has experience with house keeping from her life before she was a slave, making her more effective. <<elseif $slaves[$i].skillS >= $masteredXP>> She has experience with house keeping from working for you, making her more effective. <</if>> <<if ($slaves[$i].fetishStrength > 60)>> <<if ($slaves[$i].fetish == "submissive") && ($slaves[$i].fetishKnown == 1)>> $possessiveCap natural affinity for submission increases $possessive effectiveness. <<elseif ($slaves[$i].fetishKnown == 1) && ($slaves[$i].fetish == "dom")>> $possessiveCap sexual appetite for domination reduces $possessive effectiveness. <</if>> <</if>> <<if ($slaves[$i].energy < 20)>> $possessiveCap frigidity allows $object to ignore the intercourse all around $object, making $object very efficient. <<elseif ($slaves[$i].energy < 40)>> $possessiveCap low sex drive keeps $object from becoming too distracted by the intercourse all around $object, making $object more efficient. <</if>> <<if (($slaves[$i].eyes <= -1) && ($slaves[$i].eyewear != "corrective glasses") && ($slaves[$i].eyewear != "corrective contacts")) || ($slaves[$i].eyewear == "blurring glasses") || ($slaves[$i].eyewear == "blurring contacts")>> $possessiveCap bad vision makes $object a worse servant. <</if>> <<if ($slaves[$i].lactation > 0)>> Since $pronoun is <<if ($slaves[$i].devotion > 20) || ($slaves[$i].trust < -20)>> lactating, $pronoun serves <<else>> lactating, and disobedient, $pronoun is restrained to serve <</if>> as a drink dispenser at mealtimes, and makes a meaningful contribution to $possessive fellow slaves' nutrition in concert with the feeding systems. <</if>>
MonsterMate/fc
devNotes/legacy files/saServant.txt
Text
mit
4,692
:: Walk Past [nobr] // <<set _target = "">> <<if $familyTesting == 1 && totalRelatives($activeSlave) > 0 && random(1,100) > 80>> <<set $relation = randomRelatedSlave($activeSlave)>> <<if $relation.mother == $activeSlave.ID || $relation.father == $activeSlave.ID>> <<set $relationType = "daughter">> <<elseif $activeSlave.mother == $relation.ID>> <<set $relationType = "mother">> <<elseif $activeSlave.father == $relation.ID>> <<set $relationType = "father">> <<else>> <<switch areSisters($activeSlave, $relation)>> <<case 1>> <<set $relationType = "twin">> <<case 2>> <<set $relationType = "sister">> <<case 3>> <<set $relationType = "half-sister">> <</switch>> <</if>> <<set _seed = 110, $partner = "relation">> <<elseif $familyTesting == 0 && ($activeSlave.relation !== 0) && (random(1,100) > 80)>> <<set _seed = 110, $partner = "relation">> <<elseif ($activeSlave.relationship > 0) && (random(1,100) > 70)>> <<set _seed = 120, $partner = "relationship">> <<elseif ($activeSlave.rivalry !== 0) && ($activeSlave.amp !== 1) && (random(1,100) > 70)>> <<set _seed = 130, $partner = "rivalry">> <<else>> <<set _seed = random(1,100), $partner = "">> <</if>> <<SlavePronouns $activeSlave>> <<setLocalPronouns $activeSlave>> <span id="walk"> <<if ($partner !== "relationship") || ($activeSlave.relationship == 1) || ($activeSlave.relationship == 2) || ($activeSlave.releaseRules == "restrictive")>> $activeSlave.slaveName <<switch $activeSlave.assignment>> <<case "work in the dairy">> <<if ($dairyRestraintsSetting > 1)>> is strapped to a milking machine in $dairyName. <<elseif ($activeSlave.lactation == 0) && ($activeSlave.balls > 0)>> is working in $dairyName, and is having $his cock milked. As you watch, $his balls tighten as the phallus up $his butt brings $him closer to a copious ejaculation. <<elseif _seed > 50>> is working in $dairyName, and is having $his tits milked, but you have a good view of $his <<if $seeRace == 1>>$activeSlave.race <</if>>body on the feeds. <<else>> is working in $dairyName, and is massaging $his sore tits, but you have a good view of $his <<if $seeRace == 1>>$activeSlave.race <</if>>body on the feeds. <</if>> <<case "work in the brothel">> <<Beauty $activeSlave>> is working in $brothelName, and is <<if ($beauty > 100) && (random(1,2) == 1)>> <<if (_seed > 80)>> riding one customer's dick while $he gives another a blowjob. <<elseif (_seed > 60)>> sucking one customer's cock while giving another a handjob. <<elseif (_seed > 40)>> eating out one customer's cunt while another uses a strap-on on $him. <<elseif (_seed > 20)>> getting pounded by two women wearing strap-ons. <<else>> being double penetrated by a pair of customers. <</if>> <<elseif (_seed > 80)>> riding a customer's dick. <<elseif (_seed > 60)>> sucking a customer's cock. <<elseif (_seed > 40)>> pleasuring a customer's cunt. <<elseif (_seed > 20)>> getting pounded by a woman wearing a strap-on. <<else>> being held down and buttfucked by a customer. <</if>> You have a voyeuristic view of $his <<if $seeRace == 1>>$activeSlave.race <</if>>body on the feeds. <<case "serve the public">> <<Beauty $activeSlave>> is serving the public, and is <<if ($beauty > 100) && (random(1,2) == 1)>> <<if (_seed > 80)>> riding one citizen's dick while $he gives another a blowjob. <<elseif (_seed > 60)>> sucking one citizen's cock while giving another a handjob. <<elseif (_seed > 40)>> eating out one citizen's cunt while another uses a strap-on on $him. <<elseif (_seed > 20)>> getting pounded by two women wearing strap-ons. <<else>> being double penetrated by a pair of citizens. <</if>> <<elseif (_seed > 80)>> riding a citizen's dick. <<elseif (_seed > 60)>> sucking a citizen's cock. <<elseif (_seed > 40)>> pleasuring a citizen's cunt. <<elseif (_seed > 20)>> getting pounded by a citizen wearing a strap-on. <<else>> being held down and buttfucked by a citizen. <</if>> You have a voyeuristic view of $his <<if $seeRace == 1>>$activeSlave.race <</if>>body on the feeds. <<case "serve in the club">> is working in $clubName, <<if _seed > 50>> displaying $his <<if $seeRace == 1>>$activeSlave.race <</if>>body, keeping citizens company, and flirting with anyone who shows interest. <<else>> or rather just off it, having taken a prominent citizen back to a discreet room <<if $seeRace == 1>> so he can use $his $activeSlave.race <</if>>body. <</if>> <<case "work as a servant">> <<if _seed > 50>> was scrubbing the penthouse floor, until another slave requested oral service. <<else>> is scrubbing the penthouse floor. <</if>> <<case "serve in the master suite">> <<if $activeSlave.fuckdoll > 0>> waiting for use in $masterSuiteName, next to a display case full of other sex toys. <<elseif $masterSuiteUpgradeLuxury == 1>> <<if _seed > 50>> is kneeling on the big bed in $masterSuiteName, awaiting your return. <<else>> is beautifying $himself in $masterSuiteName so $he'll be pretty when you return. <</if>> <<elseif $masterSuiteUpgradeLuxury == 2>> is in $masterSuiteName's fuckpit, <<if (_seed > 80)>> with a pair of $his fellow fucktoys industriously sucking on $his nipples. <<elseif (_seed > 60)>> <<if $activeSlave.anus > 0>> taking double penetration from <<else>> being spitroasted by <</if>> a pair of $his fellow fucktoys. <<elseif (_seed > 40)>> <<if canAchieveErection($activeSlave)>> with $his dick inside <<elseif $activeSlave.dick > 0>> getting $his soft dick sucked by <<else>> getting eaten out by <</if>> a fellow fucktoy. <<elseif (_seed > 20)>> <<if $activeSlave.anus > 0>> getting $his ass pounded <<else>> getting eaten out <</if>> by a fellow fucktoy. <<else>> performing oral sex on a fellow fucktoy. <</if>> <<else>> <<if ($activeSlave.energy > 95)>> is having enthusiastic sex with your other pets while waiting for your cock. <<else>> is having idle sex with several of your other toys while they await your pleasure. <<if ($activeSlave.fetishKnown == 1)>> <<switch $activeSlave.fetish>> <<case "buttslut">> $He's happily taking a strap-on up $his asspussy. <<case "cumslut">> $He's happily performing oral on another slave. <<case "dom">> $He's holding another slave down while $he fucks $him. <<case "submissive">> $He's letting another slave hold $his down as $he fucks $him. <<case "sadist">> $He's spanking another slave with one hand and giving $his a handjob with the other. <<case "masochist">> Another slave is spanking $him and giving $him a handjob at the same time. <<case "boobs">> $He has a slave sucking on each of $his nipples while $he gives each a handjob. <<case "pregnancy">> <<if $activeSlave.belly >= 5000>> $He's sighing contentedly as $his rounded belly is sensually rubbed. <<else>> $He's happily roleplaying conceiving a child as $he gets fucked. <</if>> <</switch>> <</if>> <</if>> <</if>> <<case "stay confined">> is confined, but you have a fine view of $his <<if $seeRace == 1>>$activeSlave.race <</if>>body on the feed from $his cell. <<case "be confined in the cellblock">> is confined in $cellblockName, but you have a fine view of $his <<if $seeRace == 1>>$activeSlave.race <</if>>body on the feed from $his cell. <<case "be confined in the arcade" "work a glory hole">> is confined in <<if $activeSlave.assignment == "be confined in the arcade">>$arcadeName<<else>>a glory hole<</if>>; <<if (_seed > 80)>> $possessive ass is held out at cock height, and a customer is using $possessive fuckhole. <<elseif (_seed > 60)>> $possessive mouth is held open at cock height, and a customer is fucking $possessive throat. <<elseif (_seed > 40)>> a woman is abusing $possessive with a couple of dildos. <<elseif (_seed > 20)>> a customer is cruelly spanking $possessive helpless butt. <<else>> a customer is harshly using $possessive defenseless anus. <</if>> <<case "be the Madam">> is managing $brothelName: $he is making sure all the customers are satisfied and all the whores are working hard. <<case "be your Concubine">> <<if random(1,2) == 1>> is looking after $himself; $he spends many hours every day on $his beauty regimen. <<else>> is checking over the appearance of your harem, making sure everyone looks perfect. <</if>> <<case "be the Wardeness">> is looking after the cells: $he is <<if _seed > 50>> forcing a resistant slave to orally service $him. <<else>> beating a rebellious slave across the buttocks. <</if>> <<case "live with your Head Girl">> <<if $HeadGirl != 0>> is getting the Head Girl's suite cleaned up while $HeadGirl.slaveName is out working. <<else>> is making sure the Head Girl's suite is in order for your next Head Girl. <</if>> <<case "be the Stewardess">> is managing the house servants in $servantsQuartersName: $he overseeing the laboring house slaves and punishing any that step out of line. <<case "be the Schoolteacher">> is teaching classes in $schoolroomName: $he is leading the slave students in rote recitation. <<case "be the DJ">> is right where $he belongs, in the DJ booth in $clubName $he leads. $He's bouncing in time with the beat to show off $his tits. <<case "be the Milkmaid">> is working in $dairyName, looking after your stock. /% <<case "guard you">> is standing discreetly behind your left shoulder, watching for threats. $He has a straight ceramic sword strapped to $his back and a machine pistol at $his hip. %/ <<default>> /* WALKPASTS START HERE */ <<if ($activeSlave.heels == 1) && !["flats", "none"].includes($activeSlave.shoes)>> walks past your desk with the tiny swaying steps $he must take in order to walk on $his surgically altered legs. $He is on $his way to <<elseif ["heels", "pumps"].includes($activeSlave.shoes)>> walks past your desk with the swaying steps $he must take in $his high heels. $He is on $his way to <<elseif ($activeSlave.shoes == "boots")>> walks past your desk with the confident gait encouraged by $his high heeled boots. $He is on $his way to <<elseif ($activeSlave.shoes == "extreme heels")>> walks past your desk with the tiny swaying steps $he must take in $his ridiculous heels. $He is on $his way to <<elseif ($activeSlave.heels == 1)>> crawls past your desk on all fours, since $he has not been allowed the heels $he needs to walk upright. $He is on $his way to <<elseif ($activeSlave.amp == 1)>> is carried past your desk by one of your other slaves. $He is on $his way to <<elseif !canWalk($activeSlave)>> is helped past your desk by one of your other slaves. $He is on $his way to <<else>> walks past your desk on $his way to <</if>> <<if $activeSlave.inflation > 0 && random(1,100) > 70>> <<if $activeSlave.inflationMethod == 1>> gorge $himself with $activeSlave.inflationType; <<elseif $activeSlave.inflationMethod == 2>> fill $his rear with <<switch $activeSlave.inflationType>> <<case "water" "milk" "cum" "food">> $activeSlave.inflationType; <<default>> <<print $activeSlave.inflationType>>s; <</switch>> <<elseif $activeSlave.inflationMethod == 3>> <<if $activeSlave.inflationType == "milk">> suckle from $his assigned nipple until $he is sufficiently filled with milk; <<else>> suck $his assigned dick until $he is sufficiently filled with cum; <</if>> <</if>> <<else>> <<switch $activeSlave.assignment>> <<case "rest">> <<if _seed > 50>> bed; <<else>> eat; <</if>> <<case "get milked">> drain $his <<if ($activeSlave.lactation == 0) && ($activeSlave.balls > 0)>> cum-filled, <<if $seeRace == 1>>$activeSlave.race <</if>>balls; <<elseif ($activeSlave.lactation > 0) && ($activeSlave.balls > 0)>> cum-filled, <<if $seeRace == 1>>$activeSlave.race <</if>>balls and milky udders; <<else>> milky <<if $seeRace == 1>>$activeSlave.race <</if>>udders; <</if>> <<case "whore">> <<if _seed > 50>> sell $his <<if $seeRace == 1>>$activeSlave.race <</if>>body; <<else>> ply $his trade as a whore; <</if>> <<case "serve the public">> <<if _seed > 50>> serve the public; <<else>> be a public slut; <</if>> <<case "rest in the spa">> relax in $spaName; <<case "be a servant">> clean up after your other slaves; <<case "learn in the schoolroom">> attend classes <<if $Schoolteacher == 0>> in $schoolroomName; <<else>> under $Schoolteacher.slaveName, perhaps literally; <</if>> <<case "be a subordinate slave">> service your other slaves; <<case "be the Attendant">> look after the girls in $spaName; <<case "take classes">> attend classes with $assistantName; <<case "be your Head Girl">> oversee your other slaves; /% <<case "please you">> sit next to you and wait for <<if _seed > 50>> you to fuck $him; <<else>> $his Master to use $his<<if $seeRace == 1>> $activeSlave.race<</if>> body; <</if>> %/ <<case "recruit girls">> use $his connections to recruit slaves; <<default>> $activeSlave.assignment; <</switch>> <</if>> /* end inflation blurb */ <<if ($activeSlave.amp == 1)>> $he is carried by on $his way to $his next task. <<elseif $activeSlave.fetish == "mindbroken">> $he does not even glance at you as $he goes mindlessly to $his next task. <<elseif $activeSlave.devotion < -50>> $he directs a look of pure hatred at where you sit as $he passes. <<elseif $activeSlave.devotion < -20>> $he cannot keep the loathing from $his face as $he passes. <<elseif $activeSlave.devotion <= 20>> $he passes quickly, obviously hoping to avoid you. <<elseif $activeSlave.devotion <= 50>> $he rushes by, hurrying to $his next task. <<else>> as $he passes $he gives you a look of adoration. <</if>> <</switch>> /* WALKPASTS END */ <</if>> /* TIME TOGETHER EXCEPTION ENDS */ <<if ($partner == "rivalry")>> <<set _partnerSlave = getSlave($activeSlave.rivalryTarget)>> <<setLocalPronouns _partnerSlave 2>> <<if ndef _partnerSlave>> <<goto "Main">> <</if>> Meanwhile, <<if $activeSlave.rivalry >= 3>> _partnerSlave.slaveName, whom $he hates, <<elseif $activeSlave.rivalry >= 2>> $his rival _partnerSlave.slaveName <<else>> _partnerSlave.slaveName, whom $he dislikes, <</if>> <<switch _partnerSlave.assignment>> <<case "be your agent">> is shaping society in _his2 assigned arcology. <<case "live with your agent">> is helping _his2 lover shape society in _his2 assigned arcology. <<case "stay confined">> is confined, but you have a fine view of _his2 <<if $seeRace == 1>>_partnerSlave.race <</if>>body on the feed from _his2 cell. <<case "work in the brothel">> is working in the brothel, and is <<if _seed > 80>> riding a customer's dick. <<elseif _seed > 60>> sucking a customer's cock. <<elseif _seed > 40>> pleasuring a customer's cunt. <<elseif _seed > 20>> getting pounded by a woman wearing a strap-on. <<else>> being held down and buttfucked by a customer. <</if>> You have a voyeuristic view of _his2 <<if $seeRace == 1>>_partnerSlave.race <</if>>body on the feeds. <<case "serve the public">> is serving the public, and is <<if _seed > 80>> riding a citizen's dick. <<elseif _seed > 60>> sucking a citizen's cock. <<elseif _seed > 40>> pleasuring a citizen's cunt. <<elseif _seed > 20>> getting pounded by a citizen wearing a strap-on. <<else>> being held down and buttfucked by a citizen. <</if>> You have a voyeuristic view of _his2 <<if $seeRace == 1>>_partnerSlave.race <</if>>body on the feeds. <<case "work in the dairy">> <<if ($dairyRestraintsSetting > 1)>> is strapped to a milking machine in $dairyName. <<elseif (_partnerSlave.lactation == 0) && (_partnerSlave.balls > 0)>> is working in $dairyName, and is having _his2 cock milked. As you watch, _his2 balls tighten as the phallus up _his2 butt brings _him2 closer to a copious ejaculation. <<elseif _seed > 50>> is working in $dairyName, having _his2 tits milked. <<else>> is working in $dairyName, massaging _his2 sore tits. <</if>> You have a good view of _his2 <<if $seeRace == 1>>_partnerSlave.race <</if>>body on the feeds. <<case "serve in the club">> is working on the club, <<if _seed > 50>> displaying _his2 <<if $seeRace == 1>>_partnerSlave.race <</if>>body, keeping citizens company, and flirting with anyone who shows interest. <<else>> or rather just off it, having taken a prominent citizen back to a discreet room <<if $seeRace == 1>> so he can use _his2 _partnerSlave.race <</if>>body. <</if>> <<case "work as a servant">> <<if _seed > 50>> was scrubbing the penthouse floor, until another slave requested oral service. <<else>> is scrubbing the penthouse floor. <</if>> <<case "guard you">> is standing discreetly behind your left shoulder, watching for threats. _he2 has a straight ceramic sword strapped to _his2 back and a machine pistol at _his2 hip. <<case "be the Madam">> is managing the brothel: _he2 is making sure all the customers are satisfied and all the whores are working hard. <<case "be the Stewardess">> is managing the house servants: _he2 overseeing the laboring house slaves and punishing any that step out of line. <<case "be the Schoolteacher">> is teaching classes: _he2 is leading the slave students in rote recitation. <<case "be the Attendant">> is seeing to girls in the spa: _he2 is gently soaping an exhausted slave. <<case "be the DJ">> is taking the lead on the club: _he2 greets new arrivals, flirts with them prettily, and subtly guides them towards choice sluts. <<case "be the Milkmaid">> is working in the dairy, looking after your stock. <<default>> <<if (_partnerSlave.heels == 1) && !["flats", "none"].includes(_partnerSlave.shoes)>> walks past your desk with the tiny swaying steps _he2 must take in order to walk on _his2 surgically altered legs. _he2 is on _his2 way to <<elseif ["heels", "pumps"].includes(_partnerSlave.shoes)>> walks past your desk with the swaying steps _he2 must take in _his2 high heels. _he2 is on _his2 way to <<elseif (_partnerSlave.shoes == "boots")>> walks past your desk with the confident gait encouraged by _his2 high heeled boots. _he2 is on _his2 way to <<elseif (_partnerSlave.shoes == "extreme heels")>> walks past your desk with the tiny swaying steps _he2 must take in _his2 ridiculous heels. _he2 is on _his2 way to <<elseif (_partnerSlave.heels == 1)>> crawls past your desk on all fours, since _he2 has not been allowed the heels _he2 needs to walk upright. _he2 is on _his2 way to <<elseif (_partnerSlave.amp == 1)>> is carried past your desk by one of your other slaves. _he2 is on _his2 way to <<elseif !canWalk(_partnerSlave)>> is helped past your desk by one of your other slaves. _he2 is on _his2 way to <<else>> walks past your desk on _his2 way to <</if>> <<switch _partnerSlave.assignment>> <<case "whore">> <<if _seed > 50>> whore; <<else>> sell _his2 <<if $seeRace == 1>>_partnerSlave.race <</if>>body; <</if>> <<case "serve the public">> <<if _seed > 50>> serve the public; <<else>> be a public slut; <</if>> <<case "rest">> <<if _seed > 50>> eat; <<else>> bed; <</if>> <<case "get milked">> <<if _seed > 50>> milk _his2 overfull <<if $seeRace == 1>>_partnerSlave.race <</if>>tits; <<else>> drain _his2 milky <<if $seeRace == 1>>_partnerSlave.race <</if>>udders; <</if>> <<case "please you">> wait next to you and wait for you to fuck _him2; <<case "be a subordinate slave">> service your other slaves; <<case "be a servant">> clean up after your other slaves; <<case "be your Head Girl">> oversee your other slaves; <<case "recruit girls">> use _his2 connections to recruit slaves; <<default>> _partnerSlave.assignment; <</switch>> <<if (_partnerSlave.amp == 1)>> _he2 is carried by on _his2 way to _his2 next task. <<elseif _partnerSlave.fetish == "mindbroken">> _he2 does not even glance at you as _he2 goes mindlessly to _his2 next task. <<elseif _partnerSlave.devotion < -50>> _he2 directs a look of pure hatred at where you sit as _he2 passes. <<elseif _partnerSlave.devotion < -20>> _he2 cannot keep the loathing from _his2 face as _he2 passes. <<elseif _partnerSlave.devotion <= 20>> _he2 passes quickly, obviously hoping to avoid you. <<elseif _partnerSlave.devotion <= 50>> _he2 rushes by, hurrying to _his2 next task. <<else>> as _he2 passes _he2 gives you a look of adoration. <</if>> <</switch>> <<set _target = "FRival", _partnerSlave = null>> <<elseif ($partner == "relationship") && ($activeSlave.relationship >= 3) && ($activeSlave.releaseRules !== "restrictive") && ($activeSlave.releaseRules !== "masturbation")>> <<set _partnerSlave = getSlave($activeSlave.relationshipTarget)>> <<setLocalPronouns _partnerSlave 2>> <<if ndef _partnerSlave>> <<goto "Main">> <</if>> <<if $activeSlave.relationship <= 3>> <<set _activeSlaveRel = "friend with benefits">> <<elseif $activeSlave.relationship <= 4>> <<set _activeSlaveRel = "lover">> <<else>> <<set _activeSlaveRel = "slave wife">> <</if>> $activeSlave.slaveName and _partnerSlave.slaveName are <<set _seed = random(1,3)>> <<if ["be your agent", "be confined in the arcade"].includes(_partnerSlave.assignment) || (_partnerSlave.assignment == "work in the dairy" && $DairyRestraintsSetting >= 2)>> <<if _partnerSlave.assignment == "work in the dairy" && $DairyRestraintsSetting >= 2>> trying their best to maintain their relationship with _partnerSlave.slaveName being part of $dairyName. <<elseif _partnerSlave.assignment == "be your agent">> catching up with each other over a video call. Running an arcology in your stead comes with its perks. <<elseif _partnerSlave.assignment == "be confined in the arcade">> trying their best to maintain their relationship with _partnerSlave.slaveName being nothing more than holes in $arcadeName. <</if>> <<elseif _seed == 1>> /* SEXY TIMES */ <<if (($activeSlave.fetish == "dom") || ($activeSlave.fetish == "sadist")) && ($activeSlave.dick > 0) && canPenetrate($activeSlave) && ((_partnerSlave.fetish == "dom") || (_partnerSlave.fetish == "sadist")) && (_partnerSlave.dick > 0) && canPenetrate(_partnerSlave)>> performing double anal on another slave. They're face to face over their sub's shoulders, looking into each other's eyes with every appearance of enjoyment and love, since for them rubbing dicks inside another slave's butt is what constitutes healthy sexual activity. _partnerSlave.slaveName is on the bottom, and holds their victim atop _him2 with _partnerSlave.slaveName's cock already hilted in $his ass so $activeSlave.slaveName can force $himself inside as well. They enjoy the overstimulated girl's struggles. <<set $activeSlave.penetrativeCount++, _partnerSlave.penetrativeCount++, $penetrativeTotal += 2>> <<elseif ($activeSlave.energy > 95)>> having loud sex <<if $activeSlave.livingRules == "luxurious">>in the nice little room they share.<<elseif ($activeSlave.ID == $HeadGirl.ID) && ($HGSuite == 1)>>in $activeSlave.ID's suite.<<else>>out in the open in the slave dormitory.<</if>> $activeSlave.slaveName is such a sexual addict that $he wants it all the time, and _partnerSlave.slaveName does _his2 best to help $his _activeSlaveRel get off. <<if ($activeSlave.vagina > 0) || ($activeSlave.anus > 0)>> $activeSlave.slaveName is down on $his knees in front of _partnerSlave.slaveName, taking <<if (_partnerSlave.dick > 1) && canPenetrate(_partnerSlave)>> _his2 cock doggy style, <<elseif (_partnerSlave.dick > 1)>> a finger fuck, since $his _activeSlaveRel is impotent, <<else>> a strap-on, doggy style, <</if>> <<if ($activeSlave.vagina > 0) && canDoVaginal($activeSlave) && (random(1,100) > 50)>> in $his pussy. <<VaginalVCheck>> <<elseif canDoAnal($activeSlave) >> in $his ass. <<AnalVCheck>> <</if>> <<set _partnerSlave.penetrativeCount++, $penetrativeTotal++>> <<else>> They're scissoring enthusiastically and playing with each other's breasts. <<set $activeSlave.mammaryCount++, _partnerSlave.mammaryCount++, $mammaryTotal += 2>> <</if>> <<elseif ($activeSlave.fetishStrength > 60) && ($activeSlave.fetishKnown == 1) && $activeSlave.fetish != "none">> <<switch $activeSlave.fetish>> <<case "boobs">> snuggling rather sexually <<if $activeSlave.livingRules == "luxurious">>in the nice little room they share.<<elseif ($activeSlave.ID == $HeadGirl.ID) && ($HGSuite == 1)>>in $activeSlave.ID's suite.<<else>>out in the open in the slave dormitory.<</if>> $activeSlave.slaveName loves having $his breasts touched and massaged, so _partnerSlave.slaveName looks after $his _activeSlaveRel's tits. <<if (_partnerSlave.amp == 1)>> Since _partnerSlave.slaveName is an amputee $activeSlave.slaveName has _him2 propped on _his2 belly so _he2 can easily suckle and nuzzle. <<else>> They're spooning in bed with _partnerSlave.slaveName forming the large spoon so _he2 can reach around and play with $activeSlave.slaveName's boobs. <</if>> <<set $activeSlave.mammaryCount++, _partnerSlave.mammaryCount++, $mammaryTotal += 2>> <<case "buttslut">> having loud buttsex <<if $activeSlave.livingRules == "luxurious">>in the nice little room they share.<<elseif ($activeSlave.ID == $HeadGirl.ID) && ($HGSuite == 1)>>in $activeSlave.ID's suite.<<else>>out in the open in the slave dormitory.<</if>> $activeSlave.slaveName is such an anal addict that $he wants it all the time, and _partnerSlave.slaveName does _his2 best to keep _his2 _activeSlaveRel satisfied. <<if ($activeSlave.anus > 0)>> $activeSlave.slaveName is down on $his knees in front of _partnerSlave.slaveName, taking <<if (_partnerSlave.dick > 1) && canPenetrate(_partnerSlave)>> _his2 cock up the butt. <<if ($activeSlave.anus > 2) && (_partnerSlave.dick > 2)>> $activeSlave.slaveName is clearly enjoying getting buttfucked by a cock big enough to make $his feel tight again. <<elseif ($activeSlave.anus > 2) && (_partnerSlave.dick > 1)>> $activeSlave.slaveName's gaping ass takes _partnerSlave.slaveName's cock easily. <<elseif ($activeSlave.anus > 2)>> $activeSlave.slaveName can barely tell _partnerSlave.slaveName's little dick is even there, but it's the thought that counts. <<elseif ($activeSlave.anus < 2) && (_partnerSlave.dick > 2)>> $activeSlave.slaveName is panting and writhing with the pain of taking $his _activeSlaveRel's massive dick. _partnerSlave.slaveName is doing _his2 best to be gentle. <<elseif ($activeSlave.anus < 2) && (_partnerSlave.dick > 1)>> $activeSlave.slaveName is writhing with the mixed pain and pleasure of having $his tight ass stretched by $his _activeSlaveRel's nice cock. <<elseif ($activeSlave.anus < 2)>> $activeSlave.slaveName's tight anus and _partnerSlave.slaveName's little dick work well together; $activeSlave.slaveName can take it easily, and _partnerSlave.slaveName gets to fuck a hole that's tight, even for $his. <</if>> <<elseif (_partnerSlave.dick > 1)>> a finger fuck, since $his _activeSlaveRel is impotent. <<if ($activeSlave.anus > 2)>> Or rather, a fist fuck, since that's what it takes to satisfy $his _activeSlaveRel's gaping hole. <<elseif ($activeSlave.anus > 1)>> _partnerSlave.slaveName is using three fingers to stretch $his _activeSlaveRel's asshole. <<else>> _partnerSlave.slaveName is using two fingers to gently fuck $his _activeSlaveRel's tight anus. <</if>> <<else>> a strap-on up the butt, doggy style. _partnerSlave.slaveName is using a <<if ($activeSlave.anus > 2)>> massive fake phallus to satisfy $hi2 _activeSlaveRel's gaping hole. <<elseif ($activeSlave.anus > 1)>> decent-sized fake phallus to stretch $his _activeSlaveRel's asshole. <<else>> small fake phallus to gently fuck $his _activeSlaveRel's tight anus. <</if>> <</if>> <<AnalVCheck>> <<set _partnerSlave.penetrativeCount++, $penetrativeTotal++>> <<else>> Since $activeSlave.slaveName is an anal virgin, _partnerSlave.slaveName is rimming $his _activeSlaveRel, who is clearly enjoying $himself. <<set $activeSlave.oralCount++, _partnerSlave.oralCount++, $oralTotal += 2>> <</if>> <<case "cumslut">> sharing oral pleasure <<if $activeSlave.livingRules == "luxurious">>in the nice little room they share.<<elseif ($activeSlave.ID == $HeadGirl.ID) && ($HGSuite == 1)>>in $activeSlave.ID's suite.<<else>>out in the open in the slave dormitory.<</if>> $activeSlave.slaveName is such an oral addict that $he wants it all the time, and _partnerSlave.slaveName certainly doesn't mind all the loving oral attention. They're lying down to 69 comfortably, <<if (_partnerSlave.dick > 1) && canPenetrate(_partnerSlave)>> with $activeSlave.slaveName hungrily sucking $his _activeSlaveRel's turgid cock. <<set _partnerSlave.penetrativeCount++, $penetrativeTotal++>> <<elseif (_partnerSlave.dick > 1) && (_partnerSlave.anus > 0)>> with $activeSlave.slaveName hungrily sucking $his _activeSlaveRel's limp cock. $He has a finger up poor impotent _partnerSlave.slaveName's butt to stimulate _his2 prostate so _he2 can cum for $his. <<set _partnerSlave.penetrativeCount++, $penetrativeTotal++>> <<elseif (_partnerSlave.dick > 1)>> with $activeSlave.slaveName hungrily sucking $his _activeSlaveRel's limp cock. $He has a finger massaging poor impotent _partnerSlave.slaveName's perineum in the hope of stimulating _him2 so _he2 can cum for $his. <<set _partnerSlave.penetrativeCount++, $penetrativeTotal++>> <<else>> and $activeSlave.slaveName is sating $his oral fixation for the moment by eagerly polishing $his _activeSlaveRel's pearl. <<set _partnerSlave.oralCount++, $oralTotal++>> <</if>> <<set $activeSlave.oralCount++, $oralTotal++>> <<case "submissive">> wrestling <<if $activeSlave.livingRules == "luxurious">>in the nice little room they share.<<elseif ($activeSlave.ID == $HeadGirl.ID) && ($HGSuite == 1)>>in $activeSlave.ID's suite.<<else>>out in the open in the slave dormitory.<</if>> $activeSlave.slaveName is such a submissive that $he wants it rough all the time, and _partnerSlave.slaveName does _his2 best to give _his2 _activeSlaveRel the constant abuse $he loves. $activeSlave.slaveName is down on $his knees in front of _partnerSlave.slaveName, worshipping <<if (_partnerSlave.dick > 1) && canPenetrate(_partnerSlave)>> _his2 cock <<set _partnerSlave.penetrativeCount++, $penetrativeTotal++>> <<elseif (_partnerSlave.dick > 1)>> _his2 asshole <<set _partnerSlave.oralCount++, $oralTotal++>> <<else>> _his2 cunt <<set _partnerSlave.oralCount++, $oralTotal++>> <</if>> while _partnerSlave.slaveName rains light slaps and loving insults down on _his2 bitch of a _activeSlaveRel. <<set $activeSlave.oralCount++, $oralTotal++>> <<case "dom">> wrestling <<if $activeSlave.livingRules == "luxurious">>in the nice little room they share.<<elseif ($activeSlave.ID == $HeadGirl.ID) && ($HGSuite == 1)>>in $activeSlave.ID's suite.<<else>>out in the open in the slave dormitory.<</if>> $activeSlave.slaveName is so dominant with other slaves that $he prefers to take what $he wants, and _partnerSlave.slaveName does _his2 best to give _his2 _activeSlaveRel the struggle fucking $he loves. $activeSlave.slaveName is on top of _partnerSlave.slaveName getting oral, though it's more of a rough facefuck as $activeSlave.slaveName forces <<if ($activeSlave.dick > 1) && canPenetrate($activeSlave)>> $his cock <<else>> a strap-on <</if>> down _partnerSlave.slaveName's throat. <<set _partnerSlave.oralCount++, $activeSlave.penetrativeCount++, $oralTotal++, $penetrativeTotal++>> <<case "sadist">> playing pain games <<if $activeSlave.livingRules == "luxurious">>in the nice little room they share.<<elseif ($activeSlave.ID == $HeadGirl.ID) && ($HGSuite == 1)>>in $activeSlave.ID's suite.<<else>>out in the open in the slave dormitory.<</if>> $activeSlave.slaveName loves hurting other slaves, even $his friends, and _partnerSlave.slaveName submits to $his agonizing ministrations as often as $activeSlave.slaveName can cajole or force _him2 into it. $activeSlave.slaveName has _partnerSlave.slaveName over $his knee and is methodically tanning _partnerSlave.slaveName's $activeSlave.skin ass. <<case "masochist">> playing pain games <<if $activeSlave.livingRules == "luxurious">>in the nice little room they share.<<elseif ($activeSlave.ID == $HeadGirl.ID) && ($HGSuite == 1)>>in $activeSlave.ID's suite.<<else>>out in the open in the slave dormitory.<</if>> $activeSlave.slaveName loves being hurt, so _partnerSlave.slaveName frequently indulges $him with spanking, slapping, pinching, and more exotic forms of abuse. _partnerSlave.slaveName has $activeSlave.slaveName over _his2 knee and is methodically tanning $activeSlave.slaveName's $activeSlave.skin ass. <<case "humiliation">> having open and visible sex <<if $activeSlave.livingRules == "luxurious">>in the doorway of the nice little room they share.<<else>>out in the hallway near the slave dormitory.<</if>> $activeSlave.slaveName pretends to hate fucking where other slaves can see $him, but _partnerSlave.slaveName knows _his2 _activeSlaveRel gets off on the mild humiliation. _partnerSlave.slaveName <<if ($activeSlave.vagina > 0) || ($activeSlave.anus > 0)>> has _his2 back propped up against a doorframe and $activeSlave.slaveName in _his2 lap, so $he can blush at any passing slave as $he shyly rides _partnerSlave.slaveName's <<if (_partnerSlave.dick > 1) && canPenetrate(_partnerSlave)>> cock <<else>> strap-on <</if>> <<if ($activeSlave.vagina > 0) && canDoVaginal($activeSlave) && (random(1,100) > 50)>> in $his pussy. <<VaginalVCheck>> <<else>> up $his ass. <<AnalVCheck>> <</if>> <<set _partnerSlave.penetrativeCount++, $penetrativeTotal++>> <<else>> is giving $activeSlave.slaveName oral out in the open so $he can blush and shiver as passing slaves see $his climax. <<set $activeSlave.oralCount++, _partnerSlave.oralCount++, $oralTotal += 2>> <</if>> <<case "pregnancy">> having intimate sex <<if $activeSlave.livingRules == "luxurious">>in the nice little room they share.<<elseif ($activeSlave.ID == $HeadGirl.ID) && ($HGSuite == 1)>>in $activeSlave.ID's suite.<<else>>out in the open in the slave dormitory.<</if>> $activeSlave.slaveName's <<if $activeSlave.belly >= 1500>>middle is heavily rounded<<else>>desire to be bred is raging<</if>>, and _partnerSlave.slaveName does _his2 best to keep _his2 _activeSlaveRel satisfied. _partnerSlave.slaveName <<if (canDoVaginal($activeSlave) && $activeSlave.vagina > 0) || (canDoAnal($activeSlave) && $activeSlave.anus > 0)>> <<if _partnerSlave.bellyPreg >= 10000 || _partnerSlave.bellyImplant >= 10000>> is <<if _partnerSlave.bellyPreg >= 1500>> heavily pregnant <<else>> hugely gravid <</if>> $himself2, so _he2 has $activeSlave.slaveName on $his back so that _he2 can penetrate $him as best _he2 can with _his2 <<elseif _partnerSlave.bellyPreg > 5000 || _partnerSlave.bellyImplant >= 10000>> is <<if _partnerSlave.bellyPreg >= 1500>> pregnant <<else>> gravid <</if>> $himself2, so _he2 has $activeSlave.slaveName on $his back so that _he2 can penetrate $him easier with _his2 <<else>> has $activeSlave.slaveName on $his back so that tease $his belly as _he2 fucks $him with _his2 <</if>> <<if (_partnerSlave.dick > 1) && canPenetrate(_partnerSlave)>> cock <<else>> strap-on <</if>> <<if ($activeSlave.vagina > 0) && canDoVaginal($activeSlave) && (random(1,100) > 50)>> in $his <<if $activeSlave.pregKnown == 1>>pregnant <</if>>pussy. <<VaginalVCheck>> <<else>> in $his ass. <<AnalVCheck>> <</if>> <<set _partnerSlave.penetrativeCount++, $penetrativeTotal++>> <<else>> is giving $activeSlave.slaveName oral to try and sate $his lust. <<set $activeSlave.oralCount++, _partnerSlave.oralCount++, $oralTotal += 2>> <</if>> <<default>> having intimate sex <<if $activeSlave.livingRules == "luxurious">>in the nice little room they share.<<elseif ($activeSlave.ID == $HeadGirl.ID) && ($HGSuite == 1)>>in $activeSlave.ID's suite.<<else>>out in the open in the slave dormitory.<</if>> <</switch>> <<elseif !$activeSlave.need>> just spooning in bed. Since $activeSlave.slaveName gets fucked at work, _partnerSlave.slaveName understands that what $he really wants from _him2 is emotional intimacy. They're cuddling quietly, offering each other silent comfort and companionship. <<elseif ($activeSlave.dick > 1) && canPenetrate($activeSlave) && (_partnerSlave.vagina > 0) && canDoVaginal(_partnerSlave) && (_partnerSlave.amp != 1) && ($activeSlave.amp != 1)>> <<if $activeSlave.livingRules == "luxurious">>in bed in the nice little room they share,<<else>>out in the open on $activeSlave.slaveName's bedroll in the slave dormitory,<</if>> making love in the missionary position. _partnerSlave.slaveName has _his2 legs wrapped around $activeSlave.slaveName's waist and _his2 arms hugging $him around the chest, and is looking deep into $his eyes as _he2 enjoys the wonderful feeling of _his2 _activeSlaveRel's cock in _his2 womanhood. <<set $activeSlave.penetrativeCount++, _partnerSlave.vaginalCount++, $vaginalTotal++, $penetrativeTotal++>> <<elseif ($activeSlave.clit > 2) && ($activeSlave.vaginalAccessory != "chastity belt") && ($activeSlave.vaginalAccessory != "combined chastity") && (_partnerSlave.vagina > 0) && canDoVaginal(_partnerSlave) && (_partnerSlave.amp != 1) && ($activeSlave.amp != 1)>> <<if $activeSlave.livingRules == "luxurious">>in bed in the nice little room they share,<<else>>out in the open on $activeSlave.slaveName's bedroll in the slave dormitory,<</if>> making love in the missionary position. _partnerSlave.slaveName has _his2 legs wrapped around $activeSlave.slaveName's waist and _his2 arms hugging $him around the chest, and is looking deep into $his eyes as _he2 enjoys the wonderful feeling of _his2 _activeSlaveRel's huge clit in _his2 womanhood. <<set _partnerSlave.vaginalCount++, $activeSlave.penetrativeCount++, $vaginalTotal++, $penetrativeTotal++>> <<elseif ($activeSlave.dick > 1) && canPenetrate($activeSlave) && canDoAnal(_partnerSlave) && (_partnerSlave.anus > 0) && (_partnerSlave.amp != 1) && ($activeSlave.amp != 1)>> <<if $activeSlave.livingRules == "luxurious">>in bed in the nice little room they share,<<else>>out in the open on $activeSlave.slaveName's bedroll in the slave dormitory,<</if>> having gentle anal sex while spooning. $activeSlave.slaveName is enjoying _partnerSlave.slaveName's ass, and is doing $his best to ensure $his _activeSlaveRel enjoys being buttfucked. $He's nibbling $his _activeSlaveRel's ears and neck, cupping a breast with one hand, and lightly stimulating _him2 with the other. <<set _partnerSlave.analCount++, $activeSlave.penetrativeCount++, $analTotal++, $penetrativeTotal++>> <<elseif ($activeSlave.clit > 2) && canDoAnal(_partnerSlave) && (_partnerSlave.anus > 0) && (_partnerSlave.amp != 1) && ($activeSlave.amp != 1)>> <<if $activeSlave.livingRules == "luxurious">>in bed in the nice little room they share,<<else>>out in the open on $activeSlave.slaveName's bedroll in the slave dormitory,<</if>> managing to have clitoral-anal sex. _partnerSlave.slaveName is face-down with _his2 ass up, spreading _his2 buttocks as wide as possible, giving _his2 _activeSlaveRel the opportunity to squat over _him2 and penetrate it with $his huge, erect clit. $activeSlave.slaveName can't thrust much, but the shocking lewdness of the act is enough for both of them. <<set _partnerSlave.analCount++, $activeSlave.penetrativeCount++, $analTotal++, $penetrativeTotal++>> <<elseif ($activeSlave.dick > 1) && canPenetrate($activeSlave) && (_partnerSlave.amp != 1) && ($activeSlave.amp != 1)>> <<if $activeSlave.livingRules == "luxurious">>in bed in the nice little room they share,<<else>>out in the open on $activeSlave.slaveName's bedroll in the slave dormitory,<</if>> spooning while $activeSlave.slaveName gently rubs $his cock between _partnerSlave.slaveName's thighs, pressed tightly together. Since _partnerSlave.slaveName is a virgin, this is the closest they can come to penetrative intercourse, but $activeSlave.slaveName is enjoying _partnerSlave.slaveName's body anyway, and is doing $his best to ensure $his _activeSlaveRel enjoys $himself. $He's nibbling $his _activeSlaveRel's ears and neck, cupping a breast with one hand, and lightly stimulating _him2 with the other. <<set $activeSlave.penetrativeCount++, $penetrativeTotal++>> <<elseif ($activeSlave.clit > 2) && ($activeSlave.vaginalAccessory != "chastity belt") && (_partnerSlave.amp != 1) && ($activeSlave.amp != 1)>> <<if $activeSlave.livingRules == "luxurious">>in the nice little room they share,<<else>>out in the open in the slave dormitory,<</if>> with _partnerSlave.slaveName down on $his knees in front of $activeSlave.slaveName. From behind _partnerSlave.slaveName it looks like $he's giving $his _activeSlaveRel a conventional, if enthusiastic, blowjob. Only on closer inspection does it become clear how unusual the oral is: $activeSlave.slaveName has such a huge clit that $his _activeSlaveRel can suck $him off just like it were a penis. <<set _partnerSlave.oralCount++, $activeSlave.penetrativeCount++, $oralTotal++, $penetrativeTotal++>> <<elseif (_partnerSlave.vagina > 0) && canDoVaginal(_partnerSlave) && (_partnerSlave.amp != 1) && ($activeSlave.amp != 1)>> <<if $activeSlave.livingRules == "luxurious">>in bed in the nice little room they share,<<else>>out in the open on $activeSlave.slaveName's bedroll in the slave dormitory,<</if>> making love in the missionary position. _partnerSlave.slaveName has _his2 legs wrapped around $activeSlave.slaveName's waist and _his2 arms hugging $him around the chest, and is looking deep into $his eyes as _he2 enjoys the feeling of _his2 _activeSlaveRel fucking _him2 with a strap-on. <<set _partnerSlave.vaginalCount++, $activeSlave.penetrativeCount++, $vaginalTotal++, $penetrativeTotal++>> <<elseif (_partnerSlave.anus > 0) && (_partnerSlave.amp != 1) && ($activeSlave.amp != 1) && canDoAnal(_partnerSlave)>> <<if $activeSlave.livingRules == "luxurious">>in bed in the nice little room they share,<<else>>out in the open on $activeSlave.slaveName's bedroll in the slave dormitory,<</if>> having gentle anal sex while spooning. $activeSlave.slaveName is enjoying penetrating _partnerSlave.slaveName's ass with a strap-on, and is doing $his best to ensure $his _activeSlaveRel enjoys being buttfucked. $He's nibbling $his _activeSlaveRel's ears and neck, cupping a breast with one hand, and lightly stimulating $him with the other. <<set _partnerSlave.analCount++, $activeSlave.penetrativeCount++, $analTotal++, $penetrativeTotal++>> <<elseif (_partnerSlave.amp != 1) && ($activeSlave.amp != 1)>> <<if $activeSlave.livingRules == "luxurious">>in bed in the nice little room they share,<<else>>out in the open on $activeSlave.slaveName's bedroll in the slave dormitory,<</if>> enjoying some mutual masturbation. <<elseif (_partnerSlave.amp == 1)>> just cuddling <<if $activeSlave.livingRules == "luxurious">>in bed in the nice little room they share.<<else>>on $activeSlave.slaveName's bedroll in the slave dormitory.<</if>> $activeSlave.slaveName is using _partnerSlave.slaveName's limbless torso as a pillow, which _partnerSlave.slaveName seems to be enjoying, by _his2 contented expression. <<else>> just cuddling <<if $activeSlave.livingRules == "luxurious">>in bed in the nice little room they share.<<else>>on $activeSlave.slaveName's bedroll in the slave dormitory.<</if>> They're lying quietly, offering each other silent comfort and companionship. <</if>> <<elseif _seed == 2>> /* CUDDLE TIME */ <<if ($activeSlave.energy > 95) && (random(0,2) == 0)>> lying in bed together. _partnerSlave.slaveName has somehow managed to exhaust _his2 _activeSlaveRel, and the sexually sated nympho is curled up with $his head on _partnerSlave.slaveName's chest, snoring lightly. _partnerSlave.slaveName is smiling fondly at $him. <<elseif (_partnerSlave.dick > 6) && ($activeSlave.amp !== 1)>> sleeping in bed together. $activeSlave.slaveName is cuddled up close to _partnerSlave.slaveName, and is cradling $his _activeSlaveRel's enormous, soft cock with one hand. <<elseif ($activeSlave.fetishKnown == 1) && $activeSlave.fetish != "none">> <<switch $activeSlave.fetish>> <<case "boobs">> sleeping in bed together. $activeSlave.slaveName is using _partnerSlave.slaveName's <<if _partnerSlave.boobs > 2000>>enormous breasts<<elseif _partnerSlave.boobs > 1000>>huge boobs<<elseif _partnerSlave.boobs > 300>>healthy tits<<else>>flat chest<</if>>, which $he loves, as a pillow. <<case "buttslut">> sleeping in bed together. _partnerSlave.slaveName is sleeping face down so $activeSlave.slaveName can use $his <<if _partnerSlave.butt > 5>>enormous posterior<<elseif _partnerSlave.butt > 2>>big butt<<elseif _partnerSlave.butt > 1>>trim behind<<else>>skinny ass<</if>>, which $activeSlave.slaveName loves, as a pillow. <<case "cumslut">> sleeping in bed together. $activeSlave.slaveName is spooning $his _activeSlaveRel, $his head nestled alongside _partnerSlave.slaveName's, $his <<if $activeSlave.lips > 70>>enormous<<elseif $activeSlave.lips > 40>>pillowlike<<elseif $activeSlave.lips > 10>>plush<<else>>pretty<</if>> lips wet from kissing $him to sleep. <<case "submissive" "masochist" "humiliation">> sleeping in bed together. $activeSlave.slaveName is being spooned by $his _activeSlaveRel, smiling peacefully at being held. <<case "dom" "sadist">> sleeping in bed together. $activeSlave.slaveName is spooning $his _activeSlaveRel possessively<<if $activeSlave.amp !== 1>>, and even in $his sleep, has a proprietary hand on _partnerSlave.slaveName's <<if _partnerSlave.balls > 0>>balls<<elseif _partnerSlave.balls > 0>>soft cock<<else>>pussy<</if>><</if>>. <<case "pregnancy">> sleeping in bed together. <<if $activeSlave.belly >= 5000 && _activeSlaveRel.belly >= 50000>> They are pressed as close as they can be with their rounded middles in the way. <<elseif $activeSlave.belly >= 5000>> $activeSlave.slaveName is spooning $his _activeSlaveRel possessively, $his rounded belly pushing into _his2 back. <<elseif _activeSlaveRel.belly >= 50000>> $activeSlave.slaveName is spooning $his _activeSlaveRel possessively<<if $activeSlave.amp != 1>>, and even in $his sleep, has a proprietary hand on _partnerSlave.slaveName's belly<</if>>. <<else>> $activeSlave.slaveName is being spooned by $his _activeSlaveRel, smiling peacefully at being held. <</if>> <</switch>> <<elseif $activeSlave.height > _partnerSlave.height>> sleeping in bed together, with the taller $activeSlave.slaveName curled around $his little _activeSlaveRel. <<elseif $activeSlave.amp == 1>> sleeping in bed together; _partnerSlave.slaveName is using $his limbless _activeSlaveRel as a pillow. <<elseif _partnerSlave.amp !== 1>> resting in bed together, holding hands in their sleep. <<else>> sleeping quietly in bed together. <</if>> <<else>> /* TOGETHER TIME */ <<if ($activeSlave.actualAge >= _partnerSlave.actualAge+10) && canTalk(_partnerSlave)>> tidying up their room together. _partnerSlave.slaveName is chattering about _his2 day, while $activeSlave.slaveName listens quietly, smiling fondly at $his _activeSlaveRel's prattle. <<elseif ($activeSlave.amp !== 1) && !canTalk($activeSlave)>> getting ready for bed. $activeSlave.slaveName is using gestures to tell $his $activeSlave.slaveName about $his day; _partnerSlave.slaveName is very patient and does _his2 best to follow. <<elseif ($activeSlave.behavioralQuirk == "confident") && canTalk($activeSlave)>> finishing up a meal together. $activeSlave.slaveName is concluding a story, $his clear confident voice ringing as $he relates a slight. <<elseif ($activeSlave.behavioralQuirk == "cutting") && canTalk($activeSlave)>> seeing to their chores together. $activeSlave.slaveName is making biting remarks about another one of your other slaves, with which $his _activeSlaveRel agrees tolerantly. <<elseif ($activeSlave.behavioralQuirk == "funny") && canTalk(_partnerSlave)>> seeing to their chores together. $activeSlave.slaveName has just produced some unintentional slapstick humor, and $his _activeSlaveRel is giggling helplessly at $his antics. <<elseif ($activeSlave.behavioralQuirk == "fitness")>> have just woken up. $activeSlave.slaveName is doing $his morning crunches, and $his _activeSlaveRel is sleepily sitting on $his feet to help. <<elseif ($activeSlave.behavioralQuirk == "insecure") && canTalk(_partnerSlave)>> have just woken up. $activeSlave.slaveName is getting dressed when $his _activeSlaveRel pays $him a compliment; $activeSlave.slaveName blushes and gives _partnerSlave.slaveName a kiss. <<elseif ($activeSlave.behavioralQuirk == "sinful") && canTalk($activeSlave)>> have just woken up. $activeSlave.slaveName appears to be praying, but to go by $his _activeSlaveRel's quiet mirth, $he seems to be substituting in some lewd words. <<elseif ($activeSlave.behavioralQuirk == "advocate") && canTalk($activeSlave)>> starting a meal together. A third, less well trained slave has asked $activeSlave.slaveName an innocent question, and is getting enthusiastic slave dogma in return. $His _activeSlaveRel smiles tolerantly. <<elseif ($activeSlave.amp == 1) && (_partnerSlave.amp !== 1)>> using some of their free time to watch the weather; _partnerSlave.slaveName carried _his2 _activeSlaveRel to a window so $he could look out with _him2. <<elseif ($activeSlave.amp !== 1) && (_partnerSlave.amp == 1)>> using some of their free time to watch the weather; $activeSlave.slaveName carried $his _activeSlaveRel to a window so _he2 could look out with $him. <<elseif $cockFeeder == 1>> taking in a meal together; they've chosen dispensers next to each other and are slurping away. <<elseif $suppository == 1>> taking their drugs together; they've chosen fuckmachines next to each other and are chatting quietly as they're sodomized. <<else>> eating a quiet meal together. <</if>> <</if>> /* CLOSE SEXY/CUDDLE/TOGETHER TIME */ <<set $slaves[$slaveIndices[_partnerSlave.ID]] = _partnerSlave>> <<set $slaves[$slaveIndices[$activeSlave.ID]] = $activeSlave>> <<set _target = "FRelation", _partnerSlave = null>> <<elseif ($partner == "relationship") || ($partner == "relation")>> <<set _partnerSlave = null>> <<if ($partner == "relation")>> <<if $familyTesting == 1>> <<set _partnerSlave = $relation>> <<setLocalPronouns _partnerSlave 2>> <<else>> <<set _partnerSlave = getSlave($activeSlave.relationTarget)>> <<setLocalPronouns _partnerSlave 2>> <</if>> <<else>> <<set _partnerSlave = getSlave($activeSlave.relationshipTarget)>> <<setLocalPronouns _partnerSlave 2>> <<if $activeSlave.relationship <= 1>> <<set _activeSlaveRel = "friend", _partnerRel = "friend">> <<elseif $activeSlave.relationship <= 2>> <<set _activeSlaveRel = "best friend", _partnerRel = "best friend">> <<elseif $activeSlave.relationship <= 3>> <<set _activeSlaveRel = "friend with benefits", _partnerRel = "friend with benefits">> <<elseif $activeSlave.relationship <= 4>> <<set _activeSlaveRel = "lover", _partnerRel = "lover">> <<elseif $activeSlave.relationship > 4>> <<set _activeSlaveRel = "slave wife", _partnerRel = "slave wife">> <</if>> <</if>> <<if ndef _partnerSlave || _partnerSlave == null>> <<goto "Main">> <</if>> $His <<if ($partner == "relation")>> <<if $familyTesting == 1>> $relationType <<else>> _partnerSlave.relation <</if>> <<else>> _activeSlaveRel <</if>> _partnerSlave.slaveName <<switch _partnerSlave.assignment>> <<case "be your agent">> is off managing an arcology in your stead, but you can call _him2 back for a visit if you were inclined. <<case "be confined in the arcade">> is nothing more than holes in $arcadeName, but you have a fine view of _his2 <<if $seeRace == 1>>_partnerSlave.race rear <</if>>on the feed from the facility. <<case "stay confined">> is confined, but you have a fine view of _his2 <<if $seeRace == 1>>_partnerSlave.race <</if>>body on the feed from _his2 cell. <<case "work in the brothel">> is working in the brothel, and is <<if (_seed > 80)>> riding a customer's dick. <<elseif (_seed > 60)>> sucking a customer's cock. <<elseif (_seed > 40)>> pleasuring a customer's cunt. <<elseif (_seed > 20)>> getting pounded by a woman wearing a strap-on. <<else>> being held down and buttfucked by a customer. You have a voyeuristic view of _his2 <<if $seeRace == 1>>_partnerSlave.race <</if>>body on the feeds. <</if>> You have a voyeuristic view of _his2 <<if $seeRace == 1>>_partnerSlave.race <</if>>body on the feeds. <<case "serve the public">> is serving the public, and is <<if (_seed > 80)>> riding a citizen's dick. <<elseif (_seed > 60)>> sucking a citizen's cock. <<elseif (_seed > 40)>> pleasuring a citizen's cunt. <<elseif (_seed > 20)>> getting pounded by a citizen wearing a strap-on. <<else>> being held down and buttfucked by a citizen. <</if>> You have a voyeuristic view of _his2 <<if $seeRace == 1>>_partnerSlave.race <</if>>body on the feeds. <<case "work in the dairy">> <<if ($dairyRestraintsSetting > 1)>> is strapped to a milking machine in $dairyName. <<elseif (_partnerSlave.lactation == 0) && (_partnerSlave.balls > 0)>> is working in $dairyName, and is having _his2 cock milked. As you watch, _his2 balls tighten as the phallus up _his2 butt brings _him2 closer to a copious ejaculation. <<elseif _seed > 50>> is working in $dairyName, having _his2 tits milked. <<else>> is working in $dairyName, massaging _his2 sore tits. <</if>> You have a good view of _his2 <<if $seeRace == 1>>_partnerSlave.race <</if>>body on the feeds. <<case "serve in the club">> is working on the club, <<if _seed > 50>> displaying _his2 <<if $seeRace == 1>>_partnerSlave.race <</if>>body, keeping citizens company, and flirting with anyone who shows interest. <<else>> or rather just off it, having taken a prominent citizen back to a discreet room <<if $seeRace == 1>> so he can use _his2 _partnerSlave.race <</if>>body. <</if>> <<case "work as a servant">> <<if _seed > 50>> was scrubbing the penthouse floor, until another slave requested oral service. <<else>> is scrubbing the penthouse floor. <</if>> <<case "guard you">> is standing discreetly behind your left shoulder, watching for threats. _he2 has a straight ceramic sword strapped to _his2 back and a machine pistol at _his2 hip. <<case "be the Madam">> is managing the brothel: _he2 is making sure all the customers are satisfied and all the whores are working hard. <<case "be the Attendant">> is seeing to girls in the spa: _he2 is gently soaping an exhausted slave. <<case "be the Stewardess">> is managing the house servants: _he2 overseeing the laboring house slaves and punishing any that step out of line. <<case "be the DJ">> is taking the lead on the club: _he2 greets new arrivals, flirts with them prettily, and subtly guides them towards choice sluts. <<case "be the Schoolteacher">> is teaching classes: _he2 is leading the slave students in rote recitation. <<case "be the Milkmaid">> is working in the dairy, looking after your stock. <<default>> <<if (_partnerSlave.heels == 1) && !["flats", "none"].includes(_partnerSlave.shoes)>> walks past your desk with the tiny swaying steps $he must take in order to walk on _his2 surgically altered legs. _he2 is on _his2 way to <<elseif ["heels", "pumps"].includes(_partnerSlave.shoes)>> walks past your desk with the swaying steps _he2 must take in _his2 high heels. _he2 is on _his2 way to <<elseif (_partnerSlave.shoes == "boots")>> walks past your desk with the confident gait encouraged by _his2 high heeled boots. _he2 is on _his2 way to <<elseif (_partnerSlave.shoes == "extreme heels")>> walks past your desk with the tiny swaying steps _he2 must take in _his2 ridiculous heels. _he2 is on _his2 way to <<elseif (_partnerSlave.heels == 1)>> crawls past your desk on all fours, since _he2 has not been allowed the heels _he2 needs to walk upright. _he2 is on _his2 way to <<elseif (_partnerSlave.amp == 1)>> is carried past your desk by one of your other slaves. _he2 is on _his2 way to <<else>> walks past your desk on _his2 way to <</if>> <<switch _partnerSlave.assignment>> <<case "whore">> <<if _seed > 50>> whore; <<else>> sell _his2 <<if $seeRace == 1>>_partnerSlave.race <</if>>body; <</if>> <<case "serve the public">> <<if _seed > 50>> serve the public; <<else>> be a public slut; <</if>> <<case "rest">> <<if _seed > 50>> eat; <<else>> bed; <</if>> <<case "get milked">> <<if _seed > 50>> milk _his2 overfull <<if $seeRace == 1>>_partnerSlave.race <</if>>tits; <<else>> drain _his2 milky <<if $seeRace == 1>>_partnerSlave.race <</if>>udders; <</if>> <<case "please you">> sit next to you and wait for <<if _seed > 50>> you to fuck _him2; <<else>> _his2 Master to use _his2 <<if $seeRace == 1>>_partnerSlave.race <</if>>body; <</if>> <<case "be a subordinate slave">> service your other slaves; <<case "be a servant">> clean up after your other slaves; <<case "be your Head Girl">> oversee your other slaves; <<case "recruit girls">> use _his2 connections to recruit slaves; <</switch>> <<if (_partnerSlave.amp == 1)>> _he2 is carried by on _his2 way to _his2 next task. <<elseif _partnerSlave.fetish == "mindbroken">> _he2 does not even glance at you as _he2 goes mindlessly to _his2 next task. <<elseif _partnerSlave.devotion < -50>> _he2 directs a look of pure hatred at where you sit as _he2 passes. <<elseif _partnerSlave.devotion < -20>> _he2 cannot keep the loathing from _his2 face as _he2 passes. <<elseif _partnerSlave.devotion <= 20>> _he2 passes quickly, obviously hoping to avoid you. <<elseif _partnerSlave.devotion <= 50>> _he2 rushes by, hurrying to _his2 next task. <<else>> as _he2 passes _he2 gives you a look of adoration. <</if>> <</switch>> <<set _target = "FRelation", _partnerSlave = null>> <<elseif (_seed > 80) && ($activeSlave.fuckdoll == 0)>> <<BoobsDescription>> <<switch $activeSlave.clothes>> <<case "uncomfortable straps">> <<if $activeSlave.boobs < 300>> The rings constantly rub against $his chest and force $his nipples to stick out. <<else>> The strap over $his tits presses the soft flesh, and the ring around each nipple <<if $activeSlave.nipples == "fuckable">> forces them open. <<else>> forces them to stick out. <</if>> <</if>> <<case "shibari ropes">> <<if $activeSlave.boobs < 300>> The ropes binding $his chest shift slightly with every step, since $he lacks any breasts to hold them in place. <<else>> The ropes binding $his chest dig into the soft flesh as $he moves. <</if>> <<case "attractive lingerie for a pregnant women">> <<if $activeSlave.boobs < 300>> The bulge of $his $activeSlave.nipples nipples can be seen under the taut silk. <<else>> $His silken bra causes $his breasts to bulge around them. <</if>> <<case "a maternity dress">> <<if $activeSlave.boobs < 300>> $His low cut dress was made with breasts in mind; every stop $he takes risks it sliding down and revealing $his $activeSlave.nipples nipples. <<else>> $His low cut dress shows ample cleavage and is made to be easy to pull down. <</if>> <<case "stretch pants and a crop-top">> <<if $activeSlave.boobs < 300>> $His flat chest makes the perfect canvas to read $his crop-top. <<else>> $His crop-top tightly clings to $his breasts and moves along with them. $His jiggling cleavage distracts from the writing on $his tits. <</if>> <<case "restrictive latex">> <<if $activeSlave.boobs < 300>> $His lack of breasts draws your eyes straight to $his exposed nipples. <<else>> $His tits stick out through $his latex outfit. <</if>> <<case "attractive lingerie">> $His pretty white lace bra has thoughtful cuts that tastefully let $his nipples stick through. <<case "a succubus outfit">> <<if $activeSlave.boobs < 300>> $His succubus outfit presents this sex demon's flat chest, inviting a damning fondle. <<else>> $His succubus outfit presents this sex demon's breasts, inviting a damning fondle. <</if>> <<case "a slutty maid outfit">> <<if $activeSlave.boobs < 300>> $His maid outfit covers $his flat chest with a thin white blouse designed to be easy to pull down. <<else>> $His maid outfit covers $his breasts with a thin white blouse designed to be easy to pull down. <</if>> <<case "a nice maid outfit">> <<if $activeSlave.boobs < 300>> $His maid outfit covers $his flat chest demurely, offering the diverting task of pulling it off $him. <<else>> $His maid outfit covers $his breasts demurely, offering the diverting task of pulling it off $him. <</if>> <<case "a monokini">> The straps of $his monokini cross in the center of $his chest, leaving the rest of $his <<if $activeSlave.boobs < 300>>flat <</if>>breasts naked. <<case "a cybersuit">> $His bodysuit is tight enough to show off <<if $activeSlave.boobs < 300>>just how flat $he is<<else>>every contour of $his chest<</if>>. <<case "a string bikini">> $His string bikini covers only $his nipples, leaving the remainder of $his <<if $activeSlave.boobs < 300>>flat chest<<else>>breasts<</if>> naked. <<case "a scalemail bikini">> $His scalemail bikini covers <<if $activeSlave.boobs < 300>>all of $his flat chest.<<elseif $activeSlave.boobs < 700>>$his breasts entirely.<<elseif $activeSlave.boobs <1500>>much of $his breasts, while still emphasizing them.<<else>>the front of $his breasts.<</if>> . <<case "clubslut netting">> As $he moves, the weave of the netting over $his chest slips back and forth across $his nipples. <<case "a cheerleader outfit">> <<if $activeSlave.boobs < 300>> As $he moves, the tight fabric rubs across $his obvious nipples. <<else>> As $he moves, $his chest threatens to fall out of $his cheerleader top. <</if>> <<case "an apron">> <<if $activeSlave.boobs < 300>> As $he moves, $his apron threatens to bounce off $his flat chest and expose $his nipples. <<else>> As $he moves, $his apron provides excellent views of the sides of $his breasts. <</if>> <<case "cutoffs and a t-shirt">> <<if $activeSlave.boobs < 300>> $His non-existent breasts are bare under $his t-shirt; not that you can really tell since they lack motion completely. <<else>> $His tits are bare under $his t-shirt, so movement gives delicious hints of their motion. <</if>> <<case "spats and a tank top">> <<if $activeSlave.boobs < 300>> $His flat chest makes $his form-fitting tank top look as if it's clinging to a tube. <<else>> $His breasts bounce slightly under $his tank top as $he moves. <</if>> <<case "a slutty outfit">> <<if (random(1,100) > 50)>> For today's slutty outfit $he's chosen a handkerchief top that occasionally comes untied and <<if $activeSlave.boobs < 300>>reveals $his flat chest<<else>>spills $his breasts out naked<</if>>. <<else>> For today's slutty outfit $he's chosen a halter top cut so low that <<if $activeSlave.boobs < 300>>it occasionally slips down $his flat chest to reveal a nipple<<else>>$his breasts occasionally pop out<</if>>. <</if>> <<case "a slave gown">> $His gorgeous dress has thoughtful cuts that tastefully bares $his <<if $activeSlave.boobs < 300>>non-existent <</if>>breasts. <<case "slutty business attire">> $His suit jacket and blouse are low enough to show off a lot of boob<<if $activeSlave.boobs < 300>>, or they would, had $he had any<</if>>. <<case "nice business attire">> $His suit jacket and blouse are businesslike, but they could be removed easily enough. <<case "a halter top dress">> $His beautiful halter top dress almost seems to be sculpted around $his body. <<case "a ball gown">> $His fabulous silken ball gown is tailored to accentuate the shape of $his <<if $activeSlave.boobs < 300>>flat chest<<else>>breasts<</if>>. <<case "a slutty nurse outfit">> $His jacket presents $his <<if $activeSlave.boobs < 300>>nipples<<else>>breasts<</if>> to be ogled. <<case "a schoolgirl outfit">> $His blouse lewdly displays $his <<if $activeSlave.boobs < 300>>$activeSlave.nipples nipples<<else>>breasts<</if>>. <<case "a kimono">> $His kimono is clearly designed to accentuate $his <<if $activeSlave.boobs < 300>>flat chest<<else>>breasts<</if>>. <<case "a hijab and abaya">> $His abaya covers $his <<if $activeSlave.boobs < 300>>flat chest<<else>>breasts<</if>> totally. <<case "a huipil">> $His huipil hugs the curves of $his <<if $activeSlave.boobs < 300>>$activeSlave.nipples nipples<<else>>breasts<</if>>. <<case "battledress">> <<if $activeSlave.boobs < 300>> As $he moves, you can occasionally spot $his lack of undergarments. <<else>> $His tank top and sports bra support rather than flatter $his breasts. <</if>> <<case "a fallen nuns habit">> $His slutty nun outfit leaves $his <<if $activeSlave.boobs < 300>>flat <</if>>tits sinfully bare. <<case "a chattel habit">> $His chattel habit leaves $his <<if $activeSlave.boobs < 300>>flat <</if>>tits virtuously bare. <<case "a penitent nuns habit">> $His habit chafes $his nipples so harshly that it would probably be a relief to $his to have it stripped off $his. <<case "a comfortable bodysuit">> $His bodysuit is tight enough to show off <<if $activeSlave.boobs < 300>>just how flat $he is<<else>>every contour of $his chest<</if>>. <<case "a latex catsuit">> $His latex catsuit is tight enough to show off <<if $activeSlave.boobs < 300>>just how flat $he is<<else>>every contour of $his chest<</if>>. <<case "a military uniform">> $His uniform tunic and shirt are formal, but they could be removed easily enough. <<case "a schutzstaffel uniform">> $His uniform tunic and shirt are formal, but they could be removed easily enough. <<case "a slutty schutzstaffel uniform">> $His uniform tunic and shirt are formal, but they could be removed easily enough. <<case "a red army uniform">> $His uniform tunic and shirt are formal, but they could be removed easily enough. <<case "a nice nurse outfit">> $His nurse's outfit is functional, but they could be removed easily enough. <<case "a mini dress">> $His mini dress is tight enough to show off <<if $activeSlave.boobs < 300>>just how flat $he is<<else>>every contour of $his chest<</if>>. <<case "a leotard">> <<if $activeSlave.boobs < 300>> $His leotard draws the eye straight to $his obvious nipples, since it lacks anything else to show off. <<else>> $His leotard is tight enough that it not only hugs $his breasts, but shows off $his nipples. <</if>> <<case "a bunny outfit">> <<if $activeSlave.boobs < 300>> With no breasts to speak of, $his strapless corset teddy manages to look rather slutty. <<else>> $His strapless corset teddy presents $his boobs while still managing to look a bit classy. <</if>> <<case "harem gauze">> $His <<if $activeSlave.boobs < 300>>non-existent <</if>>breasts are clearly visible through the thin gauze that covers them. <<case "slutty jewelry">> <<if $activeSlave.boobs < 300>> The light chain across $his non-existent breasts is the only thing on $his chest capable of moving as $he walks. <<else>> The light chain under $his breasts accentuates their natural movement. <</if>> <<default>> <<if ($activeSlave.vaginalAccessory == "chastity belt")>> Since $he's wearing nothing but a chastity belt, $his <<if $activeSlave.boobs < 300>>non-existent <</if>>breasts are delightfully naked. <<else>> $His naked <<if $activeSlave.boobs < 300>> flat chest and nipples<<else>>breasts<</if>> catch your eye. <</if>> <</switch>> <<set _target = "FBoobs">> <<elseif (_seed > 60)>> <<= App.Desc.butt($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a Fuckdoll suit">> Its suit is expressly designed to encourage use of its rear hole. <<case "uncomfortable straps">> A strap passes between $his <<if ($activeSlave.amp !== 1 )>> legs, giving $his gait an awkward sway. <<else>> leg stumps, pressing against $his genitals. <</if>> <<case "shibari ropes">> <<if ($activeSlave.amp !== 1 )>> Ropes bind $his legs, giving $his gait an awkward sway. <<else>> A rope passes between $his leg stumps, pressing against $his genitals. <</if>> <<case "attractive lingerie for a pregnant woman">> As $he moves, $his silken panties are very inviting. <<case "a maternity dress">> $His dress covers $his legs, but it will lift easily enough. <<case "stretch pants and a crop-top">> <<if $activeSlave.butt > 10>> $His stretch pants tightly cling to $his rear as $he moves. While the writing adorning it may catch your eye, the huge expanse of wobbling ass cleavage is far more distracting. <<else>> $His stretch pants tightly cling to $his rear as $he moves; the writing on $his bottom gives you plenty of excuses to oggle it. <</if>> <<case "restrictive latex">> As some of the only islands in the sea of black latex, $his holes are eye-catching. <<case "a fallen nuns habit">> $His slutty nun outfit invites sin. <<case "a chattel habit">> $His chattel habit is designed for sex without being removed. <<case "a penitent nuns habit">> $His habit chafes $him so cruelly that it would probably be a relief to $him to have it pulled off, even if $he's roughly fucked afterward. <<case "attractive lingerie">> As $he moves, $his pretty white garter belt holds $his stockings high up on $his thighs. <<case "a succubus outfit">> $His succubus outfit's tail holds $his skirt up high in back, inviting a damning fuck. <<case "a slutty maid outfit">> $His maid's skirt is cut extremely short, so that the slightest movement reveals a glimpse of $his ass. <<case "a nice maid outfit">> $His maid's skirt is cut conservatively, but it will lift easily enough. <<case "a monokini">> $His monokini contours to the size and shape of $his bottom. <<case "an apron">> $His apron leaves $his buttocks totally exposed. <<case "a cybersuit">> $His bodysuit prominently displays the curves of $his butt. <<case "a string bikini">> As $he moves, $his string lingerie leaves the entire line of $his hips naked and enticing. <<case "a scalemail bikini">> As $he moves, $his scaly lingerie leaves almost the entire line of $his hips naked and enticing. <<case "clubslut netting">> As $he moves, $his clubslut netting moves with $his, leaving nothing to the imagination. <<case "a cheerleader outfit">> As $he moves, $his pleated cheerleader bounces up and down flirtily. <<case "cutoffs and a t-shirt">> As $he moves, $his cutoffs hug $his butt. <<case "spats and a tank top">> $His spats show off every curve of $his ass. <<case "a slutty outfit">> For today's slutty outfit $he's chosen <<if (random(1,100) > 50) && ($activeSlave.amp !== 1)>> yoga pants so sheer that everything $he's got is clearly visible. <<elseif ($activeSlave.dick > 0)>> a miniskirt so brief that $his ass is hanging out the back, and $his dick is occasionally visible from the front. <<else>> a miniskirt so brief that $his ass is hanging out the back, and $his naked cunt is occasionally visible from the front. <</if>> <<case "a slave gown">> <<if ($activeSlave.amp == 1)>> $His gorgeous dress is specially designed for $his limbless form, but without legs to support it, it can hardly conceal the outline of everything $he has. <<else>> $His gorgeous dress has a thoughtful cut that runs all the way from $his ankle to over $his hip, baring a leg all the way up. <</if>> <<case "a halter top dress">> $His beautiful halter top dress seems to be sculpted around $his bottom. <<case "a ball gown">> $His fabulous silken ball gown is tailored to fit $his and accentuates the shape of $his butt. <<case "a slutty nurse outfit">> $His tight skirt flatters $his ass. <<case "a schoolgirl outfit">> <<if $activeSlave.anus == 0>> This schoolgirl clearly needs to lose $his anal virginity. <<elseif $activeSlave.vagina == 0>> This schoolgirl clearly takes it up the ass; that way, $he can remain a virgin, and be, like, totally pure and innocent. <<else>> This schoolgirl clearly takes it up the ass. <</if>> <<case "a kimono">> <<if ($activeSlave.butt > 5)>> $His kimono demurely covers $his behind, though it cannot conceal its massive shape. <<else>> $His kimono demurely covers $his behind. <</if>> <<case "a hijab and abaya">> <<if ($activeSlave.butt > 5)>> $His abaya totally covers $his behind, though it cannot conceal its massive shape. <<else>> $His abaya totally conceals $his behind. <</if>> <<case "battledress">> $His fatigue trousers are not particularly flattering to $his butt. <<case "nice business attire">> $His attractive skirt is nevertheless tight enough to show off $his derriere. <<case "slutty business attire">> $His skirt is so short it'll barely be necessary to lift it. <<case "a comfortable bodysuit">> $His bodysuit displays the curves of $his butt. <<case "a latex catsuit">> $His latex catsuit displays the curves of $his butt. <<case "a military uniform">> $His uniform skirt is nevertheless tight enough to show off $his derriere. <<case "a schutzstaffel uniform">> $His uniform trousers are nevertheless tight enough to show off $his derriere. <<case "a slutty schutzstaffel uniform">> $His uniform miniskirt is nevertheless tight enough to show off the enticing curves of $his butt. <<case "a red army uniform">> $His uniform skirt is nevertheless tight enough to show off $his derriere. <<case "a nice nurse outfit">> $His nurse's trousers demurely cover $his behind. <<case "a mini dress">> $His mini dress displays the curves of $his butt. <<case "a leotard">> $His leotard leaves $his buttocks gloriously bare. <<case "a bunny outfit">> $His teddy covers $his rear, but in tight satin that flatters its curves. <<case "harem gauze">> $His hips are clearly visible through the thin gauze that covers it. <<case "a toga">> $His stellar behind is accented by the light material of $his toga. <<case "a huipil ">> $His huipil is so short that $his butt is on display. <<case "slutty jewelry">> $His belt of light chain accentuates $his hips. <<default>> <<if ($activeSlave.vaginalAccessory == "chastity belt")>> $His chastity belt protects $him from vanilla intercourse. <<else>> You run your eye over $his naked hips. <</if>> <</switch>> <<set _target = "FButt">> <<elseif (_seed > 40)>> <<if $activeSlave.inflation == 0>> <<if $activeSlave.bellyImplant < 2000>> <<if $activeSlave.belly >= 600000>> <<= App.Desc.belly($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a very tight corset">> $His corset struggles to contain $his enormous belly. <<case "chains">> $His enormous belly bulges in between $his tight chains. <<case "uncomfortable straps">> A steel ring rests around $his navel, held in place by tight straps. $His enormous belly bulges around them. <<case "shibari ropes">> $His enormous belly bulges out from between $his ropes. <<case "restrictive latex" "a latex catsuit">> $His enormous belly makes $him look like a giant balloon under the tight latex, $his popped navel breaks the smoothness. <<case "a nice nurse outfit">> $He's decided to become the maternity ward, judging by the enormous squirming pregnant belly $he sports. <<case "a maternity dress">> $His tight dress is strained by $his enormous belly. <<case "a nice maid outfit">> $His enormous belly is covered only by an apron. <<case "a penitent nuns habit">> $His enormous belly strains $his habit, it looks absolutely sinful. <<case "a ball gown">> Your gaze is drawn to $his enormous squirming pregnant belly by $his striking silken ball gown. <<case "harem gauze">> $His silken garb and enormous pregnant belly makes $him look like a belly dancer. <<case "a comfortable bodysuit">> $His enormous belly lewdly fills $his bodysuit. You swear you can see $his babies kicking underneath the form fitting material. <<case "a schoolgirl outfit">> The school blimp is waddling by. <<case "a hijab and abaya">> $His enormous belly pushes out $his abaya. <<case "a leotard">> $His enormous belly lewdly stretches $his leotard. You swear you can see $his babies kicking under the material. <<case "a toga">> $His loose fitted toga dangles pathetically to either side of $his enormous belly. <<case "a huipil">> $His pregnant belly is so enormous that the huipil barely covers any of it. <<default>> $His bare enormous squirming pregnant belly catches your eye. <</switch>> <<elseif $activeSlave.belly >= 300000>> <<= App.Desc.belly($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a very tight corset">> $His corset struggles to contain $his giant belly. <<case "chains">> $His giant belly bulges in between $his tight chains. <<case "uncomfortable straps">> A steel ring rests around $his navel, held in place by tight straps. $His giant belly bulges around them. <<case "shibari ropes">> $His giant belly bulges out from between $his ropes. <<case "restrictive latex" "a latex catsuit">> $His giant belly makes $him look like a balloon under the tight latex, $his popped navel breaks the smoothness. <<case "a nice nurse outfit">> $His giant belly makes $him resemble a maternity ward patient rather than a nurse. <<case "attractive lingerie for a pregnant woman">> $His giant belly is gently framed by $his silken vest. <<case "a maternity dress">> $His loose dress is completely filled by $his giant belly. <<case "a nice maid outfit">> $His maid outfit struggles to contain $his giant belly, $his popped navel is visible under $his apron. <<case "a penitent nuns habit">> $His giant belly fills $his habit, it looks absolutely sinful. <<case "a halter top dress">> $His giant belly fills $his halter top dress, it struggles to contain $his belly. <<case "a ball gown">> Your gaze is drawn to $his giant pregnant belly by $his struggling fabulous silken ball gown. <<case "harem gauze">> $His silken garb and giant pregnant belly makes $him look like a belly dancer. <<case "a comfortable bodysuit">> $His giant belly lewdly fills $his bodysuit. You swear you can see $his babies kicking underneath the form fitting material. <<case "a schoolgirl outfit">> The school bicycle is waddling by. <<case "a hijab and abaya">> $His giant belly fills $his abaya. <<case "a leotard">> $His giant belly lewdly stretches $his leotard. You swear you can see $his babies kicking under the material. <<case "a toga">> $His loose fitted toga dangles to either side of $his giant belly. <<case "a huipil">> $His pregnant belly is so giant that the huipil barely makes it half-way to $his protruding navel. <<default>> $His bare giant pregnant belly catches your eye. <</switch>> <<elseif $activeSlave.weight > 190>> <<= App.Desc.belly($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a Fuckdoll suit">> $His massive gut is alluringly smooth under the tight suit. <<case "conservative clothing">> $His conservative clothing stands no chance of stilling $his massive, jiggling gut. <<case "chains">> $His massive gut jiggles lewdly around $his tight chains. <<case "a slutty qipao">> The front of $his qipao rests atop $his massive gut. <<case "uncomfortable straps">> $His massive gut jiggles lewdly around $his tight straps. <<case "shibari ropes">> $His massive gut jiggles lewdly around $his tight cords. <<case "restrictive latex" "a latex catsuit">> $His massive gut resembles a large beachball under $his tight latex. <<case "a nice nurse outfit">> $His scrub top jiggles along with $his massive gut as $he moves. <<case "a mini dress">> $His tearing minidress shows every jiggle in $his massive gut as $he moves. <<case "a nice maid outfit">> As $he moves, barely any jiggling can be seen within $his straining maid's dress. <<case "a penitent nuns habit">> $His habit does nothing to stop $his massive gut from jiggling against the coarse cloth as $he moves. <<case "clubslut netting">> $His clubslut netting jiggles lewdly along with $his massive gut as $he moves. Every so often, another section gives out allowing a roll of fat to spring free; it's quite entertaining to watch. <<case "a cheerleader outfit">> $His massive gut jiggles its own cheer with $his every motion. <<case "a slave gown">> $His massive jiggly gut is gently caressed by $his gown. <<case "an apron">> $His apron rests upon $his massive gut, which jiggles as $he moves. <<case "harem gauze">> $His silken garb and massive, jiggly gut makes $him look like a belly dancer. <<case "a comfortable bodysuit">> The taut material of $his bodysuit shows every jiggle in $his massive gut as $he moves. <<case "a schoolgirl outfit">> The school blimp is jiggling by and ripe for abuse with $his ill-fitting clothes. <<case "a kimono">> $His massive gut threatens to pop out of $his kimono with every motion. <<case "a hijab and abaya">> $His massive gut has no room left to move within $his overstuffed abaya. <<case "a halter top dress">> $His strained halter top dress shows every jiggle in $his massive gut as $he moves. Every little motion threatens to burst $his seams and free the soft mass to the world. <<case "a ball gown">> Your gaze is drawn to $his massive gut by $his fabulous silken ball gown. Every little motion has a chance for it to pop out and jiggle free for all to see clearly. <<case "a leotard">> The taut material of $his leotard shows every jiggle in $his massive gut as $he moves. A pair of small ridges adorn $his sides where they have managed to push through the leotard's failing seams. <<case "a bunny outfit">> $He is a sight in $his bunny outfit. The front of $his massive gut is held still by $his overworked teddy, but everything else of it jiggles obscenely with $his every motion. <<case "attractive lingerie for a pregnant woman">> $His massive gut is gently framed by $his silken vest. <<case "a maternity dress">> $His once loose dress bulges with $his massive gut. <<default>> $His massive bare jiggling gut catches your eye. <</switch>> <<elseif $activeSlave.belly >= 10000 || ($activeSlave.bellyAccessory == "a huge empathy belly") || ($activeSlave.bellyAccessory == "a large empathy belly")>> <<= App.Desc.belly($activeSlave)>> <<switch $activeSlave.clothes>> <<case "conservative clothing">> $His taut blouse shows off $his huge belly. <<case "attractive lingerie for a pregnant woman">> $His huge belly is gently framed by $his silken vest. <<case "a maternity dress">> $His loose dress is completely filled by $his huge belly. <<case "chains">> $His huge belly bulges between $his tight chains. <<case "a slutty qipao">> The front of $his qipao rests atop $his huge belly. <<case "uncomfortable straps">> A steel ring rests around $his navel, held in place by tight straps. $His huge belly bulges around them. <<case "shibari ropes">> $His huge belly bulges out from between $his ropes. <<case "restrictive latex" "a latex catsuit">> $His huge belly looks like a large beach ball under $his tight latex, $his popped navel breaks the smoothness. <<case "a military uniform">> $His huge belly threatens to pop the buttons off $his tunic. <<case "a schutzstaffel uniform">> $His huge belly threatens to pop the buttons off $his tunic. <<case "a slutty schutzstaffel uniform">> $His huge belly threatens to pop the buttons off $his tunic. <<case "a red army uniform">> $His huge belly threatens to pop the buttons off $his tunic. <<case "a nice nurse outfit">> $His huge belly strains against $his scrub top, making $him resemble more a maternity ward patient than a nurse. <<case "a mini dress">> $His huge belly threatens to tear apart $his mini dress. <<case "a slutty maid outfit">> $His huge belly is partially covered by a thin white blouse. <<case "a nice maid outfit">> $His huge belly threatens to tear $his maid outfit open, $his popped navel is visible under $his apron. <<case "a penitent nuns habit">> $His huge belly bulges $his habit, it looks absolutely sinful. <<case "clubslut netting">> $His huge belly threatens to tear apart $his clubslut netting. <<case "a cheerleader outfit">> $His huge belly is partly covered by $his cheerleader's top. <<case "a halter top dress">> $His huge belly fills out $his halter top dress, the seams straining to contain it. <<case "a ball gown">> Your gaze is drawn to $his huge pregnant belly by $his fabulous silken ball gown. <<case "a slave gown">> $His huge belly is gently caressed by $his gown. <<case "nice business attire">> $His huge belly threatens to pop the buttons off $his jacket. <<case "harem gauze">> $His silken garb and huge pregnant belly makes $him look like a belly dancer. <<case "a toga">> $His loose fitted toga leaves plenty of space for $his swollen belly. <<case "a huipil">> $His pregnant belly is so huge that the huipil won't even come close to reaching $his protruding navel. <<case "a comfortable bodysuit">> $His huge belly lewdly fills $his bodysuit. <<if ($activeSlave.bellyAccessory !== "a huge empathy belly") && ($activeSlave.bellyAccessory !== "a large empathy belly")>>You swear you can see $his babies kicking underneath the form fitting material.<</if>> <<case "a schoolgirl outfit">> $His huge belly is only partly covered by $his blouse. <<case "a kimono">> $His kimono demurely covers the sides of $his huge belly. <<case "a hijab and abaya">> $His huge belly tents $his abaya. <<case "a leotard">> $His huge belly lewdly stretches $his leotard. <<if ($activeSlave.bellyAccessory !== "a huge empathy belly") && ($activeSlave.bellyAccessory !== "a large empathy belly")>>You swear you can see $his babies kicking underneath the form fitting material.<</if>> <<case "a chattel habit">> $His huge belly shoves the strip of cloth on $his front to $his side. <<case "a bunny outfit">> $His huge belly is threatening to tear $his teddy, the seams along the side are already splitting. <<default>> $His bare huge pregnant belly catches your eye. <</switch>> <<elseif $activeSlave.weight > 160>> <<= App.Desc.belly($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a Fuckdoll suit">> $His giant gut is alluringly smooth under the tight suit. <<case "conservative clothing">> $His conservative clothing stands no chance of stilling $his giant, jiggling gut. <<case "chains">> $His giant gut jiggles lewdly around $his tight chains. <<case "a slutty qipao">> The front of $his qipao rests atop $his giant gut. <<case "uncomfortable straps">> $His giant gut jiggles lewdly around $his tight straps. <<case "shibari ropes">> $His giant gut jiggles lewdly around $his tight cords. <<case "restrictive latex" "a latex catsuit">> $His giant gut resembles a beachball under $his tight latex. <<case "a military uniform">> The buttons on $his staining jacket threaten to pop off with every motion of $his giant jiggling gut. <<case "a schutzstaffel uniform">> The buttons on $his staining jacket threaten to pop off with every motion of $his giant jiggling gut. <<case "a slutty schutzstaffel uniform">> The buttons on $his staining jacket threaten to pop off with every motion of $his giant jiggling gut. <<case "a red army uniform">> The buttons on $his staining jacket threaten to pop off with every motion of $his giant jiggling gut. <<case "a nice nurse outfit">> $His scrub top jiggles along with $his giant gut as $he moves. <<case "a mini dress">> $His strained minidress shows every jiggle in $his giant gut as $he moves. <<case "a nice maid outfit">> As $he moves, noticeable jiggling can be seen within $his maid's dress. <<case "a penitent nuns habit">> $His habit does nothing to stop $his giant gut from jiggling against the coarse cloth as $he moves. <<case "clubslut netting">> $His clubslut netting jiggles lewdly along with $his giant gut as $he moves. <<case "a cheerleader outfit">> $His giant gut is partially covered by $his cheerleader's top, which happily jiggles along with every motion. <<case "a slave gown">> $His giant jiggly gut is gently caressed by $his gown. <<case "nice business attire">> $His giant gut has no room to move under $his strained jacket. <<case "harem gauze">> $His silken garb and giant, jiggly gut makes $him look like a belly dancer. <<case "a comfortable bodysuit">> The taut material of $his bodysuit shows every jiggle in $his giant gut as $he moves. <<case "a schoolgirl outfit">> The school fatty is jiggling by and ripe for abuse with $his ill-fitting clothes. <<case "a kimono">> Tons of jiggling can be seen through $his kimono whenever $he moves. <<case "a hijab and abaya">> Tons of jiggling can be seen through $his abaya whenever $he moves. <<case "a halter top dress">> $His stretched halter top dress shows every jiggle in $his giant gut as $he moves. <<case "a ball gown">> Your gaze is drawn to $his giant gut by $his fabulous silken ball gown. <<case "a leotard">> The taut material of $his leotard shows every jiggle in $his giant gut as $he moves. <<case "a chattel habit">> $His giant gut jiggles around the strip of cloth down $his front as $he moves. <<case "a bunny outfit">> $He is a sight in $his bunny outfit. $His teddy not only covers $his giant gut, but draws your gaze right to it, though it can't help but jiggle along with $his every motion. <<case "attractive lingerie for a pregnant woman">> $His giant gut is gently framed by $his silken vest. <<case "a maternity dress">> $His loose dress bulges with $his giant gut. <<default>> $His giant bare jiggling gut catches your eye. <</switch>> <<elseif $activeSlave.weight > 130>> <<= App.Desc.belly($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a Fuckdoll suit">> $His big gut is perfectly smoothed by the tight latex. <<case "conservative clothing">> $His conservative clothing stands no chance of stilling $his big, jiggling gut. <<case "chains">> $His big gut jiggles lewdly between $his tight chains. <<case "a huipil">> $His huipil jiggles along with $his big gut. <<case "a slutty qipao">> The front of $his qipao rests atop $his big gut. <<case "uncomfortable straps">> $His big gut jiggles lewdly between $his tight straps. <<case "shibari ropes">> $His big gut jiggles lewdly between $his tight cords. <<case "restrictive latex" "a latex catsuit">> $His big gut has no room to move under $his tight latex. <<case "a military uniform">> The buttons on $his staining jacket struggle to hold back $his big jiggling gut. <<case "a schutzstaffel uniform">> The buttons on $his staining jacket struggle to hold back $his big jiggling gut. <<case "a slutty schutzstaffel uniform">> The buttons on $his staining jacket struggle to hold back $his big jiggling gut. <<case "a red army uniform">> The buttons on $his staining jacket struggle to hold back $his big jiggling gut. <<case "a nice nurse outfit">> $His scrub top jiggles along with $his big gut as $he moves. <<case "a mini dress">> $His stretched minidress shows every jiggle in $his big gut as $he moves. <<case "a slutty maid outfit">> $His big gut is barely covered by a thin white blouse that happily jiggles along with every motion. <<case "a nice maid outfit">> As $he moves, a slight jiggle can be seen within $his maid's dress. <<case "a penitent nuns habit">> $His habit does nothing to stop $his big gut from jiggling against the coarse cloth as $he moves. <<case "clubslut netting">> $His clubslut netting jiggles lewdly along with $his big gut as $he moves. <<case "a cheerleader outfit">> $His big gut is partially covered by $his cheerleader's top, which happily jiggles along with every motion. <<case "a slave gown">> $His big jiggly gut is gently caressed by $his gown. <<case "nice business attire">> Noticeable jiggling from $his big gut can be seen under $his jacket. <<case "harem gauze">> $His silken garb and big, jiggly gut makes $him look like a belly dancer. <<case "a comfortable bodysuit">> The taut material of $his bodysuit shows every jiggle in $his big gut as $he moves. <<case "a schoolgirl outfit">> $His big gut is partially covered by $his blouse, which happily jiggles along with every motion. <<case "a kimono">> Noticeable jiggling can be seen through $his kimono whenever $he moves. <<case "a hijab and abaya">> Noticeable jiggling can be seen through $his abaya whenever $he moves. <<case "a halter top dress">> $His stretched halter top dress shows every jiggle in $his big gut as $he moves. <<case "a ball gown">> Your gaze is drawn to $his big gut by $his fabulous silken ball gown. <<case "a leotard">> The taut material of $his leotard shows every jiggle in $his big gut as $he moves. <<case "an apron">> As $he moves, $his apron jostles just as $his big gut jiggles. <<case "a bunny outfit">> $He is a sight in $his bunny outfit. $His teddy not only controls $his big gut, but draws your gaze right to it. <<case "attractive lingerie for a pregnant woman">> $His big gut is gently framed by $his silken vest. <<case "a maternity dress">> $His loose dress bulges with $his big gut. <<default>> $His big bare jiggling gut catches your eye. <</switch>> <<elseif $activeSlave.bellyPreg >= 5000 || ($activeSlave.bellyAccessory == "a medium empathy belly")>> <<= App.Desc.belly($activeSlave)>> <<switch $activeSlave.clothes>> <<case "conservative clothing">> $His taut blouse shows off $his big belly. <<case "attractive lingerie for a pregnant woman">> $His big belly is gently framed by $his silken vest. <<case "a maternity dress">> $His loose dress is filled out by $his big belly. <<case "chains">> $His big belly bulges between $his tight chains. <<case "a slutty qipao">> The front of $his qipao rests atop $his big belly. <<case "uncomfortable straps">> A steel ring rests around $his navel, held in place by tight straps. $His big belly bulges around them. <<case "shibari ropes">> $His big belly bulges out from between $his ropes. <<case "restrictive latex" "a latex catsuit">> $His big belly looks like a beach ball under $his tight latex, $his popped navel breaks the smoothness. <<case "a military uniform">> $His big belly strains the buttons on $his jacket. <<case "a schutzstaffel uniform">> $His big belly strains the buttons on $his jacket. <<case "a slutty schutzstaffel uniform">> $His big belly strains the buttons on $his jacket. <<case "a red army uniform">> $His big belly strains the buttons on $his jacket. <<case "a nice nurse outfit">> $His large belly strains against $his scrub top, making $him resemble more a maternity ward patient than a nurse. <<case "a mini dress">> $His large belly strains against $his mini dress. <<case "a slutty maid outfit">> $His big belly is partially covered by a thin white blouse. <<case "a nice maid outfit">> $His big belly strains $his maid outfit, $his popped navel is visible under $his apron. <<case "a penitent nuns habit">> $His big belly bulges $his habit, it looks absolutely sinful. <<case "clubslut netting">> $His big belly strains $his clubslut netting. <<case "a cheerleader outfit">> $His big belly is partly covered by $his cheerleader's top. <<case "a halter top dress">> $His big belly fills out $his halter top dress. <<case "a ball gown">> Your gaze is drawn to $his big pregnant belly by $his fabulous silken ball gown. <<case "a slave gown">> $His big belly is gently caressed by $his gown. <<case "nice business attire">> $His big belly strains the buttons on $his jacket. <<case "harem gauze">> $His silken garb and big pregnant belly makes $him look like a belly dancer. <<case "a toga">> $His loose fitted toga leaves plenty of space for $his swollen belly. <<case "a huipil">> $His pregnant belly is so big that the huipil won't even reach $his protruding navel. <<case "a comfortable bodysuit">> $His big belly fills $his bodysuit. <<if ($activeSlave.bellyAccessory !== "a medium empathy belly")>>You swear you can see $his babies kicking underneath the form fitting material.<</if>> <<case "a schoolgirl outfit">> $His big belly is only partly covered by $his blouse. <<case "a kimono">> $His kimono demurely covers $his big belly. <<case "a hijab and abaya">> $His big belly tents $his abaya. <<case "a leotard">> $His big belly stretches $his leotard. <<if ($activeSlave.bellyAccessory !== "a medium empathy belly")>>You swear you can see $his babies kicking underneath the form fitting material.<</if>> <<case "a chattel habit">> $His big belly shoves the strip of cloth on $his front to $his side. <<case "a bunny outfit">> $His big belly strains $his teddy; the seams along the side are showing signs of wear. <<default>> $His bare pregnant belly catches your eye. <</switch>> <<elseif $activeSlave.weight >= 95>> <<= App.Desc.belly($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a Fuckdoll suit">> Its suit is expressly designed to encourage use of its holes. <<case "conservative clothing">> $His taut blouse shows every jiggle in $his fat gut as $he moves. <<case "attractive lingerie for a pregnant woman">> $His fat gut is gently framed by $his silken vest. <<case "a maternity dress">> $His loose dress bulges with $his fat gut. <<case "chains">> $His fat gut jiggles lewdly between $his tight chains. <<case "a slutty qipao">> The front of $his qipao rests atop, and jiggles with, $his fat gut as $he moves. <<case "uncomfortable straps">> $His fat gut jiggles lewdly between $his tight straps. <<case "shibari ropes">> $His fat gut jiggles lewdly between the binding ropes. <<case "restrictive latex" "a latex catsuit">> $His fat gut barely has any room to move under $his tight latex. <<case "a military uniform">> The buttons on $his staining jacket can barely hold back $his fat, jiggling gut. <<case "a schutzstaffel uniform">> The buttons on $his staining jacket can barely hold back $his fat, jiggling gut. <<case "a slutty schutzstaffel uniform">> The buttons on $his staining jacket can barely hold back $his fat, jiggling gut. <<case "a red army uniform">> The buttons on $his staining jacket can barely hold back $his fat, jiggling gut. <<case "a nice nurse outfit">> $His scrub top jiggles along with $his fat gut as $he moves. <<case "a mini dress">> $His stretched minidress shows every jiggle in $his fat gut as $he moves. <<case "a slutty maid outfit">> $His fat gut is partially covered by a thin white blouse, that happily jiggles along with every motion. <<case "a nice maid outfit">> As $he moves, a slight jiggle can be seen within $his maid's dress. <<case "a penitent nuns habit">> $His habit does nothing to stop $his fat gut from jiggling against the coarse cloth as $he moves. <<case "clubslut netting">> $His clubslut netting jiggles lewdly along with $his fat gut as $he moves. <<case "a cheerleader outfit">> $His fat gut is partially covered by $his cheerleader's top, which happily jiggles along with every motion. <<case "a halter top dress">> $His stretched halter top dress shows every jiggle in $his fat gut as $he moves. <<case "a ball gown">> Your gaze is drawn to $his fat gut by $his fabulous silken ball gown. <<case "a slave gown">> $His fat, jiggly gut is gently caressed by $his gown. <<case "nice business attire">> Slight jiggling from $his fat gut can be seen under $his jacket. <<case "harem gauze">> $His silken garb and fat, jiggly gut makes $him look like a belly dancer. <<case "a toga">> $His toga swerves loosely from side to side as $his chubby body moves inside it. <<case "a huipil">> $His lithe huipil can't hide $his voluptuous shape unless $he stands completely still. <<case "a comfortable bodysuit">> The taut material of $his bodysuit shows every jiggle in $his fat gut as $he moves. <<case "a schoolgirl outfit">> $His fat gut is partially covered by $his blouse, which happily jiggles along with every motion. <<case "a kimono">> Slight jiggling can be seen through $his kimono whenever $he moves. <<case "a hijab and abaya">> Slight jiggling can be seen through $his abaya whenever $he moves. <<case "an apron">> $His apron provides some covering to the jiggling of $his fat gut. <<case "a leotard">> The taut material of $his leotard shows every jiggle in $his fat gut as $he moves. <<case "a chattel habit">> $His fat gut jiggles around the strip of cloth down $his front as $he moves. <<case "a bunny outfit">> $He is a sight in $his bunny outfit. The front of $his fat gut is held still by $his teddy, but everything else of it jiggles obscenely with $his every motion. <<default>> $His bare, jiggling, fat gut catches your eye. <</switch>> <<elseif $activeSlave.bellyPreg >= 1500 || ($activeSlave.bellyAccessory == "a small empathy belly")>> <<= App.Desc.belly($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a Fuckdoll suit">> Its suit is expressly designed to encourage use of its holes. <<case "conservative clothing">> $His blouse bulges with $his growing belly. <<case "chains">> $His growing belly bulges between $his tight chains. <<case "a slutty qipao">> The front of $his qipao rests atop $his growing belly. <<case "uncomfortable straps">> A steel ring rests around $his navel, held in place by tight straps. $His growing belly bulges around them. <<case "shibari ropes">> $His growing belly bulges out from between $his ropes. <<case "restrictive latex" "a latex catsuit">> $His growing belly bulges beneath $his tight latex. <<case "a military uniform">> $His growing belly bulges $his uniform tunic. <<case "a schutzstaffel uniform">> $His growing belly bulges $his uniform tunic. <<case "a slutty schutzstaffel uniform">> $His growing belly bulges $his uniform tunic. <<case "a red army uniform">> $His growing belly bulges $his uniform tunic. <<case "a nice nurse outfit">> $His growing belly is clearly visible through $his scrub top. <<case "a mini dress">> $His growing belly bulges $his tight mini dress. <<case "a slutty maid outfit">> $His growing belly bulges $his thin white blouse. <<case "a nice maid outfit">> $His growing belly is concealed by $his maid outfit. <<case "a penitent nuns habit">> $His growing belly bulges $his habit. <<case "attractive lingerie for a pregnant woman">> $His growing belly is gently framed by $his silken vest. <<case "a maternity dress">> $His loose dress conceals $his growing belly. <<case "clubslut netting">> $His growing belly fills out $his clubslut netting. <<case "a cheerleader outfit">> $His growing belly peeks out from under $his cheerleader's top. <<case "a halter top dress">> $His growing belly bulges $his halter top dress. <<case "a ball gown">> Your gaze is drawn to $his growing pregnant belly by $his fabulous silken ball gown. <<case "a slave gown">> $His growing belly is gently caressed by $his gown. <<case "nice business attire">> $His growing belly bulges $his suit jacket. <<case "harem gauze">> $His silken garb and growing pregnant belly makes $him look like a belly dancer. <<case "a toga">> $His toga is so loose that you can barely notice $his growing belly. <<case "a huipil">> $His growing belly can be seen from the sides of $his huipil. <<case "a comfortable bodysuit">> $His growing belly fills $his bodysuit. <<case "a schoolgirl outfit">> $His growing belly peeks out from under $his blouse. <<case "a kimono">> $His kimono demurely covers $his growing belly. <<case "a hijab and abaya">> $His growing belly gently tents $his abaya. <<case "a leotard">> $His growing belly fills $his leotard. <<case "a chattel habit">> $His growing belly shows under the strip of cloth on $his front. <<case "a bunny outfit">> $His growing belly fills $his teddy. <<default>> $His barely visible pregnancy catches your eye. <</switch>> <<else>> <<= App.Desc.belly($activeSlave)>> <<if $activeSlave.weight >= 30>> Slight jiggling can be seen in $his chubby belly as $he moves. <</if>> <<= App.Desc.crotch($activeSlave)>> <<= App.Desc.dick($activeSlave)>> <<= App.Desc.vagina($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a Fuckdoll suit">> Its suit is expressly designed to encourage use of its holes. <<case "uncomfortable straps">> <<if ($activeSlave.dick != 0) && ($activeSlave.vagina != -1)>> A strap passes between $his legs, and the big ring over $his hermaphroditic genitalia gleams from between them. <<elseif ($activeSlave.dick != 0)>> A strap passes between $his legs, and the ring around the base of $his cock gleams from between them. <<else>> A strap passes between $his legs, and the ring over $his pussy gleams from between them. <</if>> <<case "shibari ropes">> $His ropes run tightly between $his legs, pressing $him closely as $he moves. <<case "restrictive latex">> <<if ($activeSlave.dick != 0) && ($activeSlave.vagina != -1)>> $His cock and pussy stick out through a big hole in the latex. <<elseif ($activeSlave.dick != 0)>> $His cock sticks out through a hole in the latex. <<else>> As one of the only islands in the sea of black latex, $his pussy is eye-catching. <</if>> <<case "attractive lingerie for a pregnant woman">> <<if ($activeSlave.dick > 4) && ($activeSlave.balls > 3)>> As $he moves, $his pretty white panties totally fail to restrain $his huge cock and balls, which bounce around lewdly in mockery of $his lovely appearance. <<elseif $activeSlave.dick > 4>> As $he moves, $his pretty white panties totally fail to restrain $his huge penis, which flops around lewdly in mockery of $his lovely appearance. <<elseif $activeSlave.dick != 0>> As $he moves, $his pretty white panties struggle to restrain $his penis. <<else>> As $he moves, $his pretty white panties daintily cover $his womanhood. <</if>> <<case "a maternity dress">> <<if $activeSlave.dick > 2>> As $he moves, something occasionally tents the front of $his dress. <<else>> $His loose dress gives no hints to what's inside it. <</if>> <<case "stretch pants and a crop-top">> <<if $activeSlave.dick > 2>> As $he moves, something occasionally tents the front of $his pants. <<else>> $His tight pants don't leave much to the imagination. <</if>> <<case "attractive lingerie">> <<if ($activeSlave.dick > 4) && ($activeSlave.balls > 3)>> As $he moves, $his pretty white g-string totally fails to restrain $his huge cock and balls, which bounce around lewdly in mockery of $his lovely appearance. <<elseif ($activeSlave.dick > 4)>> As $he moves, $his pretty white g-string totally fails to restrain $his huge penis, which flops around lewdly in mockery of $his lovely appearance. <<elseif ($activeSlave.dick != 0) && ($activeSlave.vagina != -1)>> As $he moves, $his pretty white g-string struggles to restrain $his hermaphroditic genitalia. <<elseif ($activeSlave.dick != 0)>> As $he moves, $his pretty white g-string struggles to restrain $his penis. <<else>> As $he moves, $his pretty white g-string daintily covers $his womanhood. <</if>> <<case "a slutty maid outfit">> <<if ($activeSlave.dick > 4) && ($activeSlave.balls > 3)>> $His apron is cut very short in front. $His cock and balls are so big that $he hangs out beyond the hem of $his apron. <<elseif ($activeSlave.dick > 4)>> $His apron is cut very short in front. $His dick is so big that its lower half dangles out of $his clothing. <<elseif ($activeSlave.dick != 0) && ($activeSlave.vagina != -1)>> $His apron is cut very short in front, revealing frequent glimpses of $his dangling cock, and occasional hints of something more. <<elseif ($activeSlave.dick != 0)>> $His apron is cut very short in front, revealing frequent glimpses of $his dangling cock. <<else>> $His apron is cut very short in front, revealing occasional glimpses of $his womanhood. <</if>> <<case "a nice maid outfit">> <<if ($activeSlave.dick > 4)>> As $he moves, something massive bulges against the front of $his apron. <<elseif ($activeSlave.dick > 1)>> As $he moves, something presses against the front of $his apron. <<else>> $His apron gives no hint of what's behind it. <</if>> <<case "a monokini">> <<if ($activeSlave.dick > 4) && ($activeSlave.vagina != -1)>> $His hermaphroditic genitalia tents out the front of $his monokini as $he moves. <<elseif ($activeSlave.dick != 0) && ($activeSlave.vagina != -1)>> $His hermaphroditic genitalia sometimes bulges $his monokini as $he moves. <<elseif ($activeSlave.dick > 4)>> $His penis tents out the front of $his monokini as $he moves. <<elseif ($activeSlave.dick != 0)>> $His penis sometimes bulges $his monokini as $he moves. <<elseif ($activeSlave.vagina != -1)>> $His monokini clings to $his pussylips as $he moves. <<else>> $His monokini clings to $his featureless groin as $he moves. <</if>> <<case "an apron">> <<if $activeSlave.dick > 3>> $His dick sometimes creates a bulge in $his apron as $he moves. <<elseif ($activeSlave.dick > 0) && ($activeSlave.vagina > -1)>> $His apron exposes $his hemaphroditic genitalia if $he moves too quickly. <<elseif $activeSlave.dick > 0>> $His apron exposes $his cock if $he moves too quickly. <<elseif $activeSlave.vagina > -1>> $His apron exposes $his featureless groin if $he moves too quickly. <<else>> $His apron exposes $his pussy if $he moves too quickly. <</if>> <<case "a cybersuit">> <<if ($activeSlave.dick > 4) && ($activeSlave.vagina != -1)>> $His hermaphroditic genitalia tents out the front of $his bodysuit as $he moves. <<elseif ($activeSlave.dick != 0) && ($activeSlave.vagina != -1)>> $His hermaphroditic genitalia sometimes bulges $his bodysuit as $he moves. <<elseif ($activeSlave.dick > 4)>> $His penis tents out the front of $his bodysuit as $he moves. <<elseif ($activeSlave.dick != 0)>> $His penis sometimes bulges $his bodysuit as $he moves. <<elseif ($activeSlave.vagina != -1)>> $His bodysuit clings to $his pussylips as $he moves. <<else>> $His bodysuit clings to $his featureless crotch as $he moves. <</if>> <<case "a string bikini">> <<if ($activeSlave.dick > 4) && ($activeSlave.vagina != -1)>> As $he moves, $his g-string totally fails to restrain $his hermaphroditic genitalia. <<elseif ($activeSlave.dick != 0) && ($activeSlave.vagina != -1)>> As $he moves, $his g-string struggles to restrain $his hermaphroditic genitalia. <<elseif ($activeSlave.dick > 4) && ($activeSlave.balls > 3)>> As $he moves, $his g-string totally fails to restrain $his huge penis, and occasionally gives $his huge scrotum a painful pinch. <<elseif ($activeSlave.dick > 4)>> As $he moves, $his g-string totally fails to restrain $his huge penis. <<elseif ($activeSlave.dick != 0)>> As $he moves, $his pretty white g-string struggles to restrain $his penis, which adds to $his sluttiness as it escapes. <<else>> As $he moves, $his g-string rides up between $his pussylips. <</if>> <<case "a scalemail bikini">> <<if ($activeSlave.dick > 4) && ($activeSlave.vagina != -1)>> As $he moves, $his scalemail bottom fails to conceal $his hermaphroditic genitalia. <<elseif ($activeSlave.dick > 4)>> As $he moves, $his scalemail bottom fails to conceal $his huge penis. <<elseif ($activeSlave.dick != 0)>> As $he moves, $his scalemail bottom covers $his penis. <<else>> As $he moves, $his scalemail bottom conceals all. <</if>> <<case "clubslut netting">> <<if ($activeSlave.dick != 0)>> As $he moves, $his bare cock flops around, sticking through its hole in $his netting. <<else>> As $he moves, $his bare pussy beckons from its hole in $his netting. <</if>> <<case "a cheerleader outfit">> <<if ($activeSlave.dick != 0)>> As $he moves, $his short pleated cheerleader skirt is bounced forward by something between $his legs. <<else>> As $he moves, $his short pleated cheerleader skirt shows off $his butt. <</if>> <<case "cutoffs and a t-shirt">> <<if ($activeSlave.dick > 4) && ($activeSlave.balls > 3)>> There's a huge bulge in the front of $his cutoffs. <<elseif ($activeSlave.dick > 1)>> There's a bulge in the front of $his cutoffs. <<else>> $His cutoffs conceal $his front enticingly. <</if>> <<case "spats and a tank top">> <<if ($activeSlave.dick > 4)>> $His spats have a large, attention-drawing bulge that looks uncomfortable as $he moves around. <<elseif ($activeSlave.dick > 1)>> Something bulges against the tight fit of $his spats as $he moves. <<else>> $His spats snugly fit to $his crotch as $he moves. <</if>> <<case "a slutty outfit">> <<if ($activeSlave.dick != 0) && ($activeSlave.vagina != -1)>> For today's slutty outfit $he's chosen ripped jean shorts whose holes tantalizingly hint that $he's very unusual between the legs. <<elseif ($activeSlave.dick > 2)>> For today's slutty outfit $he's chosen ripped jean shorts so brief that $his huge dick occasionally escapes and flops free. <<elseif ($activeSlave.dick != 0)>> For today's slutty outfit $he's chosen ripped jean shorts whose holes tantalizingly hint that $he's got something other than a pussy between $his legs. <<else>> For today's slutty outfit $he's chosen ripped jean shorts so tight that $he sports a raging cameltoe. <</if>> <<case "a slave gown">> <<if ($activeSlave.amp == 1) && ($activeSlave.vagina != -1)>> $He's wearing a lovely 'dress' designed specifically for an amputee. <<elseif ($activeSlave.dick != 0) && ($activeSlave.vagina != -1)>> $His gorgeous dress leaves little to the imagination; there's little doubt $his pussy is bare beneath it, and $his cock tents the fabric as $he moves. <<elseif ($activeSlave.dick != 0)>> $His gorgeous dress leaves little to the imagination; $his cock tents the fabric as $he moves. <<else>> $His gorgeous dress leaves little to the imagination; there's little doubt $his pussy is bare beneath it. <</if>> <<case "a halter top dress">> <<if ($activeSlave.amp == 1) && ($activeSlave.vagina != -1)>> $He's wearing a 'beautiful halter top dress' designed specifically for an amputee. <<elseif ($activeSlave.dick != 0) && ($activeSlave.vagina != -1)>> $His beautiful halter top dress is almost sculpted around $his, but $his cock tents the fabric as $he moves. <<elseif ($activeSlave.dick != 0)>> $His beautiful halter top dress is almost sculpted around $his; but $his cock tents the fabric as $he moves. <<else>> $His beautiful halter top dress is almost sculpted around $his. <</if>> <<case "a ball gown">> <<if ($activeSlave.amp == 1) && ($activeSlave.vagina != -1)>> $He's wearing a 'fabulous silken ball gown' designed specifically for an amputee. <<elseif ($activeSlave.dick != 0) && ($activeSlave.vagina != -1)>> $His fabulous silken ball gown is draped around $his, but $his cock tents the fabric as $he moves. <<elseif ($activeSlave.dick != 0)>> $His fabulous silken ball gown is draped around $his; but $his cock tents the fabric as $he moves. <<else>> $His fabulous silken ball gown is draped around $his. <</if>> <<case "slutty business attire">> <<if ($activeSlave.dick > 4)>> As $he moves, something massive tents the front of $his short skirt. <<elseif ($activeSlave.dick > 1)>> As $he moves, something presses against the front of $his short skirt. <<else>> $His short skirt gives no hint of what's behind it. <</if>> <<case "a fallen nuns habit">> <<if ($activeSlave.dick > 0)>> $His slutty nun outfit leaves $his cock to swing sacrilegiously. <<else>> $His slutty nun outfit leaves $his pussy totally and sacrilegiously bare. <</if>> <<case "a chattel habit">> $His chattel habit makes $his sexual status immediately and encouragingly obvious. <<case "a penitent nuns habit">> <<if ($activeSlave.dick > 0)>> $He moves with painful caution, desperately trying to keep $his coarse habit from chafing $his dick raw. <<else>> $He moves with painful caution, desperately trying to keep $his coarse habit from chafing $his pussy raw. <</if>> <<case "nice business attire">> <<if ($activeSlave.dick > 4)>> As $he moves, something massive tents the front of $his skirt. <<elseif ($activeSlave.dick > 1)>> As $he moves, something presses against the front of $his skirt. <<else>> Unusually, $his businesslike skirt gives no hint of what's behind it. <</if>> <<case "a slutty nurse outfit">> $His tight skirt constantly threatens to ride up in front. <<case "a schoolgirl outfit">> $His schoolgirl skirt is so short that it constantly threatens to ride up in front. <<case "a kimono">> $His obi demurely covers $his front. <<case "a hijab and abaya">> $His abaya billows somewhat as $he moves. <<case "battledress">> $His fatigue trousers are utilitarian and unflattering. <<case "a comfortable bodysuit">> <<if ($activeSlave.dick != 0)>> $His bodysuit displays every inch of $his member as $he moves. <<else>> $His bodysuit shows off $his womanhood as $he moves. <</if>> <<case "a leotard">> <<if ($activeSlave.dick > 0) && canAchieveErection($activeSlave)>> $He's got $his erection tucked vertically upward under the tight material of $his leotard. <<elseif ($activeSlave.dick > 0)>> The tight material of $his leotard hugs and minimizes the size of $his soft member as $he moves. <<else>> The thin crotch piece of $his leotard occasionally threatens to ride up between $his pussylips as $he moves. <</if>> <<case "a bunny outfit">> <<if ($activeSlave.dick > 0) && canAchieveErection($activeSlave)>> $He's moving uncomfortably, as though $his teddy isn't tailored quite perfectly for what $he's got going on in front. <<elseif ($activeSlave.dick > 0)>> $His teddy is tailored well enough to minimize the fact that $he isn't a natural woman. <<else>> As $he moves, the satin material of $his bunny outfit flashes just a hint of inviting pussy. <</if>> <<case "harem gauze">> <<if ($activeSlave.dick != 0) && ($activeSlave.vagina != -1)>> $His hermaphroditic genitals are clearly visible through the thin gauze that covers them. <<elseif ($activeSlave.dick != 0)>> $His dick is clearly visible through the thin gauze that covers it. <<else>> $His pussy is clearly visible through the thin gauze that covers it. <</if>> <<case "slutty jewelry">> <<if ($activeSlave.dick != 0) && ($activeSlave.vagina != -1)>> $His belt of light chain has a lewd bauble over $his stomach; its weight pulls it down towards $his hermaphroditic genitalia with each step. <<elseif ($activeSlave.dick != 0)>> $His belt of light chain has a lewd bauble over $his stomach; its weight pulls it down towards the base of $his penis with each step. <<else>> $His belt of light chain has a lewd bauble over $his stomach; its weight pulls it down towards $his mons with each step. <</if>> <<default>> <<if ($activeSlave.vaginalAccessory == "chastity belt")>> $His chastity belt protects $him from vanilla intercourse. <<elseif ($activeSlave.dick != 0) && ($activeSlave.vagina != -1)>> You get a good view of $his cock and pussy: a marvel of modern surgery. <<elseif ($activeSlave.dick != 0)>> You get a good view of $his cock. <<else>> You get a good view of $his pussy. <</if>> <</switch>> <<if ($activeSlave.vaginalAccessory == "long dildo") || ($activeSlave.vaginalAccessory == "long, large dildo") || ($activeSlave.vaginalAccessory == "long, huge dildo")>> With every motion $he makes; $his dildo shifts, bulging out $his stomach. <<if ($activeSlave.buttPlug == "long plug") || ($activeSlave.buttPlug == "long, large plug") || ($activeSlave.buttPlug == "long, huge plug")>> Beside it, a second bulge caused by $his extra long buttplug. <</if>> <<elseif ($activeSlave.buttPlug == "long plug") || ($activeSlave.buttPlug == "long, large plug") || ($activeSlave.buttPlug == "long, huge plug")>> With every motion $he makes; $his buttplug shifts, bulging out $his stomach. <</if>> <</if>> <<else>> /* implant descs */ <<if $activeSlave.bellyImplant >= 32000>> <<= App.Desc.bellyImplant($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a very tight corset">> $His corset struggles to contain $his enormous belly. <<case "chains">> $His enormous belly bulges in between $his tight chains. <<case "uncomfortable straps">> A steel ring rests around $his navel, held in place by tight straps. $His enormous belly bulges around them. <<case "shibari ropes">> $His enormous belly bulges out from between $his ropes. <<case "restrictive latex" "a latex catsuit">> $His enormous belly makes $him look like a giant balloon under the tight latex, $his popped navel breaks the smoothness. <<case "a nice nurse outfit">> $He's decided to become the maternity ward, judging by the enormous belly $he sports. <<case "a maternity dress">> $His tight dress is strained by $his enormous belly. <<case "a nice maid outfit">> $His enormous belly is covered only by an apron. <<case "a penitent nuns habit">> $His enormous belly strains $his habit, it looks absolutely sinful. <<case "a ball gown">> Your gaze is drawn to $his enormous belly by $his striking silken ball gown. <<case "harem gauze">> $His silken garb and enormous belly makes $him look like a belly dancer. <<case "a comfortable bodysuit">> $His enormous belly lewdly fills $his bodysuit. <<case "a schoolgirl outfit">> The school blimp is waddling by. <<case "a monokini">> $His monokini only covers the lower quarter of $his enormous belly. <<case "an apron">> $His apron covers only a fraction of $his enormous belly. <<case "a cybersuit">> $His enormous belly lewdly stretches $his bodysuit. <<case "a hijab and abaya">> $His enormous belly pushes out $his abaya. <<case "a leotard">> $His enormous belly lewdly stretches $his leotard. <<case "a toga">> $His loose fitted toga dangles pathetically to either side of $his enormous belly. <<case "a huipil">> $His taut belly is so enormous that the huipil barely covers any of it. <<default>> $His bare enormous stomach catches your eye. <</switch>> <<elseif $activeSlave.bellyImplant >= 16000>> <<= App.Desc.bellyImplant($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a very tight corset">> $His corset struggles to contain $his giant belly. <<case "chains">> $His giant belly bulges in between $his tight chains. <<case "uncomfortable straps">> A steel ring rests around $his navel, held in place by tight straps. $His giant belly bulges around them. <<case "shibari ropes">> $His giant belly bulges out from between $his ropes. <<case "restrictive latex" "a latex catsuit">> $His giant belly makes $him look like a balloon under the tight latex, $his popped navel breaks the smoothness. <<case "a nice nurse outfit">> $His giant belly makes $him resemble a maternity ward patient rather than a nurse. <<case "attractive lingerie for a pregnant woman">> $His giant belly is gently framed by $his silken vest. <<case "a maternity dress">> $His loose dress is completely filled by $his giant belly. <<case "a nice maid outfit">> $His maid outfit struggles to contain $his giant belly, $his popped navel is visible under $his apron. <<case "a penitent nuns habit">> $His giant belly fills $his habit, it looks absolutely sinful. <<case "a halter top dress">> $His giant belly fills $his halter top dress, it struggles to contain $his belly. <<case "a ball gown">> Your gaze is drawn to $his giant belly by $his struggling fabulous silken ball gown. <<case "harem gauze">> $His silken garb and giant belly makes $him look like a belly dancer. <<case "a comfortable bodysuit">> $His giant belly lewdly fills $his bodysuit. <<case "a schoolgirl outfit">> The school bicycle is waddling by. <<case "a monokini">> $His monokini only covers the lower half of $his giant belly. <<case "an apron">> $His apron struggles to cover most of $his giant belly. <<case "a cybersuit">> $His giant belly lewdly stretches $his bodysuit. <<case "a hijab and abaya">> $His giant belly fills $his abaya. <<case "a leotard">> $His giant belly lewdly stretches $his leotard. <<case "a toga">> $His loose fitted toga dangles to either side of $his giant belly. <<case "a huipil">> $His belly is so giant that the huipil barely makes it half-way to $his protruding navel. <<default>> $His bare giant belly catches your eye. <</switch>> <<elseif $activeSlave.weight > 190>> <<= App.Desc.belly($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a Fuckdoll suit">> $His massive gut is alluringly smooth under the tight suit. <<case "conservative clothing">> $His conservative clothing stands no chance of stilling $his massive, jiggling gut. <<case "chains">> $His massive gut jiggles lewdly around $his tight chains. <<case "a slutty qipao">> The front of $his qipao rests atop $his massive gut. <<case "uncomfortable straps">> $His massive gut jiggles lewdly around $his tight straps. <<case "shibari ropes">> $His massive gut jiggles lewdly around $his tight cords. <<case "restrictive latex" "a latex catsuit">> $His massive gut resembles a large beachball under $his tight latex. <<case "a nice nurse outfit">> $His scrub top jiggles along with $his massive gut as $he moves. <<case "a mini dress">> $His tearing minidress shows every jiggle in $his massive gut as $he moves. <<case "a monokini">> $His massive gut spills out over the front of $his monokini. <<case "an apron">> $His apron rests upon $his massive gut, which jiggles as $he moves. <<case "a cybersuit">> The taut material of $his bodysuit shows every jiggle in $his massive gut as $he moves. <<case "a nice maid outfit">> As $he moves, barely any jiggling can be seen within $his straining maid's dress. <<case "a penitent nuns habit">> $His habit does nothing to stop $his massive gut from jiggling against the coarse cloth as $he moves. <<case "clubslut netting">> $His clubslut netting jiggles lewdly along with $his massive gut as $he moves. Every so often, another section gives out allowing a roll of fat to spring free; it's quite entertaining to watch. <<case "a cheerleader outfit">> $His massive gut jiggles its own cheer with $his every motion. <<case "a slave gown">> $His massive jiggly gut is gently caressed by $his gown. <<case "harem gauze">> $His silken garb and massive, jiggly gut makes $him look like a belly dancer. <<case "a comfortable bodysuit">> The taut material of $his bodysuit shows every jiggle in $his massive gut as $he moves. <<case "a schoolgirl outfit">> The school blimp is jiggling by and ripe for abuse with $his ill-fitting clothes. <<case "a kimono">> $His massive gut threatens to pop out of $his kimono with every motion. <<case "a hijab and abaya">> $His massive gut has no room left to move within $his overstuffed abaya. <<case "a halter top dress">> $His strained halter top dress shows every jiggle in $his massive gut as $he moves. Every little motion threatens to burst $his seams and free the soft mass to the world. <<case "a ball gown">> Your gaze is drawn to $his massive gut by $his fabulous silken ball gown. Every little motion has a chance for it to pop out and jiggle free for all to see clearly. <<case "a leotard">> The taut material of $his leotard shows every jiggle in $his massive gut as $he moves. A pair of small ridges adorn $his sides where they have managed to push through the leotard's failing seams. <<case "a bunny outfit">> $He is a sight in $his bunny outfit. The front of $his massive gut is held still by $his overworked teddy, but everything else of it jiggles obscenely with $his every motion. <<case "attractive lingerie for a pregnant woman">> $His massive gut is gently framed by $his silken vest. <<case "a maternity dress">> $His once loose dress bulges with $his massive gut. <<default>> $His massive bare jiggling gut catches your eye. <</switch>> <<elseif $activeSlave.bellyImplant >= 8000>> <<= App.Desc.bellyImplant($activeSlave)>> <<switch $activeSlave.clothes>> <<case "conservative clothing">> $His taut blouse shows off $his huge belly. <<case "attractive lingerie for a pregnant woman">> $His huge belly is gently framed by $his silken vest. <<case "a maternity dress">> $His loose dress is completely filled by $his huge belly. <<case "chains">> $His huge belly bulges between $his tight chains. <<case "a slutty qipao">> The front of $his qipao rests atop $his huge belly. <<case "uncomfortable straps">> A steel ring rests around $his navel, held in place by tight straps. $His huge belly bulges around them. <<case "shibari ropes">> $His huge belly bulges out from between $his ropes. <<case "restrictive latex" "a latex catsuit">> $His huge belly looks like a large beach ball under $his tight latex, $his popped navel breaks the smoothness. <<case "a military uniform">> $His huge belly threatens to pop the buttons off $his tunic. <<case "a schutzstaffel uniform">> $His huge belly threatens to pop the buttons off $his tunic. <<case "a slutty schutzstaffel uniform">> $His huge belly threatens to pop the buttons off $his tunic. <<case "a red army uniform">> $His huge belly threatens to pop the buttons off $his tunic. <<case "a nice nurse outfit">> $His huge belly strains against $his scrub top, making $him resemble more a maternity ward patient than a nurse. <<case "a mini dress">> $His huge belly threatens to tear apart $his mini dress. <<case "a slutty maid outfit">> $His huge belly is partially covered by a thin white blouse. <<case "a nice maid outfit">> $His huge belly threatens to tear $his maid outfit open, $his popped navel is visible under $his apron. <<case "a penitent nuns habit">> $His huge belly bulges $his habit, it looks absolutely sinful. <<case "clubslut netting">> $His huge belly threatens to tear apart $his clubslut netting. <<case "a cheerleader outfit">> $His huge belly is partly covered by $his cheerleader's top. <<case "a halter top dress">> $His huge belly fills out $his halter top dress, the seams straining to contain it. <<case "a ball gown">> Your gaze is drawn to $his huge belly by $his fabulous silken ball gown. <<case "a slave gown">> $His huge belly is gently caressed by $his gown. <<case "nice business attire">> $His huge belly threatens to pop the buttons off $his jacket. <<case "harem gauze">> $His silken garb and huge belly makes $him look like a belly dancer. <<case "a comfortable bodysuit">> $His huge belly lewdly fills $his bodysuit. <<case "a schoolgirl outfit">> $His huge belly is only partly covered by $his blouse. <<case "a monokini">> $His monokini only covers the lower three quarters of $his huge belly. <<case "a cybersuit">> $His huge belly lewdly stretches $his bodysuit. <<case "a kimono">> $His kimono demurely covers the sides of $his huge belly. <<case "a hijab and abaya">> $His huge belly tents $his abaya. <<case "a leotard">> $His huge belly lewdly stretches $his leotard. <<case "an apron">> $His apron is filled out by $his huge belly. <<case "a chattel habit">> $His huge belly shoves the strip of cloth on $his front to $his side. <<case "a bunny outfit">> $His huge belly is threatening to tear $his teddy, the seams along the side are already splitting. <<case "a toga">> $His loose fitted toga leaves plenty of space for $his swollen belly. <<case "a huipil">> $His belly is so huge that the huipil won't even come close to reaching $his protruding navel. <<default>> $His bare huge belly catches your eye. <</switch>> <<elseif $activeSlave.weight > 160>> <<= App.Desc.belly($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a Fuckdoll suit">> $His giant gut is alluringly smooth under the tight suit. <<case "conservative clothing">> $His conservative clothing stands no chance of stilling $his giant, jiggling gut. <<case "chains">> $His giant gut jiggles lewdly around $his tight chains. <<case "a slutty qipao">> The front of $his qipao rests atop $his giant gut. <<case "uncomfortable straps">> $His giant gut jiggles lewdly around $his tight straps. <<case "shibari ropes">> $His giant gut jiggles lewdly around $his tight cords. <<case "restrictive latex" "a latex catsuit">> $His giant gut resembles a beachball under $his tight latex. <<case "a military uniform">> The buttons on $his staining jacket threaten to pop off with every motion of $his giant jiggling gut. <<case "a schutzstaffel uniform">> The buttons on $his staining jacket threaten to pop off with every motion of $his giant jiggling gut. <<case "a slutty schutzstaffel uniform">> The buttons on $his staining jacket threaten to pop off with every motion of $his giant jiggling gut. <<case "a red army uniform">> The buttons on $his staining jacket threaten to pop off with every motion of $his giant jiggling gut. <<case "a nice nurse outfit">> $His scrub top jiggles along with $his giant gut as $he moves. <<case "a mini dress">> $His strained minidress shows every jiggle in $his giant gut as $he moves. <<case "a monokini">> $His monokini struggles to reign in $his giant gut. <<case "an apron">> $His apron offers no cover to the jiggles of $his giant gut as $he moves. <<case "a cybersuit">> The taut material of $his bodysuit shows every jiggle in $his giant gut as $he moves. <<case "a nice maid outfit">> As $he moves, noticeable jiggling can be seen within $his maid's dress. <<case "a penitent nuns habit">> $His habit does nothing to stop $his giant gut from jiggling against the coarse cloth as $he moves. <<case "clubslut netting">> $His clubslut netting jiggles lewdly along with $his giant gut as $he moves. <<case "a cheerleader outfit">> $His giant gut is partially covered by $his cheerleader's top, which happily jiggles along with every motion. <<case "a slave gown">> $His giant jiggly gut is gently caressed by $his gown. <<case "nice business attire">> $His giant gut has no room to move under $his strained jacket. <<case "harem gauze">> $His silken garb and giant, jiggly gut makes $him look like a belly dancer. <<case "a comfortable bodysuit">> The taut material of $his bodysuit shows every jiggle in $his giant gut as $he moves. <<case "a schoolgirl outfit">> The school fatty is jiggling by and ripe for abuse with $his ill-fitting clothes. <<case "a kimono">> Tons of jiggling can be seen through $his kimono whenever $he moves. <<case "a hijab and abaya">> Tons of jiggling can be seen through $his abaya whenever $he moves. <<case "a halter top dress">> $His stretched halter top dress shows every jiggle in $his giant gut as $he moves. <<case "a ball gown">> Your gaze is drawn to $his giant gut by $his fabulous silken ball gown. <<case "a leotard">> The taut material of $his leotard shows every jiggle in $his giant gut as $he moves. <<case "a chattel habit">> $His giant gut jiggles around the strip of cloth down $his front as $he moves. <<case "a bunny outfit">> $He is a sight in $his bunny outfit. $His teddy not only covers $his giant gut, but draws your gaze right to it, though it can't help but jiggle along with $his every motion. <<case "attractive lingerie for a pregnant woman">> $His giant gut is gently framed by $his silken vest. <<case "a maternity dress">> $His loose dress bulges with $his giant gut. <<default>> $His giant bare jiggling gut catches your eye. <</switch>> <<elseif $activeSlave.weight > 130>> <<= App.Desc.belly($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a Fuckdoll suit">> $His big gut is perfectly smoothed by the tight latex. <<case "conservative clothing">> $His conservative clothing stands no chance of stilling $his big, jiggling gut. <<case "chains">> $His big gut jiggles lewdly between $his tight chains. <<case "a huipil">> $His huipil jiggles along with $his big gut. <<case "a slutty qipao">> The front of $his qipao rests atop $his big gut. <<case "uncomfortable straps">> $His big gut jiggles lewdly between $his tight straps. <<case "shibari ropes">> $His big gut jiggles lewdly between $his tight cords. <<case "restrictive latex" "a latex catsuit">> $His big gut has no room to move under $his tight latex. <<case "a military uniform">> The buttons on $his staining jacket struggle to hold back $his big jiggling gut. <<case "a schutzstaffel uniform">> The buttons on $his staining jacket struggle to hold back $his big jiggling gut. <<case "a slutty schutzstaffel uniform">> The buttons on $his staining jacket struggle to hold back $his big jiggling gut. <<case "a red army uniform">> The buttons on $his staining jacket struggle to hold back $his big jiggling gut. <<case "a nice nurse outfit">> $His scrub top jiggles along with $his big gut as $he moves. <<case "a mini dress">> $His stretched minidress shows every jiggle in $his big gut as $he moves. <<case "a monokini">> $His big gut stretches out the fabric of $his monokini. <<case "an apron">> As $he moves, $his apron jostles just as $his big gut jiggles. <<case "a cybersuit">> The taut material of $his bodysuit shows every jiggle in $his big gut as $he moves. <<case "a slutty maid outfit">> $His big gut is barely covered by a thin white blouse that happily jiggles along with every motion. <<case "a nice maid outfit">> As $he moves, a slight jiggle can be seen within $his maid's dress. <<case "a penitent nuns habit">> $His habit does nothing to stop $his big gut from jiggling against the coarse cloth as $he moves. <<case "clubslut netting">> $His clubslut netting jiggles lewdly along with $his big gut as $he moves. <<case "a cheerleader outfit">> $His big gut is partially covered by $his cheerleader's top, which happily jiggles along with every motion. <<case "a slave gown">> $His big jiggly gut is gently caressed by $his gown. <<case "nice business attire">> Noticeable jiggling from $his big gut can be seen under $his jacket. <<case "harem gauze">> $His silken garb and big, jiggly gut makes $him look like a belly dancer. <<case "a comfortable bodysuit">> The taut material of $his bodysuit shows every jiggle in $his big gut as $he moves. <<case "a schoolgirl outfit">> $His big gut is partially covered by $his blouse, which happily jiggles along with every motion. <<case "a kimono">> Noticeable jiggling can be seen through $his kimono whenever $he moves. <<case "a hijab and abaya">> Noticeable jiggling can be seen through $his abaya whenever $he moves. <<case "a halter top dress">> $His stretched halter top dress shows every jiggle in $his big gut as $he moves. <<case "a ball gown">> Your gaze is drawn to $his big gut by $his fabulous silken ball gown. <<case "a leotard">> The taut material of $his leotard shows every jiggle in $his big gut as $he moves. <<case "a bunny outfit">> $He is a sight in $his bunny outfit. $His teddy not only controls $his big gut, but draws your gaze right to it. <<case "attractive lingerie for a pregnant woman">> $His big gut is gently framed by $his silken vest. <<case "a maternity dress">> $His loose dress bulges with $his big gut. <<default>> $His big bare jiggling gut catches your eye. <</switch>> <<elseif $activeSlave.bellyImplant >= 4000>> <<= App.Desc.bellyImplant($activeSlave)>> <<switch $activeSlave.clothes>> <<case "conservative clothing">> $His taut blouse shows off $his big belly. <<case "chains">> $His big belly bulges between $his tight chains. <<case "a slutty qipao">> The front of $his qipao rests atop $his big belly. <<case "uncomfortable straps">> A steel ring rests around $his navel, held in place by tight straps. $His big belly bulges around them. <<case "shibari ropes">> $His big belly bulges out from between $his ropes. <<case "restrictive latex" "a latex catsuit">> $His big belly looks like a beach ball under $his tight latex, $his popped navel breaks the smoothness. <<case "a military uniform">> $His big belly strains the buttons on $his jacket. <<case "a schutzstaffel uniform">> $His big belly strains the buttons on $his jacket. <<case "a slutty schutzstaffel uniform">> $His big belly strains the buttons on $his jacket. <<case "a red army uniform">> $His big belly strains the buttons on $his jacket. <<case "a nice nurse outfit">> $His large belly strains against $his scrub top, making $him resemble more a maternity ward patient than a nurse. <<case "a mini dress">> $His large belly strains against $his mini dress. <<case "a monokini">> $His monokini is rounded out by $his large belly. <<case "an apron">> $His apron is rounded out by $his large belly. <<case "a cybersuit">> $His big belly stretches $his bodysuit. <<case "a slutty maid outfit">> $His big belly is partially covered by a thin white blouse. <<case "a nice maid outfit">> $His big belly strains $his maid outfit, $his popped navel is visible under $his apron. <<case "a penitent nuns habit">> $His big belly bulges $his habit, it looks absolutely sinful. <<case "clubslut netting">> $His big belly strains $his clubslut netting. <<case "a cheerleader outfit">> $His big belly is partly covered by $his cheerleader's top. <<case "a halter top dress">> $His big belly fills out $his halter top dress. <<case "a ball gown">> Your gaze is drawn to $his big belly by $his fabulous silken ball gown. <<case "a slave gown">> $His big belly is gently caressed by $his gown. <<case "nice business attire">> $His big belly strains the buttons on $his jacket. <<case "harem gauze">> $His silken garb and big belly makes $him look like a belly dancer. <<case "a comfortable bodysuit">> $His big belly fills $his bodysuit. <<case "a schoolgirl outfit">> $His big belly is only partly covered by $his blouse. <<case "a kimono">> $His kimono demurely covers $his big belly. <<case "a hijab and abaya">> $His big belly tents $his abaya. <<case "a leotard">> $His big belly stretches $his leotard. <<case "a chattel habit">> $His big belly shoves the strip of cloth on $his front to $his side. <<case "a bunny outfit">> $His big belly is strains $his teddy, the seams along the side are showing signs of wear. <<case "a toga">> $His loose fitted toga leaves plenty of space for $his swollen belly. <<case "a huipil">> $His pregnant belly is so big that the huipil won't even reach $his protruding navel. <<default>> $His bare belly catches your eye. <</switch>> <<elseif $activeSlave.weight >= 95>> <<= App.Desc.bellyImplant($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a Fuckdoll suit">> Its suit is expressly designed to encourage use of its holes. <<case "conservative clothing">> $His taut blouse shows every jiggle in $his fat gut as $he moves. <<case "chains">> $His fat gut jiggles lewdly between $his tight chains. <<case "a slutty qipao">> The front of $his qipao rests atop, and jiggles with, $his fat gut as $he moves. <<case "uncomfortable straps">> $His fat gut jiggles lewdly between $his tight straps. <<case "shibari ropes">> $His fat gut jiggles lewdly between the binding ropes. <<case "restrictive latex" "a latex catsuit">> $His fat gut barely has any room to move under $his tight latex. <<case "a military uniform">> The buttons on $his staining jacket can barely hold back $his fat, jiggling gut. <<case "a schutzstaffel uniform">> The buttons on $his staining jacket can barely hold back $his fat, jiggling gut. <<case "a slutty schutzstaffel uniform">> The buttons on $his staining jacket can barely hold back $his fat, jiggling gut. <<case "a red army uniform">> The buttons on $his staining jacket can barely hold back $his fat, jiggling gut. <<case "a nice nurse outfit">> $His scrub top jiggles along with $his fat gut as $he moves. <<case "a mini dress">> $His stretched minidress shows every jiggle in $his fat gut as $he moves. <<case "a monokini">> $His monokini clings to the size and shape of $his fat gut. <<case "an apron">> $His apron provides some covering to the jiggling of $his fat gut. <<case "a cybersuit">> The taut material of $his bodysuit shows every jiggle in $his fat gut as $he moves. <<case "a slutty maid outfit">> $His fat gut is partially covered by a thin white blouse, that happily jiggles along with every motion. <<case "a nice maid outfit">> As $he moves, a slight jiggle can be seen within $his maid's dress. <<case "a penitent nuns habit">> $His habit does nothing to stop $his fat gut from jiggling against the coarse cloth as $he moves. <<case "clubslut netting">> $His clubslut netting jiggles lewdly along with $his fat gut as $he moves. <<case "a cheerleader outfit">> $His fat gut is partially covered by $his cheerleader's top, which happily jiggles along with every motion. <<case "a halter top dress">> $His stretched halter top dress shows every jiggle in $his fat gut as $he moves. <<case "a ball gown">> Your gaze is drawn to $his fat gut by $his fabulous silken ball gown. <<case "a slave gown">> $His fat, jiggly gut is gently caressed by $his gown. <<case "nice business attire">> Slight jiggling from $his fat gut can be seen under $his jacket. <<case "harem gauze">> $His silken garb and fat, jiggly gut makes $him look like a belly dancer. <<case "a comfortable bodysuit">> The taut material of $his bodysuit shows every jiggle in $his fat gut as $he moves. <<case "a schoolgirl outfit">> $His fat gut is partially covered by $his blouse, which happily jiggles along with every motion. <<case "a kimono">> Slight jiggling can be seen through $his kimono whenever $he moves. <<case "a hijab and abaya">> Slight jiggling can be seen through $his abaya whenever $he moves. <<case "a leotard">> The taut material of $his leotard shows every jiggle in $his fat gut as $he moves. <<case "a chattel habit">> $His fat gut jiggles around the strip of cloth down $his front as $he moves. <<case "a bunny outfit">> $He is a sight in $his bunny outfit. The front of $his fat gut is held still by $his teddy, but everything else of it jiggles obscenely with $his every motion. <<case "a toga">> $His toga swerves loosely from side to side as $his chubby body moves inside it. <<case "a huipil">> $His lithe huipil can't hide $his voluptuous shape unless $he stands completely still. <<default>> $His bare, jiggling, fat gut catches your eye. <</switch>> <<elseif $activeSlave.bellyImplant >= 2000>> <<= App.Desc.bellyImplant($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a Fuckdoll suit">> Its suit is expressly designed to encourage use of its holes. <<case "conservative clothing">> $His blouse bulges with $his distended belly. <<case "chains">> $His distended belly bulges between $his tight chains. <<case "a slutty qipao">> The front of $his qipao rests atop $his distended belly. <<case "uncomfortable straps">> A steel ring rests around $his navel, held in place by tight straps. $His distended belly bulges around them. <<case "shibari ropes">> $His distended belly bulges out from between $his ropes. <<case "restrictive latex" "a latex catsuit">> $His distended belly bulges beneath $his tight latex. <<case "a military uniform">> $His distended belly bulges $his uniform tunic. <<case "a schutzstaffel uniform">> $His distended belly bulges $his uniform tunic. <<case "a slutty schutzstaffel uniform">> $His distended belly bulges $his uniform tunic. <<case "a red army uniform">> $His distended belly bulges $his uniform tunic. <<case "a nice nurse outfit">> $His distended belly is clearly visible through $his scrub top. <<case "a mini dress">> $His distended belly bulges $his tight mini dress. <<case "a monokini">> $His monokini bulges from $his distended belly. <<case "an apron">> $His apron is rounded out by $his distended belly. <<case "a cybersuit">> $His distended belly fills $his bodysuit. <<case "a slutty maid outfit">> $His distended belly bulges $his thin white blouse. <<case "a nice maid outfit">> $His distended belly is concealed by $his maid outfit. <<case "a penitent nuns habit">> $His distended belly bulges $his habit. <<case "attractive lingerie for a pregnant woman">> $His distended belly is gently framed by $his silken vest. <<case "a maternity dress">> $His loose dress conceals $his distended belly. <<case "clubslut netting">> $His distended belly fills out $his clubslut netting. <<case "a cheerleader outfit">> $His distended belly peeks out from under $his cheerleader's top. <<case "a halter top dress">> $His distended belly bulges $his halter top dress. <<case "a ball gown">> Your gaze is drawn to $his distended belly by $his fabulous silken ball gown. <<case "a slave gown">> $His distended belly is gently caressed by $his gown. <<case "nice business attire">> $His distended belly bulges $his suit jacket. <<case "harem gauze">> $His silken garb and distended belly makes $him look like a belly dancer. <<case "a comfortable bodysuit">> $His distended belly fills $his bodysuit. <<case "a schoolgirl outfit">> $His distended belly peeks out from under $his blouse. <<case "a kimono">> $His kimono demurely covers $his distended belly. <<case "a hijab and abaya">> $His distended belly gently tents $his abaya. <<case "a leotard">> $His distended belly fills $his leotard. <<case "a chattel habit">> $His distended belly shows under the strip of cloth on $his front. <<case "a bunny outfit">> $His distended belly fills $his teddy. <<case "a toga">> $His toga is so loose that you can barely notice $his growing belly. <<case "a huipil">> $His distended belly can be seen from the sides of $his huipil. <<default>> $His slightly rounded belly catches your eye. <</switch>> <</if>> <</if>> <<else>> /* inflation descs */ <<if $activeSlave.weight > 190>> <<= App.Desc.belly($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a Fuckdoll suit">> $His massive gut is alluringly smooth under the tight suit. <<case "conservative clothing">> $His conservative clothing stands no chance of stilling $his massive, jiggling gut. <<case "chains">> $His massive gut jiggles lewdly around $his tight chains. <<case "a slutty qipao">> The front of $his qipao rests atop $his massive gut. <<case "uncomfortable straps">> $His massive gut jiggles lewdly around $his tight straps. <<case "shibari ropes">> $His massive gut jiggles lewdly around $his tight cords. <<case "restrictive latex" "a latex catsuit">> $His massive gut resembles a large beachball under $his tight latex. <<case "a nice nurse outfit">> $His scrub top jiggles along with $his massive gut as $he moves. <<case "a mini dress">> $His tearing minidress shows every jiggle in $his massive gut as $he moves. <<case "a monokini">> $His massive gut spills out from the top of $his monokini as $he moves. <<case "an apron">> $His apron rests upon $his massive gut, which jiggles as $he moves. <<case "a cybersuit">> The taut material of $his bodysuit shows every jiggle in $his massive gut as $he moves. <<case "a nice maid outfit">> As $he moves, barely any jiggling can be seen within $his straining maid's dress. <<case "a penitent nuns habit">> $His habit does nothing to stop $his massive gut from jiggling against the coarse cloth as $he moves. <<case "clubslut netting">> $His clubslut netting jiggles lewdly along with $his massive gut as $he moves. Every so often, another section gives out allowing a roll of fat to spring free; it's quite entertaining to watch. <<case "a cheerleader outfit">> $His massive gut jiggles its own cheer with $his every motion. <<case "a slave gown">> $His massive jiggly gut is gently caressed by $his gown. <<case "harem gauze">> $His silken garb and massive, jiggly gut makes $him look like a belly dancer. <<case "a comfortable bodysuit">> The taut material of $his bodysuit shows every jiggle in $his massive gut as $he moves. <<case "a schoolgirl outfit">> The school blimp is jiggling by and ripe for abuse with $his ill-fitting clothes. <<case "a kimono">> $His massive gut threatens to pop out of $his kimono with every motion. <<case "a hijab and abaya">> $His massive gut has no room left to move within $his overstuffed abaya. <<case "a halter top dress">> $His strained halter top dress shows every jiggle in $his massive gut as $he moves. Every little motion threatens to burst $his seams and free the soft mass to the world. <<case "a ball gown">> Your gaze is drawn to $his massive gut by $his fabulous silken ball gown. Every little motion has a chance for it to pop out and jiggle free for all to see clearly. <<case "a leotard">> The taut material of $his leotard shows every jiggle in $his massive gut as $he moves. A pair of small ridges adorn $his sides where they have managed to push through the leotard's failing seams. <<case "a bunny outfit">> $He is a sight in $his bunny outfit. The front of $his massive gut is held still by $his overworked teddy, but everything else of it jiggles obscenely with $his every motion. <<case "attractive lingerie for a pregnant woman">> $His massive gut is gently framed by $his silken vest. <<case "a maternity dress">> $His once loose dress bulges with $his massive gut. <<default>> $His massive bare jiggling gut catches your eye. <</switch>> <<elseif $activeSlave.inflation == 3>> <<= App.Desc.bellyInflation($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a Fuckdoll suit">> Its suit is expressly designed to encourage use of its holes. <<case "conservative clothing">> $His taut blouse shows off $his taut, sloshing belly. <<case "attractive lingerie for a pregnant woman">> $His taut, sloshing belly is gently framed by $his silken vest. <<case "a maternity dress">> $His loose dress is completely filled by $his taut, sloshing belly. <<case "chains">> $His taut, sloshing belly bulges between $his tight chains. <<case "a slutty qipao">> The front of $his qipao rests atop $his taut, sloshing belly. <<case "uncomfortable straps">> A steel ring rests around $his navel, held in place by tight straps. $His taut, sloshing belly bulges around them. <<case "shibari ropes">> $His taut, sloshing belly bulges out from between $his ropes. <<case "restrictive latex" "a latex catsuit">> $His taut, sloshing belly looks like a large beach ball under $his tight latex, $his popped navel breaks the smoothness. <<case "a military uniform">> $His taut, sloshing belly threatens to pop the buttons off $his tunic. $His belly bulges out between them. <<case "a schutzstaffel uniform">> $His taut, sloshing belly threatens to pop the buttons off $his tunic. $His belly bulges out between them. <<case "a slutty schutzstaffel uniform">> $His taut, sloshing belly threatens to pop the buttons off $his tunic. $His belly bulges out between them. <<case "a red army uniform">> $His taut, sloshing belly threatens to pop the buttons off $his tunic. $His belly bulges out between them. <<case "a nice nurse outfit">> $His taut, sloshing belly strains against $his scrub top, making $him resemble more a maternity ward patient than a nurse. <<case "a mini dress">> $His taut, sloshing belly threatens to tear apart $his mini dress. <<case "a slutty maid outfit">> $His taut, sloshing belly is partially covered by a thin white blouse. <<case "a nice maid outfit">> $His taut, sloshing belly threatens to tear $his maid outfit open, $his popped navel is visible under $his apron. <<case "a penitent nuns habit">> $His taut, sloshing belly bulges $his habit, it looks absolutely sinful. <<case "clubslut netting">> $His taut, sloshing belly threatens to tear apart $his clubslut netting. $His belly bulges obscenely through the mesh. <<case "a cheerleader outfit">> $His taut, sloshing belly is partly covered by $his cheerleader's top. <<case "a halter top dress">> $His taut, sloshing belly fills out $his halter top dress, the seams straining to contain it. $His belly bulges between the gaps. <<case "a ball gown">> Your gaze is drawn to $his taut, sloshing belly by $his fabulous silken ball gown. <<case "a slave gown">> $His taut, sloshing belly is gently caressed by $his gown. <<case "nice business attire">> $His taut, sloshing belly threatens to pop the buttons off $his jacket. $His belly bulges between the buttons. <<case "harem gauze">> $His silken garb and taut, sloshing belly makes $him look like a belly dancer. That'd be a show. <<case "a comfortable bodysuit">> $His taut, sloshing belly lewdly fills $his bodysuit. The form fitting material jiggling obscenely with $his body's contents. <<case "a schoolgirl outfit">> $His taut, sloshing belly is only partly covered by $his blouse. <<case "a kimono">> $His kimono demurely covers the sides of $his taut, sloshing belly. <<case "a monokini">> $His monokini fails to fully cover $his taut, sloshing belly. <<case "an apron">> $His apron struggles to wrap around $his taut, sloshing belly. <<case "a cybersuit">> $His taut, sloshing belly lewdly stretches $his bodysuit. The form fitting material jiggling obscenely with $his body's contents. <<case "a hijab and abaya">> $His taut, sloshing belly tents $his abaya. <<case "a leotard">> $His taut, sloshing belly lewdly stretches $his leotard. The form fitting material jiggling obscenely with $his body's contents. <<case "a chattel habit">> $His taut, sloshing belly shoves the strip of cloth on $his front to $his side. <<case "a bunny outfit">> $His taut, sloshing belly is threatening to tear $his teddy, the seams along the side are already splitting. $His belly is bulging out the gaps. <<case "a toga">> $His loose fitted toga leaves plenty of space for $his taut, sloshing belly. <<case "a huipil">> $His taut, sloshing belly is so huge that the huipil doesn't even come close to covering it. <<default>> $His bare, taut, sloshing belly catches your eye. <</switch>> <<elseif $activeSlave.weight > 160>> <<= App.Desc.belly($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a Fuckdoll suit">> $His giant gut is alluringly smooth under the tight suit. <<case "conservative clothing">> $His conservative clothing stands no chance of stilling $his giant, jiggling gut. <<case "chains">> $His giant gut jiggles lewdly around $his tight chains. <<case "a slutty qipao">> The front of $his qipao rests atop $his giant gut. <<case "uncomfortable straps">> $His giant gut jiggles lewdly around $his tight straps. <<case "shibari ropes">> $His giant gut jiggles lewdly around $his tight cords. <<case "restrictive latex" "a latex catsuit">> $His giant gut resembles a beachball under $his tight latex. <<case "a military uniform">> The buttons on $his staining jacket threaten to pop off with every motion of $his giant jiggling gut. <<case "a schutzstaffel uniform">> The buttons on $his staining jacket threaten to pop off with every motion of $his giant jiggling gut. <<case "a slutty schutzstaffel uniform">> The buttons on $his staining jacket threaten to pop off with every motion of $his giant jiggling gut. <<case "a red army uniform">> The buttons on $his staining jacket threaten to pop off with every motion of $his giant jiggling gut. <<case "a nice nurse outfit">> $His scrub top jiggles along with $his giant gut as $he moves. <<case "a mini dress">> $His strained minidress shows every jiggle in $his giant gut as $he moves. <<case "a monokini">> $His giant gut causes $his monokini to jiggle alongside it as $he moves. <<case "an apron">> $His apron offers no cover to the jiggles of $his giant gut as $he moves. <<case "a cybersuit">> The taut material of $his bodysuit shows every jiggle in $his giant gut as $he moves. <<case "a nice maid outfit">> As $he moves, noticeable jiggling can be seen within $his maid's dress. <<case "a penitent nuns habit">> $His habit does nothing to stop $his giant gut from jiggling against the coarse cloth as $he moves. <<case "clubslut netting">> $His clubslut netting jiggles lewdly along with $his giant gut as $he moves. <<case "a cheerleader outfit">> $His giant gut is partially covered by $his cheerleader's top, which happily jiggles along with every motion. <<case "a slave gown">> $His giant jiggly gut is gently caressed by $his gown. <<case "nice business attire">> $His giant gut has no room to move under $his strained jacket. <<case "harem gauze">> $His silken garb and giant, jiggly gut makes $him look like a belly dancer. <<case "a comfortable bodysuit">> The taut material of $his bodysuit shows every jiggle in $his giant gut as $he moves. <<case "a schoolgirl outfit">> The school fatty is jiggling by and ripe for abuse with $his ill-fitting clothes. <<case "a kimono">> Tons of jiggling can be seen through $his kimono whenever $he moves. <<case "a hijab and abaya">> Tons of jiggling can be seen through $his abaya whenever $he moves. <<case "a halter top dress">> $His stretched halter top dress shows every jiggle in $his giant gut as $he moves. <<case "a ball gown">> Your gaze is drawn to $his giant gut by $his fabulous silken ball gown. <<case "a leotard">> The taut material of $his leotard shows every jiggle in $his giant gut as $he moves. <<case "a chattel habit">> $His giant gut jiggles around the strip of cloth down $his front as $he moves. <<case "a bunny outfit">> $He is a sight in $his bunny outfit. $His teddy not only covers $his giant gut, but draws your gaze right to it, though it can't help but jiggle along with $his every motion. <<case "attractive lingerie for a pregnant woman">> $His giant gut is gently framed by $his silken vest. <<case "a maternity dress">> $His loose dress bulges with $his giant gut. <<default>> $His giant bare jiggling gut catches your eye. <</switch>> <<elseif $activeSlave.weight > 130>> <<= App.Desc.belly($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a Fuckdoll suit">> $His big gut is perfectly smoothed by the tight latex. <<case "conservative clothing">> $His conservative clothing stands no chance of stilling $his big, jiggling gut. <<case "chains">> $His big gut jiggles lewdly between $his tight chains. <<case "a huipil">> $His huipil jiggles along with $his big gut. <<case "a slutty qipao">> The front of $his qipao rests atop $his big gut. <<case "uncomfortable straps">> $His big gut jiggles lewdly between $his tight straps. <<case "shibari ropes">> $His big gut jiggles lewdly between $his tight cords. <<case "restrictive latex" "a latex catsuit">> $His big gut has no room to move under $his tight latex. <<case "a military uniform">> The buttons on $his staining jacket struggle to hold back $his big jiggling gut. <<case "a schutzstaffel uniform">> The buttons on $his staining jacket struggle to hold back $his big jiggling gut. <<case "a red army uniform">> The buttons on $his staining jacket struggle to hold back $his big jiggling gut. <<case "a nice nurse outfit">> $His scrub top jiggles along with $his big gut as $he moves. <<case "a mini dress">> $His stretched minidress shows every jiggle in $his big gut as $he moves. <<case "a monokini">> $His monokini struggles to stop $his big gut from jiggling as $he moves. <<case "an apron">> As $he moves, $his apron jostles just as $his big gut jiggles. <<case "a cybersuit">> The taut material of $his bodysuit shows every jiggle in $his big gut as $he moves. <<case "a slutty maid outfit">> $His big gut is barely covered by a thin white blouse that happily jiggles along with every motion. <<case "a nice maid outfit">> As $he moves, a slight jiggle can be seen within $his maid's dress. <<case "a penitent nuns habit">> $His habit does nothing to stop $his big gut from jiggling against the coarse cloth as $he moves. <<case "clubslut netting">> $His clubslut netting jiggles lewdly along with $his big gut as $he moves. <<case "a cheerleader outfit">> $His big gut is partially covered by $his cheerleader's top, which happily jiggles along with every motion. <<case "a slave gown">> $His big jiggly gut is gently caressed by $his gown. <<case "nice business attire">> Noticeable jiggling from $his big gut can be seen under $his jacket. <<case "harem gauze">> $His silken garb and big, jiggly gut makes $him look like a belly dancer. <<case "a comfortable bodysuit">> The taut material of $his bodysuit shows every jiggle in $his big gut as $he moves. <<case "a schoolgirl outfit">> $His big gut is partially covered by $his blouse, which happily jiggles along with every motion. <<case "a kimono">> Noticeable jiggling can be seen through $his kimono whenever $he moves. <<case "a hijab and abaya">> Noticeable jiggling can be seen through $his abaya whenever $he moves. <<case "a halter top dress">> $His stretched halter top dress shows every jiggle in $his big gut as $he moves. <<case "a ball gown">> Your gaze is drawn to $his big gut by $his fabulous silken ball gown. <<case "a leotard">> The taut material of $his leotard shows every jiggle in $his big gut as $he moves. <<case "a bunny outfit">> $He is a sight in $his bunny outfit. $His teddy not only controls $his big gut, but draws your gaze right to it. <<case "attractive lingerie for a pregnant woman">> $His big gut is gently framed by $his silken vest. <<case "a maternity dress">> $His loose dress bulges with $his big gut. <<default>> $His big bare jiggling gut catches your eye. <</switch>> <<elseif $activeSlave.inflation == 2>> <<= App.Desc.bellyInflation($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a Fuckdoll suit">> Its suit is expressly designed to encourage use of its holes. <<case "conservative clothing">> $His taut blouse shows off $his rounded, sloshing belly. <<case "chains">> $His rounded, sloshing belly bulges between $his tight chains. <<case "a slutty qipao">> The front of $his qipao rests atop $his rounded, sloshing belly. <<case "uncomfortable straps">> A steel ring rests around $his navel, held in place by tight straps. $His rounded, sloshing belly bulges around them. <<case "attractive lingerie for a pregnant woman">> $His rounded, sloshing belly is gently framed by $his silken vest. <<case "a maternity dress">> $His loose dress is filled by $his rounded, sloshing belly. <<case "shibari ropes">> $His rounded, sloshing belly bulges out from between $his ropes. <<case "restrictive latex" "a latex catsuit">> $His rounded, sloshing belly looks like a beach ball under $his tight latex, $his popped navel breaks the smoothness. <<case "a military uniform">> $His rounded, sloshing belly strains the buttons on $his jacket. It bulges slightly between them. <<case "a schutzstaffel uniform">> $His rounded, sloshing belly strains the buttons on $his jacket. It bulges slightly between them. <<case "a slutty schutzstaffel uniform">> $His rounded, sloshing belly strains the buttons on $his jacket. It bulges slightly between them. <<case "a red army uniform">> $His rounded, sloshing belly strains the buttons on $his jacket. It bulges slightly between them. <<case "a nice nurse outfit">> $His rounded, sloshing belly strains against $his scrub top, making $him resemble more a maternity ward patient than a nurse. <<case "a mini dress">> $His rounded, sloshing belly strains against $his mini dress. <<case "a slutty maid outfit">> $His rounded, sloshing belly is partially covered by a thin white blouse. <<case "a nice maid outfit">> $His rounded, sloshing belly strains $his maid outfit, $his popped navel is visible under $his apron. <<case "a penitent nuns habit">> $His rounded, sloshing belly bulges $his habit, it looks absolutely sinful. <<case "clubslut netting">> $His rounded, sloshing belly strains $his clubslut netting. <<case "a cheerleader outfit">> $His rounded, sloshing belly is partly covered by $his cheerleader's top. <<case "a halter top dress">> $His rounded, sloshing belly fills out $his halter top dress. <<case "a ball gown">> Your gaze is drawn to $his rounded, sloshing belly by $his fabulous silken ball gown. <<case "a slave gown">> $His rounded, sloshing belly is gently caressed by $his gown. <<case "nice business attire">> $His rounded, sloshing belly strains the buttons on $his jacket. It bulges slightly between them. <<case "harem gauze">> $His silken garb and rounded, sloshing belly makes $him look like a belly dancer. That'd be a show. <<case "a comfortable bodysuit">> $His rounded, sloshing belly fills $his bodysuit. Every movement of the liquid within $his is very visible. <<case "a schoolgirl outfit">> $His rounded, sloshing belly is only partly covered by $his blouse. <<case "a kimono">> $His kimono demurely covers $his rounded, sloshing belly. <<case "a monokini">> $His monokini struggles to cover ger rounded, sloshing belly. <<case "a cybersuit">> $His rounded, sloshing belly fills $his bodysuit. Every movement of the liquid within $his is very visible. <<case "a hijab and abaya">> $His rounded, sloshing belly tents $his abaya. <<case "a leotard">> $His rounded, sloshing belly stretches $his leotard. Every movement of the liquid within $his is very visible. <<case "a chattel habit">> $His rounded, sloshing belly shoves the strip of cloth on $his front to $his side. <<case "a bunny outfit">> $His rounded, sloshing belly is strains $his teddy, the seams along the side are showing signs of wear. <<case "a toga">> $His loose fitted toga leaves plenty of space for $his rounded, sloshing belly. <<case "a huipil">> $His rounded, sloshing belly is so big that the huipil can barely cover it. <<default>> $His bare, rounded, sloshing belly catches your eye. <</switch>> <<elseif $activeSlave.weight >= 95>> <<= App.Desc.belly($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a Fuckdoll suit">> Its suit is expressly designed to encourage use of its holes. <<case "conservative clothing">> $His taut blouse shows every jiggle in $his fat gut as $he moves. <<case "chains">> $His fat gut jiggles lewdly between $his tight chains. <<case "a slutty qipao">> The front of $his qipao rests atop, and jiggles with, $his fat gut as $he moves. <<case "uncomfortable straps">> $His fat gut jiggles lewdly between $his tight straps. <<case "shibari ropes">> $His fat gut jiggles lewdly between the binding ropes. <<case "restrictive latex" "a latex catsuit">> $His fat gut barely has any room to move under $his tight latex. <<case "a military uniform">> The buttons on $his staining jacket can barely hold back $his fat, jiggling gut. <<case "a schutzstaffel uniform">> The buttons on $his staining jacket can barely hold back $his fat, jiggling gut. <<case "a slutty schutzstaffel uniform">> The buttons on $his staining jacket can barely hold back $his fat, jiggling gut. <<case "a red army uniform">> The buttons on $his staining jacket can barely hold back $his fat, jiggling gut. <<case "a nice nurse outfit">> $His scrub top jiggles along with $his fat gut as $he moves. <<case "a mini dress">> $His stretched minidress shows every jiggle in $his fat gut as $he moves. <<case "a monokini">> $His fat gut bulges out $his monokini, which stops $his from jiggling as $he moves. <<case "an apron">> $His apron provides some covering to the jiggling of $his fat gut. <<case "a cybersuit">> The taut material of $his bodysuit shows every jiggle in $his fat gut as $he moves. <<case "a slutty maid outfit">> $His fat gut is partially covered by a thin white blouse, that happily jiggles along with every motion. <<case "a nice maid outfit">> As $he moves, a slight jiggle can be seen within $his maid's dress. <<case "a penitent nuns habit">> $His habit does nothing to stop $his fat gut from jiggling against the coarse cloth as $he moves. <<case "clubslut netting">> $His clubslut netting jiggles lewdly along with $his fat gut as $he moves. <<case "a cheerleader outfit">> $His fat gut is partially covered by $his cheerleader's top, which happily jiggles along with every motion. <<case "a halter top dress">> $His stretched halter top dress shows every jiggle in $his fat gut as $he moves. <<case "a ball gown">> Your gaze is drawn to $his fat gut by $his fabulous silken ball gown. <<case "a slave gown">> $His fat, jiggly gut is gently caressed by $his gown. <<case "nice business attire">> Slight jiggling from $his fat gut can be seen under $his jacket. <<case "harem gauze">> $His silken garb and fat, jiggly gut makes $him look like a belly dancer. <<case "a comfortable bodysuit">> The taut material of $his bodysuit shows every jiggle in $his fat gut as $he moves. <<case "a schoolgirl outfit">> $His fat gut is partially covered by $his blouse, which happily jiggles along with every motion. <<case "a kimono">> Slight jiggling can be seen through $his kimono whenever $he moves. <<case "a hijab and abaya">> Slight jiggling can be seen through $his abaya whenever $he moves. <<case "a leotard">> The taut material of $his leotard shows every jiggle in $his fat gut as $he moves. <<case "a chattel habit">> $His fat gut jiggles around the strip of cloth down $his front as $he moves. <<case "a bunny outfit">> $He is a sight in $his bunny outfit. The front of $his fat gut is held still by $his teddy, but everything else of it jiggles obscenely with $his every motion. <<case "a toga">> $His toga swerves loosely from side to side as $his chubby body moves inside it. <<case "a huipil">> $His lithe huipil can't hide $his voluptuous shape unless $he stands completely still. <<default>> $His bare, jiggling, fat gut catches your eye. <</switch>> <<elseif $activeSlave.inflation == 1>> <<= App.Desc.bellyInflation($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a Fuckdoll suit">> Its suit is expressly designed to encourage use of its holes. <<case "conservative clothing">> $His blouse bulges with $his distended belly. <<case "chains">> $His distended belly bulges between $his tight chains. <<case "a slutty qipao">> The front of $his qipao rests atop $his distended belly. <<case "uncomfortable straps">> A steel ring rests around $his navel, held in place by tight straps. $His distended belly bulges around them. <<case "shibari ropes">> $His distended belly bulges out from between $his ropes. <<case "restrictive latex" "a latex catsuit">> $His distended belly bulges beneath $his tight latex. <<case "a military uniform">> $His distended belly bulges $his uniform tunic. <<case "a schutzstaffel uniform">> $His distended belly bulges $his uniform tunic. <<case "a slutty schutzstaffel uniform">> $His distended belly bulges $his uniform tunic. <<case "a red army uniform">> $His distended belly bulges $his uniform tunic. <<case "a nice nurse outfit">> $His distended belly is clearly visible through $his scrub top. <<case "a mini dress">> $His distended belly bulges $his tight mini dress. <<case "a slutty maid outfit">> $His distended belly bulges $his thin white blouse. <<case "a nice maid outfit">> $His distended belly is concealed by $his maid outfit. <<case "a penitent nuns habit">> $His distended belly bulges $his habit. <<case "attractive lingerie for a pregnant woman">> $His distended belly is gently framed by $his silken vest. <<case "a maternity dress">> $His loose dress conceals $his distended belly. <<case "clubslut netting">> $His distended belly fills out $his clubslut netting. <<case "a cheerleader outfit">> $His distended belly peeks out from under $his cheerleader's top. <<case "a halter top dress">> $His distended belly bulges $his halter top dress. <<case "a ball gown">> Your gaze is drawn to $his distended belly by $his fabulous silken ball gown. <<case "a slave gown">> $His distended belly is gently caressed by $his gown. <<case "nice business attire">> $His distended belly bulges $his suit jacket. <<case "harem gauze">> $His silken garb and distended belly makes $him look like a belly dancer. <<case "a comfortable bodysuit">> $His distended belly fills $his bodysuit. <<case "a schoolgirl outfit">> $His distended belly peeks out from under $his blouse. <<case "a kimono">> $His kimono demurely covers $his distended belly. <<case "a monokini">> $His monokini manages to cover $his distended belly. <<case "a cybersuit">> $His distended belly fills $his bodysuit. <<case "a hijab and abaya">> $His distended belly gently tents $his abaya. <<case "a leotard">> $His distended belly fills $his leotard. <<case "a chattel habit">> $His distended belly shows under the strip of cloth on $his front. <<case "a bunny outfit">> $His distended belly fills $his teddy. <<case "a toga">> $His toga is so loose that you can barely notice $his distended belly. <<case "a huipil">> $His distended belly can be seen from the sides of $his huipil. <<default>> $His distended belly catches your eye. <</switch>> <</if>> <</if>> <<set _target = "FVagina">> <<elseif (_seed > 20)>> <<= App.Desc.anus($activeSlave)>> <<switch $activeSlave.clothes>> <<case "a Fuckdoll suit">> Its suit is expressly designed to encourage use of its rear hole. <<case "uncomfortable straps">> The ring over $his asshole beckons. <<case "shibari ropes">> The rope between $his buttocks presses lewdly against $his anus as $he moves. <<case "restrictive latex">> As one of the only islands in the sea of black latex, $his asshole is eye catching. <<case "a fallen nuns habit">> $His slutty nun outfit leaves $his butthole bare and available for anal sin. <<case "a chattel habit">> $His chattel habit covers $his anus with a strip of cloth, but it's designed to be lifted readily. <<case "a penitent nuns habit">> $His habit chafes $his rear end so cruelly that it would probably be a relief to $him to have it pulled up for a rough buttfuck. <<case "attractive lingerie">> <<if ($activeSlave.anus > 1) && ($activeSlave.amp == 1)>> $His pretty g-string frequently fails to cover $his big butthole. <<elseif ($activeSlave.anus > 1)>> As $he moves, $his pretty g-string frequently fails to cover $his big butthole. <<else>> As $he moves, $his pretty g-string draws your attention to $his ass. <</if>> <<case "a succubus outfit">> $His succubus outfit's tail holds $his skirt up high in back, inviting a damning buttfuck. <<case "a nice maid outfit">> $His long maid's skirt will have to be gotten out of the way to permit access to $his ass. <<case "a slutty maid outfit">> $His short maid's skirt can be lifted to reveal $his bare buttocks. <<case "a slutty nurse outfit">> $His tight skirt flatters $his ass as $he moves. <<case "a schoolgirl outfit">> <<if $activeSlave.anus == 0>> This schoolgirl clearly needs to lose $his anal virginity. <<elseif $activeSlave.vagina == 0>> This schoolgirl clearly takes it up the ass; that way, $he can remain a virgin, and be, like, totally pure and innocent. <<else>> This schoolgirl clearly takes it up the ass. <</if>> <<case "a kimono">> <<if ($activeSlave.butt > 5)>> $His kimono demurely covers $his behind, though it cannot conceal its massive shape. <<else>> $His kimono demurely covers $his behind. <</if>> <<case "attractive lingerie for a pregnant woman">> $His silken panties are just begging to be torn off. <<case "a maternity dress">> <<if $activeSlave.butt > 5>> $His dress covers $his behind, though it cannot conceal its massive size. <<else>> $His dress demurely covers $his behind. <</if>> <<case "stretch pants and a crop-top">> $He can easily be pantsed to reveal $his bare buttocks. <<case "a hijab and abaya">> <<if ($activeSlave.butt > 5)>> $His abaya totally covers $his behind, though it cannot conceal its massive shape. <<else>> $His abaya totally conceals $his behind. <</if>> <<case "battledress">> $His fatigue trousers are not particularly flattering to $his butt. <<case "a monokini">> The bottom of $his monokini is practically sculpted to fit $his ass. <<case "a cybersuit">> As $his buttocks work naturally with $his movement, $his tight bodysuit gives hints of $his asshole. <<case "a string bikini">> <<if ($activeSlave.anus > 1)>> As $he moves, $his big butthole is clearly visible behind $his tiny g-string. <<else>> As $he moves, $his tiny g-string draws your attention to $his ass. <</if>> <<case "a scalemail bikini">> $His scalemail bottom draws attention to $his ass cheeks, while concealing $his rear hole. <<case "clubslut netting">> As $he moves, the hole in $his netting right over $his butthole looks inviting. <<case "a cheerleader outfit">> As $he moves, $his short pleated cheerleader skirt shows off $his butt. <<case "cutoffs and a t-shirt">> As $he moves, $his tight cutoffs flatter $his butt. <<case "spats and a tank top">> $His spats show off every curve of $his ass. <<case "a slutty outfit">> <<if ($activeSlave.butt > 5)>> For today's slutty outfit $he's chosen a leather skirt with zippers that permit ready access to $his butt. <<else>> For today's slutty outfit $he's chosen fishnets with a hole cut over $his asshole so $he can be sodomized without removing or damaging $his clothing. <</if>> <<case "a slave gown">> $His gorgeous dress leaves little to the imagination; there's little doubt $his butt is bare beneath it. <<case "a halter top dress">> $His dress should slide up over $his butt to reveal $his backdoor. <<case "a ball gown">> $His ballgown and its petticoats could easily be flipped up to bare $his butt. <<case "slutty business attire">> $His short skirt will easily slide up to bare $his asshole. <<case "nice business attire">> $His conservative skirt can be slid up over $his hips to bare $his butthole. <<case "a comfortable bodysuit">> $His bodysuit demands attention for $his tightly clad backdoor. <<case "a latex catsuit">> $His latex catsuit's crotch zipper offer ready access to $his backdoor. <<case "a military uniform">> $His uniform skirt can be slid up over $his hips to bare $his butthole. <<case "a schutzstaffel uniform">> $His uniform's trousers can be easily slid down to expose $his butthole. <<case "a slutty schutzstaffel uniform">> $His uniform miniskirt can be easily slid up over $his hips to bare $his butthole. <<case "a red army uniform">> $His uniform skirt can be slid up over $his hips to bare $his butthole. <<case "a nice nurse outfit">> $His nurse's trousers can be easily slid down to expose $his butthole. <<case "a mini dress">> $His mini dress can be easily slid up to expose $his butthole. <<case "an apron">> $His apron leaves $his asshole completely exposed. <<case "a leotard">> As $his buttocks work naturally with $his movement, $his tight leotard gives hints of $his asshole. <<case "a bunny outfit">> $His fluffy white cottontail draws attention to $his butt, inevitably bringing anal to mind. <<case "harem gauze">> $His ass is clearly visible through the thin gauze that covers it. <<case "a toga">> $His toga is so transparent it can't hide $his asscrack, which looks very seductive. <<case "a huipil">> $His huipil can be easily lifted to access $his naked butt. <<case "slutty jewelry">> $His belt of light chain threatens to dip into $his asscrack with each step. <<default>> <<if ($activeSlave.vaginalAccessory == "chastity belt")>> $His chastity belt leaves $his ass available. <<else>> You run your eye over $his naked ass. <</if>> <</switch>> <<set _target = "FAnus">> <<elseif (_seed > 0)>> <<= App.Desc.face($activeSlave)>> <<= App.Desc.mouth($activeSlave)>> <<switch $activeSlave.collar>> <<case "a Fuckdoll suit">> Its suit is expressly designed to encourage use of its face hole. <<case "uncomfortable leather">> $His uncomfortable leather collar makes $him swallow and lick $his lips periodically, making it look like $he's offering oral even though $he's just trying to relieve the discomfort. <<case "tight steel" "cruel retirement counter">> $His tight steel collar makes $him swallow and lick $his lips periodically, making it look like $he's offering oral even though $he's just trying to relieve the discomfort. <<case "preg biometrics">> $His collar reveals everything about $his womb, bringing eyes straight to $his belly before drawing them back to $his neck. <<case "dildo gag">> $His ring gag would make $him ready for oral service, as soon as the formidable dildo it secures down $his throat is removed. <<case "massive dildo gag">> Your eyes are drawn to the distinct bulge in $his throat caused by the enormous dildo in it, though $his mouth would only be suitable for the largest of cocks right now. <<case "shock punishment">> $His shock collar rests threateningly at $his throat, ready to compel $him to do anything you wish. <<case "neck corset">> $His fitted neck corset keeps $his breaths shallow, and $his head posture rigidly upright. <<case "stylish leather">> $His stylish leather collar is at once a fashion statement, and a subtle indication of $his enslavement. <<case "satin choker">> $His elegant satin choker is at once a fashion statement, and a subtle indication of $his enslavement. <<case "silk ribbon">> $His delicate, fitted silken ribbon is at once a fashion statement, and a subtle indication of $his enslavement. <<case "heavy gold">> $His heavy gold collar draws attention to the sexual decadence of $his mouth. <<case "pretty jewelry" "nice retirement counter">> $His pretty necklace can hardly be called a collar, but it's just slavish enough to hint that the throat it rests on is available. <<case "leather with cowbell">> $His cowbell tinkles merrily whenever $he moves, instantly dispelling any grace or gravity. <<case "bowtie">> $His black bowtie contrasts with $his white collar, drawing the eye towards $his neck and face. <<case "ancient Egyptian">> $His wesekh glints richly as $he moves, sparkling with opulence and sensuality. <<case "ball gag">> $His ball gag uncomfortably holds $his jaw apart as it fills $his mouth. <<case "bit gag">> $His bit gag uncomfortably keeps $him from closing $his jaw; drool visibly pools along the corners of $his mouth, where the rod forces back $his cheeks. <<case "porcelain mask">> $His beautiful porcelain mask hides $his unsightly facial features. <<default>> $His unadorned <<if $PC.dick == 1>>throat is just waiting to be wrapped around a thick shaft<<else>>lips are just begging for a cunt to lavish attention on<</if>>. <</switch>> <<if random(1,3) == 1>> <<set _target = "FKiss">> <<else>> <<set _target = "FLips">> <</if>> <</if>> <<if $activeSlave.fuckdoll == 0>> <<if (_seed <= 80) && (_seed > 40) && ($activeSlave.vaginalAccessory == "chastity belt")>> //If you wish to have vanilla intercourse with $him you must order $him to remove $his chastity belt.// <<elseif _seed > 100>> <<if $familyTesting == 1 && _seed == 110>> <<else>> <span id="walkpast"><<link "Summon them both">><<replace "#walk">><<include _target>><</replace>><</link>></span> <</if>> <<elseif $activeSlave.assignment == "stay confined">> <span id="walkpast"><<link "Have $him brought out of $his cell">><<replace "#walk">><<include _target>><</replace>><</link>></span> <<elseif ($activeSlave.assignment == "work in the dairy") && ($dairyRestraintsSetting > 1)>> //$He is strapped into a milking machine and cannot leave $dairyName.// <<elseif ($activeSlave.assignmentVisible == 0)>> <span id="walkpast"><<link "Have $him take a break and come up">><<replace "#walk">><<include _target>><</replace>><</link>></span> <<else>> <span id="walkpast"><<link "Call $him over">><<replace "#walk">><<include _target>><</replace>><</link>></span> <</if>> <<else>> <<switch _target>> <<case "FVagina">> <span id="walkpast"><<link "Fuck it">><<replace "#walk">><<FFuckdollVaginal>><</replace>><</link>></span> <<case "FButt" "FAnus">> <span id="walkpast"><<link "Fuck it">><<replace "#walk">><<FFuckdollAnal>><</replace>><</link>></span> <<default>> <span id="walkpast"><<link "Fuck it">><<replace "#walk">><<FFuckdollOral>><</replace>><</link>></span> <</switch>> <</if>> </span> //
MonsterMate/fc
devNotes/legacy files/walkPast.txt
Text
mit
192,646
## Basic documentation for the limb access functions in the new limb system. ### ID system The new system uses new IDs instead of the old ones. ``` limb new old no limb: 0 1 natural: 1 0 basic: 2 -1 sex: 3 -2 beauty: 4 -3 combat: 5 -4 cybernetic: 6 -5 ``` ### Usage example: ``` <<if isAmputee($activeSlave)>> Slave is full amputee. <</if>> ``` Most functions can be used like this, though some are more specialized. ### Functions: #### Read-only functions: * `isAmputee(slave)`: True if slave has no limbs, neither natural nor prosthetic. * `hasAnyNaturalLimbs(slave)`: True if slave has at least one natural limb. * `hasAnyProstheticLimbs(slave)`: True if slave has at least one prosthetic limb. * `hasAnyLegs(slave)`: True if slave has at least one leg. * `hasAnyArms(slave)`: True if slave has at least one arm. * `hasAnyNaturalLegs(slave)`: True if slave has at least one leg that is natural * `hasAnyNaturalArms(slave)`: True if slave has at least one arm that is natural * `hasAnyProstheticArms(slave)`: True if slave has at least one arm that is prosthetic * `hasBothLegs(slave)`: True if slave has both legs. * `hasBothArms(slave)`: True if slave has both arms. * `hasBothNaturalLegs(slave)`: True if slave has both legs and they are natural. * `hasBothNaturalArms(slave)`: True if slave has both arms and they are natural. * `hasAllLimbs(slave)`: True if slave has all limbs. * `hasAllNaturalLimbs(slave)`: True if slave has all limbs and all are natural. * `hasLeftArm(slave)`: True if slave has a left arm. * `hasRightArm(slave)`: True if slave has a right arm. * `hasLeftLeg(slave)`: True if slave has a left leg. * `hasRightLeg(slave)`: True if slave has a right leg. * `getLeftArmID(slave)`: Returns limb ID of the left arm. * `getRightArmID(slave)`: Returns limb ID of the right arm. * `getLeftLegID(slave)`: Returns limb ID of the left leg. * `getRightLegID(slave)`: Returns limb ID of the right leg. * `getLimbCount(slave, id)`: Returns count of specified limb ID. Can also be used to check for groups: 101: any limbs that are not amputated 102: prosthetic limbs off all kind 103: sex-prosthetic 104: beauty-prosthetic 105: combat-prosthetic 103-105 mean the sum of 3-5 and 6 respectfully. * `getLegCount(slave, id)`: Returns count of legs with specified limb ID. * `getArmCount(slave, id)`: Returns count of arms with specified limb ID. #### String functions * `idToDescription(id)`: Returns a very short description of the specified limb ID. 0: "amputated"; 1: "healthy"; 2: "modern prosthetic"; 3: "advanced, sex-focused prosthetic"; 4: "advanced, beauty-focused prosthetic"; 5: "advanced, combat-focused prosthetic"; 6: "highly advanced cybernetic"; * `armsAndLegs(slave, arms, arm, legs, leg)`: Returns a string depending on the limbs a slave has. By default this is a variation of `arms and legs`, but this can be changed via parameters. Examples: `armsAndLegs(slave, "hands", "hand", "feet", foot)` returns `hands and feet` for a slave with all limbs, `hand and foot` for a slave with one limb each and `feet` for a slave with two legs, but no arms. Expects the slave to have at least one limb. Only the first parameter is mandatory, the rest defaults to the equivalent of `armsAndLegs(slave, "arms", "arm", "legs", "leg")` #### Write-only functions * `removeLimbs(slave, limb`: Removes a slave's limbs. Allowed values for limb: `"left arm"`, `"right arm"`, `"left leg"`, `"right leg"`, `"all"`. * `attachLimbs(slave, limb, id)`: Attaches a limb of the specified id. Expects amputated limbs. Will overwrite existing limbs. Allowed values for limb: `"left arm"`, `"right arm"`, `"left leg"`, `"right leg"`, `"all"`. * `configureLimbs(slave, limb, id)`: Sets the slave's limb to the specified id and sets all limb related variables to their correct values. Intended for use during slave generation and events. Allowed values for limb: `"left arm"`, `"right arm"`, `"left leg"`, `"right leg"`, `"all"`.
MonsterMate/fc
devNotes/limb functions.md
Markdown
mit
4,234
# The Sanity Check ## Structure The sanity check consists of two parts: The first part is a script with a number of `git grep` calls using regex to find typical errors. The second parts main function is checking the syntax of the .tw files. There exist two versions of the second part: 1. An older python script that only checks for correct closure of `<<if>>` and some other common SugarCube macros. 2. A newer java program that checks for correct closure of all SugarCube macros and HTML tags and has some additional functionality. It is generally advised to use the java check if possible. ## The Java Check ### Structure The java check has 3 main parts: 1. A checks for correct closure of all SugarCube macros and HTML tags in the .tw files. 2. A check to find variable names that are only used once to find misspelled variables and leftovers from removed variables. 3. A search through all files against a dictionary to find common misspellings and deprecated code. Because it provides some functionality that overlap with the `git grep` calls, the corresponding calls are ignored when this check is run since the java program is generally faster and produces less false positives. ### Maintenance In order to keep the number of false positives to a minimum this check has to be regularly maintained: 1. When new macros or HTML tags are introduced in the project code they have to be added to `devTools/javaSanityCheck/twineTags` or `devTools/javaSanityCheck/htmlTags`. 2. When removing variables they often have a reference left in some kind of BC related code. This is a common example when a false positive occurs and that variable has to be added to `devTools/javaSanityCheck/ignoredVariables`. 3. When fully removing variables that were ignored, they have to be removed from `devTools/javaSanityCheck/ignoredVariables` too. 4. When adding variables it can happen that only one usage is identified by the check, which means that it throws a false positive. To remove this add the variable to `devTools/javaSanityCheck/ignoredVariables`. When the variable is used in more places later and found more than once it has to be removed again to keep the check as efficient as possible. 5. When you find common missspellings you can add them to `devTools/dictionary_phrases.txt` or `devTools/dictionary_wholeWord.txt`. 6. When a file produces so many false positives that they are impossible to clean up it may be added to `devTools/javaSanityCheck/excluded`. ### Source code The source code can either be found at [gitgud.io](https://gitgud.io/Arkerthan/twine-sanitycheck) or, in case the repo is inaccessible, in a zip file at `devTools/javaSanityCheck/sources.zip`.
MonsterMate/fc
devNotes/sanityCheck.md
Markdown
mit
2,721
Most writing is basically just plain text with branches for different cases. Important cases to remember: -Does the slave have a dick/vagina/tits? -Does the PC have a dick/tits/vagina? -If the slave has a dick and you plan to use it, can they get erect on their own? -Is the PC pregnant? -Is the slave mindbroken? -Is the slave blind? -Is the slave pregnant? -If you penetrate an orifice, is the slave a virgin in that orifice? -Can the slave move (i.e. is the slave amputated and/or have massive tits and/or a massive dick)? -Does the slave like/hate trust/fear you? -Does the slave have fetishes or personality/sexual quirks/flaws that would impact how they react? It's important to handle every RELEVANT variation of the above cases. Depending on what you're writing, other cases may also warrant consideration; e.g. a breast-play scene will probably need to account for breast size and lactation a lot more than a generic fuck scene. If a scene only applies to a specific type of slave, you can restrict the cases you account for to the ones that are only possible for that type of slave. There are, broadly speaking, two main ways to do this: 1. Write the same big block of text and then copy/paste it into each relevant case, and tweak the wording slightly. ++Less thinking required --LOTS of duplicate text; if you need to change something later, you have to change it in many places 2. Decompose the scene into smaller segments or sections that can each be swapped out for the slave type in question. ++MUCH easier maintenance --Have to figure out how to phrase the scene in a way that can be broken down into discrete chunks You can also combine the two cases. For example, you may want a complex, interleaved set of <<if>> conditions for the common cases, and then have big blobs for the corner cases that are hard to handle. It can also be easier if you split the scene into a "prep", "main", and "finish" section (these would all be the same writing block, just 2-3 <<if>> chains in sequence); that way, you could, for example, take all the various possible cases that aren't really unique, and narrate them so that, in the main section, you don't have to do so much explanatory writing for the scene to make sense overall. Then, if necessary, wrap up with the finish section. (See src/pregmod/fSlaveSelfImpreg.tw for an example of this approach) All the variables for you and the slave are, generally, held in the variables $PC and $activeSlave, respectively. When the PC and the slave have the same attributes, they usually have the same name, but exactly what they do and mean can vary a little bit. RTFM for details. To access a specific variable, you do $var.attribName, so e.g. pregnancy is checked by $activeSlave.preg or $PC.preg. In rarer cases, you'll be dealing with an indexed entry in the $slaves array; if that's the case, you'd use $slaves[_u] or $slaves[$i] (or whatever) instead of $activeSlave. If a second (or third?) slave is present, it will be stored in another variable, the name of which will depend on the scene; for example, when impregnating a slave with another slave, the sperm donor is in $impregnatrix Conditions are usually checked by <<if CONDITION>> SHOW THIS TEXT <<elseif CONDITION2>> SHOW THIS TEXT INSTEAD <<else>> IF NEITHER CONDITION IS MET, SHOW THIS <</if>> Conditions are usually comparative (i.e. $a < $b or $b == 5 or $c != $d.e) and can be chained together with && (and) or || (or) and grouped with parentheses () - for example: <<if($a > 1 || ($b == 2 && $c != $a))>> lets you check that either variable A is greater than one, or both B equals two and C is not equal to A. There are also a few misc functions that let you check things like whether a slave can get pregnant or whether two slaves are mutually fertile Variable names are interpolated straight into the text, so if you have a slave named "Beth" then the text "You fuck $activeSlave.slaveName" becomes "You fuck Beth" You can also explicitly print a variable by doing <<print _varName>> (for temp variables) or <<print $varName>> (for global variables) which can be useful in various situations; it also lets you print the output of code expressions, like <<print $someNumericVar * 10>>. If you want to change a variable, you do something like <<set $activeSlave.devotion += 5>> Which would, in this case, give a devotion increase of 5. Color is changed with YOUR @@.colorname;COLORED TEXT@@ HERE So a random (really stupid) example might be: <<if $activeSlave.fetish == 'mindbroken'>> Special big block of mindbroken text here. <<elseif isAmputee($activeSlave)>> Special big block of amputee text here. <<if $PC.dick > 0>> <<set _wasVirgin = ''>> <<if $activeSlave.vagina > -1>> <<set _orifice = 'vagina'>> <<if $activeSlave.vagina == 0>> <<set _wasVirgin = 'vaginal'>> <</if>> <<else>> <<set _orifice = 'ass'>> <<if $activeSlave.anus == 0>> <<set _wasVirgin = "anal">> <</if>> <</if>> You fuck $activeSlave.slaveName's _orifice. <<if _wasVirgin != ''>> <<if $activeSlave.devotion > 50>> $He @@.hotpink;loves@@ losing $his <<print _wasVirgin>> virginity to you. <<set $activeSlave.devotion += 5>> <<else>> $He @@.mediumorchid;@@dislikes losing $his <<print _wasVirgin>> virginity to you. <<set $activeSlave.devotion -= 5>> <</if>> <</if>> <<elseif $PC.vagina > 0 && $activeSlave.dick > 0>> $activeSlave.slaveName <<if $activeSlave.devotion > 50>> @@.hotpink;lovingly penetrates@@ <<set $activeSlave.devotion += 5>> <<else>> indifferently hammers <</if>> your pussy. <<elseif $activeSlave.vagina > -1>> Lesbian sex here. <<else>> ERROR - PC doesn't have dick or vagina? <</if>> If you need to set a temp variable, prefix it with _ instead of $. This way, you don't go cluttering up the world with variables that only matter inside your little writing segment. You can "hot-test" stuff by text editing your HTML copy of FC, but it's a little more tedious because you have to "escape" double quotes, <, >, and & with &quot; &lt; &gt; and &amp; respectively. Some hints: 1. Write your logic first, so you don't forget to close tags. In other words, it's better to do <<if $cond> TODO <<else>> TODO <</if>> And then fill it in later than it is to end up with a situation where you have a dozen unclosed tags and you can't remember where they are or what they do. 2. For very simple stuff, it's fine to "inline" your stuff. For example, when penetrating a slave, doing "you fuck $his <<if $activeSlave.vagina > -1>>pussy<<else>>ass<</if>>" to show "pussy" or "ass" as necessary. However, if you need to do the same comparison a bunch of times, do something like <<if $activeSlave.vagina > -1>> <<set _targetOrifice = "vagina">> <<else>> <<set _targetOrifice = "asshole">> <</if>> And then, when you need it, do "you fuck $his _targetOrifice" in sixteen different places without having the pain in the ass of copy/pasting the same if/else clause every time. 3. INDENT YOUR LOGIC. USE TABS. I'm serious. Don't question me. It will make EVERYONE hate you, when they have to deal with your code, if it's not indented properly. This is much easier to read: <<if $cond1>> <<if $cond2>> whatever <<elseif $cond3>> whatever <<elseif $cond4>> <<if $cond5>> whatever <<else>> <<if $cond6>> whatever <</if>> <</if>> <<else>> whatever <<if $cond7>> <<if $cond8>> whatever <</if>> <</if>> <</if>> <</if>> than this: <<if $cond1>> <<if $cond2>> whatever <<elseif $cond3>> whatever <<elseif $cond4>> <<if $cond5>> whatever <<else>> <<if $cond6>> whatever <</if>> <</if>> <<else>> whatever <<if $cond7>> <<if $cond8>> whatever <</if>> <</if>> <</if>> <</if>> 4. Proof-read your shit before posting it. Spell-check wouldn't hurt.
MonsterMate/fc
devNotes/scene-guide.txt
Text
mit
7,761
# Producing slave lists The namespace `App.UI.SlaveList` provides functions for displaying lists of slaves and interacting with the slaves in those lists. These functions supersede (and extend) the `Slave Summary` passage. They provide a way to display a list, select a slave from a list, generate standard lists for a facility or a leader selection, as well as provide a way to customize output and interaction. ## General concept The core function is `App.UI.SlaveList.render()`. It renders the list, assembling it from four pieces. The function is declared as follows: ```js /** * @param {number[]} indices * @param {Array.<{index: number, rejects: string[]}>} rejectedSlaves * @param {slaveTextGenerator} interactionLink * @param {slaveTextGenerator} [postNote] * @returns {string} */ function (indices, rejectedSlaves, interactionLink, postNote) ``` and the type of the `slaveTextGenerator` callback is: ```js /** * @callback slaveTextGenerator * @param {App.Entity.SlaveState} slave * @param {number} index * @return {string} */ ``` To build the output, the `render()` function iterates over the `indices` array, which must contain indices from the `$slaves` array, and outputs each slave using the two callbacks. The first one (`interactionLink`) is used to generate the hyperlink for the slave name. Output from the second callback (if defined) will be printed after each slave summary. The array of rejected slaves is processed after that and its contents are printed out in a simple fashion. The function *does not sort* both arrays, neither `indices` nor `rejectedSlaves`; their elements are printed in the order, specified by the caller. The function' output has to be passed via the SugarCube wikifier, for example by printing in out using the `<<print>>` macro. Let's consider a few examples. ## Implementation examples ### Basic printing The most common behavior for the slave name links is to go to the `Slave Interact` passage after clicking its name. This is implemented by the `App.UI.SlaveList.SlaveInteract.stdInteract` function: ```js /** * @param {App.Entity.SlaveState} slave * @param {number} index * @return {string} */ App.UI.SlaveList.SlaveInteract.stdInteract = (slave, index) => App.UI.passageLink(SlaveFullName(slave), 'Slave Interact', `$activeSlave = $slaves[${index}]`); ``` The function gets both the slave object and its index in the `$slaves` array for convenience, and outputs a hyperlink in the HTML markup. which points to the `Slave Interact` passage and sets active slave to the slave with the given index, because `Slave Interact` operates with the current slave. In the SugarCube markup the function could look as follows: ```js /** * @param {App.Entity.SlaveState} slave * @param {number} index * @return {string} */ App.UI.SlaveList.SlaveInteract.stdInteract = (slave, index) => `<<link "${SlaveFullName(slave)}" "Slave Interact">><<set $activeSlave = $slaves[${index}]`; ``` Now we can print slave lists. Let's print first three from the `$slaves` array: ``` <<print App.UI.SlaveList.render( [0, 1, 2], []. App.UI.SlaveList.SlaveInteract.stdInteract )>> ``` Let's print them in the reverse order: ``` <<print App.UI.SlaveList.render( [2, 1, 0], []. App.UI.SlaveList.SlaveInteract.stdInteract )>> ``` and one more time omitting the second slave: ``` <<print App.UI.SlaveList.render( [0, 2], [{index: 1, rejects: ['Omitted for testing purposes']}]. App.UI.SlaveList.SlaveInteract.stdInteract )>> ``` ### Post-notes The post notes are little text pieces, printed after each slave. They can contain simple text, for example to inform that particular slave is special in a way, or provide additional action hyperlinks. The most common type of the post notes is a hyperlink for assigning or retrieving s slave from a facility. Here are their implementations: ```js (slave, index) => App.UI.passageLink(`Send ${slave.object} to ${facility.name}`, "Assign", `$i = ${index}`); (slave, index) => App.UI.passageLink(`Retrieve ${slave.object} from ${facility.name}`, "Retrieve", `$i = ${index}`); ``` With these blocks we can easily produce a list of slaves, working at a given facility `facility`. First, let's get the indices of the workers: ```js let facilitySlaves = facility.job().employeesIndices(); ``` The `App.Entity.Facilities.Facility.job()` call returns a named job if it was given an argument, or the default job when argument was omitted. Pretty much every facility except the penthouse provides only a single job and we can safely omit the job name here. Now just call the `render()` function: ```js App.UI.SlaveList.render(facilitySlaves, [], App.UI.SlaveList.SlaveInteract.stdInteract, (slave, index) => App.UI.passageLink(`Retrieve ${slave.object} from ${facility.name}`, "Retrieve", `$i = ${index}`)); ``` That's it, works with any facility. Here we omitted a few details, like setting the `$returnTo` bookmark for the `Assign` and `Retrieve` passages, sorting the slaves lists, and a few more. ### Templates for common use cases There are functions in the `App.UI.SlaveList` namespace for a few typical use cases. Function | Purpose ----- | ---- `listSJFacilitySlaves()` | Creates a tabbed list for assigning and retrieving slaves t0/from a facility with a single job `displayManager()` | Displays a facility manager with a link to change it or a note with a link to assign a manager `stdFacilityPage()` | Combines the previous two functions to render the manager and employees `penthousePage()` | Displays tabs with workers for the penthouse `slaveSelectionList()` | Displays a list with filtering and sorting links for selecting a slave `facilityManagerSelection()` | Specialization of the `slaveSelectionList()` to select a manager for a facility, which implements position requirements tests and highlights experienced slaves ### Fully custom lists There are use cases that stand apart from all other, and there is no point in providing a template for them. In that case you can generate a totally custom list. Here is an example: ``` <<print App.UI.SlaveList.slaveSelectionList( s => !ruleSlaveExcluded(s, $currentRule), (s, i) => `<u><strong>${App.UI.passageLink(SlaveFullName(s), 'Rules Slave Exclude Workaround', `$activeSlave = $slaves[${i}]`)}</strong></u>` )>> ```
MonsterMate/fc
devNotes/slaveListing.md
Markdown
mit
6,319
# Standalone JS Functions Collection of custom functions without dependencies on FC specific variables/data structures. ## utilJS.js * `arraySwap(array, a , b)`: Swaps two values in an array. * `capFirstChar(string)`: Capitalizes the first character of `string`. * `addA(word)`: Adds an `an ` if the first character is a vocal, otherwise `a `. * `ordinalSuffix(i)`: Takes a number and appends the appropriate suffix. Example: `ordinalSuffix(1)` gives `1st`. * `ordinalSuffixWords(i)`: Takes a number and returns the appropriate ordinal. Example: `ordinalSuffix(1)` gives `first`. For number greater than 19 identical to `ordinalSuffix(i)` * `removeDuplicates(array)`: Takes an array and returns a new array without duplicate entries. * `jsDef(x)`: Returns whether x is undefined. A JS port of SugarCube's def. * `between(a, low, high)`: Returns `true` if `a` is between `low` and `high`, otherwise `false`.
MonsterMate/fc
devNotes/standaloneFunctions.md
Markdown
mit
961
# Obtaining and building SugarCube for FC ## Intro This brief how-to guides through patching and building [SugarCube](https://github.com/tmedwards/sugarcube-2) for the Free Cities. SugarCube sources can be obtained locally by cloning its Git repository. Prerequisites (listed NOT in the installation order, please read the list to the end first): 1. [Node.js](https://nodejs.org) with npm. 2. To build some packages, Node.js requires python and a C/C++ compiler. On Windows you may want to install Visual Studio (or just the build tools) and Python 2.7 first. As of now, SugarCube does not depend on any of such packages. Windows: please choose to make the tools accessible from anywhere by allowing installers to modify the PATH environment variable. ## Retrieving SugarCube sources and preparing build environment for it The SC2 sources are a git submodule. 1. Get the sources: `git submodule update` 2. Download required JavaScript libraries that are used during the build. Run the node package manager (npm) in the repository: `npm install` or `npm update`. * You need to navigate into `submodules/sugarcube-2` first. ## Building Run the build.js script. If you use Git bash, you can run the `build.js` file directly, otherwise run it as `node build.js`. See `build.js -h` for options, but reasonable sets are the following. * for release version: `node build.js -6 -b 2` * for debug version: `node build.js -6 -b 2 -u -d` Find result files in the `build` directory. After each build you have to copy the release `format.js` to `devTools/tweeGo/storyFormats/sugarcube-2`. Do not forget to `git add` the file. Linux: If you have make installed, `make sugarcube` automatically builds and copies `format.js` to `devTools/tweeGo/storyFormats/sugarcube-2` for easy testing. ## Contributing 1. Fork the [SC2 repo](https://gitgud.io/Arkerthan/sugarcube-2) 2. Navigate into submodules/sugarcube-2 * Tip: Use two terminals, one in the main repo and one in the submodule. * You are now in the root of the submodule. Git works here (almost) the same as in the root of a standalone repo. 3. Add your fork as remote 4. `git submodule update` leaves you in a detached head state, so checkout fc and pull recent changes 5. Branch, modify, commit, push as usual. 6. Build and replace `devTools/tweeGo/storyFormats/sugarcube-2/format.js` 7. Create a new patch `git diff master <your branch> > sugarcube-fc-changes.patch` and move it to `devNotes/sugarcube stuff/`. 8. Commit and push in the main repo. 9. Open an MR in the SC2 repo **AND** in the main repo. Mark the MR in the main repo as **WIP**. 10. Once the MR in the SC2 repo is accepted do: * In the submodule 1. `git checkout fc` 2. `git pull` * In the main repo 1. `git add submodules/sugarcube-2` 2. `git commit --amend --no-edit` 3. `git push -f` 11. Remove WIP flag from main repo. Repeat steps 4 - 11. ## (OLD) Retrieving SugarCube sources and preparing build environment for it Note: This is **NOT** recommended. Everything below is for documentation purposes only. 1. Open a terminal window where you want to clone the repository, and run the following command: `git clone https://github.com/tmedwards/sugarcube-2.git`. Change working directory into the cloned repository. 2. The last step we need is downloading required JavaScript libraries that are used during the build. Run the node package manager (npm) in the repository: `npm install` or `npm update` *CAUTION*: dependencies list (located in the package.json file in the repository root) may change from commit to commit and it differs between branches! Make sure to install correct dependencies after switching working branch. ## Applying the FC patch The FreeCities game relies on a few changes to the vanilla SugarCube code. The modified SC2 can be found [here](https://gitgud.io/Arkerthan/sugarcube-2). If unavailable, it is possible to patch the official SC2 sources using the patch file. The SugarCube code changes from version to version that requires modification to the patch file, and therefore there are several of them, named after the highest SugarCube version they applies to. There are at least two different ways to manage the patches/changes, with the first one suitable for occasional users, while the second one works best if you maintain the SugarCube patch for the FC project or just want to keep building for more than a single SugarCube version. ### Single time patching Find the correct patch in this repo and apply it to the sources: `git apply <full path to sugarcube-fc-changes.patch>` You are ready to build provided no errors were returned by `git apply` ### Maintaining the patch #### Crating git branch with patched SugarCube sources For this purpose we will create a git branch with the changes and then update it, [rebasing](https://git-scm.com/book/en/v2/Git-Branching-Rebasing) it on top of the SugarCube master branch when updating is needed. To start over, create a branch for the patched version (here it will be named "fc") and checkout it: `git checkout -b fc`. Now apply FC changes as in the previous section using `git apply`, but afterwards commit the changes. *Caveat*: to apply the patch you have to use the version of the SugarCube sources it applies to. If the latest patch does not apply to the current SugarCube master branch, check the `git log` to find the commit id of the SugarCube release you have the patch for. Then branch from that commit: `git branch fc <commit-id>` and checkout the "fc" branch: `git checkout fc`. To update the "fc" branch to the latest SugarCube see below. #### Updating git branch To update the branch we will use rebasing. First, fetch changes from the remote SugarCube repo: `git fetch origin`. Check that you are on the "fc" branch (`git checkout fc` if you are not). Now try to rebase your "fc" branch on top of the upstream master branch: `git rebase origin/master`. If that succeeds, the new patched SugarCube sources are ready in the "fc" branch. Proceed to building. If the rebasing resulted in a conflict, you have to resolve it first. Issue `git rebase --continue` to get the list of files with conflicts, look for conflict markers ('<<<<') in those files, make required changes, do not forget to save the files, and follow advices from `git rebase --continue` until you finally resolve all the conflicts and obtain a new patched sources. Now you need to update the patch files in the FC repo. First, rename the old patch file: `git mv sugarcube-fc-changes.patch sugarcube-fc-changes-<the last version it applies to>.patch`. Now create an new patch and add it to the repository: `git diff master fc > sugarcube-fc-changes.patch`, copy it to this dir and `git add sugarcube-fc-changes.patch`. ## APPENDIX Lists required steps very briefly 1. Clone SugarCube repo: `git clone https://github.com/tmedwards/sugarcube-2.git` 2. Change active directory into the directory of the sugarcube clone. 3. Set active branch to "master": git checkout master 4. Run npm install in the repo dir. *CAUTION*: Requited dependencies change during the project lifetime and vary from branch to branch; you may need to run npm install again after some time, or after branch/tag change. Try to run it in case of strange build errors. The next is done in the directory where SC repo was cloned. Loop over required SugarCube versions: ### Setup: 1. `git reset --hard` to clean any local changes. 2. `git branch fc v2.30.1` (the tag for the version you have the latest patch for). 3. `git checkout fc` ### Update loop 1. `git fetch origin` 2. `git checkout fc` 3. `git rebase origin/master` 4. Conflict resolving, `git rebase --continue` and `git add` are needed. 5. `git diff master fc > sugarcube-fc-changes.patch`; `git add sugarcube-fc-changes.patch`. ### Build 1. `node build.js -6 -b 2` to build release version 2. `cp build/twine2/sugarcube-2/format.js <whenever you want>` 3. `node build.js -6 -b 2 -u -d` to build debug version 4. `cp dist/twine2/sugarcube-2/format.js <whenever you want to place the debug header>`
MonsterMate/fc
devNotes/sugarcube stuff/building SugarCube.md
Markdown
mit
8,094
diff --git a/README.md b/README.md index 94f98a2..3dcb81a 100644 --- a/README.md +++ b/README.md @@ -1,3 +1,23 @@ +# SC2 Fork + +This is a fork of SC2 containing all changes made to improve the [FC pregmod (nsfw)](https://gitgud.io/pregmodfan/fc-pregmod). + +Important branches: +* `fc`: SC2 with our changes, this is what is used to build FC +* `master`: Current SC2 version + +Warning: When cloning you will be on `master` initially. You want to checkout `fc` first before doing anything else. + +Building: +1. `node build.js -6 -b 2` to build release version +2. replaces `/devTools/tweeGo/storyFormats/sugarcube-2/format.js` and `devNotes/sugarcube stuff/<current SC2 version>-format.js` +3. `node build.js -6 -b 2 -u -d` to build debug version +4. replaces `devNotes/sugarcube stuff/<current SC2 version>-debug-format.js` + +If you believe to have found a bug, be sure to check if it was introduced with our changes before reporting them at the SC2 repo. + +## SC2 README; most of it stays the same, but be sure to change the url when cloning: + # SugarCube v2 [SugarCube](http://www.motoslave.net/sugarcube/) is a free (gratis and libre) story format for [Twine/Twee](http://twinery.org/). diff --git a/build.js b/build.js index 955b617..acd80f5 100644 --- a/build.js +++ b/build.js @@ -30,6 +30,7 @@ const CONFIG = { 'src/lib/jquery-plugins.js', 'src/lib/util.js', 'src/lib/simplestore/simplestore.js', + 'src/lib/simplestore/adapters/FCHost.Storage.js', 'src/lib/simplestore/adapters/webstorage.js', 'src/lib/simplestore/adapters/cookie.js', 'src/lib/debugview.js', diff --git a/src/lib/helpers.js b/src/lib/helpers.js index ff3e30f..2fc3a0d 100644 --- a/src/lib/helpers.js +++ b/src/lib/helpers.js @@ -308,11 +308,11 @@ var { // eslint-disable-line no-var /* Appends an error view to the passed DOM element. */ - function throwError(place, message, source) { + function throwError(place, message, source, stack) { const $wrapper = jQuery(document.createElement('div')); const $toggle = jQuery(document.createElement('button')); const $source = jQuery(document.createElement('pre')); - const mesg = `${L10n.get('errorTitle')}: ${message || 'unknown error'}`; + const mesg = `${L10n.get('errorTitle')}: ${message || 'unknown error'} ${Config.saves.version}`; $toggle .addClass('error-toggle') @@ -346,6 +346,14 @@ var { // eslint-disable-line no-var hidden : 'hidden' }) .appendTo($wrapper); + if (stack) { + const lines = stack.split('\n'); + for (const ll of lines) { + const div = document.createElement('div'); + div.append(ll.replace(/file:.*\//, '<path>/')); + $source.append(div); + } + } $wrapper .addClass('error-view') .appendTo(place); diff --git a/src/lib/jquery-plugins.js b/src/lib/jquery-plugins.js index 792b01f..1811eaf 100644 --- a/src/lib/jquery-plugins.js +++ b/src/lib/jquery-plugins.js @@ -43,14 +43,9 @@ return function () { const $this = jQuery(this); - // Exit if the element is disabled. - // - // NOTE: This should only be necessary for elements which are not disableable - // per the HTML specification as disableable elements should be made inert - // automatically. - if ($this.ariaIsDisabled()) { - return; - } + const dataPassage = $this.attr('data-passage'); + const initialDataPassage = window && window.SugarCube && window.SugarCube.State && window.SugarCube.State.passage; + const savedYOffset = window.pageYOffset; // Toggle "aria-pressed" status, if the attribute exists. if ($this.is('[aria-pressed]')) { @@ -59,6 +54,11 @@ // Call the true handler. fn.apply(this, arguments); + + const doJump = function(){ window.scrollTo(0, savedYOffset); } + if ( dataPassage && (window.lastDataPassageLink === dataPassage || initialDataPassage === dataPassage)) + doJump(); + window.lastDataPassageLink = dataPassage; }; } diff --git a/src/lib/simplestore/adapters/FCHost.Storage.js b/src/lib/simplestore/adapters/FCHost.Storage.js new file mode 100644 index 0000000..34581b1 --- /dev/null +++ b/src/lib/simplestore/adapters/FCHost.Storage.js @@ -0,0 +1,171 @@ +/*********************************************************************************************************************** + + lib/simplestore/adapters/FCHost.Storage.js + + Copyright © 2013–2019 Thomas Michael Edwards <thomasmedwards@gmail.com>. All rights reserved. + Use of this source code is governed by a BSD 2-clause "Simplified" License, which may be found in the LICENSE file. + +***********************************************************************************************************************/ +/* global SimpleStore, Util */ + +SimpleStore.adapters.push((() => { + 'use strict'; + + // Adapter readiness state. + let _ok = false; + + + /******************************************************************************************************************* + _FCHostStorageAdapter Class. + Note that FCHost is only intended for a single document, so we ignore both prefixing and storageID + *******************************************************************************************************************/ + class _FCHostStorageAdapter { + constructor(persistent) { + let engine = null; + let name = null; + + if (persistent) { + engine = window.FCHostPersistent; + name = 'FCHostPersistent'; + } + else { + engine = window.FCHostSession; + name = 'FCHostSession'; + } + + Object.defineProperties(this, { + _engine : { + value : engine + }, + + name : { + value : name + }, + + persistent : { + value : !!persistent + } + }); + } + + /* legacy */ + get length() { + if (DEBUG) { console.log(`[<SimpleStore:${this.name}>.length : Number]`); } + + return this._engine.size(); + } + /* /legacy */ + + size() { + if (DEBUG) { console.log(`[<SimpleStore:${this.name}>.size() : Number]`); } + + return this._engine.size(); + } + + keys() { + if (DEBUG) { console.log(`[<SimpleStore:${this.name}>.keys() : String Array]`); } + + return this._engine.keys(); + } + + has(key) { + if (DEBUG) { console.log(`[<SimpleStore:${this.name}>.has(key: "${key}") : Boolean]`); } + + if (typeof key !== 'string' || !key) { + return false; + } + + return this._engine.has(key); + } + + get(key) { + if (DEBUG) { console.log(`[<SimpleStore:${this.name}>.get(key: "${key}") : Any]`); } + + if (typeof key !== 'string' || !key) { + return null; + } + + const value = this._engine.get(key); + + return value == null ? null : _FCHostStorageAdapter._deserialize(value); // lazy equality for null + } + + set(key, value) { + if (DEBUG) { console.log(`[<SimpleStore:${this.name}>.set(key: "${key}", value: \u2026) : Boolean]`); } + + if (typeof key !== 'string' || !key) { + return false; + } + + this._engine.set(key, _FCHostStorageAdapter._serialize(value)); + + return true; + } + + delete(key) { + if (DEBUG) { console.log(`[<SimpleStore:${this.name}>.delete(key: "${key}") : Boolean]`); } + + if (typeof key !== 'string' || !key) { + return false; + } + + this._engine.remove(key); + + return true; + } + + clear() { + if (DEBUG) { console.log(`[<SimpleStore:${this.name}>.clear() : Boolean]`); } + + this._engine.clear(); + + return true; + } + + static _serialize(obj) { + return JSON.stringify(obj); + } + + static _deserialize(str) { + return JSON.parse(str); + } + } + + + /******************************************************************************************************************* + Adapter Utility Functions. + *******************************************************************************************************************/ + function adapterInit() { + // FCHost feature test. + function hasFCHostStorage() { + try { + if (typeof window.FCHostPersistent !== 'undefined') + return true; + } + catch (ex) { /* no-op */ } + + return false; + } + + _ok = hasFCHostStorage(); + + return _ok; + } + + function adapterCreate(storageId, persistent) { + if (!_ok) { + throw new Error('adapter not initialized'); + } + + return new _FCHostStorageAdapter(persistent); + } + + + /******************************************************************************************************************* + Module Exports. + *******************************************************************************************************************/ + return Object.freeze(Object.defineProperties({}, { + init : { value : adapterInit }, + create : { value : adapterCreate } + })); +})()); diff --git a/src/lib/simplestore/adapters/webstorage.js b/src/lib/simplestore/adapters/webstorage.js index 75408a3..3993e1e 100644 --- a/src/lib/simplestore/adapters/webstorage.js +++ b/src/lib/simplestore/adapters/webstorage.js @@ -125,7 +125,7 @@ SimpleStore.adapters.push((() => { return value == null ? null : _WebStorageAdapter._deserialize(value); // lazy equality for null } - set(key, value) { + set(key, value, compression = true) { if (DEBUG) { console.log(`[<SimpleStore:${this.name}>.set(key: "${key}", value: \u2026) : Boolean]`); } if (typeof key !== 'string' || !key) { @@ -133,7 +133,8 @@ SimpleStore.adapters.push((() => { } try { - this._engine.setItem(this._prefix + key, _WebStorageAdapter._serialize(value)); + this._engine.setItem(this._prefix + key, + _WebStorageAdapter._serialize(value, this.persistent && compression)); } catch (ex) { /* @@ -188,12 +189,15 @@ SimpleStore.adapters.push((() => { return true; } - static _serialize(obj) { - return LZString.compressToUTF16(JSON.stringify(obj)); + static _serialize(obj, compression) { + if (compression) { + return LZString.compressToUTF16(JSON.stringify(obj)); + } + return JSON.stringify(obj); } static _deserialize(str) { - return JSON.parse(LZString.decompressFromUTF16(str)); + return JSON.parse((!str || str[0] == "{") ? str : LZString.decompressFromUTF16(str)); } } diff --git a/src/macros/macrocontext.js b/src/macros/macrocontext.js index bd211cd..712e9e1 100644 --- a/src/macros/macrocontext.js +++ b/src/macros/macrocontext.js @@ -277,8 +277,8 @@ var MacroContext = (() => { // eslint-disable-line no-unused-vars, no-var this._debugViewEnabled = false; } - error(message, source) { - return throwError(this._output, `<<${this.displayName}>>: ${message}`, source ? source : this.source); + error(message, source, stack) { + return throwError(this._output, `<<${this.displayName}>>: ${message}`, source ? source : this.source, stack); } } diff --git a/src/macros/macrolib.js b/src/macros/macrolib.js index 7383bd0..af57d75 100644 --- a/src/macros/macrolib.js +++ b/src/macros/macrolib.js @@ -90,7 +90,7 @@ Scripting.evalJavaScript(this.args.full); } catch (ex) { - return this.error(`bad evaluation: ${typeof ex === 'object' ? ex.message : ex}`); + return this.error(`bad evaluation: ${typeof ex === 'object' ? `${ex.name}: ${ex.message}` : ex}`, null, ex.stack); } // Custom debug view setup. @@ -351,7 +351,7 @@ } } catch (ex) { - return this.error(`bad evaluation: ${typeof ex === 'object' ? ex.message : ex}`); + return this.error(`bad evaluation: ${typeof ex === 'object' ? `${ex.name}: ${ex.message}` : ex}`, null, ex.stack); } } }); @@ -807,7 +807,7 @@ } } catch (ex) { - return this.error(`bad conditional expression in <<${i === 0 ? 'if' : 'elseif'}>> clause${i > 0 ? ' (#' + i + ')' : ''}: ${typeof ex === 'object' ? ex.message : ex}`); // eslint-disable-line prefer-template + return this.error(`bad conditional expression in <<${i === 0 ? 'if' : 'elseif'}>> clause${i > 0 ? ' (#' + i + ')' : ''}: ${typeof ex === 'object' ? `${ex.name}: ${ex.message}` : ex}`, null, ex.stack); // eslint-disable-line prefer-template } } }); diff --git a/src/markup/wikifier.js b/src/markup/wikifier.js index bc8b018..df7285c 100644 --- a/src/markup/wikifier.js +++ b/src/markup/wikifier.js @@ -222,7 +222,7 @@ var Wikifier = (() => { // eslint-disable-line no-unused-vars, no-var } outputText(destination, startPos, endPos) { - jQuery(destination).append(document.createTextNode(this.source.substring(startPos, endPos))); + destination.appendChild(document.createTextNode(this.source.substring(startPos, endPos))); } /* diff --git a/src/passage.js b/src/passage.js index 73959ec..b299722 100644 --- a/src/passage.js +++ b/src/passage.js @@ -222,8 +222,10 @@ var Passage = (() => { // eslint-disable-line no-unused-vars, no-var const frag = document.createDocumentFragment(); new Wikifier(frag, this.processText(), options); - // Update the excerpt cache to reflect the rendered text. - this._excerpt = Passage.getExcerptFromNode(frag); + // Update the excerpt cache to reflect the rendered text, if we need it for the passage description + if (Config.passages.descriptions == null) { + this._excerpt = Passage.getExcerptFromNode(frag); + } return frag; } diff --git a/src/save.js b/src/save.js index b6cca52..adbf7f1 100644 --- a/src/save.js +++ b/src/save.js @@ -38,12 +38,66 @@ var Save = (() => { // eslint-disable-line no-unused-vars, no-var return false; } - let saves = savesObjGet(); - let updated = false; + + // convert the single big saves object into the new smaller objects + const saves = storage.get('saves'); + if (saves !== null) { + storage.delete('saves'); // Make sure we have enough space to store the saves in the new format + const container = Dialog.setup('Backup'); + const message = document.createElement('span'); + message.className = 'red'; + message.append('Due to changes to the saves system your existing saves were converted. Backup all saves' + + ' that are important to you as they may have been lost during conversion. Once you close this dialog' + + ' it will be IMPOSSIBLE to get your old saves back.'); + container.append(message); + const index = indexGet(); + // we store the index every time we store a save, so in case we exceed local storage only the + // last save is lost + if (saves.autosave !== null) { + container.append(savesLink('autosave', saves.autosave)); + index.autosave = { title : saves.autosave.title, date : saves.autosave.date }; + try { + storage.set('autosave', saves.autosave); + indexSave(index); + } catch (ex) { + storage.delete('autosave'); + index.autosave = null; + indexSave(index); + } + } + for (let i = 0; i < saves.slots.length; i++) { + if (saves.slots[i] !== null) { + container.append(savesLink(`slot${i}`, saves.slots[i])); + index.slots[i] = { title : saves.slots[i].title, date : saves.slots[i].date }; + try { + storage.set(`slot${i}`, saves.slots[i]); + indexSave(index); + } catch (ex) { + storage.delete(`slot${i}`); + index.slots[i] = null; + indexSave(index); + } + } + } + Dialog.open(); + } + + function savesLink(name, save) { + const div = document.createElement('div'); + const a = document.createElement('a'); + a.append(`Backup ${name}`); + a.onclick = () => { + exportToDisk(`backup-${name}`, {}, save); + }; + div.append(a); + return div; + } + + /* All SC2 compatibility converters are disabled, too much work */ /* legacy */ // Convert an ancient saves array into a new saves object. - if (Array.isArray(saves)) { + /* if (Array.isArray(saves)) { saves = { autosave : null, slots : saves @@ -53,6 +107,7 @@ var Save = (() => { // eslint-disable-line no-unused-vars, no-var /* /legacy */ // Handle the author changing the number of save slots. + /* if (Config.saves.slots !== saves.slots.length) { if (Config.saves.slots < saves.slots.length) { // Attempt to decrease the number of slots; this will only compact @@ -77,10 +132,11 @@ var Save = (() => { // eslint-disable-line no-unused-vars, no-var updated = true; } + */ /* legacy */ // Update saves with old/obsolete properties. - if (_savesObjUpdate(saves.autosave)) { + /* if (_savesObjUpdate(saves.autosave)) { updated = true; } @@ -98,29 +154,39 @@ var Save = (() => { // eslint-disable-line no-unused-vars, no-var /* /legacy */ // If the saves object was updated, then update the store. - if (updated) { + /* if (updated) { _savesObjSave(saves); } + */ - _slotsUBound = saves.slots.length - 1; + _slotsUBound = indexGet().slots.length - 1; return true; } - function savesObjCreate() { + function indexCreate() { return { autosave : null, slots : _appendSlots([], Config.saves.slots) }; } - function savesObjGet() { - const saves = storage.get('saves'); - return saves === null ? savesObjCreate() : saves; + function indexGet() { + const index = storage.get('index'); + return index === null ? indexCreate() : index; + } + + function indexSave(index) { + return storage.set('index', index); } function savesObjClear() { - storage.delete('saves'); + storage.delete('autosave'); + const index = indexGet(); + for (let i = 0; i < index.slots.length; i++) { + storage.delete(`slot${i}`); + } + storage.delete('index'); return true; } @@ -128,7 +194,6 @@ var Save = (() => { // eslint-disable-line no-unused-vars, no-var return autosaveOk() || slotsOk(); } - /******************************************************************************************************************* Autosave Functions. *******************************************************************************************************************/ @@ -137,28 +202,21 @@ var Save = (() => { // eslint-disable-line no-unused-vars, no-var } function autosaveHas() { - const saves = savesObjGet(); - - if (saves.autosave === null) { - return false; - } - - return true; + return indexGet().autosave !== null; } function autosaveGet() { - const saves = savesObjGet(); - return saves.autosave; + return storage.get('autosave'); } function autosaveLoad() { - const saves = savesObjGet(); + const autosave = autosaveGet(); - if (saves.autosave === null) { + if (autosave === null) { return false; } - return _unmarshal(saves.autosave); + return _unmarshal(autosave); } function autosaveSave(title, metadata) { @@ -166,25 +224,38 @@ var Save = (() => { // eslint-disable-line no-unused-vars, no-var return false; } - const saves = savesObjGet(); const supplemental = { title : title || Story.get(State.passage).description(), date : Date.now() }; + const index = indexGet(); + index.autosave = supplemental; + try { + indexSave(index); + } catch (ex) { + _storageAlert(); + return false; + } if (metadata != null) { // lazy equality for null supplemental.metadata = metadata; } - saves.autosave = _marshal(supplemental, { type : Type.Autosave }); - - return _savesObjSave(saves); + try { + return storage.set('autosave', _marshal(supplemental, { type : Type.Autosave }), false); + } catch (ex) { + index.autosave = null; + indexSave(index); + _storageAlert(); + return false; + } } function autosaveDelete() { - const saves = savesObjGet(); - saves.autosave = null; - return _savesObjSave(saves); + const index = indexGet(); + index.autosave = null; + indexSave(index); + return storage.delete('autosave'); } @@ -204,14 +275,15 @@ var Save = (() => { // eslint-disable-line no-unused-vars, no-var return 0; } - const saves = savesObjGet(); + const index = indexGet(); let count = 0; - for (let i = 0, iend = saves.slots.length; i < iend; ++i) { - if (saves.slots[i] !== null) { - ++count; + for (let i = 0; i < index.slots.length; i++) { + if (index.slots[i] !== null) { + count++; } } + return count; } @@ -224,9 +296,9 @@ var Save = (() => { // eslint-disable-line no-unused-vars, no-var return false; } - const saves = savesObjGet(); + const index = indexGet(); - if (slot >= saves.slots.length || saves.slots[slot] === null) { + if (slot >= index.slots.length || index.slots[slot] === null) { return false; } @@ -234,31 +306,19 @@ var Save = (() => { // eslint-disable-line no-unused-vars, no-var } function slotsGet(slot) { - if (slot < 0 || slot > _slotsUBound) { - return null; - } - - const saves = savesObjGet(); - - if (slot >= saves.slots.length) { - return null; + if (slotsHas(slot)) { + return storage.get(`slot${slot}`); } - return saves.slots[slot]; + return null; } function slotsLoad(slot) { - if (slot < 0 || slot > _slotsUBound) { - return false; - } - - const saves = savesObjGet(); - - if (slot >= saves.slots.length || saves.slots[slot] === null) { - return false; + if (slotsHas(slot)) { + return _unmarshal(storage.get(`slot${slot}`)); } - return _unmarshal(saves.slots[slot]); + return false; } function slotsSave(slot, title, metadata) { @@ -277,24 +337,37 @@ var Save = (() => { // eslint-disable-line no-unused-vars, no-var return false; } - const saves = savesObjGet(); + const index = indexGet(); - if (slot >= saves.slots.length) { + if (slot >= index.slots.length) { return false; } const supplemental = { - title : title || Story.get(State.passage).description(), - date : Date.now() + title: title || Story.get(State.passage).description(), + date: Date.now() }; + index.slots[slot] = supplemental; + try { + indexSave(index); + } catch (ex) { + _storageAlert(); + return false; + } + if (metadata != null) { // lazy equality for null supplemental.metadata = metadata; } - saves.slots[slot] = _marshal(supplemental, { type : Type.Slot }); - - return _savesObjSave(saves); + try { + return storage.set(`slot${slot}`, _marshal(supplemental, { type : Type.Slot })); + } catch (ex) { + index.slots[slot] = null; + indexSave(index); + _storageAlert(); + return false; + } } function slotsDelete(slot) { @@ -302,21 +375,23 @@ var Save = (() => { // eslint-disable-line no-unused-vars, no-var return false; } - const saves = savesObjGet(); + const index = indexGet(); - if (slot >= saves.slots.length) { + if (slot >= index.slots.length) { return false; } - saves.slots[slot] = null; - return _savesObjSave(saves); + index.slots[slot] = null; + indexSave(index); + + return storage.delete(`slot${slot}`); } /******************************************************************************************************************* Disk Import/Export Functions. *******************************************************************************************************************/ - function exportToDisk(filename, metadata) { + function exportToDisk(filename, metadata, marshaledSave) { if (typeof Config.saves.isAllowed === 'function' && !Config.saves.isAllowed()) { if (Dialog.isOpen()) { $(document).one(':dialogclosed', () => UI.alert(L10n.get('savesDisallowed'))); @@ -360,7 +435,9 @@ var Save = (() => { // eslint-disable-line no-unused-vars, no-var const baseName = filename == null ? Story.domId : legalizeName(filename); // lazy equality for null const saveName = `${baseName}-${datestamp()}.save`; const supplemental = metadata == null ? {} : { metadata }; // lazy equality for null - const saveObj = LZString.compressToBase64(JSON.stringify(_marshal(supplemental, { type : Type.Disk }))); + const saveObj = LZString.compressToBase64(JSON.stringify( + marshaledSave == null ? _marshal(supplemental, { type : Type.Disk }) : marshaledSave + )); saveAs(new Blob([saveObj], { type : 'text/plain;charset=UTF-8' }), saveName); } @@ -434,10 +511,17 @@ var Save = (() => { // eslint-disable-line no-unused-vars, no-var return saveObj.metadata; } - /******************************************************************************************************************* Utility Functions. *******************************************************************************************************************/ + function _storageAlert() { + if (Dialog.isOpen()) { + $(document).one(':dialogclosed', () => UI.alert('Local storage full, delete saves or increase local storage')); + } else { + UI.alert('Local storage full, delete saves or increase local storage'); + } + } + function _appendSlots(array, num) { for (let i = 0; i < num; ++i) { array.push(null); @@ -446,31 +530,8 @@ var Save = (() => { // eslint-disable-line no-unused-vars, no-var return array; } - function _savesObjIsEmpty(saves) { - const slots = saves.slots; - let isSlotsEmpty = true; - - for (let i = 0, iend = slots.length; i < iend; ++i) { - if (slots[i] !== null) { - isSlotsEmpty = false; - break; - } - } - - return saves.autosave === null && isSlotsEmpty; - } - - function _savesObjSave(saves) { - if (_savesObjIsEmpty(saves)) { - storage.delete('saves'); - return true; - } - - return storage.set('saves', saves); - } - function _savesObjUpdate(saveObj) { - if (saveObj == null || typeof saveObj !== 'object') { // lazy equality for null + if (saveObj == null || typeof saveObj !== "object") { // lazy equality for null return false; } @@ -623,9 +684,9 @@ var Save = (() => { // eslint-disable-line no-unused-vars, no-var Save Functions. */ init : { value : savesInit }, - get : { value : savesObjGet }, clear : { value : savesObjClear }, ok : { value : savesOk }, + index : { value : indexGet }, /* Autosave Functions. diff --git a/src/state.js b/src/state.js index 184c92b..d445630 100644 --- a/src/state.js +++ b/src/state.js @@ -104,7 +104,7 @@ var State = (() => { // eslint-disable-line no-unused-vars, no-var } if (_expired.length > 0) { - stateObj.expired = [..._expired]; + stateObj.expired = []; } if (_prng !== null) { @@ -224,8 +224,8 @@ var State = (() => { // eslint-disable-line no-unused-vars, no-var */ function momentCreate(title, variables) { return { - title : title == null ? '' : String(title), // lazy equality for null - variables : variables == null ? {} : clone(variables) // lazy equality for null + title : title == null ? '' : String(title), // lazy equality for null + variables : variables == null ? {} : variables // lazy equality for null }; } @@ -510,7 +510,7 @@ var State = (() => { // eslint-disable-line no-unused-vars, no-var return []; } - const delta = [clone(historyArr[0])]; + const delta = [historyArr[0]]; for (let i = 1, iend = historyArr.length; i < iend; ++i) { delta.push(Diff.diff(historyArr[i - 1], historyArr[i])); diff --git a/src/ui.js b/src/ui.js index 8402bb8..415e74c 100644 --- a/src/ui.js +++ b/src/ui.js @@ -254,7 +254,7 @@ var UI = (() => { // eslint-disable-line no-unused-vars, no-var return $btn; } - const saves = Save.get(); + const index = Save.index(); const $tbody = jQuery(document.createElement('tbody')); if (Save.autosave.ok()) { @@ -272,7 +272,7 @@ var UI = (() => { // eslint-disable-line no-unused-vars, no-var .text('A') // '\u25C6' Black Diamond .appendTo($tdSlot); - if (saves.autosave) { + if (index.autosave) { // Add the load button. $tdLoad.append( createButton('load', 'ui-close', L10n.get('savesLabelLoad'), 'auto', () => { @@ -282,13 +282,13 @@ var UI = (() => { // eslint-disable-line no-unused-vars, no-var // Add the description (title and datestamp). jQuery(document.createElement('div')) - .text(saves.autosave.title) + .text(index.autosave.title) .appendTo($tdDesc); jQuery(document.createElement('div')) .addClass('datestamp') .html( - saves.autosave.date - ? `${new Date(saves.autosave.date).toLocaleString()}` + index.autosave.date + ? `${new Date(index.autosave.date).toLocaleString()}` : `<em>${L10n.get('savesUnknownDate')}</em>` ) .appendTo($tdDesc); @@ -324,7 +324,7 @@ var UI = (() => { // eslint-disable-line no-unused-vars, no-var .appendTo($tbody); } - for (let i = 0, iend = saves.slots.length; i < iend; ++i) { + for (let i = 0, iend = index.slots.length; i < iend; ++i) { const $tdSlot = jQuery(document.createElement('td')); const $tdLoad = jQuery(document.createElement('td')); const $tdDesc = jQuery(document.createElement('td')); @@ -333,9 +333,10 @@ var UI = (() => { // eslint-disable-line no-unused-vars, no-var // Add the slot ID. $tdSlot.append(document.createTextNode(i + 1)); - if (saves.slots[i]) { - // Add the load button. + if (index.slots[i]) { + // Add the save & load buttons. $tdLoad.append( + createButton('save', 'ui-close', L10n.get('savesLabelSave'), i, Save.slots.save), createButton('load', 'ui-close', L10n.get('savesLabelLoad'), i, slot => { jQuery(document).one(':dialogclosed', () => Save.slots.load(slot)); }) @@ -343,13 +344,13 @@ var UI = (() => { // eslint-disable-line no-unused-vars, no-var // Add the description (title and datestamp). jQuery(document.createElement('div')) - .text(saves.slots[i].title) + .text(index.slots[i].title) .appendTo($tdDesc); jQuery(document.createElement('div')) .addClass('datestamp') .html( - saves.slots[i].date - ? `${new Date(saves.slots[i].date).toLocaleString()}` + index.slots[i].date + ? `${new Date(index.slots[i].date).toLocaleString()}` : `<em>${L10n.get('savesUnknownDate')}</em>` ) .appendTo($tdDesc);
MonsterMate/fc
devNotes/sugarcube stuff/sugarcube-fc-changes.patch
patch
mit
29,903
#!/bin/sh # setup: # add this to crontab: # */15 * * * * cd ~/FC/fc-pregmod && git pull --ff-only origin pregmod-master > ~/FC/git_pull.log 2>&1 # and do "ln -s ~/FC/fc-pregmod/devTools/BuildAndIPFSify.sh .git/hooks/post-merge" # NOTE: you may need to define XDG_RUNTIME_DIR in your crontab # TODO: add logic to figure out if we should use ipfs-cluster instead of using the local instance directly. # if we use ipfs-cluster we probably don't need to warm ipfs.io's cache. rm bin/*.html # if this script is used as the post-merge hook then # a) git pull has pulled something # b) $PWD is fc-pregmod if [ "$(basename "$0")" != "post-merge" ]; then # cd to fc-pregmod based on where this script is cd "$(readlink -f "$(dirname "$0")")/.." || exit 1 git pull # if there are new html files then git probably pulled something and ran this script as a post-merge hook if ls bin/*.html; then exit 0 fi fi # If we've done this before then unpin the previous hash so IPFS can GC it if it needs to if [ -r ../IPFS_hash.txt ]; then ipfs pin rm --recursive=true "$(cut -d : -f 2 ../IPFS_hash.txt | tr -d ' ')" fi ./compile || exit 1 # Keep the build time from changing the hash of the file sed -Ei -e '/^ \* Built on .+$/d' bin/*.html # add the date of the last commit to the file, but don't use colons because Windows (still?) doesn't like them mv bin/*.html "bin/FC pregmod $(git log -1 --format='%cd' --date='format:%F %H-%M').html" # include the unembedded vector art ipfs_hash="$(ipfs add -w -Q -r bin/*.html resources)" echo "IPFS Folder Hash: ${ipfs_hash}" > ../IPFS_hash.txt ipfs name publish "$ipfs_hash" # when it's done it will print something like "Published to $your_pubkey: /ipfs/$ipfs_hash" # You can view the folder at http://127.0.0.1:8080/ipns/$your_pubkey # make ipfs.io cache the files # $XDG_RUNTIME_DIR SHOULD be defined, but there are cases where it wouldn't be if [ -z "${XDG_RUNTIME_DIR+x}" ]; then echo "\$XDG_RUNTIME_DIR is unset, bailing" exit 2 fi # throw it into a file so we can loop over lines, not "strings delimited by whitespace" find resources bin -print | grep -ve '.gitignore' | sed -e 's|bin/||' | grep -Ee '.+\.svg' -e '.html' > "${XDG_RUNTIME_DIR}/files.list" # ipfs PeerID, it's user specific PeerID="$(ipfs config show | grep -e 'PeerID' | cut -d: -f 2 | tr -d ' "')" while IFS= read -r item do echo "https://ipfs.io/ipns/${PeerID}/${item}" done < "${XDG_RUNTIME_DIR}/files.list" | xargs --max-procs=10 --max-args=1 --replace curl --silent --show-error --range 0-499 --output /dev/null '{}' rm "${XDG_RUNTIME_DIR}/files.list"
MonsterMate/fc
devTools/BuildAndIPFSify.sh
Shell
mit
2,585
#!/bin/bash echo "Use temp [0], dump file to current directory [1] or overwrite file in place [2]" && read varname1 echo "Use upstream [1] or origin [0]" && read varname2 if [[ $varname2 == 0 ]];then echo "Use master [1] or current branch [0]." && read varname3 else varname3=1; fi echo "Dry run? 1:0" && read varname4 if [[ $varname2 == 1 ]];then varname2='pregmodfan' else varname2=$(git remote show origin|grep -e /|head -n 1|sed s#git@ssh.gitgud.io:#https://gitgud.io/#|cut -c 32-|sed s#/fc-pregmod.git##) fi if [[ $varname3 == 1 ]];then varname3='pregmod-master' else varname3=$(git rev-parse --abbrev-ref HEAD) fi if [[ $varname4 == 1 ]];then echo "https://gitgud.io/$varname2/fc-pregmod/raw/$varname3/" else for ((i=1; i<=$#; i++)) do if [[ $varname1 == 0 ]]; then wget -q -P /tmp/ https://gitgud.io/$varname2/fc-pregmod/raw/$varname3/${!i} elif [[ $varname1 == 1 ]]; then wget -q https://gitgud.io/$varname2/fc-pregmod/raw/$varname3/${!i} else curl -s https://gitgud.io/$varname2/fc-pregmod/raw/$varname3/${!i} > ${!i} fi done fi
MonsterMate/fc
devTools/DL-Loop.sh
Shell
mit
1,067
<Project xmlns="http://schemas.microsoft.com/developer/msbuild/2003"> <!-- Task to concat files injecting their names in between --> <UsingTask TaskName="ConcatFiles" TaskFactory="RoslynCodeTaskFactory" AssemblyFile="$(MSBuildToolsPath)\Microsoft.Build.Tasks.Core.dll" > <ParameterGroup> <Inputs ParameterType="Microsoft.Build.Framework.ITaskItem[]" Required="true" /> <BaseDir ParameterType="System.String" Required="true" /> <Output ParameterType="System.String" Required="true" /> </ParameterGroup> <Task> <Using Namespace="System"/> <Using Namespace="System.IO"/> <Code Type="Fragment" Language="cs"><![CDATA[ using (StreamWriter output = new StreamWriter(Output)) { int bdl = BaseDir.Length; foreach (ITaskItem item in Inputs) { string inp = item.GetMetadata("FullPath"); string rp = inp.StartsWith(BaseDir) ? inp.Substring(bdl) : inp; // a simple relative path output.WriteLine("/* Source: {0} */", rp); output.Write(File.ReadAllText(inp)); output.WriteLine(); } } ]]></Code> </Task> </UsingTask> <!-- https://stackoverflow.com/questions/7837644/how-to-replace-string-in-file-using-msbuild --> <!-- Unused <UsingTask TaskName="ReplaceFileText" TaskFactory="RoslynCodeTaskFactory" AssemblyFile="$(MSBuildToolsPath)\Microsoft.Build.Tasks.Core.dll"> <ParameterGroup> <InputFilename ParameterType="System.String" Required="true" /> <OutputFilename ParameterType="System.String" Required="true" /> <MatchExpression ParameterType="System.String" Required="true" /> <ReplacementText ParameterType="System.String" Required="true" /> </ParameterGroup> <Task> <Using Namespace="System" /> <Using Namespace="System.IO" /> <Using Namespace="System.Text.RegularExpressions" /> <Code Type="Fragment" Language="cs"> <![CDATA[ File.WriteAllText( OutputFilename, Regex.Replace(File.ReadAllText(InputFilename), MatchExpression, ReplacementText) ); ]]> </Code> </Task> </UsingTask> --> <!-- https://stackoverflow.com/questions/3524317/regex-to-strip-line-comments-from-c-sharp/3524689#3524689 --> <UsingTask TaskName="StripComments" TaskFactory="RoslynCodeTaskFactory" AssemblyFile="$(MSBuildToolsPath)\Microsoft.Build.Tasks.Core.dll"> <ParameterGroup> <InputFilename ParameterType="System.String" Required="true" /> <OutputFilename ParameterType="System.String" Required="true" /> </ParameterGroup> <Task> <Using Namespace="System" /> <Using Namespace="System.IO" /> <Using Namespace="System.Text.RegularExpressions" /> <Code Type="Fragment" Language="cs"> <![CDATA[ var blockComments = @"/\*(.*?)\*/"; var lineComments = @"//(.*?)\r?\n"; var strings = @"""((\\[^\n]|[^""\n])*)"""; var verbatimStrings = @"@(""[^""]*"")+"; File.WriteAllText( OutputFilename, Regex.Replace(File.ReadAllText(InputFilename), blockComments + "|" + lineComments + "|" + strings + "|" + verbatimStrings, me => { if (me.Value.StartsWith("/*") || me.Value.StartsWith("//")) return me.Value.StartsWith("//") ? "\n" : ""; // Keep the literal strings return me.Value; }, RegexOptions.Singleline ) ); ]]> </Code> </Task> </UsingTask> <UsingTask TaskName="GetToolPath" TaskFactory="RoslynCodeTaskFactory" AssemblyFile="$(MSBuildToolsPath)\Microsoft.Build.Tasks.Core.dll" > <ParameterGroup> <ToolName Required="true" /> <LocalPath /> <ToolPath Output="true" /> <ToolFound ParameterType="System.Boolean" Output="true" /> </ParameterGroup> <Task> <Reference Include="Microsoft.Win32.Registry" /> <Code Type="Class" Language="cs" Source="$(MSBuildThisFileDirectory)FindToolPath.cs" /> </Task> </UsingTask> <Target Name="FindGitWindows" Condition=" '$([MSBuild]::IsOsPlatform(Windows))' "> <GetToolPath ToolName="git"> <Output TaskParameter="ToolPath" PropertyName="GitExe"/> <Output TaskParameter="ToolFound" PropertyName="GitExeFound"/> </GetToolPath> </Target> <Target Name="FindGitUnix" Condition=" '$([MSBuild]::IsOSUnixLike())' " > <PropertyGroup> <GitExe>git</GitExe> </PropertyGroup> <Exec Command="$(GitExe) help > /dev/null" IgnoreExitCode="True"> <Output TaskParameter="ExitCode" PropertyName="GitExeExitCode" /> </Exec> <PropertyGroup> <GitExeFound Condition=" '$(GitExeExitCode)' == '0' " >true</GitExeFound> <GitExeFound Condition=" '$(GitExeExitCode)' != '0' " >false</GitExeFound> </PropertyGroup> </Target> <Target Name="FindGit" DependsOnTargets="FindGitWindows;FindGitUnix" /> </Project>
MonsterMate/fc
devTools/FC.targets
targets
mit
4,585
using Microsoft.Build.Framework; using Microsoft.Build.Utilities; using System; using System.IO; using System.Linq; using System.Text; using Microsoft.Win32; /* Copyright (c) 2014, LoreSoft This class was taken from https://github.com/loresoft/msbuildtasks/ and is licensed under BSD-2 license */ internal static class ToolPathUtil { public static bool SafeFileExists(string path, string toolName) { return SafeFileExists(Path.Combine(path, toolName)); } public static bool SafeFileExists(string file) { Console.WriteLine(String.Format("Testing {0}", file)); try { return File.Exists(file); } catch { } // eat exception return false; } public static string MakeToolName(string name) { return (Environment.OSVersion.Platform == PlatformID.Unix) ? name : name + ".exe"; } public static string FindInRegistry(string toolName) { try { RegistryKey key = Registry.LocalMachine.OpenSubKey(@"SOFTWARE\Microsoft\Windows\CurrentVersion\App Paths\" + toolName, false); if (key != null) { string possiblePath = key.GetValue(null) as string; if (SafeFileExists(possiblePath)) return Path.GetDirectoryName(possiblePath); } } catch (System.Security.SecurityException) { } return null; } public static string FindInPath(string toolName) { string pathEnvironmentVariable = Environment.GetEnvironmentVariable("PATH") ?? string.Empty; string[] paths = pathEnvironmentVariable.Split(new[] { Path.PathSeparator }, StringSplitOptions.RemoveEmptyEntries); foreach (string path in paths) { if (SafeFileExists(path, toolName)) { return path; } } return null; } public static string FindInProgramFiles(string toolName, params string[] commonLocations) { foreach (string location in commonLocations) { string path = Path.Combine(Environment.GetFolderPath(Environment.SpecialFolder.ProgramFiles), location); if (SafeFileExists(path, toolName)) { return path; } } return null; } public static string FindInLocalPath(string toolName, string localPath) { if (localPath == null) return null; string path = new DirectoryInfo(localPath).FullName; if (SafeFileExists(localPath, toolName)) { return path; } return null; } } public class GetToolPath : Microsoft.Build.Utilities.Task { public virtual string ToolName { get; set; } public virtual string LocalPath { get; set; } public virtual string ToolPath { get; set; } public virtual bool Success { get; set; } public override bool Execute() { this.ToolPath = null; this.Success = false; string tool = ToolPathUtil.MakeToolName(ToolName); string toolDir = ToolPathUtil.FindInPath(tool) ?? ToolPathUtil.FindInRegistry(tool) ?? ToolPathUtil.FindInProgramFiles(tool, tool) ?? ToolPathUtil.FindInProgramFiles(tool, Path.Combine(tool, "bin")) ?? ToolPathUtil.FindInLocalPath(tool, LocalPath); if (toolDir == null) { throw new Exception(String.Format("Could not find {0}. Looked in PATH locations and various common folders inside Program Files as well as LocalPath.", tool)); } Console.WriteLine("Found {0} at {1}", tool, toolDir); ToolPath = Path.Combine(toolDir, tool); Success = true; return Success; } }
MonsterMate/fc
devTools/FindToolPath.cs
C#
mit
3,234
#!/bin/ksh mega-login $1 $2 #U=$1 P=$2 rDir=$3 lDir=$4 Reqs:MEGAcmd,git while true;do gen=0;cd $4; if [[ `echo $?` -gt 0 ]];then mkdir -p $4&&git clone -q --depth 1 https://gitgud.io/pregmodfan/fc-pregmod.git $4&&cd $4 if [[ ! `mega-ls $3|cut -c21-24|paste -sd,` =~ `git log|head -1|cut -c8-11` ]];then gen=1;fi #stackoverflow.com/a/15394738 fi git fetch -q && if [ `git rev-list ...origin|wc -l` -gt 0 ];then git pull -q&&gen=1;fi #stackoverflow.com/a/17192101 if [[ $gen > 0 ]];then rm bin/*;./compile.sh -q&&cd bin/ mv *.h* FC-`git log -1 --format=%cd --date=format:%m-%d-%Y-%H-%M`-`git log|head -1|cut -c8-11`.html mega-put -c *.h* $3&&mega-rm $3`mega-ls $3|head -n 1` fi clear;sleep 15m;done
MonsterMate/fc
devTools/PreCompile.sh
Shell
mit
707
# Script to convert SC passages to JS. # lowercasedonkey, here. This script was written for the "PythonScript" plugin for notepad++. https://github.com/bruderstein/PythonScript. Not a python guy, but if works somewhere else, great! # At the moment, you can't "rerun it" on JS. Only run the code on SC, not the output. It won't update the JS. # Update slave references editor.rereplace(r"\$activeSlave", r"slave") editor.rereplace(r"\$slaves\[\$i\]", r"slave") # Update all references editor.rereplace(r"\$", r"V\.") # Line breaks for embedded code, beautify later editor.rereplace(r"([a-zA-Z@].*?)<<", r"$1\n<<") editor.rereplace(r">>([a-zA-Z,\.@ ].*?)", r">>\n\t$1") # Clean up print editor.rereplace(r"<<print (.*)>>", r"V.\1") editor.rereplace(r"<<= (.*?)>>", r"V\.\1") # Raw text editor.rereplace(r" ([a-zA-Z@\.,`'; ].*)", r" r.push\(`\1`\);") # If / else editor.rereplace(r"<<if (.*?)>>", r"if \1 {") editor.rereplace(r"<<elseif (.*?)>>", r"} else if \(\1\) {") editor.rereplace(r"<<else>>", r"} else {") editor.rereplace(r"<</if>>", r"}") #fix paren editor.rereplace(r"([ \n])if ([^\(].*) {", r"\1if \(\2\) {") editor.rereplace(r"([ \n])else if ([^\(].*) {", r"\1 else if \(\2\) {") # run can happen directly editor.rereplace(r"<<run (.*?)>>", r"\1;") # Clean up unset editor.rereplace(r"<<unset (.*)>>", r"delete \1;") # Set editor.rereplace(r"<<set (.*?)>>", r"$1;") #Switch editor.rereplace(r"<<switch (.*?)>>", r"switch \(\1\) {") editor.rereplace(r"<</switch>>", r"}") editor.rereplace(r"<<case (.*?)>>", r"case \1:") editor.rereplace(r"<<default>>", r"default:") # SC markup editor.rereplace(r"@@\.(.*?);(.*?)@@", r"<span class=\"\1\">\2</span>") editor.rereplace(r"@@\.(.*?);", r"<span class=\"\1\">") editor.rereplace(r"@@", r"</span>") #remove incompatible comment style editor.rereplace(r"/%", r"/*") editor.rereplace(r"%/", r"*/") # JS editor.rereplace(r" == ", r" === ") editor.rereplace(r" != ", r" !== ") #fix pronouns editor.rereplace(r"V\.Hers", r"\${Hers}") editor.rereplace(r"V\.hers", r"\${hers}") editor.rereplace(r"V\.He", r"\${He}") editor.rereplace(r"V\.he", r"\${he}") editor.rereplace(r"V\.Himself", r"\${Himself}") editor.rereplace(r"V\.himself", r"\${himself}") editor.rereplace(r"V\.Him", r"\${Him}") editor.rereplace(r"V\.him", r"\${him}") editor.rereplace(r"V\.His", r"\${His}") editor.rereplace(r"V\.his", r"\${his}") editor.rereplace(r"V\.Girl", r"\${Girl}") editor.rereplace(r"V\.girl", r"\${girl}") editor.rereplace(r"V\.Loli", r"\${Loli}") editor.rereplace(r"V\.loli", r"\${loli}") editor.rereplace(r"V\.Woman", r"\${Woman}") editor.rereplace(r"V\.woman", r"\${woman}") #fix pronouns editor.rereplace(r"_He2", r"\${_He2}") editor.rereplace(r"_he2", r"\${_he2}") editor.rereplace(r"_Him2", r"\${_Him2}") editor.rereplace(r"_him2", r"\${_him2}") editor.rereplace(r"_His2", r"\${_His2}") editor.rereplace(r"_his2", r"\${_his2}") editor.rereplace(r"_Hers2", r"\${_Hers2}") editor.rereplace(r"_hers2", r"\${_hers2}") editor.rereplace(r"_Himself2", r"\${_Himself2}") editor.rereplace(r"_himself2", r"\${_himself2}") editor.rereplace(r"_Girl2", r"\${_Girl2}") editor.rereplace(r"_girl2", r"\${_girl2}") editor.rereplace(r"_Loli2", r"\${_Loli2}") editor.rereplace(r"_loli2", r"\${_loli2}") editor.rereplace(r"_Woman2", r"\${_Woman2}") editor.rereplace(r"_woman2", r"\${_woman2}") editor.rereplace(r"_Hers2", r"\${_Hers2}") editor.rereplace(r"_hers2", r"\${_hers2}") #look for variables embedded in literals editor.rereplace(r"( r.push[^;]*?)(V\.[^ ,<'`]*)", r"\1${\2}") editor.rereplace(r"( r.push[^;]*?)(slave\.[^ ,<'`]*)", r"\1${\2}") editor.rereplace(r"( r.push[^;]*?)(_S\.[^ ,<'`]*)", r"\1${\2}") editor.rereplace(r"( r.push[^;]*?)( _[^ ,<'`]*)", r"\1${ \2}") #Delay fixing _S to simplify detection if it's embedded. editor.rereplace(r"_S\.", r"S.") #Cleanup editor.rereplace(r"\${He}adGirl", r"V.HeadGirl") editor.rereplace(r"\.}", r"}.") editor.rereplace(r"\${slave}", r"slave")
MonsterMate/fc
devTools/Script to convert SC to JS/SC to JS 1.py
Python
mit
3,941
#!/bin/sh tmpJoinedFile=`mktemp --suffix=.js` files=$(find js src -name '*.js' -print) files=$(echo "$files" | sort) for f in $files; do printf "\n/* ${f} */\n" >> "$tmpJoinedFile" cat "$f" >> "$tmpJoinedFile" done node -c "$tmpJoinedFile" test $? -eq 0 && rm "$tmpJoinedFile"
MonsterMate/fc
devTools/checkJS.sh
Shell
mit
283
@echo off :: Concatenates files from dir %1 specified with wildcard %2 and outputs result to %3 :: temporary codepage change to avoid mojibake FOR /f "tokens=2 delims=:." %%x IN ('CHCP') DO SET _CP=%%x CHCP 65001 > NUL :: TODO Proper temp file instead of bin\list.txt IF EXIST %3 DEL %3 SET _LISTFILE=bin\list.txt :: Collect sorted list of files ECHO "Ignore the first line to skip the BOM" >%_LISTFILE% (FOR /R "%~1" %%F IN (%2) DO echo "%%F") | sort >>%_LISTFILE% :: If we have powershell available, strip the absolute path information :: If not, fail silently (which is fine, but will leak path information into the built file) powershell -command "" 2> NUL IF %ERRORLEVEL% EQU 0 powershell -command "(get-content -literalPath \"%CD%\%_LISTFILE%\" -encoding utf8) -replace [regex]::escape(\"%CD%\"),'' -replace '\"','' ^| set-content -encoding utf8 -literalPath \"%CD%\%_LISTFILE%\"" :: Append the files (FOR /F "skip=1 usebackq delims=" %%F IN (`type "%_LISTFILE%"`) DO ( echo /* %%F */ >> %3 copy /b %3+"%CD%%%F" %3 1>NUL ) ) DEL %_LISTFILE% CHCP %_CP% > NUL
MonsterMate/fc
devTools/concatFiles.bat
Batchfile
mit
1,100
#!/bin/sh # $1: source dir # $2: name wildcard # #3: destination file rm -f "$3" files=$(find "$1" -name "$2" -print) files=$(echo "$files" | sort) for f in $files; do printf "\n/* ${f#$1} */\n" >> "$3" cat "$f" >> "$3" done
MonsterMate/fc
devTools/concatFiles.sh
Shell
mit
229
#!/bin/sh #converts files in the current dir # collect files with [script] tag FILES=`grep '\[script\]' -H -R * | cut -f 1 -d ':'` for f in $FILES; do # create new name. Old name can have any of the following suffixes: # _JS.tw JS.tw .tw nf="${f%_JS.tw}" nf="${nf%JS.tw}" nf="${nf%.tw}" # we might end up with an empty name, then set dir name as the file name [ -z "$(basename $nf)" -o "${nf: -1}" = "/" ] && nf="${nf}$(basename ${nf})" # append the new suffix nf="${nf}.js" echo "renaming ${f} -> ${nf}" # rename the file git mv "${f}" "${nf}" || echo "renaming ${f} failed" # strip Twee header from it sed -i 1d "${nf}" || echo "stripping Twee header failed for ${nf}" # strip leading empty line '/./,$!d' sed -i '/./,$!d' "${nf}" || echo "Stripping leading empty blank lines failed for ${nf}" done
MonsterMate/fc
devTools/convert_twscript_to_js.sh
Shell
mit
820
# Define phrases that should be searched in src/ on every call of the java based # sanityCheck here. # Phrases will be found whenever that exact phrase appears, regardless of # surroundings or overlapping. # Format is: searchPhrase#errorMessage # Output is: Found searchPhrase; Correct: errorMessage #cash +=#Should be cashX() ## cash used by corporate code, #cash -=#Should be cashX() ## too many false positives #rep +=#Should be repX() ## unused because .rep is used by facility code #rep -=#Should be repX() ## -> many false positives cash+=#Should be cashX() cash-=#Should be cashX() rep+=#Should be repX() rep-=#Should be repX() attepmts#attempts youreslf#yourself advnaces#advances canAcheive#canAchieve setBellySize#SetBellySize SetbellySize#SetBellySize setbellySize#SetBellySize bellypreg#bellyPreg bellyimplant#bellyImplant bellyfluid#bellyFluid carress#caress hormonebalance#hormoneBalance fetishknown#fetishKnown recieve#receive recieves#receives $slave[#Should be $slaves[ can not#cannot Coca Cola#Coca-Cola dosen't#doesn't aircrafts'#aircraft's outift#outfit earWear#earwear eyeWear#eyewear curiousity#curiosity intensly#intensely quicly#quickly avalibe#available randomise#randomize protudes#protrudes disapearing#disappearing
MonsterMate/fc
devTools/dictionary_phrases.txt
Text
mit
1,242
# Define words that should be searched in src/ on every call of the java # sanityCheck here. # Words consist only of letters and will be found whenever that word # appears, surrounded by non letters # Format is: searchPhrase#errorMessage # Output is: Found searchPhrase; Error: errorMessage abandonned#abandoned aberation#aberration abilityes#abilities abilties#abilities abilty#ability abondon#abandon abbout#about abotu#about abouta#about a aboutit#about it aboutthe#about the abscence#absence abondoned#abandoned abondoning#abandoning abondons#abandons aborigene#aborigine accesories#accessories accidant#accident abortificant#abortifacient abreviate#abbreviate abreviated#abbreviated abreviation#abbreviation abritrary#arbitrary absail#abseil absailing#abseiling absense#absence absolutly#absolutely absorbsion#absorption absorbtion#absorption abudance#abundance abundacies#abundances abundancies#abundances abundunt#abundant abutts#abuts acadamy#academy acadmic#academic accademic#academic accademy#academy acccused#accused accelleration#acceleration acceptence#acceptance acceptible#acceptable accessable#accessible acident#accident accidentaly#accidentally accidently#accidentally acclimitization#acclimatization accomadate#accommodate accomadated#accommodated accomadates#accommodates accomadating#accommodating accomadation#accommodation accomadations#accommodations accomdate#accommodate accomodate#accommodate accomodated#accommodated accomodates#accommodates accomodating#accommodating accomodation#accommodation accomodations#accommodations accompanyed#accompanied accordeon#accordion accordian#accordion accoring#according accoustic#acoustic accquainted#acquainted accrediation#accreditation accredidation#accreditation accross#across accussed#accused acedemic#academic acheive#achieve acheived#achieved acheivement#achievement acheivements#achievements acheives#achieves acheiving#achieving acheivment#achievement acheivments#achievements achievment#achievement achievments#achievements achivement#achievement achivements#achievements acknowldeged#acknowledged acknowledgeing#acknowledging acommodate#accommodate acomplish#accomplish acomplished#accomplished acomplishment#accomplishment acomplishments#accomplishments acording#according acordingly#accordingly acquaintence#acquaintance acquaintences#acquaintances acquiantence#acquaintance acquiantences#acquaintances acquited#acquitted activites#activities activly#actively actualy#actually acuracy#accuracy acused#accused acustom#accustom acustommed#accustomed adavanced#advanced adbandon#abandon addional#additional addionally#additionally additinally#additionally additionaly#additionally additonal#additional additonally#additionally addmission#admission addopt#adopt addopted#adopted addoptive#adoptive addresable#addressable addresed#addressed addresing#addressing addressess#addresses addtion#addition addtional#additional adecuate#adequate adequit#adequate adhearing#adhering adherance#adherence admendment#amendment admininistrative#administrative adminstered#administered adminstrate#administrate adminstration#administration adminstrative#administrative adminstrator#administrator admissability#admissibility admissable#admissible admited#admitted admitedly#admittedly adn#and adolecent#adolescent adquire#acquire adquired#acquired adquires#acquires adquiring#acquiring adres#address adresable#addressable adresing#addressing adress#address adressable#addressable adressed#addressed adventrous#adventurous advertisment#advertisement advertisments#advertisements advesary#adversary adviced#advised aeriel#aerial aeriels#aerials afair#affair afficianados#aficionados afficionado#aficionado afficionados#aficionados affilate#affiliate affilliate#affiliate aforememtioned#aforementioned againnst#against agains#against agaisnt#against aganist#against aggaravates#aggravates aggreed#agreed aggreement#agreement aggregious#egregious aggresive#aggressive agian#again agianst#against agin#again aginst#against agravate#aggravate agre#agree agred#agreed agreeement#agreement agreemnt#agreement agregate#aggregate agregates#aggregates agreing#agreeing agression#aggression agressive#aggressive agressively#aggressively agressor#aggressor agricultue#agriculture agriculure#agriculture agricuture#agriculture agrieved#aggrieved ahev#have ahppen#happen ahve#have aicraft#aircraft aiport#airport airbourne#airborne aircaft#aircraft aircrafts#aircraft airporta#airports airrcraft#aircraft aisian#asian albiet#albeit alchohol#alcohol alchoholic#alcoholic alchol#alcohol alcholic#alcoholic alcohal#alcohol alcoholical#alcoholic aledge#allege aledged#alleged aledges#alleges alege#allege aleged#alleged alegience#allegiance algebraical#algebraic algorhitms#algorithms algoritm#algorithm algoritms#algorithms alientating#alienating alledge#allege alledged#alleged alledgedly#allegedly alledges#alleges allegedely#allegedly allegedy#allegedly allegely#allegedly allegence#allegiance allegience#allegiance allign#align alligned#aligned alliviate#alleviate allopone#allophone allopones#allophones allready#already allthough#although alltime#all-time alltogether#altogether almsot#almost alochol#alcohol alomst#almost alotted#allotted alowed#allowed alowing#allowing alreayd#already alse#else alsot#also alternitives#alternatives althought#although altough#although alwasy#always alwyas#always amalgomated#amalgamated amatuer#amateur amendmant#amendment Amercia#America amerliorate#ameliorate amke#make amking#making ammend#amend ammended#amended ammendment#amendment ammendments#amendments ammount#amount ammused#amused amoung#among amoungst#amongst amung#among amunition#ammunition analagous#analogous analitic#analytic analogeous#analogous anarchim#anarchism anarchistm#anarchism anbd#and ancestory#ancestry ancilliary#ancillary andd#and androgenous#androgynous androgeny#androgyny anihilation#annihilation aniversary#anniversary annoint#anoint annointed#anointed annointing#anointing annoints#anoints annouced#announced annualy#annually annuled#annulled anohter#another anomolies#anomalies anomolous#anomalous anomoly#anomaly anonimity#anonymity anounced#announced anouncement#announcement ansalisation#nasalization ansalization#nasalization ansestors#ancestors antartic#antarctic anthromorphization#anthropomorphization anthropolgist#anthropologist anthropolgy#anthropology antiapartheid#anti-apartheid anual#annual anulled#annulled anwsered#answered anyhwere#anywhere anyother#any other anytying#anything aparent#apparent aparment#apartment aplication#application aplied#applied apolegetics#apologetics apparant#apparent apparantly#apparently appart#apart appartment#apartment appartments#apartments appeareance#appearance appearence#appearance appearences#appearances apperance#appearance apperances#appearances appereance#appearance appereances#appearances applicaiton#application applicaitons#applications appologies#apologies appology#apology apprearance#appearance apprieciate#appreciate approachs#approaches appropiate#appropriate appropraite#appropriate appropropiate#appropriate approproximate#approximate approxamately#approximately approxiately#approximately approximitely#approximately aprehensive#apprehensive apropriate#appropriate aproval#approval aproximate#approximate aproximately#approximately aquaduct#aqueduct aquaintance#acquaintance aquainted#acquainted aquiantance#acquaintance aquire#acquire aquired#acquired aquiring#acquiring aquisition#acquisition aquitted#acquitted aranged#arranged arangement#arrangement arbitarily#arbitrarily arbitary#arbitrary archaelogical#archaeological archaelogists#archaeologists archaelogy#archaeology archetect#architect archetects#architects archetectural#architectural archetecturally#architecturally archetecture#architecture archiac#archaic archictect#architect archimedian#archimedean architecht#architect architechturally#architecturally architechture#architecture architechtures#architectures architectual#architectural archtype#archetype archtypes#archetypes aready#already areodynamics#aerodynamics argubly#arguably arguement#argument arguements#arguments arised#arose arival#arrival armamant#armament armistace#armistice arogant#arrogant arogent#arrogant aroud#around arrangment#arrangement arrangments#arrangements arrengement#arrangement arrengements#arrangements arround#around artcile#article artical#article artice#article articel#article artifical#artificial artifically#artificially artillary#artillery arund#around asetic#ascetic asfar#as far asign#assign aslo#also asociated#associated asorbed#absorbed asphyxation#asphyxiation assasin#assassin assasinate#assassinate assasinated#assassinated assasinates#assassinates assasination#assassination assasinations#assassinations assasined#assassinated assasins#assassins assassintation#assassination assemple#assemble assertation#assertion asside#aside assisnate#assassinate assit#assist assitant#assistant assocation#association assoicate#associate assoicated#associated assoicates#associates assosication#assassination asssassans#assassins assualt#assault assualted#assaulted assymetric#asymmetric assymetrical#asymmetrical asteriod#asteroid asthetic#aesthetic asthetical#aesthetical asthetically#aesthetically asume#assume aswell#as well atain#attain atempting#attempting atheistical#atheistic athenean#Athenian atheneans#Athenians athiesm#atheism athiest#atheist atorney#attorney atribute#attribute atributed#attributed atributes#attributes attemp#attempt attemped#attempted attemt#attempt attemted#attempted attemting#attempting attemts#attempts attendence#attendance attendent#attendant attendents#attendants attened#attended attension#attention attitide#attitude attributred#attributed attrocities#atrocities audeince#audience auromated#automated austrailia#Australia austrailian#Australian auther#author authobiographic#autobiographic authobiography#autobiography authorative#authoritative authorites#authorities authorithy#authority authoritiers#authorities authoritive#authoritative authrorities#authorities autochtonous#autochthonous autoctonous#autochthonous automaticly#automatically automibile#automobile automonomous#autonomous autor#author autority#authority auxilary#auxiliary auxillaries#auxiliaries auxillary#auxiliary auxilliaries#auxiliaries auxilliary#auxiliary availabe#available availablity#availability availaible#available availble#available availiable#available availible#available avalable#available avalance#avalanche avaliable#available avation#aviation avengence#a vengeance averageed#averaged avilable#available awared#awarded awya#away baceause#because backgorund#background backrounds#backgrounds bakc#back banannas#bananas bandwith#bandwidth bankrupcy#bankruptcy banruptcy#bankruptcy basicaly#basically basicly#basically bcak#back beachead#beachhead beacuse#because beastiality#bestiality beatiful#beautiful beaurocracy#bureaucracy beaurocratic#bureaucratic beautyfull#beautiful becamae#became becasue#because beccause#because becomeing#becoming becomming#becoming becouse#because becuase#because bedore#before beeing#being befoer#before begginer#beginner begginers#beginners beggining#beginning begginings#beginnings beggins#begins begining#beginning beginnig#beginning beleagured#beleaguered beleif#belief beleive#believe beleived#believed beleives#believes beleiving#believing beligum#Belgium belive#believe belligerant#belligerent bellweather#bellwether bemusemnt#bemusement beneficary#beneficiary beng#being benificial#beneficial benifit#benefit benifits#benefits bergamont#bergamot Bernouilli#Bernoulli beseige#besiege beseiged#besieged beseiging#besieging beteen#between betwen#between beween#between bewteen#between beyound#beyond bigining#beginning biginning#beginning bilateraly#bilaterally billingualism#bilingualism binominal#binomial bizzare#bizarre blaim#blame blaimed#blamed blessure#blessing Blitzkreig#Blitzkrieg bodydbuilder#bodybuilder bombardement#bombardment bombarment#bombardment bondary#boundary Bonnano#Bonanno boook#book borke#broke boundry#boundary bouyancy#buoyancy bouyant#buoyant boyant#buoyant bradcast#broadcast Brasillian#Brazilian breakthough#breakthrough breakthroughts#breakthroughs breif#brief breifly#briefly brethen#brethren bretheren#brethren briliant#brilliant brillant#brilliant brimestone#brimstone Britian#Britain Brittish#British broacasted#broadcast broadacasting#broadcasting broady#broadly Buddah#Buddha Buddist#Buddhist buisness#business buisnessman#businessman buoancy#buoyancy burried#buried busines#business busness#business bussiness#business caculater#calculator cacuses#caucuses cahracters#characters calaber#caliber calculater#calculator calculs#calculus calenders#calendars caligraphy#calligraphy caluclate#calculate caluclated#calculated caluculate#calculate caluculated#calculated calulate#calculate calulated#calculated calulater#calculator Cambrige#Cambridge camoflage#camouflage campagin#campaign campain#campaign campains#campaigns candadate#candidate candiate#candidate candidiate#candidate cannister#canister cannisters#canisters cannnot#cannot cannonical#canonical cannotation#connotation cannotations#connotations caost#coast caperbility#capability Capetown#Cape Town capible#capable captial#capital captued#captured capturd#captured carachter#character caracterized#characterized carefull#careful careing#caring carismatic#charismatic Carmalite#Carmelite Carnagie#Carnegie Carnagie-Mellon#Carnegie-Mellon Carnigie#Carnegie Carnigie-Mellon#Carnegie-Mellon carreer#career carrers#careers Carribbean#Caribbean Carribean#Caribbean carryng#carrying cartdridge#cartridge Carthagian#Carthaginian carthographer#cartographer cartilege#cartilage cartilidge#cartilage cartrige#cartridge casette#cassette casion#caisson cassawory#cassowary cassowarry#cassowary casue#cause casued#caused casues#causes casuing#causing casulaties#casualties casulaty#casualty catagories#categories catagorized#categorized catagory#category catapillar#caterpillar catapillars#caterpillars catapiller#caterpillar catapillers#caterpillars catepillar#caterpillar catepillars#caterpillars catergorize#categorize catergorized#categorized caterpilar#caterpillar caterpilars#caterpillars caterpiller#caterpillar caterpillers#caterpillars cathlic#catholic catholocism#catholicism catterpilar#caterpillar catterpilars#caterpillars catterpillar#caterpillar catterpillars#caterpillars cattleship#battleship causalities#casualties Ceasar#Caesar Celcius#Celsius cellpading#cellpadding cementary#cemetery cemetarey#cemetery cemetaries#cemeteries cemetary#cemetery cencus#census cententenial#centennial centruies#centuries centruy#century centuties#centuries centuty#century cerimonial#ceremonial cerimonies#ceremonies cerimonious#ceremonious cerimony#ceremony ceromony#ceremony certainity#certainty certian#certain chalenging#challenging challange#challenge challanged#challenged challege#challenge Champange#Champagne changable#changeable charachter#character charachters#characters charactersistic#characteristic charactor#character charactors#characters charasmatic#charismatic charaterized#characterized chariman#chairman charistics#characteristics cheif#chief cheifs#chiefs chemcial#chemical chemcially#chemically chemestry#chemistry chemicaly#chemically childbird#childbirth childen#children choclate#chocolate choosen#chosen chracter#character chuch#church churchs#churches Cincinatti#Cincinnati Cincinnatti#Cincinnati circulaton#circulation circumsicion#circumcision circut#circuit ciricuit#circuit ciriculum#curriculum civillian#civilian claer#clear claerer#clearer claerly#clearly claimes#claims clas#class clasic#classic clasical#classical clasically#classically cleareance#clearance clincial#clinical clinicaly#clinically cmo#com cmoputer#computer co-incided#coincided coctail#cocktail coform#conform cognizent#cognizant coincedentally#coincidentally colaborations#collaborations colateral#collateral colelctive#collective collaberative#collaborative collecton#collection collegue#colleague collegues#colleagues collonade#colonnade collonies#colonies collony#colony collosal#colossal colonizators#colonizers comando#commando comandos#commandos comany#company comapany#company comback#comeback combanations#combinations combinatins#combinations combusion#combustion comdemnation#condemnation comemmorates#commemorates comemoretion#commemoration comision#commission comisioned#commissioned comisioner#commissioner comisioning#commissioning comisions#commissions comission#commission comissioned#commissioned comissioner#commissioner comissioning#commissioning comissions#commissions comited#committed comiting#committing comitted#committed comittee#committee comitting#committing commandoes#commandos commedic#comedic commemerative#commemorative commemmorate#commemorate commemmorating#commemorating commerical#commercial commerically#commercially commericial#commercial commericially#commercially commerorative#commemorative comming#coming comminication#communication commision#commission commisioned#commissioned commisioner#commissioner commisioning#commissioning commisions#commissions commited#committed commitee#committee commiting#committing committe#committee committment#commitment committments#commitments commmemorated#commemorated commongly#commonly commonweath#commonwealth commuications#communications commuinications#communications communciation#communication communiation#communication communites#communities compability#compatibility comparision#comparison comparisions#comparisons comparitive#comparative comparitively#comparatively compatabilities#compatibilities compatability#compatibility compatable#compatible compatablities#compatibilities compatablity#compatibility compatiable#compatible compatiblities#compatibilities compatiblity#compatibility compeitions#competitions compensantion#compensation competance#competence competant#competent competative#competitive competitiion#competition competive#competitive competiveness#competitiveness comphrehensive#comprehensive compitent#competent completedthe#completed the completelyl#completely completetion#completion complier#compiler componant#component comprable#comparable comprimise#compromise compulsary#compulsory compulsery#compulsory computarized#computerized concensus#consensus concider#consider concidered#considered concidering#considering conciders#considers concieted#conceited concieved#conceived concious#conscious conciously#consciously conciousness#consciousness condamned#condemned condemmed#condemned condidtion#condition condidtions#conditions conditionsof#conditions of conected#connected conection#connection conesencus#consensus confidental#confidential confidentally#confidentially confids#confides configureable#configurable confortable#comfortable congradulations#congratulations congresional#congressional conived#connived conjecutre#conjecture conjuction#conjunction Conneticut#Connecticut conotations#connotations conquerd#conquered conquerer#conqueror conquerers#conquerors conqured#conquered conscent#consent consciouness#consciousness consdider#consider consdidered#considered consdiered#considered consectutive#consecutive consenquently#consequently consentrate#concentrate consentrated#concentrated consentrates#concentrates consept#concept consequentually#consequently consequeseces#consequences consern#concern conserned#concerned conserning#concerning conservitive#conservative consiciousness#consciousness consicousness#consciousness considerd#considered consideres#considered consious#conscious consistant#consistent consistantly#consistently consituencies#constituencies consituency#constituency consituted#constituted consitution#constitution consitutional#constitutional consolodate#consolidate consolodated#consolidated consonent#consonant consonents#consonants consorcium#consortium conspiracys#conspiracies conspiriator#conspirator constaints#constraints constanly#constantly constarnation#consternation constatn#constant constinually#continually constituant#constituent constituants#constituents constituion#constitution constituional#constitutional consttruction#construction constuction#construction contstruction#construction consulant#consultant consumate#consummate consumated#consummated contaiminate#contaminate containes#contains contamporaries#contemporaries contamporary#contemporary contempoary#contemporary contemporaneus#contemporaneous contempory#contemporary contendor#contender contian#contain contians#contains contibute#contribute contibuted#contributed contibutes#contributes contigent#contingent contined#continued continential#continental continous#continuous continously#continuously continueing#continuing contravercial#controversial contraversy#controversy contributer#contributor contributers#contributors contritutions#contributions controled#controlled controling#controlling controll#control controlls#controls controvercial#controversial controvercy#controversy controveries#controversies controversal#controversial controversey#controversy controvertial#controversial controvery#controversy contruction#construction conveinent#convenient convenant#covenant convential#conventional convertables#convertibles convertion#conversion conviced#convinced convienient#convenient coordiantion#coordination coorperations#corporations copmetitors#competitors coputer#computer copywrite#copyright coridal#cordial cornmitted#committed corosion#corrosion corparate#corporate corperations#corporations correcters#correctors correponding#corresponding correposding#corresponding correspondant#correspondent correspondants#correspondents corridoors#corridors corrispond#correspond corrispondant#correspondent corrispondants#correspondents corrisponded#corresponded corrisponding#corresponding corrisponds#corresponds costitution#constitution coucil#council counries#countries countains#contains countires#countries creaeted#created creche#crèche creedence#credence critereon#criterion criterias#criteria criticists#critics critisising#criticizing critisism#criticism critisisms#criticisms critized#criticized critizing#criticizing crockodiles#crocodiles crowm#crown crtical#critical crticised#criticized crucifiction#crucifixion crusies#cruises crutial#crucial crystalisation#crystallization culiminating#culminating cumulatative#cumulative curch#church curcuit#circuit currenly#currently curriculem#curriculum cxan#cyan cyclinder#cylinder dacquiri#daiquiri daed#dead dalmation#dalmatian damenor#demeanor dammage#damage Dardenelles#Dardanelles daugher#daughter debateable#debatable decendant#descendant decendants#descendants decendent#descendant decendents#descendants decideable#decidable decidely#decidedly decieved#deceived decison#decision decomissioned#decommissioned decomposit#decompose decomposited#decomposed decompositing#decomposing decomposits#decomposes decress#decrees decribe#describe decribed#described decribes#describes decribing#describing dectect#detect defendent#defendant defendents#defendants deffensively#defensively deffine#define deffined#defined definance#defiance definate#definite definately#definitely definatly#definitely definetly#definitely definining#defining definit#definite definitly#definitely definiton#definition defintion#definition degrate#degrade delagates#delegates delapidated#dilapidated delerious#delirious delevopment#development deliberatly#deliberately delusionally#delusively demenor#demeanor demographical#demographic demolision#demolition demorcracy#democracy demostration#demonstration denegrating#denigrating densly#densely deparment#department deparmental#departmental deparments#departments dependance#dependence dependancy#dependency deriviated#derived derivitive#derivative derogitory#derogatory descendands#descendants descibed#described descision#decision descisions#decisions descriibes#describes descripters#descriptors descripton#description desctruction#destruction descuss#discuss desgined#designed deside#decide desigining#designing desinations#destinations desintegrated#disintegrated desintegration#disintegration desireable#desirable desitned#destined desktiop#desktop desorder#disorder desoriented#disoriented despict#depict despiration#desperation dessicated#desiccated dessigned#designed destablized#destabilized destory#destroy detailled#detailed detatched#detached deteoriated#deteriorated deteriate#deteriorate deterioriating#deteriorating determinining#determining detremental#detrimental devasted#devastated develope#develop developement#development developped#developed develpment#development devels#delves devestated#devastated devestating#devastating devide#divide devided#divided devistating#devastating devolopement#development diablical#diabolical diamons#diamonds diaster#disaster dichtomy#dichotomy diconnects#disconnects dicover#discover dicovered#discovered dicovering#discovering dicovers#discovers dicovery#discovery dictionarys#dictionaries dicussed#discussed didnt#didn't dieties#deities diety#deity diferent#different diferrent#different differentiatiations#differentiations differnt#different difficulity#difficulty diffrent#different dificulties#difficulties dificulty#difficulty dimenions#dimensions dimention#dimension dimentional#dimensional dimentions#dimensions dimesnional#dimensional diminuitive#diminutive dimunitive#diminutive diosese#diocese diphtong#diphthong diphtongs#diphthongs diplomancy#diplomacy dipthong#diphthong dipthongs#diphthongs directoty#directory dirived#derived disagreeed#disagreed disapeared#disappeared disapointing#disappointing disappearred#disappeared disaproval#disapproval disasterous#disastrous disatisfaction#dissatisfaction disatisfied#dissatisfied disatrous#disastrous discontentment#discontent discribe#describe discribed#described discribes#describes discribing#describing disctinction#distinction disctinctive#distinctive disemination#dissemination disenchanged#disenchanted disiplined#disciplined disobediance#disobedience disobediant#disobedient disolved#dissolved disover#discover dispair#despair disparingly#disparagingly dispence#dispense dispenced#dispensed dispencing#dispensing dispicable#despicable dispite#despite dispostion#disposition disproportiate#disproportionate disputandem#disputandum disricts#districts dissagreement#disagreement dissapear#disappear dissapearance#disappearance dissapeared#disappeared dissapearing#disappearing dissapears#disappears dissappear#disappear dissappears#disappears dissappointed#disappointed dissarray#disarray dissobediance#disobedience dissobediant#disobedient dissobedience#disobedience dissobedient#disobedient distiction#distinction distingish#distinguish distingished#distinguished distingishes#distinguishes distingishing#distinguishing distingquished#distinguished distrubution#distribution distruction#destruction distructive#destructive ditributed#distributed divice#device divinition#divination divison#division divisons#divisions dum#dumb doccument#document doccumented#documented doccuments#documents docrines#doctrines doctines#doctrines documenatry#documentary doens#does doesnt#doesn't doign#doing dominaton#domination dominent#dominant dominiant#dominant donig#doing doulbe#double dowloads#downloads dramtic#dramatic draughtman#draughtsman Dravadian#Dravidian dreasm#dreams driectly#directly drnik#drink druming#drumming drummless#drumless dupicate#duplicate durig#during durring#during duting#during dyas#dryas eahc#each ealier#earlier earlies#earliest earnt#earned ecclectic#eclectic eceonomy#economy ecidious#deciduous eclispe#eclipse ecomonic#economic ect#etc eearly#early efel#evil effeciency#efficiency effecient#efficient effeciently#efficiently efficency#efficiency efficent#efficient efficently#efficiently effulence#effluence eiter#either elction#election electrial#electrical electricly#electrically electricty#electricity elementay#elementary eleminated#eliminated eleminating#eliminating eles#eels eletricity#electricity elicided#elicited eligable#eligible elimentary#elementary ellected#elected elphant#elephant embarass#embarrass embarassed#embarrassed embarassing#embarrassing embarassment#embarrassment embargos#embargoes embarras#embarrass embarrased#embarrassed embarrasing#embarrassing embarrasment#embarrassment embezelled#embezzled emblamatic#emblematic eminate#emanate eminated#emanated emision#emission emited#emitted emiting#emitting emmediately#immediately emminently#eminently emmisaries#emissaries emmisarries#emissaries emmisarry#emissary emmisary#emissary emmision#emission emmisions#emissions emmited#emitted emmiting#emitting emmitted#emitted emmitting#emitting emnity#enmity emperical#empirical emphaised#emphasized emphsis#emphasis emphysyma#emphysema emporer#emperor emprisoned#imprisoned enameld#enameled enchancement#enhancement encouraing#encouraging encryptiion#encryption encylopedia#encyclopedia endevors#endeavors endevour#endeavor endig#ending endolithes#endoliths enduce#induce ened#need enforceing#enforcing engagment#engagement engeneer#engineer engeneering#engineering engieneer#engineer engieneers#engineers enlargment#enlargement enlargments#enlargements enourmous#enormous enourmously#enormously ensconsed#ensconced entaglements#entanglements enteratinment#entertainment enthusiatic#enthusiastic entitity#entity entitlied#entitled entrepeneur#entrepreneur entrepeneurs#entrepreneurs enviorment#environment enviormental#environmental enviormentally#environmentally enviorments#environments enviornment#environment enviornmental#environmental enviornmentalist#environmentalist enviornmentally#environmentally enviornments#environments enviroment#environment enviromental#environmental enviromentalist#environmentalist enviromentally#environmentally enviroments#environments envolutionary#evolutionary envrionments#environments enxt#next epidsodes#episodes epsiode#episode equialent#equivalent equilibium#equilibrium equilibrum#equilibrium equiped#equipped equippment#equipment equitorial#equatorial equivelant#equivalent equivelent#equivalent equivilant#equivalent equivilent#equivalent equivlalent#equivalent eratic#erratic eratically#erratically eraticly#erratically errupted#erupted esential#essential esitmated#estimated esle#else especialy#especially essencial#essential essense#essence essentail#essential essentialy#essentially essentual#essential essesital#essential estabishes#establishes establising#establishing ethnocentricm#ethnocentrism Europian#European Europians#Europeans Eurpean#European Eurpoean#European evenhtually#eventually eventally#eventually eventhough#even though eventially#eventually eventualy#eventually everthing#everything everytime#every time everyting#everything eveyr#every evidentally#evidently exagerate#exaggerate exagerated#exaggerated exagerates#exaggerates exagerating#exaggerating exagerrate#exaggerate exagerrated#exaggerated exagerrates#exaggerates exagerrating#exaggerating examinated#examined exampt#exempt exapansion#expansion excact#exact excange#exchange excecute#execute excecuted#executed excecutes#executes excecuting#executing excecution#execution excedded#exceeded excelent#excellent excell#excel excellance#excellence excellant#excellent excells#excels excercise#exercise exchanching#exchanging excisted#existed exculsivly#exclusively execising#exercising exection#execution exectued#executed exeedingly#exceedingly exelent#excellent exellent#excellent exemple#example exept#except exeptional#exceptional exerbate#exacerbate exerbated#exacerbated exerciese#exercises exerpt#excerpt exerpts#excerpts exersize#exercise exerternal#external exhalted#exalted exhibtion#exhibition exibition#exhibition exibitions#exhibitions exicting#exciting exinct#extinct existance#existence existant#existent existince#existence exliled#exiled exludes#excludes exmaple#example exonorate#exonerate exoskelaton#exoskeleton expalin#explain expatriot#expatriate expeced#expected expecially#especially expeditonary#expeditionary expeiments#experiments expell#expel expells#expels experiance#experience experianced#experienced expiditions#expeditions expierence#experience explaination#explanation explaning#explaining explictly#explicitly exploititive#exploitative explotation#exploitation expropiated#expropriated expropiation#expropriation exressed#expressed extemely#extremely extention#extension extentions#extensions extered#exerted extermist#extremist extradiction#extradition extraterrestial#extraterrestrial extraterrestials#extraterrestrials extravagent#extravagant extrememly#extremely extremeophile#extremophile extremly#extremely extrordinarily#extraordinarily extrordinary#extraordinary faciliate#facilitate faciliated#facilitated faciliates#facilitates facilites#facilities facillitate#facilitate facinated#fascinated facist#fascist familes#families familliar#familiar famoust#famous fanatism#fanaticism Farenheit#Fahrenheit fatc#fact faught#fought favoutrable#favorable feasable#feasible Febuary#February Feburary#February fedreally#federally femminist#feminist feromone#pheromone fertily#fertility fianite#finite fianlly#finally ficticious#fictitious fictious#fictitious fidn#find fiercly#fiercely fightings#fighting filiament#filament fimilies#families finacial#financial finaly#finally financialy#financially firends#friends fisionable#fissionable flamable#flammable flawess#flawless Flemmish#Flemish florescent#fluorescent flourescent#fluorescent flourine#fluorine fluorish#flourish flourishment#flourishing follwoing#following folowing#following fomed#formed fonetic#phonetic fontrier#frontier foootball#football forbad#forbade forbiden#forbidden foreward#foreword forfiet#forfeit forhead#forehead foriegn#foreign Formalhaut#Fomalhaut formallize#formalize formallized#formalized formelly#formerly formidible#formidable formost#foremost forsaw#foresaw forseeable#foreseeable fortelling#foretelling forunner#forerunner foucs#focus foudn#found fougth#fought foundaries#foundries foundary#foundry Foundland#Newfoundland fourties#forties fourty#forty fouth#fourth foward#forward Fransiscan#Franciscan Fransiscans#Franciscans freind#friend freindly#friendly frequentily#frequently frome#from fromed#formed froniter#frontier fucntion#function fucntioning#functioning fufill#fulfill fufilled#fulfilled fulfiled#fulfilled fullfill#fulfill fullfilled#fulfilled fundametal#fundamental fundametals#fundamentals funguses#fungi funtion#function furuther#further futher#further futhermore#furthermore galatic#galactic Galations#Galatians gallaxies#galaxies galvinized#galvanized Gameboy#Game Boy ganerate#generate ganes#games ganster#gangster garantee#guarantee garanteed#guaranteed garantees#guarantees gardai#gardaí garnison#garrison gauarana#guaraná gaurantee#guarantee gauranteed#guaranteed gaurantees#guarantees gaurentee#guarantee gaurenteed#guaranteed gaurentees#guarantees geneological#genealogical geneologies#genealogies geneology#genealogy generaly#generally generatting#generating genialia#genitalia geographicial#geographical geometrician#geometer geometricians#geometers gerat#great Ghandi#Gandhi glamourous#glamorous glight#flight gnawwed#gnawed godess#goddess godesses#goddesses Godounov#Godunov goign#going gonig#going Gothenberg#Gothenburg gouvener#governor govement#government govenment#government govenrment#government goverance#governance goverment#government govermental#governmental governer#governor governmnet#government govorment#government govormental#governmental govornment#government gracefull#graceful graet#great grafitti#graffiti gramatically#grammatically grammaticaly#grammatically grammer#grammar grat#great gratuitious#gratuitous greatful#grateful greatfully#gratefully greif#grief gridles#griddles gropu#group grwo#grow guage#gauge guarentee#guarantee guarenteed#guaranteed guarentees#guarantees Guatamala#Guatemala Guatamalan#Guatemalan guerrila#guerrilla guerrilas#guerrillas guidence#guidance Guilia#Giulia Guilio#Giulio Guiness#Guinness Guiseppe#Giuseppe gunanine#guanine gurantee#guarantee guranteed#guaranteed gurantees#guarantees guttaral#guttural gutteral#guttural habaeus#habeas habeus#habeas Habsbourg#Hapsburg haemorrage#hemorrhage halarious#hilarious halp#help hapen#happen hapened#happened hapening#happening happend#happened happended#happened happenned#happened harased#harassed harases#harasses harasment#harassment harasments#harassments harassement#harassment harras#harass harrased#harassed harrases#harasses harrasing#harassing harrasment#harassment harrasments#harassments harrassed#harassed harrasses#harassed harrassing#harassing harrassment#harassment harrassments#harassments hasnt#hasn't Hatian#Haitian haviest#heaviest headquarer#headquarter headquater#headquarter headquatered#headquartered headquaters#headquarters healthercare#healthcare heared#heard heathy#healthy Heidelburg#Heidelberg heigher#higher heirarchy#hierarchy heiroglyphics#hieroglyphics helment#helmet helpfull#helpful helpped#helped hemmorhage#hemorrhage heridity#heredity heroe#hero heros#heroes hertiage#heritage hertzs#hertz hesistant#hesitant heterogenous#heterogeneous hieght#height hierachical#hierarchical hierachies#hierarchies hierachy#hierarchy hierarcical#hierarchical hierarcy#hierarchy hieroglph#hieroglyph hieroglphs#hieroglyphs higer#higher higest#highest higway#highway hillarious#hilarious himselv#himself hinderance#hindrance hinderence#hindrance hindrence#hindrance hipopotamus#hippopotamus hismelf#himself histocompatability#histocompatibility historicians#historians hitsingles#hit singles holf#hold holliday#holiday homestate#home state homogeneize#homogenize homogeneized#homogenized honory#honorary horrifing#horrifying hosited#hoisted hospitible#hospitable hounour#honor howver#however hsitorians#historians hstory#history htey#they htikn#think hting#thing htink#think htis#this huminoid#humanoid humoural#humoral humurous#humorous husban#husband hvae#have hvaing#having hwihc#which hwile#while hwole#whole hydogen#hydrogen hydropile#hydrophile hydropilic#hydrophilic hydropobe#hydrophobe hydropobic#hydrophobic hygeine#hygiene hyjack#hijack hyjacking#hijacking hypocracy#hypocrisy hypocrasy#hypocrisy hypocricy#hypocrisy hypocrit#hypocrite hypocrits#hypocrites iconclastic#iconoclastic idaeidae#idea idaes#ideas idealogies#ideologies idealogy#ideology identicial#identical identifers#identifiers ideosyncratic#idiosyncratic idiosyncracy#idiosyncrasy Ihaca#Ithaca illegimacy#illegitimacy illegitmate#illegitimate illess#illness illiegal#illegal illution#illusion ilness#illness ilogical#illogical imagenary#imaginary imagin#imagine imcomplete#incomplete imediately#immediately imense#immense immediatley#immediately immediatly#immediately immidately#immediately immidiately#immediately immitate#imitate immitated#imitated immitating#imitating immitator#imitator immunosupressant#immunosuppressant impecabbly#impeccably impedence#impedance implamenting#implementing impliment#implement implimented#implemented imploys#employs importamt#important impressario#impresario imprioned#imprisoned imprisonned#imprisoned improvision#improvisation improvments#improvements inablility#inability inaccessable#inaccessible inadiquate#inadequate inadquate#inadequate inadvertant#inadvertent inadvertantly#inadvertently inagurated#inaugurated inaguration#inauguration inappropiate#inappropriate inaugures#inaugurates inbalance#imbalance inbalanced#imbalanced inbetween#between incarcirated#incarcerated incidentially#incidentally incidently#incidentally inclreased#increased includ#include includng#including incompatabilities#incompatibilities incompatability#incompatibility incompatable#incompatible incompatablities#incompatibilities incompatablity#incompatibility incompatiblities#incompatibilities incompatiblity#incompatibility incompetance#incompetence incompetant#incompetent incomptable#incompatible incomptetent#incompetent inconsistant#inconsistent incoroporated#incorporated incorperation#incorporation incorportaed#incorporated incorprates#incorporates incorruptable#incorruptible incramentally#incrementally increadible#incredible incredable#incredible inctroduce#introduce inctroduced#introduced incuding#including incunabla#incunabula indefinately#indefinitely indefinatly#indefinitely indefineable#undefinable indefinitly#indefinitely indentical#identical indepedantly#independently indepedence#independence independance#independence independant#independent independantly#independently independece#independence independendet#independent indespensable#indispensable indespensible#indispensable indictement#indictment indigineous#indigenous indipendence#independence indipendent#independent indipendently#independently indispensible#indispensable indisputible#indisputable indisputibly#indisputably indite#indict individualy#individually indpendent#independent indpendently#independently indulgue#indulge indutrial#industrial indviduals#individuals inefficienty#inefficiently inevatible#inevitable inevitible#inevitable inevititably#inevitably infalability#infallibility infallable#infallible infectuous#infectious infered#inferred infilitrate#infiltrate infilitrated#infiltrated infilitration#infiltration infinit#infinite inflamation#inflammation influencial#influential influented#influenced infomation#information informtion#information infrantryman#infantryman infrigement#infringement ingenius#ingenious ingreediants#ingredients inhabitans#inhabitants inherantly#inherently inheritence#inheritance inital#initial initally#initially initation#initiation initiaitive#initiative inlcuding#including inmigrant#immigrant inmigrants#immigrants innoculated#inoculated inocence#innocence inofficial#unofficial inot#into inpeach#impeach inpending#impending inpenetrable#impenetrable inpolite#impolite inprisonment#imprisonment inproving#improving insectiverous#insectivorous insensative#insensitive inseperable#inseparable insistance#insistence insitution#institution insitutions#institutions instade#instead instatance#instance institue#institute instuction#instruction instuments#instruments instutionalized#institutionalized instutions#intuitions insurence#insurance intelectual#intellectual inteligence#intelligence inteligent#intelligent intenational#international intepretation#interpretation intepretator#interpretor interational#international interchangable#interchangeable interchangably#interchangeably intercontinential#intercontinental intercontinetal#intercontinental interelated#interrelated interferance#interference interfereing#interfering intergrated#integrated intergration#integration interm#interim internation#international interpet#interpret interrim#interim interrugum#interregnum intertaining#entertaining interupt#interrupt intervines#intervenes intevene#intervene intial#initial intially#initially intrduced#introduced intrest#interest introdued#introduced intruduced#introduced intrument#instrument intrumental#instrumental intruments#instruments intrusted#entrusted intutive#intuitive intutively#intuitively inudstry#industry inventer#inventor invertibrates#invertebrates investingate#investigate involvment#involvement irelevent#irrelevant iresistable#irresistible iresistably#irresistibly iresistible#irresistible iresistibly#irresistibly iritable#irritable iritated#irritated ironicly#ironically irregardless#regardless irrelevent#irrelevant irreplacable#irreplaceable irresistable#irresistible irresistably#irresistibly isnt#isn't Israelies#Israelis issueing#issuing itnroduced#introduced iunior#junior iwll#will iwth#with Janurary#January Januray#January Japanes#Japanese jaques#Jacques jeapardy#jeopardy jewllery#jewelery Johanine#Johannine jorunal#journal Jospeh#Joseph jouney#journey journied#journeyed journies#journeys jstu#just jsut#just Juadaism#Judaism Juadism#Judaism judical#judicial judisuary#judiciary juducial#judicial juristiction#jurisdiction juristictions#jurisdictions kindergarden#kindergarten klenex#kleenex knifes#knives knive#knife knowlege#knowledge knowlegeable#knowledgeable knwo#know knwos#knows konw#know konws#knows kwno#know labratory#laboratory laguage#language laguages#languages larg#large largst#largest larrry#larry lastr#last lattitude#latitude launhed#launched lavae#larvae layed#laid lazyness#laziness leage#league leathal#lethal lefted#left legitamate#legitimate legitmate#legitimate leibnitz#Leibniz lenght#length leran#learn lerans#learns leutenant#lieutenant levetate#levitate levetated#levitated levetates#levitates levetating#levitating levle#level liasion#liaison liason#liaison liasons#liaisons libary#library libell#libel libguistic#linguistic libguistics#linguistics libitarianisn#libertarianism lieing#lying liek#like liekd#liked liesure#leisure lieuenant#lieutenant lieved#lived liftime#lifetime lightyear#light year lightyears#light years likelyhood#likelihood linnaena#linnaean lippizaner#lipizzaner liquify#liquefy listners#listeners litature#literature literaly#literally literture#literature littel#little litterally#literally liuke#like livley#lively lmits#limits loev#love lonelyness#loneliness longitudonal#longitudinal lonley#lonely loosing#losing lotharingen#lothringen lsat#last lukid#likud lveo#love lvoe#love Lybia#Libya mackeral#mackerel magasine#magazine magizine#magazine magisine#magazine magincian#magician magnificient#magnificent magolia#magnolia mailny#mainly maintainance#maintenance maintainence#maintenance maintance#maintenance maintenence#maintenance maintinaing#maintaining maintioned#mentioned majoroty#majority makse#makes Malcom#Malcolm maltesian#Maltese mamal#mammal mamalian#mammalian managment#management maneouvre#maneuver maneouvred#maneuvered maneouvres#maneuvers maneouvring#maneuvering manisfestations#manifestations manoeuverability#maneuverability mantained#maintained manufacturedd#manufactured manufature#manufacture manufatured#manufactured manufaturing#manufacturing manuver#maneuver mariage#marriage marjority#majority markes#marks marketting#marketing marmelade#marmalade marrage#marriage marraige#marriage marrtyred#martyred marryied#married Massachussets#Massachusetts Massachussetts#Massachusetts massmedia#mass media masterbation#masturbation mataphysical#metaphysical materalists#materialist mathamatics#mathematics mathematican#mathematician mathematicas#mathematics matheticians#mathematicians mathmatically#mathematically mathmatician#mathematician mathmaticians#mathematicians mccarthyst#McCarthyist mchanics#mechanics meaninng#meaning mechandise#merchandise medacine#medicine medeival#medieval medevial#medieval mediciney#mediciny medievel#medieval mediterainnean#Mediterranean Mediteranean#Mediterranean meerkrat#meerkat melieux#milieux membranaphone#membranophone memeber#member menally#mentally mercentile#mercantile messanger#messenger messenging#messaging metalic#metallic metalurgic#metallurgic metalurgical#metallurgical metalurgy#metallurgy metamorphysis#metamorphosis metaphoricial#metaphorical meterologist#meteorologist meterology#meteorology methaphor#metaphor methaphors#metaphors Michagan#Michigan micoscopy#microscopy midwifes#midwives mileau#milieu milennia#millennia milennium#millennium mileu#milieu miliary#military miligram#milligram milion#million miliraty#military millenia#millennia millenial#millennial millenialism#millennialism millenium#millennium millepede#millipede millioniare#millionaire millitant#militant millitary#military millon#million miltary#military minature#miniature minerial#mineral ministery#ministry minsitry#ministry minstries#ministries minstry#ministry minumum#minimum mirrorred#mirrored miscelaneous#miscellaneous miscellanious#miscellaneous miscellanous#miscellaneous mischeivous#mischievous mischevious#mischievous mischievious#mischievous misdameanor#misdemeanor misdameanors#misdemeanors misdemenor#misdemeanor misdemenors#misdemeanors misfourtunes#misfortunes misile#missile Misouri#Missouri mispell#misspell mispelled#misspelled mispelling#misspelling missen#mizzen Missisipi#Mississippi Missisippi#Mississippi missle#missile missonary#missionary misterious#mysterious mistery#mystery misteryous#mysterious mkae#make mkaes#makes mkaing#making mkea#make moderm#modem modle#model moent#moment moeny#money mohammedans#muslims moil#mohel moil#soil moleclues#molecules momento#memento monestaries#monasteries monickers#monikers monolite#monolithic montains#mountains montanous#mountainous Montnana#Montana monts#months montypic#monotypic morgage#mortgage Morisette#Morissette Morrisette#Morissette morroccan#Moroccan morrocco#Morocco morroco#Morocco mortage#mortgage mosture#moisture motiviated#motivated mounth#month movei#movie movment#movement mroe#more mucuous#mucous muder#murder mudering#murdering muhammadan#muslim multicultralism#multiculturalism multipled#multiplied multiplers#multipliers munbers#numbers muncipalities#municipalities muncipality#municipality munnicipality#municipality muscial#musical muscician#musician muscicians#musicians mutiliated#mutilated myraid#myriad mysef#myself mysogynist#misogynist mysogyny#misogyny mysterous#mysterious Mythraic#Mithraic naieve#naive Naploeon#Napoleon Napolean#Napoleon Napoleonian#Napoleonic naturaly#naturally naturely#naturally naturual#natural naturually#naturally Nazereth#Nazareth neccesarily#necessarily neccesary#necessary neccessarily#necessarily neccessary#necessary neccessities#necessities necesarily#necessarily necesary#necessary necessiate#necessitate neglible#negligible negligable#negligible negociate#negotiate negociation#negotiation negociations#negotiations negotation#negotiation neigborhood#neighborhood neigbourhood#neighborhood neolitic#neolithic nessasarily#necessarily nessecary#necessary nestin#nesting neverthless#nevertheless newletters#newsletters nickle#nickel nightfa;;#nightfall nightime#nighttime nineth#ninth ninteenth#nineteenth ninties#1990s ninty#ninety nkow#know nkwo#know nmae#name noncombatents#noncombatants nonsence#nonsense nontheless#nonetheless noone#no one norhern#northern northen#northern northereastern#northeastern notabley#notably noteable#notable noteably#notably noteriety#notoriety noth#north nothern#northern noticable#noticeable noticably#noticeably noticeing#noticing noticible#noticeable notwhithstanding#notwithstanding noveau#nouveau Novermber#November nowdays#nowadays nowe#now nto#not nucular#nuclear nuculear#nuclear nuisanse#nuisance Nullabour#Nullarbor numberous#numerous Nuremburg#Nuremberg nusance#nuisance nutritent#nutrient nutritents#nutrients nuturing#nurturing obediance#obedience obediant#obedient obession#obsession obssessed#obsessed obstacal#obstacle obstancles#obstacles obstruced#obstructed ocasion#occasion ocasional#occasional ocasionally#occasionally ocasionaly#occasionally ocasioned#occasioned ocasions#occasions ocassion#occasion ocassional#occasional ocassionally#occasionally ocassionaly#occasionally ocassioned#occasioned ocassions#occasions occaison#occasion occassion#occasion occassional#occasional occassionally#occasionally occassionaly#occasionally occassioned#occasioned occassions#occasions occationally#occasionally occour#occur occurance#occurrence occurances#occurrences occured#occurred occurence#occurrence occurences#occurrences occuring#occurring occurr#occur occurrance#occurrence occurrances#occurrences octohedra#octahedra octohedral#octahedral octohedron#octahedron ocuntries#countries ocuntry#country ocurr#occur ocurrance#occurrence ocurred#occurred ocurrence#occurrence offcers#officers offcially#officially offereings#offerings offical#official offically#officially officals#officials officaly#officially officialy#officially offred#offered oftenly#often omision#omission omited#omitted omiting#omitting omlette#omelette ommision#omission ommited#omitted ommiting#omitting ommitted#omitted ommitting#omitting omniverous#omnivorous omniverously#omnivorously omre#more onyl#only openess#openness oponent#opponent oportunity#opportunity opose#oppose oposite#opposite oposition#opposition oppenly#openly oppinion#opinion opponant#opponent oppononent#opponent oppositition#opposition oppossed#opposed opprotunity#opportunity opression#oppression opressive#oppressive opthalmic#ophthalmic opthalmologist#ophthalmologist opthalmology#ophthalmology opthamologist#ophthalmologist optmizations#optimizations optomism#optimism orded#ordered organim#organism organistion#organization organiztion#organization orginal#original orginally#originally orginize#organize oridinarily#ordinarily origanaly#originally originaly#originally originially#originally originnally#originally origional#original orignally#originally orignially#originally otehr#other oublisher#publisher ouevre#oeuvre oustanding#outstanding overshaddowed#overshadowed overthere#over there overwelming#overwhelming overwheliming#overwhelming overide#override overides#overrides owrk#work owudl#would oxigen#oxygen oximoron#oxymoron p0enis#penis paide#paid paitience#patience paleolitic#paleolithic paliamentarian#parliamentarian Palistian#Palestinian Palistinian#Palestinian Palistinians#Palestinians pallete#palette pamflet#pamphlet pamplet#pamphlet pantomine#pantomime Papanicalou#Papanicolaou paralel#parallel paralell#parallel paralelly#parallelly paralely#parallelly parallely#parallelly paranthesis#parenthesis paraphenalia#paraphernalia parellels#parallels parisitic#parasitic parituclar#particular parliment#parliament parrakeets#parakeets parralel#parallel parrallel#parallel parrallell#parallel parrallelly#parallelly parrallely#parallelly partialy#partially particually#particularly particualr#particular particuarly#particularly particularily#particularly particulary#particularly pary#party pased#passed pasengers#passengers passerbys#passersby pasttime#pastime pastural#pastoral paticular#particular pattented#patented pavillion#pavilion payed#paid pblisher#publisher pbulisher#publisher peacefuland#peaceful and peageant#pageant peaple#people peaples#peoples peculure#peculiar pedestrain#pedestrian peformed#performed peice#piece Peloponnes#Peloponnesus penatly#penalty penerator#penetrator penisula#peninsula penisular#peninsular penninsula#peninsula penninsular#peninsular pennisula#peninsula Pennyslvania#Pennsylvania pensle#pencil pensinula#peninsula peom#poem peoms#poems peopel#people peopels#peoples peotry#poetry perade#parade percepted#perceived percieve#perceive percieved#perceived perenially#perennially perfomance#performance perfomers#performers performence#performance perhasp#perhaps perheaps#perhaps perhpas#perhaps peripathetic#peripatetic peristent#persistent perjery#perjury perjorative#pejorative permanant#permanent permenant#permanent permenantly#permanently permissable#permissible perogative#prerogative peronal#personal perpertrated#perpetrated perosnality#personality perphas#perhaps perpindicular#perpendicular persan#person perseverence#perseverance persistance#persistence persistant#persistent personell#personnel personnell#personnel persuded#persuaded persue#pursue persued#pursued persuing#pursuing persuit#pursuit persuits#pursuits pertubation#perturbation pertubations#perturbations pessiary#pessary petetion#petition Pharoah#Pharaoh phenomenom#phenomenon phenomenonal#phenomenal phenomenonly#phenomenally phenomonenon#phenomenon phenomonon#phenomenon phenonmena#phenomena Philipines#Philippines philisopher#philosopher philisophical#philosophical philisophy#philosophy Phillipine#Philippine Phillipines#Philippines Phillippines#Philippines phillosophically#philosophically philospher#philosopher philosphies#philosophies philosphy#philosophy Phonecian#Phoenician phongraph#phonograph phylosophical#philosophical physicaly#physically piblisher#publisher pich#pitch pilgrimmage#pilgrimage pilgrimmages#pilgrimages pinapple#pineapple pinnaple#pineapple pinoneered#pioneered plagarism#plagiarism #planation#plantation planed#planned plantiff#plaintiff plateu#plateau plausable#plausible playright#playwright playwrite#playwright playwrites#playwrights pleasent#pleasant plebicite#plebiscite plesant#pleasant poenis#penis poeoples#peoples poety#poetry poisin#poison polical#political polinator#pollinator polinators#pollinators politican#politician politicans#politicians poltical#political polute#pollute poluted#polluted polutes#pollutes poluting#polluting polution#pollution polyphonyic#polyphonic polysaccaride#polysaccharide polysaccharid#polysaccharide pomegranite#pomegranate pomotion#promotion poportional#proportional popoulation#population popularaty#popularity populare#popular populer#popular porshan#portion porshon#portion portait#portrait portayed#portrayed portraing#portraying Portugese#Portuguese portuguease#Portuguese portugues#Portuguese posess#possess posessed#possessed posesses#possesses posessing#possessing posession#possession posessions#possessions posion#poison possable#possible possably#possibly posseses#possesses possesing#possessing possesion#possession possessess#possesses possibile#possible possibilty#possibility possiblility#possibility possiblilty#possibility possiblities#possibilities possiblity#possibility possition#position Postdam#Potsdam posthomous#posthumous postion#position postive#positive potatos#potatoes potrait#portrait potrayed#portrayed poulations#populations poverful#powerful poweful#powerful powerfull#powerful ppublisher#publisher practial#practical practially#practically practicaly#practically practicioner#practitioner practicioners#practitioners practicly#practically practioner#practitioner practioners#practitioners prairy#prairie prarie#prairie praries#prairies pratice#practice preample#preamble precedessor#predecessor preceed#precede preceeded#preceded preceeding#preceding preceeds#precedes precentage#percentage precice#precise precisly#precisely precurser#precursor predecesors#predecessors predicatble#predictable predicitons#predictions predomiantly#predominately prefered#preferred prefering#preferring preferrably#preferably pregancies#pregnancies preiod#period preliferation#proliferation premeire#premiere premeired#premiered premillenial#premillennial preminence#preeminence premission#permission Premonasterians#Premonstratensians preocupation#preoccupation prepair#prepare prepartion#preparation prepatory#preparatory preperation#preparation preperations#preparations preriod#period presedential#presidential presense#presence presidenital#presidential presidental#presidential presitgious#prestigious prespective#perspective prestigeous#prestigious prestigous#prestigious presumabely#presumably presumibly#presumably pretection#protection prevelant#prevalent preverse#perverse previvous#previous pricipal#principal priciple#principle priestood#priesthood primarly#primarily primative#primitive primatively#primitively primatives#primitives primordal#primordial principlaity#principality principaly#principality principial#principal principly#principally prinicipal#principal privalege#privilege privaleges#privileges priveledges#privileges privelege#privilege priveleged#privileged priveleges#privileges privelige#privilege priveliged#privileged priveliges#privileges privelleges#privileges privilage#privilege priviledge#privilege priviledges#privileges privledge#privilege privte#private probabilaty#probability probablistic#probabilistic probablly#probably probalibity#probability probaly#probably probelm#problem proccess#process proccessing#processing procedger#procedure procedings#proceedings proceedure#procedure proces#process processer#processor proclaimation#proclamation proclamed#proclaimed proclaming#proclaiming proclomation#proclamation profesor#professor professer#professor proffesed#professed proffesion#profession proffesional#professional proffesor#professor profilic#prolific progessed#progressed progidy#prodigy programable#programmable prohabition#prohibition prologomena#prolegomena prominance#prominence prominant#prominent prominantly#prominently promiscous#promiscuous promotted#promoted pronomial#pronominal pronouced#pronounced pronounched#pronounced pronounciation#pronunciation proove#prove prooved#proved prophacy#prophecy propietary#proprietary propmted#prompted propoganda#propaganda propogate#propagate propogates#propagates propogation#propagation propostion#proposition propotions#proportions propper#proper propperly#properly proprietory#proprietary proseletyzing#proselytizing protaganist#protagonist protaganists#protagonists protocal#protocol protoganist#protagonist protrayed#portrayed protruberance#protuberance protruberances#protuberances prouncements#pronouncements provacative#provocative provded#provided provicial#provincial provinicial#provincial provisiosn#provision provisonal#provisional proximty#proximity pseudononymous#pseudonymous pseudonyn#pseudonym psuedo#pseudo psycology#psychology psyhic#psychic pubilsher#publisher pubisher#publisher publiaher#publisher publically#publicly publicaly#publicly publicher#publisher publihser#publisher publisehr#publisher publiser#publisher publisger#publisher publisheed#published publisherr#publisher publishher#publisher publishor#publisher publishre#publisher publissher#publisher publlisher#publisher publsiher#publisher publusher#publisher puchasing#purchasing Pucini#Puccini Puertorrican#Puerto Rican Puertorricans#Puerto Ricans pulisher#publisher pumkin#pumpkin puplisher#publisher puritannical#puritanical purposedly#purposely purpotedly#purportedly pursuade#persuade pursuaded#persuaded pursuades#persuades pususading#persuading puting#putting pwoer#power pyscic#psychic quantaty#quantity quantitiy#quantity quarantaine#quarantine Queenland#Queensland questonable#questionable quicklyu#quickly quinessential#quintessential quitted#quit quizes#quizzes rabinnical#rabbinical racaus#raucous radiactive#radioactive radify#ratify raelly#really rarified#rarefied reaccurring#recurring reacing#reaching reacll#recall readmition#readmission realitvely#relatively realsitic#realistic realtions#relations realy#really realyl#really reasearch#research rebiulding#rebuilding rebllions#rebellions rebounce#rebound reccomend#recommend reccomendations#recommendations reccomended#recommended reccomending#recommending reccommend#recommend reccommended#recommended reccommending#recommending reccuring#recurring receeded#receded receeding#receding receivedfrom#received from recepient#recipient recepients#recipients receving#receiving rechargable#rechargeable reched#reached recide#reside recided#resided recident#resident recidents#residents reciding#residing reciepents#recipients reciept#receipt recieve#receive recieved#received reciever#receiver recievers#receivers recieves#receives recieving#receiving recipiant#recipient recipiants#recipients recived#received recivership#receivership recogise#recognize recogize#recognize recomend#recommend recomended#recommended recomending#recommending recomends#recommends recommedations#recommendations recompence#recompense reconaissance#reconnaissance reconcilation#reconciliation reconized#recognized reconnaisance#reconnaissance reconnaissence#reconnaissance recontructed#reconstructed recordproducer#record producer recquired#required recrational#recreational recrod#record recuiting#recruiting recuring#recurring recurrance#recurrence rediculous#ridiculous reedeming#redeeming reenforced#reinforced refect#reflect refedendum#referendum referal#referral referece#reference refereces#references refered#referred referemce#reference referemces#references referencs#references referenece#reference refereneced#referenced refereneces#references referiang#referring refering#referring refernce#reference refernce#references refernces#references referrence#reference referrences#references referrs#refers reffered#referred refference#reference reffering#referring refrence#reference refrences#references refrers#refers refridgeration#refrigeration refridgerator#refrigerator refromist#reformist refusla#refusal regardes#regards regluar#regular reguarly#regularly regulaion#regulation regulaotrs#regulators regularily#regularly rehersal#rehearsal reicarnation#reincarnation reigining#reigning reknown#renown reknowned#renowned relaly#really relatiopnship#relationship relativly#relatively relected#reelected releive#relieve releived#relieved releiver#reliever releses#releases relevence#relevance relevent#relevant reliablity#reliability relient#reliant religeous#religious religous#religious religously#religiously relinqushment#relinquishment relitavely#relatively relpacement#replacement remaing#remaining remeber#remember rememberable#memorable rememberance#remembrance remembrence#remembrance remenant#remnant remenicent#reminiscent reminent#remnant reminescent#reminiscent reminscent#reminiscent reminsicent#reminiscent rendevous#rendezvous rendezous#rendezvous renedered#rende renewl#renewal rennovate#renovate rennovated#renovated rennovating#renovating rennovation#renovation rentors#renters reoccurrence#recurrence reorganision#reorganization repblic#republic repblican#republican repblicans#republicans repblics#republics repectively#respectively repeition#repetition repentence#repentance repentent#repentant repeteadly#repeatedly repetion#repetition repid#rapid rapdily#rapidly reponse#response reponsible#responsible reportadly#reportedly represantative#representative representive#representative representives#representatives reproducable#reproducible reprtoire#repertoire repsectively#respectively reptition#repetition repubic#republic repubican#republican repubicans#republicans repubics#republics republi#republic republian#republican republians#republicans republis#republics repulic#republic repulican#republican repulicans#republicans repulics#republics requirment#requirement requred#required resaurant#restaurant resembelance#resemblance resembes#resembles resemblence#resemblance resevoir#reservoir residental#residential resignement#resignment resistable#resistible resistence#resistance resistent#resistant respectivly#respectively responce#response responibilities#responsibilities responisble#responsible responnsibilty#responsibility responsability#responsibility responsibile#responsible responsibilites#responsibilities responsiblities#responsibilities responsiblity#responsibility ressemblance#resemblance ressemble#resemble ressembled#resembled ressemblence#resemblance ressembling#resembling resssurecting#resurrecting ressurect#resurrect ressurected#resurrected ressurection#resurrection ressurrection#resurrection restarant#restaurant restarants#restaurants restaraunt#restaurant restaraunteur#restaurateur restaraunteurs#restaurateurs restaraunts#restaurants restauranteurs#restaurateurs restauration#restoration restauraunt#restaurant resteraunt#restaurant resteraunts#restaurants resticted#restricted resturant#restaurant resturants#restaurants resturaunt#restaurant resturaunts#restaurants resurecting#resurrecting retalitated#retaliated retalitation#retaliation retreive#retrieve returnd#returned revaluated#reevaluated reveiw#review reveral#reversal reversable#reversible revolutionar#revolutionary rewitten#rewritten rewriet#rewrite rference#reference rferences#references rhymme#rhyme rhythem#rhythm rhythim#rhythm rhytmic#rhythmic rigourous#rigorous rininging#ringing Rockerfeller#Rockefeller rococco#rococo rocord#record roomate#roommate rougly#roughly rucuperate#recuperate rudimentatry#rudimentary rulle#rule runing#running runnung#running russina#Russian Russion#Russian rwite#write rythem#rhythm rythim#rhythm rythm#rhythm rythmic#rhythmic rythyms#rhythms sacrafice#sacrifice sacreligious#sacrilegious Sacremento#Sacramento sacrifical#sacrificial saftey#safety safty#safety salery#salary sanctionning#sanctioning sandwhich#sandwich Sanhedrim#Sanhedrin santioned#sanctioned sargant#sergeant sargeant#sergeant satelite#satellite satelites#satellites Saterday#Saturday Saterdays#Saturdays satisfactority#satisfactorily satric#satiric satrical#satirical satrically#satirically sattelite#satellite sattelites#satellites saught#sought saveing#saving saxaphone#saxophone scaleable#scalable scandanavia#Scandinavia scaricity#scarcity scavanged#scavenged schedual#schedule scholarhip#scholarship scientfic#scientific scientifc#scientific scientis#scientist scince#science scinece#science scirpt#script scoll#scroll screenwrighter#screenwriter scrutinity#scrutiny scuptures#sculptures seach#search seached#searched seaches#searches secratary#secretary secretery#secretary sedereal#sidereal seeked#sought segementation#segmentation seguoys#segues seige#siege seing#seeing seinor#senior seldomly#seldom senarios#scenarios senstive#sensitive sensure#censure seperate#separate seperated#separated seperately#separately seperates#separates seperating#separating seperation#separation seperatism#separatism seperatist#separatist sepina#subpoena sergent#sergeant settelement#settlement settlment#settlement severeal#several severley#severely severly#severely sevice#service shadasloo#shadaloo shaddow#shadow shadoloo#shadaloo sheild#shield sherif#sheriff shineing#shining shiped#shipped shiping#shipping shopkeeepers#shopkeepers shorly#shortly shortwhile#short while shoudl#should shouldnt#should not shreak#shriek shrinked#shrunk sicne#since sideral#sidereal siezure#seizure siezures#seizures siginificant#significant signficant#significant signficiant#significant signfies#signifies signifantly#significantly significently#significantly signifigant#significant signifigantly#significantly signitories#signatories signitory#signatory similarily#similarly similiar#similar similiarity#similarity similiarly#similarly simmilar#similar simpley#simply simplier#simpler simultanous#simultaneous simultanously#simultaneously sincerley#sincerely singsog#singsong Sionist#Zionist Sionists#Zionists Sixtin#Sistine Skagerak#Skagerrak skateing#skating slaugterhouses#slaughterhouses slighly#slightly slippy#slippery slowy#slowly smae#same smealting#smelting smoe#some sneeks#sneaks snese#sneeze socalism#socialism socities#societies soem#some sofware#software sohw#show soilders#soldiers solatary#solitary soley#solely soliders#soldiers soliliquy#soliloquy soluable#soluble somene#someone somtimes#sometimes somwhere#somewhere sophicated#sophisticated sophmore#sophomore sorceror#sorcerer sorrounding#surrounding sotry#story soudn#sound soudns#sounds sountrack#soundtrack sourth#south sourthern#southern souvenier#souvenir souveniers#souvenirs soveits#soviets sovereignity#sovereignty soverign#sovereign soverignity#sovereignty soverignty#sovereignty spainish#Spanish speach#speech specfic#specific specifiying#specifying speciman#specimen spectauclar#spectacular spectaulars#spectaculars spectum#spectrum speices#species spendour#splendor spermatozoan#spermatozoon spoace#space sponser#sponsor sponsered#sponsored spontanous#spontaneous sponzored#sponsored spoonfulls#spoonfuls sppeches#speeches spreaded#spread sprech#speech spred#spread spriritual#spiritual spritual#spiritual sqaure#square stablility#stability stainlees#stainless staion#station standars#standards stange#strange startegic#strategic startegies#strategies startegy#strategy stateman#statesman statememts#statements statment#statement steriods#steroids sterotypes#stereotypes stilus#stylus stingent#stringent stiring#stirring stirrs#stirs stlye#style stomache#stomach stong#strong stopry#story storeis#stories storise#stories stornegst#strongest stoyr#story stpo#stop stradegies#strategies stradegy#strategy stratagically#strategically streemlining#streamlining stregth#strength strenghen#strengthen strenghened#strengthened strenghening#strengthening strenght#strength strenghten#strengthen strenghtened#strengthened strenghtening#strengthening strengtened#strengthened strenous#strenuous strictist#strictest strikely#strikingly strnad#strand structual#structural stubborness#stubbornness stucture#structure stuctured#structured studdy#study studing#studying stuggling#struggling sturcture#structure subcatagories#subcategories subcatagory#subcategory subconsiously#subconsciously subjudgation#subjugation submachne#submachine subpecies#subspecies subsidary#subsidiary subsiduary#subsidiary subsquent#subsequent subsquently#subsequently substace#substance substancial#substantial substatial#substantial substituded#substituted substract#subtract substracted#subtracted substracting#subtracting substraction#subtraction substracts#subtracts subtances#substances subterranian#subterranean suburburban#suburban succceeded#succeeded succcesses#successes succedded#succeeded succeded#succeeded succeds#succeeds succesful#successful succesfully#successfully succesfuly#successfully succesion#succession succesive#successive successfull#successful successully#successfully succsess#success succsessfull#successful suceed#succeed suceeded#succeeded suceeding#succeeding suceeds#succeeds sucesful#successful sucesfully#successfully sucesfuly#successfully sucesion#succession sucess#success sucesses#successes sucessful#successful sucessfull#successful sucessfully#successfully sucessfuly#successfully sucession#succession sucessive#successive sucessor#successor sucessot#successor sucide#suicide sucidial#suicidal sudent#student sudents#students sufferage#suffrage sufferred#suffered sufferring#suffering sufficent#sufficient sufficently#sufficiently sumary#summary sunglases#sunglasses suop#soup superceeded#superseded superintendant#superintendent suphisticated#sophisticated suplimented#supplemented supose#suppose suposed#supposed suposedly#supposedly suposes#supposes suposing#supposing supplamented#supplemented suppliementing#supplementing suppoed#supposed supposingly#supposedly suppy#supply suprassing#surpassing supress#suppress supressed#suppressed supresses#suppresses supressing#suppressing suprise#surprise suprised#surprised suprising#surprising suprisingly#surprisingly suprize#surprise suprized#surprised suprizing#surprising suprizingly#surprisingly surfce#surface suround#surround surounded#surrounded surounding#surrounding suroundings#surroundings surounds#surrounds surplanted#supplanted surpress#suppress surpressed#suppressed surprize#surprise surprized#surprised surprizing#surprising surprizingly#surprisingly surrepetitious#surreptitious surrepetitiously#surreptitiously surreptious#surreptitious surreptiously#surreptitiously surronded#surrounded surrouded#surrounded surrouding#surrounding surrundering#surrendering surveilence#surveillance surveill#surveil surveyer#surveyor surviver#survivor survivers#survivors survivied#survived suseptable#susceptible suseptible#susceptible suspention#suspension swaer#swear swaers#swears swepth#swept swiming#swimming syas#says symetrical#symmetrical symetrically#symmetrically symetry#symmetry symettric#symmetric symmetral#symmetric symmetricaly#symmetrically synagouge#synagogue syncronization#synchronization synonomous#synonymous synonymns#synonyms synphony#symphony syphyllis#syphilis sypmtoms#symptoms syrap#syrup sysmatically#systematically sytem#system sytle#style tabacco#tobacco tahn#than taht#that talekd#talked targetted#targeted targetting#targeting tast#taste tath#that tatoo#tattoo tattooes#tattoos taxanomic#taxonomic taxanomy#taxonomy teached#taught techician#technician techicians#technicians techiniques#techniques technitian#technician technnology#technology technolgy#technology teh#the tehy#they telelevision#television televsion#television telphony#telephony temerature#temperature tempalte#template tempaltes#templates temparate#temperate temperarily#temporarily temperment#temperament tempertaure#temperature temperture#temperature temprary#temporary tenacle#tentacle tenacles#tentacles tendacy#tendency tendancies#tendencies tendancy#tendency tennisplayer#tennis player tepmorarily#temporarily terrestial#terrestrial terriories#territories terriory#territory territorist#terrorist territoy#territory terroist#terrorist testiclular#testicular testomony#testimony tghe#the theather#theater theese#these theif#thief theives#thieves themselfs#themselves themslves#themselves therafter#thereafter therby#thereby theri#their theyre#they're thgat#that thge#the thier#their thign#thing thigns#things thigsn#things thikn#think thikns#thinks thiunk#think thn#then thna#than thne#then thnig#thing thnigs#things thoughout#throughout threatend#threatened threatning#threatening threee#three threshhold#threshold thrid#third throrough#thorough throughly#thoroughly througout#throughout thru#through thsi#this thsoe#those thta#that thyat#that tihkn#think tihs#this timne#time tje#the tjhe#the tjpanishad#upanishad tkae#take tkaes#takes tkaing#taking tlaking#talking tobbaco#tobacco todays#today's todya#today toghether#together toke#took tolerence#tolerance Tolkein#Tolkien tomatos#tomatoes tommorow#tomorrow tommorrow#tomorrow tongiht#tonight toriodal#toroidal tormenters#tormentors tornadoe#tornado torpeados#torpedoes torpedos#torpedoes tortise #tortoise tothe#to the toubles#troubles tounge#tongue towords#towards towrad#toward tradionally#traditionally traditionaly#traditionally traditionnal#traditional traditition#tradition tradtionally#traditionally trafficed#trafficked trafficing#trafficking trafic#traffic trancendent#transcendent trancending#transcending tranform#transform tranformed#transformed transcendance#transcendence transcendant#transcendent transcendentational#transcendental transending#transcending transesxuals#transsexuals transfered#transferred transfering#transferring transformaton#transformation transistion#transition translater#translator translaters#translators transmissable#transmissible transporation#transportation tremelo#tremolo tremelos#tremolos triguered#triggered triology#trilogy troling#trolling troup#troupe truely#truly trustworthyness#trustworthiness Tuscon#Tucson tust#trust twelth#twelfth twon#town twpo#two tyhat#that tyhe#they typcial#typical typicaly#typically tyranies#tyrannies tyrany#tyranny tyrranies#tyrannies tyrrany#tyranny ubiquitious#ubiquitous ublisher#publisher uise#use Ukranian#Ukrainian ultimely#ultimately unacompanied#unaccompanied unahppy#unhappy unanymous#unanimous unathorised#unauthorized unavailible#unavailable unballance#unbalance unbeknowst#unbeknownst unbeleivable#unbelievable uncertainity#uncertainty unchallengable#unchallengeable unchangable#unchangeable uncompetive#uncompetitive unconcious#unconscious unconciousness#unconsciousness unconfortability#discomfort uncontitutional#unconstitutional unconvential#unconventional undecideable#undecidable understoon#understood undesireable#undesirable undetecable#undetectable undoubtely#undoubtedly undreground#underground uneccesary#unnecessary unecessary#unnecessary unequalities#inequalities unforseen#unforeseen unforetunately#unfortunately unforgetable#unforgettable unforgiveable#unforgivable unfortunatley#unfortunately unfortunatly#unfortunately unfourtunately#unfortunately unihabited#uninhabited unilateraly#unilaterally unilatreal#unilateral unilatreally#unilaterally uninterruped#uninterrupted uninterupted#uninterrupted UnitesStates#UnitedStates univeral#universal univeristies#universities univeristy#university univerity#university universtiy#university univesities#universities univesity#university unkown#unknown unlikey#unlikely unmistakeably#unmistakably unneccesarily#unnecessarily unneccesary#unnecessary unneccessarily#unnecessarily unneccessary#unnecessary unnecesarily#unnecessarily unnecesary#unnecessary unoffical#unofficial unoperational#nonoperational unoticeable#unnoticeable unplease#displease unplesant#unpleasant unprecendented#unprecedented unprecidented#unprecedented unrepentent#unrepentant unrepetant#unrepentant unrepetent#unrepentant unsubstanciated#unsubstantiated unsuccesful#unsuccessful unsuccesfully#unsuccessfully unsuccessfull#unsuccessful unsucesful#unsuccessful unsucesfuly#unsuccessfully unsucessful#unsuccessful unsucessfull#unsuccessful unsucessfully#unsuccessfully unsuprised#unsurprised unsuprising#unsurprising unsuprisingly#unsurprisingly unsuprized#unsurprised unsuprizing#unsurprising unsuprizingly#unsurprisingly unsurprized#unsurprised unsurprizing#unsurprising unsurprizingly#unsurprisingly untill#until untranslateable#untranslatable unuseable#unusable unusuable#unusable unviersity#university unwarrented#unwarranted unweildly#unwieldy unwieldly#unwieldy upcomming#upcoming upgradded#upgraded upto#up to usally#usually useage#usage usefull#useful usefuly#usefully useing#using usualy#usually ususally#usually vaccum#vacuum vaccume#vacuum vacinity#vicinity vaguaries#vagaries vaieties#varieties vailidty#validity valetta#valletta valuble#valuable valueable#valuable varations#variations varient#variant variey#variety varing#varying varities#varieties varity#variety vasall#vassal vasalls#vassals vegatarian#vegetarian vegitable#vegetable vegitables#vegetables vegtable#vegetable vehicule#vehicle vell#well venemous#venomous vengance#vengeance vengence#vengeance verfication#verification verison#version verisons#versions vermillion#vermilion versitilaty#versatility versitlity#versatility vetween#between veyr#very vigilence#vigilance vigourous#vigorous villian#villain villification#vilification villify#vilify vincinity#vicinity violentce#violence virtualy#virtually virutal#virtual virutally#virtually visable#visible visably#visibly visting#visiting vistors#visitors vitories#victories volcanoe#volcano voleyball#volleyball volontary#voluntary volonteer#volunteer volonteered#volunteered volonteering#volunteering volonteers#volunteers volounteer#volunteer volounteered#volunteered volounteering#volunteering volounteers#volunteers volumne#volume vreity#variety vrey#very vriety#variety vulnerablility#vulnerability vyer#very vyre#very waht#what warantee#warranty wardobe#wardrobe warrent#warrant warrriors#warriors wasnt#wasn't wass#was watn#want wayword#wayward weaponary#weaponry weas#was wehn#when weilded#wielded wendsay#Wednesday wensday#Wednesday wereabouts#whereabouts whant#want whants#wants whcih#which wheras#whereas wherease#whereas whereever#wherever whic#which whihc#which whith#with whlch#which whn#when wholey#wholly whta#what whther#whether widesread#widespread wief#wife wierd#weird wiew#view wih#with wiht#with wille#will willk#will willingless#willingness wirting#writing witheld#withheld withh#with withing#within withold#withhold witht#with witn#with wiull#will wnat#want wnated#wanted wnats#wants wohle#whole wokr#work wokring#working wonderfull#wonderful wordlwide#worldwide workststion#workstation worls#world worstened#worsened woudl#would wresters#wrestlers wriet#write writen#written wroet#wrote wrok#work wroking#working wtih#with wupport#support xenophoby#xenophobia yaching#yachting yaer#year yaerly#yearly yaers#years yatch#yacht yearm#year yeasr#years yeild#yield yeilding#yielding yera#year yrea#year yeras#years yersa#years yotube#youtube youseff#yousef youself#yourself ytou#you yuo#you zeebra#zebra
MonsterMate/fc
devTools/dictionary_wholeWords.txt
Text
mit
82,395
@echo off pushd %~dp0 embed_favicon.py popd pause
MonsterMate/fc
devTools/embed_favicon.bat
Batchfile
mit
55
#!/usr/bin/env python3 ''' Script for embedding favicons into a HTML Header. Script file is expected to reside in devTools directory. Note: This does not actually check the image file's contents for size detection. Usage: python3 embed_favicon.py [FC_pregmod.html] ''' import sys import os import re import base64 # file extensions eligible for use as favicons and their mimetype ext2mimetype = { '.png': 'image/png', '.ico': 'image/x-icon' } # reads a file, turns it into a data uri def data_uri_from_file(filename, mimetype): data = open(filename, 'rb').read() base64data = base64.b64encode(data).decode('ascii') out = 'data:%s;base64,%s' % (mimetype, base64data) return out if __name__ == "__main__": # find project root directory path # (script file is expected to reside in devTools) project_root_path = os.path.dirname(os.path.dirname(os.path.abspath(__file__))) html_path = '' if (len(sys.argv) > 1): html_path = sys.argv[1] else: # path to bin/FC_pregmod.html html_path = os.path.join( project_root_path, 'bin/FC_pregmod.html' ) # path to directory containing all favicons to embed favicons_source_path = os.path.join( project_root_path, 'resources/raster/favicon/' ) # walk directory for all files favicons_paths = [ os.path.join(dirpath, filename) for dirpath, dirnames, filenames in os.walk(favicons_source_path) for filename in filenames ] # ignore files with unknown extensions favicons_paths = [f for f in favicons_paths if f[-4:] in ext2mimetype.keys()] # prepare embedded data size_from_filename = re.compile(r'([0-9]+)\....$') favicons_html = [] for fp in favicons_paths: print('Found favicon source file "%s".' % (fp)) # get mimetype by file extension mimetype = ext2mimetype[fp[-4:]] if (mimetype == 'image/x-icon'): # assume sizes in ico sizes = '16x16 32x32 64x64' else: # guess icon size from file name size = size_from_filename.search(fp).group(1) sizes = '%sx%s' % (size, size) data = data_uri_from_file(fp, mimetype) favicons_html.append( # prepare html with favicon data embedded '<link rel="icon" type="%s" sizes="%s" href="%s">\n' % ( mimetype, sizes, data ) ) # modify header file with open(html_path, 'r+', encoding='utf-8') as hf: print('Rewriting "%s"...' % (html_path)) lines_in = hf.readlines() # read whole file lines_out = [] for line in lines_in: # embed favicons into head if (line.startswith('</head>')): lines_out.extend(favicons_html) # remove all currently embedded favicons if (not (line.startswith('<link') and 'icon' in line)): lines_out.append(line) hf.seek(0) # move to beginning of file hf.write(''.join(lines_out)) # overwrite with new data hf.truncate() # remove trailing old data print('Finished.')
MonsterMate/fc
devTools/embed_favicon.py
Python
mit
2,803
<!-- Added to the <head> of the html file --> <link rel="shortcut icon" type="image/x-icon" href="resources/raster/favicon/arcologyVector.ico">
MonsterMate/fc
devTools/head.html
HTML
mit
146
#Add files or folders to be excluded for certain checks. #L : logic checks, like <<if>><</if>> #O : OnlyUsedOnce, if variables are used more than once #S : SpellCheck, matches based on dictionaries in devTools/ # src/art/;LO src/gui/svgFilters.tw;L src/pregmod/editGenetics.tw;L # #JS files, logic won't be checked here anyways src/js/economyJS.js;S src/data/backwardsCompatibility/datatypeCleanup.js;S
MonsterMate/fc
devTools/javaSanityCheck/excluded
none
mit
403
#Allowed HTML tags #Effectively everything that is allowed in a these statements like this: #<tag> or <tag ???> #when ;1 is specified it expects a matching closing tag like this: </tag> #Do not add Twine Tags here. #Characters outside of ASCII scope are not supported. # #included to reduce false positives until better solution !-- http://www.gnu.org/licenses/ -400 #html tags a;1 b;1 blockquote;1 body;1 br;0 button;1 caption;1 center;1 code;1 dd;1 div;1 dl;1 dt;1 em;1 h1;1 h2;1 h3;1 h4;1 hr;0 html;1 i;1 img;0 input;0 label;1 li;1 option;1 p;1 script;1 select;1 span;1 strong;1 style;1 table;1 tbody;1 td;1 th;1 thead;1 tr;1 tt;1 u;1 ul;1
MonsterMate/fc
devTools/javaSanityCheck/htmlTags
none
mit
643
# Add hits, that are false positives and should therefore be ignored, here # likely bugged check AGrowth # MIN brokenSlaves self toString toFixed LivingRule PersonalAttention marriages weeksLeft normalOvaMin normalOvaMax rejects expCheck interactionLink minDomActionDelay Categorizer upgrade W;O;L FSGenderFundamentalistResearch;FSPaternalistResearch;FSDegradationistResearch;FSBodyPuristResearch;FSMaturityPreferentialistResearch;FSPastoralistResearch;FSPhysicalIdealistResearch;FSRepopulationFocusResearch 0 maleSurnamePoolSelector nationalityPoolSelector Him anCup linkHandlers op unborn facilityRemove boobsWombVolume;emptyDefaultRule;rule;removeImplant;changeImplant assign;commit;mouth Std htmlFor Possessive;PossessivePronoun whip;burn;cutting;chain;exotic firstChild true missingLegs;missingArms; toy plural bimboMaleNames RuleHasError canGrow;canImplant;implantError;growOrgan;removeOrgan totalChildTime toStringExt northAmericaNationalities;europeNationalities;middleEastNationalities;africaNationalities;australiaNationalities surnamePoolSelector assignmentVisible attendingClasses;confinement;gloryHole;milking;publicService;sexualServitude;servitude cx menialTrades;menialTransfer;fuckdollsTransfer;menialBioreactorsTransfer;menialRetirement;slaveMod;slaveSurgery;school;citizenOrphanage;environment;privateOrphanage;schoolBacking;personalLivingExpenses;PCtraining;PCmedical;PCskills;stocksTraded;fines;stocks;concubine;slavesViewOfPC;vignette;prestigiousSlave;publicServantClub;architecture;PCappearance;PCactions;PCRelationships;SlaveRelationships;multiplier REReductionCheckinIDs modestClothes gangCriminalPool;militaryCriminalPool;whiteCollarCriminalPool;pettyCriminalPool multiple;selectedOptions; sluttyClothes link; naturalNippleColors POSITIVE assistantPronouns;marketAssistantPronouns;ai bodyDesire Assistant;Extra1 ArcologyNamesCummunism;ArcologyNamesIncestFetishist extreme royalNationalities hostageGiveIn r SlaveSummaryFiler sacrificeType cellName;BaseCell;cellPath;Section;Building;ground;code location Upkeep;SexSlaveCount;GSP;Rep debugModeCustomFunction societyChanged newModelUI seeArcology dinnerParty showAppraisal IntroSummary two totalMerc hasFoughtMajorBattleOnce barren RESSMuscles # PC criticalDamage marriage lovers FWBs BFFs friends likes dislikes hates loathes obsession # corporation canFoundCorporation;startingPrice;maintenanceSlaves;room;slaveRevenue;divisionLedger;freeDevelopment;developmentCost;maintenanceCategory;corporate;roll;divisionCategories;divisionCategoriesList;getStored;setStored;endweek;hasDividend;hasPayout;perUnit;acquire;DivLegal;DivWhoreDev # porn focusedViewershipFactor unfocusedViewershipFactor viewershipSoakingFactor muscle;incest
MonsterMate/fc
devTools/javaSanityCheck/ignoredVariables
none
mit
2,701
Full sources for easy import into IDE can be found here: https://gitgud.io/Arkerthan/twine-sanitycheck sources.zip are a backup in case the repo is inaccessible.
MonsterMate/fc
devTools/javaSanityCheck/info.txt
Text
mit
163
#Allowed twine tags #Effectively everything that is allowed in a statements like this: #<<tag>> or <<tag ???>> #when ;1 is specified it expects a matching closing tag like this: <</tag>> #Do not add HTML Tags here. #Characters outside of ASCII scope are not supported. # #twine tags capture;1 click;1 continue;0 for;1 foreach;1 goto;0 htag;1 include;0 link;1 nobr;1 options;1 print;0 replace;1 run;0 scope;1 script;1 set;0 silently;1 span;1 textbox;0 timed;1 unset;0 widget;1 =;0 button;1 # # Twine logic ### DO NOT TOUCH ### if;1 elseif;1 else;1 switch;1 case;1 default;0
MonsterMate/fc
devTools/javaSanityCheck/twineTags
none
mit
573
@echo off :: Generates devNotes/twineCSS.txt from all .css files in src/ subdir :: See if we can find a git installation setlocal enabledelayedexpansion for %%k in (HKCU HKLM) do ( for %%w in (\ \Wow6432Node\) do ( for /f "skip=2 delims=: tokens=1*" %%a in ('reg query "%%k\SOFTWARE%%wMicrosoft\Windows\CurrentVersion\Uninstall\Git_is1" /v InstallLocation 2^> nul') do ( for /f "tokens=3" %%z in ("%%a") do ( set GIT=%%z:%%b set GITFOUND=yes goto FOUND ) ) ) ) :FOUND if %GITFOUND% == yes ( set "PATH=%GIT%bin;%PATH%" bash --login -c ./makeTwineCSSPassage.sh )
MonsterMate/fc
devTools/makeTwineCSSPassage.bat
Batchfile
mit
613
#!/bin/sh # Generates devNotes/twine CSS.txt from all .css files in src/ subdir # Joins all .css files from the current dir (recursive) into a Twee [script] passage # arguments: # $1: root repo dir # $2: output file name collectCSSForTwine() { local files=$(find . -iname '*.css' -print) files=$(echo "$files" | sort) echo "" > "$2" for f in $files; do printf "\n/* ${f} */\n" >> "$2" cat "$f" >> "$2" done } ROOT_REPO_DIR="$(git rev-parse --show-toplevel)" cd "${ROOT_REPO_DIR}"/src collectCSSForTwine "${ROOT_REPO_DIR}" "${ROOT_REPO_DIR}/devNotes/twine CSS.txt"
MonsterMate/fc
devTools/makeTwineCSSPassage.sh
Shell
mit
575
@echo off :: Generates devNotes/twineJS.txt from all .js files in src/ subdir :: See if we can find a git installation setlocal enabledelayedexpansion for %%k in (HKCU HKLM) do ( for %%w in (\ \Wow6432Node\) do ( for /f "skip=2 delims=: tokens=1*" %%a in ('reg query "%%k\SOFTWARE%%wMicrosoft\Windows\CurrentVersion\Uninstall\Git_is1" /v InstallLocation 2^> nul') do ( for /f "tokens=3" %%z in ("%%a") do ( set GIT=%%z:%%b set GITFOUND=yes goto FOUND ) ) ) ) :FOUND if %GITFOUND% == yes ( set "PATH=%GIT%bin;%PATH%" bash --login -c ./makeTwineJSPassage.sh )
MonsterMate/fc
devTools/makeTwineJSPassage.bat
Batchfile
mit
610
#!/bin/sh # Generates devNotes/twine JS.txt from all .js files in src/ subdir # Joins all .js files from the current dir (recursive) into a Twee [script] passage # arguments: # $1: root repo dir # $2: output file name collectJSForTwine() { local files=$(find js src -path ./src/art/assistantArt.js -prune -o -name '*.js' -print) files=$(echo "$files" | sort) echo "" > "$2" for f in $files; do printf "\n/* ${f} */\n" >> "$2" sed -nf "$1"/devTools/stripComments.sed "$f" >> "$2" done } ROOT_REPO_DIR="$(git rev-parse --show-toplevel)" cd "${ROOT_REPO_DIR}" collectJSForTwine "${ROOT_REPO_DIR}" "${ROOT_REPO_DIR}/devNotes/twine JS.txt"
MonsterMate/fc
devTools/makeTwineJSPassage.sh
Shell
mit
646
#! /bin/sed -nf # Remove C and C++ comments, by Brian Hiles (brian_hiles.com) # taken from https://bash.cyberciti.biz/academic/sed-remove-c-cpp-comments/ # Sped up (and bugfixed to some extent) by Paolo Bonzini (bonzini.org) # Works its way through the line, copying to hold space the text up to the # first special character (/, ", '). The original version went exactly a # character at a time, hence the greater speed of this one. But the concept # and especially the trick of building the line in hold space are entirely # merit of Brian. :loop # ezsh: commented out because it removes '//' and everything after that in string literals # This line is sufficient to remove C++ comments! #/^\/\// s,.*,, /^$/{ x p n b loop } /^"/{ :double /^$/{ x p n /^"/b break b double } H x s,\n\(.[^\"]*\).*,\1, x s,.[^\"]*,, /^"/b break /^\\/{ H x s,\n\(.\).*,\1, x s/.// } b double } /^'/{ :single /^$/{ x p n /^'/b break b single } H x s,\n\(.[^\']*\).*,\1, x s,.[^\']*,, /^'/b break /^\\/{ H x s,\n\(.\).*,\1, x s/.// } b single } /^\/\*/{ s/.// :ccom s,^.[^*]*,, /^$/ n /^\*\//{ s/..// b loop } b ccom } :break H x s,\n\(.[^"'/]*\).*,\1, x s/.[^"'/]*// b loop
MonsterMate/fc
devTools/stripComments.sed
Sed
mit
1,258
declare namespace FC { namespace RA { interface NumericTarget { cond: string; val: number; } interface NumericRange { min: number; max: number; } interface RuleConditions { function: boolean | string; data: any; assignment: Assignment[]; selectedSlaves: number[]; excludedSlaves: number[]; applyRuleOnce: boolean; } interface RuleSurgerySettings { eyes: number; hears: number; smells: number; tastes: number; lactation: number; prostate: number; cosmetic: number; accent: number; shoulders: number; shouldersImplant: number; boobs: NumericTarget; hips: number; hipsImplant: number; butt: NumericTarget; faceShape: FaceShape; lips: NumericTarget; holes: number; hair: number; bodyhair: number; vasectomy: boolean; bellyImplant: string; tummy: number; earShape: number; horn: number; } interface RuleGrowthSetters { boobs: NumericTarget; butt: NumericTarget; lips: NumericTarget; dick: NumericTarget; balls: NumericTarget; intensity: number; } interface RuleReleaseSetters { masturbation: number; partner: number; facilityLeader: number; family: number; slaves: number; master: number; } interface RuleSetters { releaseRules: RuleReleaseSetters; lactationRules: WithNone<"induce" | "maintain"> | null; mobilityRules: Rules.Mobility; restRules: FC.Rules.Rest; toyHole: FC.ToyHole; clitSetting: SmartPiercingSetting; clitSettingXY: number; clitSettingXX: number; clitSettingEnergy: number; speechRules: Rules.Speech; clothes: string; collar: string; faceAccessory: string; mouthAccessory: string; shoes: string; armAccessory: string; legAccessory: string; chastityVagina: number; chastityAnus: number; chastityPenis: number; virginAccessory: string; aVirginAccessory: string; vaginalAccessory: string; aVirginDickAccessory: string; dickAccessory: string; bellyAccessory: string; aVirginButtplug: string; buttplug: string; vaginalAttachment: string; buttplugAttachment: string; iris: string; pupil: string; sclera: string; makeup: number; nails: number; hColor: string; hLength: number; haircuts: number; hStyle: string; eyebrowHColor: string; eyebrowHStyle: string; eyebrowFullness: FC.EyebrowThickness; markings: "remove beauty marks" | "remove birthmarks" | "remove both"; pubicHColor: string; pubicHStyle: string; nipplesPiercing: FC.PiercingType; areolaePiercing: FC.PiercingType; clitPiercing: FC.ClitoralPiercingType; vaginaLube: number; vaginaPiercing: FC.PiercingType; dickPiercing: FC.PiercingType; anusPiercing: FC.PiercingType; lipsPiercing: FC.PiercingType; tonguePiercing: FC.PiercingType; earPiercing: FC.PiercingType; nosePiercing: FC.PiercingType; eyebrowPiercing: FC.PiercingType; navelPiercing: FC.PiercingType; corsetPiercing: FC.PiercingType; boobsTat: string | number; buttTat: string | number; vaginaTat: string | number; dickTat: string | number; lipsTat: string | number; anusTat: string | number; shouldersTat: string | number; armsTat: string | number; legsTat: string | number; backTat: string | number; stampTat: string | number; birthsTat: string | number; abortionTat: string | number; pitRules: number; curatives: number; livingRules: Rules.Living; relationshipRules: Rules.Relationship; standardPunishment: Rules.Punishment; standardReward: Rules.Reward; weight: NumericRange; diet: string; dietCum: number; dietMilk: number; onDiet: number; muscles: NumericTarget; XY: number; XX: number; gelding: number; preg: boolean; abortion: string[]; growth: RuleGrowthSetters; hyper_drugs: number; aphrodisiacs: number; autoSurgery: number; autoBrand: number; pornFeed: number; pornFameSpending: number; dietGrowthSupport: number; eyewear: string; earwear: string; setAssignment: Assignment; facilityRemove: boolean; removalAssignment: Assignment; surgery: RuleSurgerySettings; underArmHColor: string; underArmHStyle: string; drug: FC.Drug; eyes: string; pregSpeed: string; bellyImplantVol: number; teeth: string; label: string; removeLabel: string; skinColor: string; inflationType: FC.InflationLiquid; brandTarget: string; brandDesign: string; scarTarget: string; scarDesign: string; hornColor: string; labelTagsClear: boolean; } interface Rule { ID: string; name: string; condition: RuleConditions; set: RuleSetters; } } }
MonsterMate/fc
devTools/types/FC/RA.d.ts
TypeScript
mit
4,697
declare namespace FC { namespace SecExp { interface UnitData { troops: number, maxTroops: number, equip: number } interface PlayerUnitData extends UnitData { active: number, ID: number, isDeployed: number } interface PlayerHumanUnitData extends PlayerUnitData { platoonName: string, training: number, loyalty: number, cyber: number, medics: number, SF: number, commissars: number } type PlayerHumanUnitType = "bots" | "citizens" | "mercenary" | "slave"; type EnemyUnitType = "raiders" | "free city" | "old world" | "freedom fighters"; } }
MonsterMate/fc
devTools/types/FC/SecExp.d.ts
TypeScript
mit
600
declare namespace FC { namespace UI { namespace DOM { namespace Widgets {} } namespace Hotkeys {} namespace View {} namespace SlaveSummary { type AppendRenderer = (slave: FC.SlaveState, parentNode: Node) => void; interface AbbreviationState { clothes: number; devotion: number; diet: number; drugs: number; genitalia: number; health: number; hormoneBalance: number; mental: number; nationality: number; origins: number; physicals: number; race: number; rules: number; rulesets: number; skills: number; } interface State { abbreviation: AbbreviationState; } } } } declare type PassageLinkMap = Pick<HTMLElementTagNameMap, 'a' | 'audio' | 'img' | 'source' | 'video'>
MonsterMate/fc
devTools/types/FC/UI.d.ts
TypeScript
mit
764
declare namespace FC { interface FutureSocietyIdMap { FSSupremacist: {noun: "Racial Supremacism", adj: "Supremacist"}; FSSubjugationist: {noun: "Racial Subjugationism", adj: "Subjugationist"}; FSGenderRadicalist: {noun: "Gender Radicalism", adj: "Gender Radicalist"}; FSGenderFundamentalist: {noun: "Gender Fundamentalism", adj: "Gender Fundamentalist"}; FSDegradationist: {noun: "Degradationism", adj: "Degradationist"}; FSPaternalist: {noun: "Paternalism", adj: "Paternalist"}; FSBodyPurist: {noun: "Body Purism", adj: "Body Purist"}; FSTransformationFetishist: {noun: "Transformation Fetishism", adj: "Transformation Fetishist"}; FSYouthPreferentialist: {noun: "Youth Preferentialism", adj: "Youth Preferentialist"}; FSMaturityPreferentialist: {noun: "Maturity Preferentialism", adj: "Maturity Preferentialist"}; FSSlimnessEnthusiast: {noun: "Slimness Enthusiasm", adj: "Slimness Enthusiast"}; FSAssetExpansionist: {noun: "Asset Expansionism", adj: "Asset Expansionist"}; FSPastoralist: {noun: "Pastoralism", adj: "Pastoralist"}; FSCummunism: {noun: "Cummunism", adj: "Cummunist"}; FSPhysicalIdealist: {noun: "Physical Idealism", adj: "Physical Idealist"}; FSHedonisticDecadence: {noun: "Decadent Hedonism", adj: "Decadent Hedonist"}; FSChattelReligionist: {noun: "Chattel Religionism", adj: "Chattel Religionist"}; FSNull: {noun: "Multiculturalism", adj: "Multiculturalist"}; FSIncestFetishist: {noun: "Incest Fetishism", adj: "Incest Fetishist"}; FSRomanRevivalist: {noun: "Roman Revivalism", adj: "Roman Revivalist"}; FSNeoImperialist: {noun: "Neo-Imperialism", adj: "Neo-Imperialist"}; FSEgyptianRevivalist: {noun: "Egyptian Revivalism", adj: "Egyptian Revivalist"}; FSEdoRevivalist: {noun: "Edo Revivalism", adj: "Edo Revivalist"}; FSArabianRevivalist: {noun: "Arabian Revivalism", adj: "Arabian Revivalist"}; FSChineseRevivalist: {noun: "Chinese Revivalism", adj: "Chinese Revivalist"}; FSAztecRevivalist: {noun: "Aztec Revivalism", adj: "Aztec Revivalist"}; FSRepopulationFocus: {noun: "Repopulation Focus", adj: "Repopulationist"}; FSRestart: {noun: "Eugenics", adj: "Eugenics"}; FSIntellectualDependency: {noun: "Intellectual Dependency", adj: "Intellectual Dependency"}; FSSlaveProfessionalism: {noun: "Slave Professionalism", adj: "Slave Professional"}; FSPetiteAdmiration: {noun: "Petite Admiration", adj: "Petite Admiration"}; FSStatuesqueGlorification: {noun: "Statuesque Glorification", adj: "Statuesque Glorification"}; } type FutureSociety = keyof FutureSocietyIdMap; type FutureSocietyNoun = FutureSocietyIdMap[keyof FutureSocietyIdMap]["noun"]; type FutureSocietyAdj = FutureSocietyIdMap[keyof FutureSocietyIdMap]["adj"]; type FSPolicyValue = number | "unset"; // direction with respect to the player's arcology type ArcologyDirection = "east" | "north" | "northeast" | "northwest" | "south" | "southeast" | "southwest" | "west"; interface ArcologyState extends Record<FutureSociety, FSPolicyValue> { name: string; direction: Zeroable<ArcologyDirection>; government: string; leaderID: number; honeymoon: number; prosperity: number; ownership: number; minority: number; PCminority: number; demandFactor: number; FSSupremacistRace: Zeroable<Race>; FSSubjugationistRace: Zeroable<Race>; embargo: number; embargoTarget: Zeroable<ArcologyDirection>; influenceTarget: Zeroable<ArcologyDirection>; influenceBonus: number; CyberEconomic: number; CyberEconomicTarget: Zeroable<ArcologyDirection>; CyberReputation: number; CyberReputationTarget: Zeroable<ArcologyDirection>; rival: number; FSGenderRadicalistResearch: Bool; FSGenderFundamentalistResearch: Bool; FSPaternalistResearch: Bool; FSDegradationistResearch: Bool; FSBodyPuristResearch: Bool; FSTransformationFetishistResearch: Bool; FSYouthPreferentialistResearch: Bool; FSMaturityPreferentialistResearch: Bool; FSSlimnessEnthusiastResearch: Bool; FSAssetExpansionistResearch: Bool; FSPastoralistResearch: Bool; FSPhysicalIdealistResearch: Bool; FSRepopulationFocusResearch: Bool; FSRestartResearch: Bool; FSHedonisticDecadenceResearch: Bool; FSHedonisticDecadenceDietResearch: Bool; FSIntellectualDependencyResearch: Bool; FSSlaveProfessionalismResearch: Bool; FSPetiteAdmirationResearch: Bool; FSStatuesqueGlorificationResearch: Bool; FSCummunismResearch: Bool; FSIncestFetishistResearch: Bool; FSSupremacistDecoration: number; FSSubjugationistDecoration: number; FSGenderRadicalistDecoration: number; FSGenderFundamentalistDecoration: number; FSPaternalistDecoration: number; FSDegradationistDecoration: number; FSBodyPuristDecoration: number; FSTransformationFetishistDecoration: number; FSYouthPreferentialistDecoration: number; FSMaturityPreferentialistDecoration: number; FSSlimnessEnthusiastDecoration: number; FSAssetExpansionistDecoration: number; FSPastoralistDecoration: number; FSPhysicalIdealistDecoration: number; FSChattelReligionistDecoration: number; FSRomanRevivalistDecoration: number; FSNeoImperialistDecoration: number; FSAztecRevivalistDecoration: number; FSEgyptianRevivalistDecoration: number; FSEdoRevivalistDecoration: number; FSArabianRevivalistDecoration: number; FSChineseRevivalistDecoration: number; FSRepopulationFocusDecoration: number; FSRestartDecoration: number; FSHedonisticDecadenceDecoration: number; FSIntellectualDependencyDecoration: number; FSSlaveProfessionalismDecoration: number; FSPetiteAdmirationDecoration: number; FSStatuesqueGlorificationDecoration: number; FSCummunismDecoration: number; FSIncestFetishistDecoration: number; FSSupremacistLawME: number; FSSupremacistSMR: number; FSSubjugationistLawME: number; FSSubjugationistSMR: number; FSGenderRadicalistLawFuta: number; FSGenderRadicalistLawBeauty: number; FSGenderFundamentalistLawBimbo: number; FSGenderFundamentalistSMR: number; FSGenderFundamentalistLawBeauty: number; FSPaternalistLaw: number; FSPaternalistSMR: Bool; FSDegradationistLaw: number; FSDegradationistSMR: Bool; FSBodyPuristLaw: number; FSBodyPuristSMR: Bool; FSTransformationFetishistSMR: Bool; FSYouthPreferentialistLaw: number; FSYouthPreferentialistSMR: Bool; FSMaturityPreferentialistLaw: number; FSMaturityPreferentialistSMR: Bool; FSSlimnessEnthusiastSMR: Bool; FSSlimnessEnthusiastLaw: number; FSAssetExpansionistSMR: Bool; FSPastoralistLaw: number; FSPastoralistSMR: Bool; FSPhysicalIdealistSMR: number; FSPhysicalIdealistLaw: number; FSPhysicalIdealistStrongFat: number; FSChattelReligionistLaw: number; FSChattelReligionistSMR: Bool; FSChattelReligionistCreed: number; FSRomanRevivalistLaw: number; FSRomanRevivalistSMR: Bool; FSNeoImperialistLaw1: number; FSNeoImperialistLaw2: number; FSNeoImperialistSMR: number; FSAztecRevivalistLaw: number; FSAztecRevivalistSMR: Bool; FSEgyptianRevivalistLaw: number; FSEgyptianRevivalistSMR: Bool; FSEdoRevivalistLaw: number; FSEdoRevivalistSMR: Bool; FSArabianRevivalistLaw: number; FSArabianRevivalistSMR: Bool; FSChineseRevivalistLaw: number; FSChineseRevivalistSMR: Bool; FSRepopulationFocusLaw: number; FSRepopulationFocusSMR: Bool; FSRestartLaw: number; FSRestartSMR: Bool; FSHedonisticDecadenceLaw: number; FSHedonisticDecadenceLaw2: number; FSHedonisticDecadenceStrongFat: number; FSHedonisticDecadenceSMR: Bool; FSIntellectualDependencyLaw: number; FSIntellectualDependencyLawBeauty: number; FSIntellectualDependencySMR: Bool; FSSlaveProfessionalismLaw: number; FSSlaveProfessionalismSMR: Bool; FSPetiteAdmirationLaw: number; FSPetiteAdmirationLaw2: number; FSPetiteAdmirationSMR: Bool; FSStatuesqueGlorificationLaw: number; FSStatuesqueGlorificationLaw2: number; FSStatuesqueGlorificationSMR: Bool; FSEgyptianRevivalistIncestPolicy: number; FSEgyptianRevivalistInterest: number; FSRepopulationFocusPregPolicy: number; FSRepopulationFocusMilfPolicy: number; FSRepopulationFocusInterest: number; FSEugenicsChastityPolicy: number; FSEugenicsSterilizationPolicy: number; FSEugenicsInterest: number; childhoodFertilityInducedNCSResearch: Bool; hackingEconomic: number; hackingEconomicTarget: number; hackingReputationTarget: number; hackingReputation: number; } }
MonsterMate/fc
devTools/types/FC/arcology.d.ts
TypeScript
mit
8,347
declare namespace FC { type WithNone<T> = T | "none"; const enum Bool { False = 0, True = 1 } const enum NoObject { Value = 0 } type Zeroable<T> = T | NoObject; } type WidenLiterals<T> = T extends boolean ? boolean : T extends string ? string : T extends number ? number : T;
MonsterMate/fc
devTools/types/FC/common.d.ts
TypeScript
mit
300
declare namespace FC { namespace Data { namespace Wardrobe { interface ClothingOptionBase { name: string; fs?: string; // FSPolicy; } interface ClothingOption extends ClothingOptionBase { value: string; } interface UpdatingClothingOption extends ClothingOptionBase { updateSlave: DeepPartialSlaveState; } } namespace Pronouns { interface Definition { pronoun: string; possessive: string; possessivePronoun: string; object: string; objectReflexive: string; noun: string; } } interface JobDesc { position: string; assignment: Assignment; publicSexUse: boolean; fuckdollAccepted: boolean; broodmotherAccepted?: boolean; /** workers can take part time jobs in addition to their main (full-time) one */ partTime?: boolean; } interface ManagerJobDesc extends JobDesc { shouldWalk: boolean; shouldHold: boolean; shouldSee: boolean; shouldHear: boolean; shouldTalk: boolean; shouldThink: boolean; requiredDevotion: number; /** Applicable careers */ careers: string[]; /** Applicable skill name */ skill: string; positionAbbreviation?: string; } interface FacilityDesc { /** Base name for state variables */ baseName: string; /** Generic name for UI (Brothel, Club, etc.) * If null, baseName is used instead */ genericName: string | null; jobs: Record<string, JobDesc>; defaultJob: string; manager: ManagerJobDesc | null; } interface ProstheticDefinition { name: string; adjust: number; craft: number; research: number; level: number; costs: number; } namespace SlaveSummary { interface SmartPiercing { setting: { off: string, submissive: string, lesbian: string, oral: string, humiliation: string, anal: string, boobs: string, sadist: string, masochist: string, dom: string, pregnancy: string, vanilla: string, all: string, none: string, monitoring: string, men: string, women: string, "anti-men": string, "anti-women": string, } } } } }
MonsterMate/fc
devTools/types/FC/data.d.ts
TypeScript
mit
2,144
declare namespace FC { namespace Desc { interface LongSlaveOptions { /** * 0 if the slave is not for sale. Otherwise a string with the name of the market, * partially to determine if laws apply to the market or not. */ market?: Zeroable<SlaveMarketName>; eventDescription?: boolean; prisonCrime?: string; noArt?: boolean; } } }
MonsterMate/fc
devTools/types/FC/desc.d.ts
TypeScript
mit
362
declare namespace FC { namespace Facilities { interface Pit { /** Defaults to "the Pit" if not otherwise set. */ name: string; /** Has a slave fight an animal if not null. */ animal: Animal; /** The type of audience the Pit has. */ audience: "none" | "free" | "paid"; /** Whether or not the bodyguard is fighting this week. */ bodyguardFights: boolean; /** An array of the IDs of slaves assigned to the Pit. */ fighterIDs: number[]; /** Whether or not a fight has taken place during the week. */ fought: boolean; /** Whether or not the fights in the Pit are lethal. */ lethal: boolean; /** The ID of the slave fighting the bodyguard for their life. */ slaveFightingBodyguard: number; /** The virginities of the loser not allowed to be taken. */ virginities: "neither" | "vaginal" | "anal" | "all" } class Animal { name: string; species: string; type: string; articleAn: boolean; } } }
MonsterMate/fc
devTools/types/FC/facilities.d.ts
TypeScript
mit
963
declare namespace FC { /**@deprecated */ type SlaveStateOrZero = Zeroable<SlaveState>; /**@deprecated */ type HumanStateOrZero = Zeroable<HumanState>; type DefaultGameStateVariables = typeof App.Data.defaultGameStateVariables; type ResetOnNGPVariables = typeof App.Data.resetOnNGPlus; interface Enunciation { title: string; say: string; s: string; S: string; ss: string; c: string; C: string; cc: string; z: string; Z: string; zz: string; ch: string; Ch: string; ps: string; Ps: string; sh: string; Sh: string; sc: string; Sc: string; sch: string; Sch: string; x: string; X: string; } interface PeacekeepersState { generalName: string; strength: number; attitude: number; independent: number; undermining: number; influenceAnnounced: number; tastes: number; } interface DeprecatedGameVariables { /** @deprecated */ events: string[]; /** @deprecated */ RESSevent: string[]; /** @deprecated */ RESSTRevent: string[]; /** @deprecated */ RETSevent: string[]; /** @deprecated */ RECIevent: string[]; /** @deprecated */ RecETSevent: string[]; /** @deprecated */ REFIevent: string[]; /** @deprecated */ REFSevent: string[]; /** @deprecated */ PESSevent: string[]; /** @deprecated */ PETSevent: string[]; /** @deprecated */ FSAcquisitionEvents: string[]; /** @deprecated */ FSNonconformistEvents: string[]; /** @deprecated */ REAnalCowgirlSubIDs: number[]; /** @deprecated */ RETasteTestSubIDs: number[]; /** @deprecated */ rebelSlaves: string[]; /** @deprecated */ REBoobCollisionSubIDs: string[]; /** @deprecated */ REIfYouEnjoyItSubIDs: string[]; /** @deprecated */ RESadisticDescriptionSubIDs: string[]; /** @deprecated */ REShowerForceSubIDs: string[]; /** @deprecated */ RESimpleAssaultIDs: string[]; /** @deprecated */ RECockmilkInterceptionIDs: number[]; /** @deprecated */ REInterslaveBeggingIDs: number[]; /** @deprecated */ bedSlaves: SlaveState[]; /** @deprecated */ eligibleSlaves: SlaveState[]; /** @deprecated */ RERepressedAnalVirginSubIDs: number[]; /** @deprecated */ surgeryType: string; /** @deprecated */ i: number; relationLinks?: Record<number, {father: number, mother: number}>; spire: number; customPronouns?: Record<number, Data.Pronouns.Definition>; } export type HeadGirlTraining = "health" | "paraphilia" | "soften" | "flaw" | "obedience" | "entertain skill" | "oral skill" | "fuck skill" | "anal skill" | "whore skill"; export interface HeadGirlTrainee { ID: number; training: HeadGirlTraining; } /** * These variables shall not be in the game state and there is a hope they will be exterminated in the future */ interface TemporaryVariablesInTheGameState { gameover?: string; slaveMarket?: SlaveMarketName; prisonCrime?: Zeroable<string>; enunciate?: Enunciation; activeSlaveOneTimeMinAge?: number; activeSlaveOneTimeMaxAge?: number; one_time_age_overrides_pedo_mode?: number; fixedNationality?: string; fixedRace?: string; oneTimeDisableDisability?: number; sortQuickList?: string; slaveAfterRA?: SlaveState; slavesToImportMax?: number; brandApplied?: number; degradation?: number; partner?: number | "daughter" | "father" | "mother" | "sister" | "relation" | "relationship" | "rivalry" | ""; activeArcologyIdx?: number; passageSwitchHandler?: () => void; showAllEntries?: { costsBudget: number; repBudget: number; }; brothelSpots?: number; clubSpots?: number; dairySpots?: number; servantsQuartersSpots?: number; clubBonuses?: number; brothelSlavesGettingHelp?: number; clubSlavesGettingHelp?: number; lastWeeksRepErrors?: string; lastWeeksCashErrors?: string; slaveUsedRest?: 1; arcadeDemandDegResult?: 1 | 2 | 3 | 4 | 5; FarmerDevotionThreshold?: number; FarmerDevotionBonus?: number; FarmerTrustThreshold?: number; FarmerTrustBonus?: number; FarmerHealthBonus?: number; milkmaidDevotionThreshold?: number; milkmaidDevotionBonus?: number; milkmaidTrustThreshold?: number; milkmaidTrustBonus?: number; milkmaidHealthBonus?: number; AS: number; HGTrainSlavesIDs?: HeadGirlTrainee[]; heroSlaveID?: number; seed?: number; applyCareerBonus?: Bool; prostheticsConfig?: string; nationalitiescheck?: object; cellPath?: number[]; relation: number; heroSlaves: SlaveTemplate[]; HGTastes?: number; //#region FCTV usedRemote: Bool; //#endregion } export interface GameVariables extends DefaultGameStateVariables, ResetOnNGPVariables, DeprecatedGameVariables, TemporaryVariablesInTheGameState { } }
MonsterMate/fc
devTools/types/FC/gameState.d.ts
TypeScript
mit
4,659
declare global { // extensions interface Array<T> { toStringExt(delimiter?: string, lastDelimiter?: string): string; includes(needle: any): boolean; // because we use silly unions with 0 } interface Number { toFixedHTML(fractionDigits?: number): string; } interface Window { storyProxy?: object; } const V: FC.GameVariables; function createReadonlyProxy<T>(target: T): Readonly<T>; function createCheatProxy<T>(target: T): T; } export {}
MonsterMate/fc
devTools/types/FC/global.d.ts
TypeScript
mit
460
import {DeepPartial} from "ts-essentials"; declare global { export namespace FC { export type SlaveState = InstanceType<typeof App.Entity.SlaveState>; export type PlayerState = InstanceType<typeof App.Entity.PlayerState>; export type DeepPartialSlaveState = DeepPartial<SlaveState>; type SlaveStateRequiredAttributes = "ID" | "slaveName"; export interface SlaveTemplate extends DeepPartial<Omit<SlaveState, SlaveStateRequiredAttributes>>, Pick<SlaveState, SlaveStateRequiredAttributes> { removedLimbs?: number[]; } export type SlaveUpdate = DeepPartialSlaveState; //#region SlaveState types namespace Rules { type Living = "spare" | "normal" | "luxurious"; type Rest = "none" | "cruel" | "restrictive" | "permissive" | "mandatory"; type Mobility = "restrictive" | "permissive"; type Speech = "restrictive" | "permissive" | "accent elimination" | "language lessons"; type Relationship = "restrictive" | "just friends" | "permissive"; type Lactation = "none" | "induce" | "maintain"; type Punishment = "confinement" | "whipping" | "chastity" | "situational"; type Reward = "relaxation" | "drugs" | "orgasm" | "situational" | "confinement"; interface LivingFreezed extends Record<string, Living> { LUXURIOUS: 'luxurious'; NORMAL: 'normal'; SPARE: 'spare'; } interface RestFreezed extends Record<string, Rest> { NONE: "none"; MIN: "cruel"; MID: "restrictive"; MAX: "permissive"; MANDATORY: "mandatory"; } } type Assignment = // Penthouse Assignments 'rest' | 'please you' | 'take classes' | 'be a servant' | 'whore' | 'serve the public' | 'be a subordinate slave' | 'get milked' | 'work a glory hole' | 'stay confined' | // Leadership Assignments 'guard you' | 'be your Head Girl' | 'recruit girls' | 'be your agent' | 'live with your agent' | // Facility Assignments 'be confined in the arcade' | 'be the Madam' | 'work in the brothel' | 'be the Wardeness' | 'be confined in the cellblock' | 'be the DJ' | 'serve in the club' | 'be the Nurse' | 'get treatment in the clinic' | 'be the Milkmaid' | 'work in the dairy' | 'be the Farmer' | 'work as a farmhand' | 'live with your Head Girl' | 'be your Concubine' | 'serve in the master suite' | 'be the Matron' | 'work as a nanny' | 'be the Schoolteacher' | 'learn in the schoolroom' | 'be the Stewardess' | 'work as a servant' | 'be the Attendant' | 'rest in the spa' | // Does this one exist? 'labor in the production line' | // Other 'choose her own job' | // Pseudo-jobs '@Lurcher' | '@Pit' | '@be imported' | '@lay in tank'; interface AssignmentFreeze extends Record<string, Assignment> { // Penthouse Assignments REST: 'rest'; FUCKTOY: 'please you'; CLASSES: 'take classes'; HOUSE: 'be a servant'; WHORE: 'whore'; PUBLIC: 'serve the public'; SUBORDINATE: 'be a subordinate slave'; MILKED: 'get milked'; GLORYHOLE: 'work a glory hole'; CONFINEMENT: 'stay confined'; // Leadership Assignments BODYGUARD: 'guard you'; HEADGIRL: 'be your Head Girl'; RECRUITER: 'recruit girls'; AGENT: 'be your agent'; AGENTPARTNER: 'live with your agent'; // Facility Assignments ARCADE: 'be confined in the arcade'; MADAM: 'be the Madam'; BROTHEL: 'work in the brothel'; WARDEN: 'be the Wardeness'; CELLBLOCK: 'be confined in the cellblock'; DJ: 'be the DJ'; CLUB: 'serve in the club'; NURSE: 'be the Nurse'; CLINIC: 'get treatment in the clinic'; MILKMAID: 'be the Milkmaid'; DAIRY: 'work in the dairy'; FARMER: 'be the Farmer'; FARMYARD: 'work as a farmhand'; HEADGIRLSUITE: 'live with your Head Girl'; CONCUBINE: 'be your Concubine'; MASTERSUITE: 'serve in the master suite'; MATRON: 'be the Matron'; NURSERY: 'work as a nanny'; TEACHER: 'be the Schoolteacher'; SCHOOL: 'learn in the schoolroom'; STEWARD: 'be the Stewardess'; QUARTER: 'work as a servant'; ATTENDANT: 'be the Attendant'; SPA: 'rest in the spa'; // Does this one exist? BABY_FACTORY: 'labor in the production line'; // Other CHOICE: 'choose her own job'; // Pseudo-jobs LURCHER: '@Lurcher'; PIT: '@Pit'; IMPORTED: '@be imported'; TANK: '@lay in tank'; } type Fetish = WithNone<"mindbroken" | "submissive" | "cumslut" | "humiliation" | "buttslut" | "boobs" | "sadist" | "masochist" | "dom" | "pregnancy">; type BehavioralFlaw = WithNone< | "arrogant" // clings to her dignity, thinks slavery is beneath her | "bitchy" // : can 't keep her opinions to herself | "odd" // says and does odd things | "hates men" // hates men /** hates women */ | "hates women" | "gluttonous" // likes eating, gains weight | "anorexic" // dislikes eating and being forced to eat, loses weight | "devout" // resistance through religious faith | "liberated" // believes slavery is wrong >; type BehavioralQuirk = WithNone< /** believes she has value as a slave */ | "confident" /** often has as witty or cunning remark ready, knows when to say it */ | "cutting" /** is funny */ | "funny" /** loves working out */ | "fitness" /** likes spending time with women */ | "adores women" /** likes spending time with men */ | "adores men" /** defines herself on the thoughts of others */ | "insecure" /** breaks cultural norms */ | "sinful" /** advocates slavery */ | "advocate">; type SexualFlaw = WithNone< /** hates oral sex */ | "hates oral" /** hates anal sex */ | "hates anal" /** dislikes penetrative sex */ | "hates penetration" /** nervous when naked */ | "shamefast" /** believes sex should be based on love and consent */ | "idealistic" /** dislikes sex */ | "repressed" /** inert during sex */ | "apathetic" /** sexually crude and has little sense of what partners find disgusting during sex */ | "crude" /** sexually judgemental and often judges her sexual partners' performance */ | "judgemental" /** disregards herself in sex */ | "neglectful" /** addicted to cum */ | "cum addict" /** addicted to anal */ | "anal addict" /** addicted to being the center of attention */ | "attention whore" /** addicted to her own breasts */ | "breast growth" /** sexually abusive */ | "abusive" /** loves causing pain and suffering */ | "malicious" /** hates herself */ | "self hating" /** addicted to being pregnant */ | "breeder">; type SexualQuirk = WithNone< /** can take a facefucking */ "gagfuck queen" /** knows how far she can go without getting hurt */ | "painal queen" /** knows how much resistance her partners want */ | "strugglefuck queen" /** is a tease */ | "tease" /** enjoys the closeness of sex */ | "romantic" /** enjoys breaking sexual boundaries */ | "perverted" /** enjoys bring her partners to orgasm */ | "caring" /** willing to do anything */ | "unflinching" /** prefers big cocks */ | "size queen">; type BreastShape = "normal" | "perky" | "saggy" | "torpedo-shaped" | "downward-facing" | "wide-set" | "deflated"; type Diet = "healthy" | "restricted" | "corrective" | "muscle building" | "fattening" | "slimming" | "XX" | "XY" | "XXY" | "cum production" | "cleansing" | "fertility" | "high caloric"; type Drug = "no drugs" | "breast injections" | "butt injections" | "lip injections" | "nipple enhancers" | "penis enhancement" | "testicle enhancement" | "intensive breast injections" | "intensive butt injections" | "intensive penis enhancement" | "intensive testicle enhancement" | "fertility drugs" | "super fertility drugs" | "psychosuppressants" | "psychostimulants" | "steroids" | "hyper breast injections" | "hyper butt injections" | "hyper penis enhancement" | "hyper testicle enhancement" | "female hormone injections" | "male hormone injections" | "priapism agents" | "anti-aging cream" | "appetite suppressors" | "hormone enhancers" | "hormone blockers" | "penis atrophiers" | "testicle atrophiers" | "clitoris atrophiers" | "labia atrophiers" | "nipple atrophiers" | "lip atrophiers" | "breast redistributors" | "butt redistributors" | "sag-B-gone" | "growth stimulants" | "stimulants"; type EarWear = WithNone<"hearing aids" | "muffling ear plugs" | "deafening ear plugs">; type EarShape = WithNone<"damaged" | "normal" | "pointy" | "elven" | "ushi" | "robot">; type EarTypeKemonomimi = WithNone<"normal" | "neko" | "inu" | "kit" | "tanuki" | "usagi">; type EyebrowStyle = "bald" | "curved" | "elongated" | "high-arched" | "natural" | "rounded" | "shaved" | "shortened" | "slanted inwards" | "slanted outwards" | "straight"; type EyebrowThickness = "pencil-thin" | "thin" | "threaded" | "natural" | "tapered" | "thick" | "bushy"; type EyeWear = WithNone<"glasses" | "blurring glasses" | "corrective glasses" | "blurring contacts" | "corrective contacts">; type FaceShape = "masculine" | "androgynous" | "normal" | "cute" | "sensual" | "exotic"; type GenderGenes = /** female */ "XX" /** Triple X syndrome female */ | "XXX" /** male */ | "XY" /** Klinefelter syndrome male */ | "XXY" /** XYY syndrome male */ | "XYY" | "X0" | "X"; type GestationDrug = "slow gestation" | "speed up" | "labor suppressors"; type HornType = WithNone<"curved succubus horns" | "backswept horns" | "cow horns" | "one long oni horn" | "two long oni horns" | "small horns">; type InflationLiquid = WithNone<"water" | "cum" | "milk" | "food" | "aphrodisiac" | "curative" | "tightener" | "urine" | "stimulant">; type TailType = WithNone<"mod" | "combat" | "sex">; type Markings = WithNone<"beauty mark" | "birthmark" | "freckles" | "heavily freckled">; type TailShape = WithNone<"neko" | "inu" | "kit" | "kitsune" | "tanuki" | "ushi" | "usagi" | "risu" | "uma">; type ToyHole = "all her holes" | "mouth" | "boobs" | "pussy" | "ass" | "dick"; type OvaryImplantType = 0 | "fertility" | "sympathy" | "asexual"; type NippleShape = "huge" | "puffy" | "inverted" | "tiny" | "cute" | "partially inverted" | "fuckable"; /** * 0: no; 1: yes; 2: heavy */ type PiercingType = 0 | 1 | 2; type ClitoralPiercingType = PiercingType | 3; type Race = "amerindian" | "asian" | "black" | "indo-aryan" | "latina" | "malay" | "middle eastern" | "mixed race" | "pacific islander" | "semitic" | "southern european" | "white"; type SizingImplantType = WithNone<"normal" | "string" | "fillable" | "advanced fillable" | "hyper fillable">; type SmartPiercingSetting = WithNone<"off" | "all" | "no default setting" | "random" | "women" | "men" | "vanilla" | "oral" | "anal" | "boobs" | "submissive" | "humiliation" | "pregnancy" | "dom" | "masochist" | "sadist" | "anti-women" | "anti-men">; type TeethType = "normal" | "crooked" | "gapped" | "straightening braces" | "cosmetic braces" | "removable" | "pointy" | "fangs" | "fang" | "baby" | "mixed"; type MinorInjury = Zeroable<"black eye" | "bad bruise" | "split lip" | "sore ass">; type RelationShipKind = /** married to you */ -3 /** emotionally bound to you */ | -2 /** emotional slut */ | -1 | 0 /** friends with relationshipTarget */ | 1 /** best friends with relationshipTarget */ | 2 /** friends with benefits with relationshipTarget */ | 3 /** lover with relationshipTarget */ | 4 /** relationshipTarget 's slave wife */ | 5; type RivalryType = /** None */ 0 /** dislikes rivalryTarget */ | 1 /** rival of rivalryTarget */ | 2 /** bitterly hates rivalryTarget */ | 3; type IndentureType = /** complete protection */ 2 /** some protection */ | 1 /** no protection */ | 0; type HeightImplant = -1 | 0 | 1; type Hearing = -2 | -1 | 0; type AnimalKind = "human" | "dog" | "pig" | "horse" | "cow"; type SpermType = AnimalKind | "sterile"; type GeneticQuirk = 0 | 1 | 2; interface GeneticQuirks { /** Oversized breasts. Increased growth rate, reduced shrink rate. Breasts try to return to oversized state if reduced. */ macromastia: GeneticQuirk | 3; /** Greatly oversized breasts. Increased growth rate, reduced shrink rate. Breasts try to return to oversized state if reduced. * * **macromastia + gigantomastia** - Breasts never stop growing. Increased growth rate, no shrink rate. */ gigantomastia: GeneticQuirk | 3; /** is prone to having twins, shorter pregnancy recovery rate */ fertility: GeneticQuirk; /** is prone to having multiples, even shorter pregnancy recovery rate * * **fertility + hyperFertility** - will have multiples, even shorter pregnancy recovery rate */ hyperFertility: GeneticQuirk; /** pregnancy does not block ovulation, slave can become pregnant even while pregnant */ superfetation: GeneticQuirk; /** Pleasurable pregnancy and orgasmic birth. Wider hips, looser and wetter vagina. High pregadaptation and low birth damage. */ uterineHypersensitivity: GeneticQuirk; /** is abnormally tall. gigantism + dwarfism - is very average*/ gigantism: GeneticQuirk; /** is abnormally short. gigantism + dwarfism - is very average*/ dwarfism: GeneticQuirk; /** has a flawless face. pFace + uFace - Depends on carrier status, may swing between average and above/below depending on it */ pFace: GeneticQuirk; /** has a hideous face. pFace + uFace - Depends on carrier status, may swing between average and above/below depending on it */ uFace: GeneticQuirk; /** has pale skin, white hair and red eyes */ albinism: GeneticQuirk; /** may have mismatched eyes, the eye color stored here is always the left eye */ heterochromia: GeneticQuirk | string; /** ass never stops growing. Increased growth rate, reduced shrink rate. */ rearLipedema: GeneticQuirk; /** has (or will have) a huge dong */ wellHung: GeneticQuirk; /** constantly gains weight unless dieting, easier to gain weight. wGain + wLoss - weight gain/loss fluctuates randomly */ wGain: GeneticQuirk; /** constantly loses weight unless gaining, easier to lose weight. wGain + wLoss - weight gain/loss fluctuates randomly */ wLoss: GeneticQuirk; /** body attempts to normalize to an androgynous state */ androgyny: GeneticQuirk; /** constantly gains muscle mass, easier to gain muscle. mGain + mLoss - muscle gain/loss amplified, passively lose muscle unless building */ mGain: GeneticQuirk; /** constantly loses muscle mass, easier to gain muscle. mGain + mLoss - muscle gain/loss amplified, passively lose muscle unless building */ mLoss: GeneticQuirk; /** slave can only ever birth girls */ girlsOnly: GeneticQuirk; } interface FetusGenetics { gender: GenderGenes; name: string; surname: Zeroable<string>; mother: number; motherName: string; father: number; fatherName: string; nationality: string; race: Race; intelligence: number; face: number; faceShape: FaceShape; eyeColor: string hColor: string; skin: string; markings: Markings; behavioralFlaw: BehavioralFlaw; sexualFlaw: SexualFlaw; pubicHStyle: string; underArmHStyle: string; clone: Zeroable<string>; cloneID: number; geneticQuirks: Partial<GeneticQuirks>; fetish: Fetish; spermY: number; inbreedingCoeff?: number; } //#endregion type LimbState = InstanceType<typeof App.Entity.LimbState>; interface LimbsState { arm: { left: LimbState; right: LimbState; }; leg: { left: LimbState, right: LimbState; }; PLimb: number; } interface PregnancyData { type: string; normalOvaMin: number; normalOvaMax: number; normalBirth: number; minLiveBirth: number; drugsEffect: number; fetusWeek: number[]; fetusSize: number[]; fetusRate: number[]; sizeType: number; } type HumanState = SlaveState | PlayerState; export namespace Medicine { export namespace Surgery { /** * Describes surgical procedure */ export interface Procedure { /** * Type code that identifies this kind of procedure. * Currently unused, but planned for future use by RA for prioritizing procedures */ typeId: string; /** * Short label for the procedure. Can be used as a link text. */ label: string; /** * If procedure is targeted at changing object characteristic, this is the net change (signed) */ targetEffect: number; /** * Description of the procedure, more or less detailed */ description: string; /** * Money costs (positive when you pay for it) */ costs: number; /** * Projected health loss (positive when health decreases) */ healthCosts: number; /** * Function to perform the procedure * If action is undefined, the procedure can't be applied (and .description contains the reason) */ action: slaveOperation; /** * surgery type for passages like "Surgery Degradation" */ surgeryType: string; } export interface SizingOptions { /** include possible augmentation procedures */ augmentation?: boolean; /** include possible reduction procedures */ reduction?: boolean; /** include option to install string implants */ strings?: boolean; /** include implant change options */ replace?: boolean; } } export namespace OrganFarm { interface GrowingOrgan { type: string; weeksToCompletion: number; ID: number; } export namespace Organs { } } } } } export {}
MonsterMate/fc
devTools/types/FC/human.d.ts
TypeScript
mit
17,703
MonsterMate/fc
devTools/types/FC/medicine.d.ts
TypeScript
mit
0
declare namespace FC { type SlaveSchoolName = "GRI" | "HA" | "NUL" | "SCP" | "TCR" | "TFS" | "TGA" | "TSS" | "LDE" | "TUO"; type LawlessMarkets = "generic" | "gangs and smugglers" | "heap" | "indentures" | "low tier criminals" | "military prison" | "neighbor" | "wetware" | "white collar" | SlaveSchoolName; type SlaveMarketName = LawlessMarkets | "corporate"; type Gingering = Zeroable<"antidepressant" | "depressant" | "stimulant" | "vasoconstrictor" | "vasodilator" | "aphrodisiac" | "ginger">; type GingeringDetection = Zeroable<"slaver" | "mercenary" | "force">; namespace SlaveSummary { interface SmartPiercing { setting: { off: string, submissive: string, lesbian: string, oral: string, humiliation: string, anal: string, boobs: string, sadist: string, masochist: string, dom: string, pregnancy: string, vanilla: string, all: string, none: string, monitoring: string, men: string, women: string, "anti-men": string, "anti-women": string, } } } }
MonsterMate/fc
devTools/types/FC/misc.d.ts
TypeScript
mit
1,050
import {StoryMoment, Passage} from "twine-sugarcube"; declare module "twine-sugarcube" { interface SugarCubeStoryVariables extends FC.GameVariables { } interface SugarCubeSetupObject { ArcologyNamesSupremacistWhite: string[]; ArcologyNamesSupremacistAsian: string[]; ArcologyNamesSupremacistLatina: string[]; ArcologyNamesSupremacistMiddleEastern: string[]; ArcologyNamesSupremacistBlack: string[]; ArcologyNamesSupremacistIndoAryan: string[]; ArcologyNamesSupremacistPacificIslander: string[]; ArcologyNamesSupremacistMalay: string[]; ArcologyNamesSupremacistAmerindian: string[]; ArcologyNamesSupremacistSouthernEuropean: string[]; ArcologyNamesSupremacistSemitic: string[]; ArcologyNamesSupremacistMixedRace: string[]; ArcologyNamesSubjugationistWhite: string[]; ArcologyNamesSubjugationistAsian: string[]; ArcologyNamesSubjugationistLatina: string[]; ArcologyNamesSubjugationistMiddleEastern: string[]; ArcologyNamesSubjugationistBlack: string[]; ArcologyNamesSubjugationistIndoAryan: string[]; ArcologyNamesSubjugationistPacificIslander: string[]; ArcologyNamesSubjugationistMalay: string[]; ArcologyNamesSubjugationistAmerindian: string[]; ArcologyNamesSubjugationistSouthernEuropean: string[]; ArcologyNamesSubjugationistSemitic: string[]; ArcologyNamesSubjugationistMixedRace: string[]; ArcologyNamesGenderRadicalist: string[]; ArcologyNamesGenderFundamentalist: string[]; ArcologyNamesPaternalist: string[]; ArcologyNamesDegradationist: string[]; ArcologyNamesAssetExpansionist: string[]; ArcologyNamesSlimnessEnthusiast: string[]; ArcologyNamesTransformationFetishist: string[]; ArcologyNamesBodyPurist: string[]; ArcologyNamesMaturityPreferentialist: string[]; ArcologyNamesYouthPreferentialistLow: string[]; ArcologyNamesYouthPreferentialist: string[]; ArcologyNamesPastoralist: string[]; ArcologyNamesPhysicalIdealist: string[]; ArcologyNamesChattelReligionist: string[]; ArcologyNamesRomanRevivalist: string[]; ArcologyNamesNeoImperialist: string[]; ArcologyNamesAztecRevivalist: string[]; ArcologyNamesEgyptianRevivalist: string[]; ArcologyNamesEdoRevivalist: string[]; ArcologyNamesArabianRevivalist: string[]; ArcologyNamesChineseRevivalist: string[]; ArcologyNamesRepopulationist: string[]; ArcologyNamesEugenics: string[]; ArcologyNamesHedonisticDecadence: string[]; ArcologyNamesIntellectualDependency: string[]; ArcologyNamesSlaveProfessionalism: string[]; ArcologyNamesPetiteAdmiration: string[]; ArcologyNamesStatuesqueGlorification: string[]; badWords: string[]; badNames: string[]; chattelReligionistSlaveNames: string[]; romanSlaveNames: string[]; romanSlaveSurnames: string[]; aztecSlaveNames: string[]; ancientEgyptianSlaveNames: string[]; edoSlaveNames: string[]; edoSlaveSurnames: string[]; bimboSlaveNames: string[]; cowSlaveNames: string[]; whiteAmericanMaleNames: string[]; whiteAmericanSlaveNames: string[]; whiteAmericanSlaveSurnames: string[]; attendantCareers: string[]; bodyguardCareers: string[]; DJCareers: string[]; educatedCareers: string[]; entertainmentCareers: string[]; facilityCareers: string[]; farmerCareers: string[]; gratefulCareers: string[]; HGCareers: string[]; madamCareers: string[]; matronCareers: string[]; menialCareers: string[]; milkmaidCareers: string[]; nurseCareers: string[]; recruiterCareers: string[]; schoolteacherCareers: string[]; servantCareers: string[]; stewardessCareers: string[]; uneducatedCareers: string[]; veryYoungCareers: string[]; wardenessCareers: string[]; whoreCareers: string[]; youngCareers: string[]; fakeBellies: string[]; filterRaces: string[]; filterRacesLowercase: FC.Race[]; filterRegions: string[]; heightBoostingShoes: string[]; highHeels: string[]; humiliatingClothes: string[]; modestClothes: string[]; sluttyClothes: string[]; pregData: Record<string, FC.PregnancyData>; malenamePoolSelector: Record<string, string[]>; maleSurnamePoolSelector: Record<string, string[]>; namePoolSelector: Record<string, string[]>; surnamePoolSelector: Record<string, string[]>; raceSelector: Record<string, Record<FC.Race, number>>; naturalSkins: string[]; naturalNippleColors: string[]; pettyCriminalPool: string[]; gangCriminalPool: string[]; militaryCriminalPool: string[]; whiteCollarCriminalPool: string[]; baseNationalities: string[]; paraphiliaList: string[]; // actually FC.SexualFlaw[] prosthetics: Record<string, FC.Data.ProstheticDefinition>; } // These are SugarCube private APIs used in the project interface StateAPI { expired: StoryMoment[]; clearTemporary(): void; } interface UIBarAPI { update(): void; } } export {};
MonsterMate/fc
devTools/types/SugarCubeExtensions.d.ts
TypeScript
mit
4,770
interface assistant { appearance: "normal" | "monstergirl" | "shemale" | "amazon" | "businesswoman" | "goddess" | "hypergoddess" | "schoolgirl" | "loli" | "preggololi" | "fairy" | "pregnant fairy" | "slimegirl" | "angel" | "cherub" | "imp" | "witch" | "ERROR_1606_APPEARANCE_FILE_CORRUPT" | "incubus" | "succubus"; fsAppearance: "paternalist" | "degradationist" | "supremacist" | "subjugationist" | "roman revivalist" | "aztec revivalist" | "egyptian revivalist" | "edo revivalist" | "arabian revivalist" | "chinese revivalist" | "chattel religionist" | "repopulation focus" | "eugenics" | "physical idealist" | "hedonistic decadence" | "gender radicalist" | "gender fundamentalist" | "asset expansionist" | "transformation fetishist" | "pastoralist" | "maturity preferentialist" | "youth preferentialist" | "slimness enthusiast" | "body purist" | "intellectual dependency" | "slave professionalism" | "petite admiration" | "statuesque glorification" | "neo imperialist"; personality: 1 | 0; name: string; power: number; fsOptions: 1 | 0; market: { relationship: "nonconsensual" | "incestuous" | "cute"; limit: number; aggressiveness: number; }; main: number; } interface appearance { "normal": fsAppearance, "monstergirl": fsAppearance, "shemale": fsAppearance, "amazon": fsAppearance, "businesswoman": fsAppearance, "goddess": fsAppearance, "hypergoddess": fsAppearance, "schoolgirl": fsAppearance, "loli": fsAppearance, "preggololi": fsAppearance, "fairy": fsAppearance, "pregnant fairy": fsAppearance, "slimegirl": fsAppearance, "angel": fsAppearance, "cherub": fsAppearance, "imp": fsAppearance, "witch": fsAppearance, "ERROR_1606_APPEARANCE_FILE_CORRUPT": fsAppearance, "incubus": fsAppearance, "succubus": fsAppearance, } interface fsAppearance { "paternalist": string, "degradationist": string, "supremacist": string, "subjugationist": string, "roman revivalist": string, "aztec revivalist": string, "egyptian revivalist": string, "edo revivalist": string, "arabian revivalist": string, "chinese revivalist": string, "chattel religionist": string, "repopulation focus": string, "eugenics": string, "physical idealist": string, "hedonistic decadence": string, "gender radicalist": string, "gender fundamentalist": string, "asset expansionist": string, "transformation fetishist": string, "pastoralist": string, "maturity preferentialist": string, "youth preferentialist": string, "slimness enthusiast": string, "body purist": string, "intellectual dependency": string, "slave professionalism": string, "petite admiration": string, "statuesque glorification": string, "neo imperialist": string, }
MonsterMate/fc
devTools/types/assistant.d.ts
TypeScript
mit
2,670
// Extension from mousetrap-record interface MousetrapStatic { record(callback: (this: MousetrapStatic, sequence: string[]) => void): void; } // d3-dtree declare namespace d3dTree { interface Person { name: string; } interface Marriage { spouse: Person; /** * List of children nodes */ children: Person[]; } interface DataItem { /** * The name of the node */ name: string; /** * The CSS class of the node */ class: string; /** * The CSS class of the text in the node */ textClass: string; /** * Generational height offset */ depthOffset?: number; /** Marriages is a list of nodes * Each marriage has one spouse */ marriages: Marriage[]; /** * Custom data passed to renderers */ extra?: object; } interface Options { target: string; debug: boolean; width: number; height: number; hideMarriageNodes: boolean; marriageNodeSize: number; /** * Callbacks should only be overwritten on a need to basis. * See the section about callbacks below. */ callbacks: { }, margin: { top: number; right: number; bottom: number; left: number; }, nodeWidth: number; styles: { node: string; linage: string; marriage: string; text: string; } } interface Tree { /** * Reset zoom and position to initial state * @param duration Default is 500 */ resetZoom(duration?: number): void; /** * Zoom to a specific position * @param x * @param y * @param zoom = 1 * @param duration = 500 */ zoomTo(x: number, y: number, zoom?: number, duration?: number): void; /** * Zoom to a specific node * @param nodeId * @param zoom = 2 * @param duration = 500 */ zoomToNode(nodeId: string, zoom?: number, duration?: number): void; /** * Zoom to fit the entire tree into the viewport * @param duration = 500 */ zoomToFit(duration?: number): void; } interface dTree { init(data: DataItem[], options: Partial<Options>): Tree; } } declare const dTree: d3dTree.dTree;
MonsterMate/fc
devTools/types/extensions.d.ts
TypeScript
mit
2,045
# Build and run an FC Docker container # $ docker build -t fc . # $ docker run -d --rm -p 8080:80 fc # Access with brownser at http://localhost:8080 # Compile FROM ubuntu ENV DEBIAN_FRONTEND=noninteractive ENV TZ=America/New_York RUN apt update RUN apt install -y git WORKDIR /opt RUN git clone https://gitgud.io/pregmodfan/fc-pregmod.git WORKDIR /opt/fc-pregmod RUN chmod +x devTools/tweeGo/tweego_nix* RUN bash ./compile.sh # Install the 3d renders hosted on mega.nz RUN apt install -y megatools unzip WORKDIR /tmp RUN megadl --path=renders.zip https://mega.nz/#!upoAlBaZ!EbZ5wCixxZxBhMN_ireJTXt0SIPOywO2JW9XzTIPhe0 RUN unzip renders.zip RUN cp -r 'Free Cities v 0.10.4 renders'/resources /opt/fc-pregmod/bin/ # Serve with nginx FROM nginx COPY --from=0 /opt/fc-pregmod/bin /usr/share/nginx/html WORKDIR /usr/share/nginx/html RUN mv FC_pregmod.html index.html
MonsterMate/fc
docker/Dockerfile
Dockerfile
mit
865
<?xml version="1.0" encoding="utf-8"?> <Project DefaultTargets="FinalHTML" xmlns="http://schemas.microsoft.com/developer/msbuild/2003"> <Import Project="devTools\FC.targets" /> <PropertyGroup> <OutputDirectory>.\bin\</OutputDirectory> <JSMoudleFileName>fc.js</JSMoudleFileName> </PropertyGroup> <PropertyGroup Condition=" '$([System.Runtime.InteropServices.RuntimeInformation]::ProcessArchitecture)' == 'X64' "> <ArchitectureSuffix>64</ArchitectureSuffix> </PropertyGroup> <PropertyGroup Condition=" '$([System.Runtime.InteropServices.RuntimeInformation]::ProcessArchitecture)' == 'X86' "> <ArchitectureSuffix>86</ArchitectureSuffix> </PropertyGroup> <PropertyGroup Condition=" '$([MSBuild]::IsOsPlatform(Windows))' "> <TweeGoExe>tweego_win$(ArchitectureSuffix).exe</TweeGoExe> </PropertyGroup> <PropertyGroup Condition=" '$([MSBuild]::IsOsPlatform(Linux))' "> <TweeGoExe>tweego_nix$(ArchitectureSuffix)</TweeGoExe> </PropertyGroup> <PropertyGroup Condition=" '$([MSBuild]::IsOsPlatform(OSX))' "> <TweeGoExe>tweego_osx$(ArchitectureSuffix)</TweeGoExe> </PropertyGroup> <Target Name="CollectGitInfo" DependsOnTargets="FindGit"> <Exec Command="$(GitExe) rev-parse --short HEAD" ConsoleToMsBuild="true" EchoOff="true"> <Output TaskParameter="ConsoleOutput" PropertyName="GitHash" /> </Exec> </Target> <Target Name="DisplayMessages" DependsOnTargets="CollectGitInfo"> <Message Text="MSBuildProjectDirectory: $(MSBuildProjectDirectory)" /> <Message Text="ArchitectureSuffix: $(ArchitectureSuffix)" Importance="high" /> <Message Text="TweeGoExe: $(TweeGoExe)" Importance="high" /> <Message Text="PA: $([System.Runtime.InteropServices.RuntimeInformation]::ProcessArchitecture)" /> <Message Text="Git found: $(GitExeFound)" Importance="high" /> <Message Text="Git executable: $(GitExe)" Importance="high" /> <Message Text="HEAD commit hash: $(GitHash)" Importance="high" /> </Target> <Target Name="createDirs"> <MakeDir Directories="$(OutputDirectory)\resources"/> </Target> <Target Name="JSModule" DependsOnTargets="createDirs;DisplayMessages"> <ItemGroup> <jsScripts Include=".\js\**\*.js" /> <!-- will be sorted aphabetically --> </ItemGroup> <ConcatFiles Inputs="@(jsSCripts)" BaseDir="$(MSBuildProjectDirectory)" Output="$(OutputDirectory)\$(JSMoudleFileName)"/> </Target> <Target Name="InjectGitHash" DependsOnTargets="CollectGitInfo" Condition=" '$(GitExeFound)'" > <WriteLinesToFile File="src/002-config/fc-version.js.commitHash.js" Lines="App.Version.commitHash = '$(GitHash)'%3B" Overwrite="true" Encoding="UTF-8"/> </Target> <Target Name="RemoveGeneratedFiles" DependsOnTargets="FindGit" Condition=" '$(GitExeFound)'" > <Delete Files="src/002-config/fc-version.js.commitHash.js"/> </Target> <Target Name="tmpOutput" DependsOnTargets="JSModule;InjectGitHash"> <Exec Command="devTools\tweeGo\$(TweeGoExe) --module=$(OutputDirectory)\$(JSMoudleFileName) --head devTools\head.html -o $(OutputDirectory)\tmp.html src\" /> </Target> <Target Name="FinalHTML" DependsOnTargets="tmpOutput;RemoveGeneratedFiles"> <Delete Files="$(OutputDirectory)\$(JSMoudleFileName)" /> <Move SourceFiles="$(OutputDirectory)\tmp.html" DestinationFiles="$(OutputDirectory)\FC_pregmod.html" /> </Target> <Target Name="JavaSanityCheck"> <Exec Command="java -jar .\devTools\javaSanityCheck\SanityCheck.jar" /> </Target> <!-- Twine targets --> <Target Name="TwineCSS"> <ItemGroup> <cssFiles Include=".\src\**\*.css" /> <!-- will be sorted aphabetically --> </ItemGroup> <ConcatFiles Inputs="@(cssFiles)" BaseDir="$(MSBuildProjectDirectory)" Output="$(MSBuildProjectDirectory)\devNotes\twine CSS.txt"/> </Target> <Target Name="TwineJS"> <ItemGroup> <jsFiles Include=".\js\**\*.js;.\src\**\*.js" Exclude=".\src\art\assistantArt.js"/> <!-- will be sorted aphabetically --> </ItemGroup> <ConcatFiles Inputs="@(jsFiles)" BaseDir="$(MSBuildProjectDirectory)" Output="$(MSBuildProjectDirectory)\devNotes\twine JS.raw"/> <StripComments InputFilename="$(MSBuildProjectDirectory)\devNotes\twine JS.raw" OutputFilename="$(MSBuildProjectDirectory)\devNotes\twine JS.txt" /> </Target> <Target Name="Twine" DependsOnTargets="TwineCSS;TwineJS"/> </Project>
MonsterMate/fc
fc-pregmod.proj
proj
mit
4,268
const gulp = require('gulp'), concat = require('gulp-concat'), git = require('gulp-git'), log = require('fancy-log-levels'), noop = require('gulp-noop'), postcss = require('gulp-postcss'), shell = require('gulp-shell'), sort = require('gulp-sort'), sourcemaps = require('gulp-sourcemaps'), autoprefixer = require('autoprefixer'), which = require('which'), fs = require('fs'), path = require('path'), os = require('os'), yargs = require('yargs'), cfg = require('./build.config.json'); const args = yargs.options({ verbosity: {type: 'number', default: 0}, release: {type: 'boolean', default: false}, embedsourcemaps: {type: 'boolean', default: false}, sourcemapsincludecontent: {type: 'boolean', default: false} }).argv; const htmlOut = "tmp.html"; log(args.verbosity); function tweeCompilerExecutable() { const systemTweego = which.sync('tweego', {nothrow: true}); if (systemTweego) { log.info('Found system tweego at ', systemTweego); return systemTweego; } const archSuffix = os.arch() === 'x64' ? '64' : '86'; const platformSuffix = { 'Darwin': 'osx', 'Linux': 'nix', 'Windows_NT': 'win' }[os.type()]; const extension = os.type() === 'Windows_NT' ? '.exe' : ''; const res = path.join('.', 'devTools', 'tweeGo', `tweego_${platformSuffix}${archSuffix}${extension}`); log.info('Using bundled tweego at ', res); return res; } function concatFiles(srcGlob, destDir, destFileName) { return gulp.src(srcGlob) .pipe(sort()) .pipe(concat(destFileName)) .pipe(gulp.dest(destDir)); } function processScripts(srcGlob, destDir, destFileName) { const addSourcemaps = !args.release; const prefix = path.relative(destDir, srcGlob.substr(0, srcGlob.indexOf('*'))); return gulp.src(srcGlob) .pipe(sort()) .pipe(addSourcemaps ? sourcemaps.init() : noop()) .pipe(concat(destFileName)) .pipe(addSourcemaps ? sourcemaps.write(args.embedsourcemaps ? undefined : '.', { includeContent: args.sourcemapsincludecontent, sourceRoot: prefix, sourceMappingURLPrefix: path.relative(cfg.dirs.output, destDir) }) : noop()) .pipe(gulp.dest(destDir)); } function processStylesheets(srcGlob, destDir, destFileName) { const addSourcemaps = !args.release; const prefix = path.relative(destDir, srcGlob.substr(0, srcGlob.indexOf('*'))); return gulp.src(srcGlob) .pipe(sort()) .pipe(addSourcemaps ? sourcemaps.init() : noop()) .pipe(concat(destFileName)) .pipe(cfg.options.css.autoprefix ? postcss([autoprefixer({overrideBrowserslist: ['last 2 versions']})]) : noop()) .pipe(addSourcemaps ? sourcemaps.write(args.embedsourcemaps ? undefined : '.', { includeContent: args.sourcemapsincludecontent, sourceRoot: prefix, sourceMappingURLPrefix: path.relative(cfg.dirs.output, destDir) }) : noop()) .pipe(gulp.dest(destDir)); } function processSrc(name, processorFunc, globs, destDir, destFileName, ...args) { let tasks = []; if (!Array.isArray(globs) || globs.length === 1) { const src = Array.isArray(globs) ? globs[0] : globs; tasks.push(() => processorFunc(src, destDir, destFileName, args)); tasks[tasks.length - 1].displayName = "process-" + name; } else { // many globs const ext = path.extname(destFileName); const bn = path.basename(destFileName, ext); for (let i = 0; i < globs.length; ++i) { tasks.push(() => processorFunc(globs[i], destDir, `${bn}-${i}${ext}`, args)); tasks[tasks.length - 1].displayName = `process-${name}-${i}`; } } const res = gulp.parallel(...tasks); res.displayName = name; return res; } function injectGitCommit(cb) { git.revParse({args: '--short HEAD'}, function(err, hash) { if (!err) { log.info('current git hash: ', hash); fs.writeFile(cfg.gitVersionFile, `App.Version.commitHash = '${hash}';\n`, cb); } else { cb(); } }); } function cleanupGit(cb) { if (fs.existsSync(cfg.gitVersionFile)) { fs.unlink(cfg.gitVersionFile, cb); } else { cb(); } } function compileStory() { let sources = [path.join(cfg.dirs.intermediate, "story")]; sources.push(...cfg.sources.story.media); let modules = [path.join(cfg.dirs.intermediate, "module")]; let moduleArgs = modules.map(fn => `--module=${fn}`); const cmdLine = `${tweeCompilerExecutable()} -f ${cfg.twineformat} --head=${cfg.sources.head} -o ${path.join(cfg.dirs.intermediate, htmlOut)} ${moduleArgs.join(' ')} ${sources.join(' ')}`; log.info(cmdLine); return gulp.src(sources, {read: false}) .pipe(shell(cmdLine, {env: cfg.options.twee.environment})); } const processors = { "css": { func: processStylesheets, output: "styles.css" }, "js": { func: processScripts, output: "script.js" }, "twee": { func: concatFiles, output: "story.twee" }, "media": { func: null } }; function prepareComponent(name) { const c = cfg.sources[name]; const outDir = path.join(cfg.dirs.intermediate, name); const subTasks = []; for (const srcType in c) { const proc = processors[srcType]; if (proc.func) { subTasks.push(processSrc(`${name}-${srcType}`, proc.func, c[srcType], outDir, proc.output, cfg.options[srcType])); } } let r = gulp.parallel(subTasks); r.displayName = "prepare-" + name; return r; } function moveHTMLInPlace(cb) { fs.rename(path.join(cfg.dirs.intermediate, htmlOut), path.join(cfg.dirs.output, cfg.output), cb); } function clean(cb) { if (fs.existsSync(cfg.gitVersionFile)) { fs.unlinkSync(cfg.gitVersionFile); } fs.rmdirSync(cfg.dirs.intermediate, {recursive: true}); cb(); } function prepare(cb) { return gulp.series(clean, injectGitCommit, gulp.parallel(prepareComponent("module"), prepareComponent("story")))(cb); } if (fs.statSync('.git').isDirectory()) { gulp.task('buildHTML', gulp.series(prepare, compileStory, cleanupGit)); } else { gulp.task('buildHTML', gulp.series(prepare, compileStory)); } exports.clean = clean; exports.default = gulp.series('buildHTML', moveHTMLInPlace);
MonsterMate/fc
gulpfile.js
JavaScript
mit
5,878
/* eslint-disable no-var */ // @ts-ignore "use strict"; var App = { }; // eslint-disable-line no-redeclare // When adding namespace declarations, please consider needs of those using VSCode: // when you declare App.A{ A1:{}, A2:{} }, VSCode considers A, A1, and A2 to be // sealed namespaces and no new members are added to them with nested declaration later on. // This breaks code completion completely. Please instead declare them as: // App.A = {}; App.A.A1 = {}; App.A.A2 = {}. Thank you. // Also, such declaration basically required only for namespaces that span more than a single file. App.Arcology = {}; App.Arcology.Cell = {}; App.Art = {}; App.Corporate = {}; App.Data = {}; App.Data.FCTV = {}; App.Data.HeroSlaves = {}; App.Data.Policies = {}; App.Data.Policies.Selection = {}; App.Data.Weather = {}; App.Debug = {}; App.Desc = {}; App.Desc.Player = {}; App.Encyclopedia = {}; App.Encyclopedia.Entries = {}; App.EndWeek = {}; App.Entity = {}; App.Entity.Utils = {}; App.Events = {}; App.Facilities = {}; App.Facilities.Arcade = {}; App.Facilities.Brothel = {}; App.Facilities.Cellblock = {}; App.Facilities.Clinic = {}; App.Facilities.Club = {}; App.Facilities.Dairy = {}; App.Facilities.Farmyard = {}; App.Facilities.HGSuite = {}; App.Facilities.Incubator = {}; App.Facilities.MasterSuite = {}; App.Facilities.Nursery = {}; App.Facilities.Pit = {}; App.Facilities.Schoolroom = {}; App.Facilities.ServantsQuarters = {}; App.Facilities.Spa = {}; App.Interact = {}; App.Intro = {}; App.Neighbor = {}; App.MainView = {}; App.Markets = {}; App.Medicine = {}; App.Medicine.Modification = {}; App.Medicine.Modification.Brands = {}; App.Medicine.Modification.Select = {}; App.Medicine.OrganFarm = {}; /** @type {Object.<string, App.Medicine.OrganFarm.Organ>} */ App.Medicine.OrganFarm.Organs = {}; App.Medicine.Salon = {}; App.Medicine.Surgery = {}; App.RA = {}; App.Reminders = {}; App.SF = {}; App.SecExp = {}; App.SlaveAssignment = {}; App.UI = {}; App.UI.Budget = {}; App.UI.DOM = {}; App.UI.DOM.Widgets = {}; App.UI.SlaveInteract = {}; App.UI.View = {}; App.Update = {}; App.Utils = {};
MonsterMate/fc
js/002-config/fc-js-init.js
JavaScript
mit
2,101