Is there a list that compiles all the available managers

DeckerdJames

Prince
Joined
Nov 1, 2019
Messages
347
I am currently getting my mind wrapped around the new Civ 7 system. I looked through the game files and learned how they are organized. In the modules, there seems to be a standardized folder structure. One of those folders is "scripts". I was wanting to assume that this is where exposed game play scripts would be, but they seem to only have a .json file that extends a directory path. Not too useful for studying.

So, my question is, is there a list that compiles all the available managers, such as a unit manager, tile manager, city manager, etc. if I can import the manager functionality into a game play script, then I will at least have some access to the data and functions exposed through the managers.
 
I searched through the code with Astrogrep for the import keyword. I assume our own scripts can import whatever they have exposed to us in the files. Not sure about that yet. I have not written anything yet.

Spoiler search results :

Screenshot 2025-04-07 120526.png


Screenshot 2025-04-07 121145.png


There is a way to get access to the global data in there. Not sure what that means.
 

Is a good tool for that. He started with completions for a variety of useful objects in game. He then expanded to do completions for all globals. The variable globalThis is your globals. I believe that's a synonym for window. Object.keys(globalThis) will get you a list of all globals. It's just an array of names so you can filter it, sort it, whatever to narrow it down to what you're interested in. Objects have a typeof "object" and that's most everything. Many have named constructors so somevar.constructor.name is the data type. If a = new Map() then a.constructor.name is "Map". Most of the interface to the engine has a constructor.name ending in "Library". There's no source for those. You can deconstuct the property names and functions have a typeof "function". If you view a function as a string you get it's source, unless an interface to the engine where you get like { [native code] } as the function body. If you see actual code there then there's a file somewhere that defined it.

Just as an example all panels derive from Panel which provides the functions necessary for the ContextManager to manage them. There's an Options panel for setting options. It's defined in core/ui/options. There's five javascript files there. options.js is the actual options. model-options.js is the class used by options.js to manage the options. options-helpers are utility functions used by one or more of the other scripts. screen-options.js is the actual panel. It creates the visual elements on the options panel. options.js just manages the options in an abstract sense. screen-options-categories is a helper for screen-options. The options panel has tabs, i.e. game, system, etc. It builds those tabs. That's the general organization of the code. You have an abstract object to manage interaction with the panel without worrying about all the details of the GUI. You have a screen that handles all the details of the GUI. If you wanted to add options to the options panel then options.js is primarily what you want to look at. How does options work? Well, that's in model-options.js. How is the GUI laid out? That's in screen-options.js. What are the options? That's options.js.

Every panel derives from Panel. Object.keys() will give you all the enumerable properties including those inherited. Object.getOwnPropertyNames() gets you only the ones defined in the derived class, i.e. the options panel. That includes both enumerable and non-enumerable properties. non-enumerable generally shouldn't be used. It's like constructor. You're suppose to do new Map() not Map.constructor(). Object.getPrototypeOf() will get you the object inherited from. It's an actual instance of the class inheritied from. Some of the more complex object oriented concepts not really implemented by javascript can be done by changing the prototype. With us mere mortals you can use it to find what properties were inheritied from a base class. Unless screen-options.js overrides the Panel functions the actual implementation is in panel-support.js that defines Panel.

That's how you figure out what you're dealing with on a somewhat technical level. The easy answer is use code completion in CDC. Start typing and it will show you a list of what matches. It'll show you a list of potential matches, hit tab then . and do it all again. When you hit enter it will display whatever is returned. So type in Object.keys(globalThis) and it will list all the globals. I don't believe Object is in the enumerable globals so it won't code complete that, but start typing any global that Object.keys(globalThis) returns and it will code complete it. You can define functions or variables to save you typing.You can return the Object.keys() to a variable then sort and filter it to get just ones with manager in the name. UI.setClipboardText() will let you write your creation to the clipboard. Well, with the help of JSON.stringify to put it in text format. Personally, it beats searching through those source files.

javascript is not like C++ where you can separate the definition from the implementation. The implementation is the definition. They could have put a class over top of like engine, say Engine, that just calls engine to make it clear how you use it. That would have given names and types for the parameters. They could have taken the return values into parameters then returned those to give names and types to the return paramenters. They didn't do it that way. Instead you have to deep drive to figure it out for yourself. Where it's used in the javascript can help you figure out how to call a function. Personally, I just use CDC to start pulling the definitions of all the things I need to deal with. Paste them into Notepad++ and save them. That gets me the syntax then I just use the source code for semantics. Players has a bunch of stuff, but Players.get(0) gets you the player in the first slot. Players.get(0).Stats gets you access to the stats for that player. Things like gold where you carry a balence forward have a treasury. That comes from the code. I wouldn't be able to guess how to get to them stats otherwise.
 
I extracted a raw list of objects and methods from the code but it is very raw. Some things like the "this.methods" do not hav any context. To see how they are used in code and what parameters they took, you'll need to search in the Civ 7 directory. I use Astrogrep.

I filtered a section for those objects that begin with a capital letter in post#14. Are those the static or singleton classes?

A final note. My regular expression, I realized, only captured the two words on either side of the first dot operand. So, if it was "object.method.submethod", it is in the list as "object.method". So, these lists could use improvement.

Spoiler Page 1 :

Code:
_PARAMETERS.some
AI.getProgressionTreePath
AUDIO_AppEvents.ast
ActionHandler.addInputFilter
ActionHandler.allowFilters
ActionHandler.deviceType
ActionHandler.isGamepadActive
ActionHandler.removeAllInputFilters
ActionHandler.removeInputFilter
ActionHandlerSingleton.Instance
ActionHandlerSingleton.getInstance
Action_Alert.png
Action_Attack.png
Action_Bombard.png
Action_Defend.png
Action_Delete.png
Action_Formation.png
Action_Heal.png
Action_Move.png
Action_Ranged.png
Activation.toUpperCase
AdvancedStart.addAvailableCard
AdvancedStart.advancedStartClosed
AdvancedStart.autoFillLegacies
AdvancedStart.changePresetLegacies
AdvancedStart.confirmDeck
AdvancedStart.deckConfirmed
AdvancedStart.filterForCards
AdvancedStart.forceComplete
AdvancedStart.getCardCategoryByColor
AdvancedStart.getCardCategoryColor
AdvancedStart.getCardCategoryIconURL
AdvancedStart.placePlacementEffect
AdvancedStart.placeableCardEffects
AdvancedStart.preSelectIndex
AdvancedStart.preSelectLoc
AdvancedStart.refreshCardList
AdvancedStart.removeAvailableCard
AdvancedStart.selectPlacementEffect
AdvancedStart.selectedCards
AdvancedStart.setFilter
AdvancedStart.tooltipText
AdvancedStart.unconfirmDeck
AdvancedStart.updateCallback
AdvisorLegacyPathClasses.get
AdvisorLegacyPathClasses.set
AdvisorProgress.getActiveQuest
AdvisorProgress.getAdvisorProgressBar
AdvisorProgress.getAdvisorStringByAdvisorType
AdvisorProgress.getAdvisorVictoryIcon
AdvisorProgress.getAdvisorVictoryLoc
AdvisorProgress.getCivilopediaVictorySearchByAdvisor
AdvisorProgress.getDarkAgeBarPercent
AdvisorProgress.getDarkAgeIcon
AdvisorProgress.getDarkAgeReward
AdvisorProgress.getLegacyPathClassTypeByAdvisorType
AdvisorProgress.getMilestoneProgressAmount
AdvisorProgress.getMilestoneRewards
AdvisorProgress.getPlayerProgress
AdvisorProgress.getQuestsByAdvisor
AdvisorProgress.isMilestoneComplete
AdvisorProgress.isQuestTracked
AdvisorProgress.isRewardMileStone
AdvisorProgress.updateCallback
AdvisorProgress.updateQuestTracking
AdvisorProgress.victoryData
AdvisorRecommendations.CULTURAL
AdvisorRecommendations.ECONOMIC
AdvisorRecommendations.MILITARY
AdvisorRecommendations.NO_ADVISOR
AdvisorRecommendations.SCIENTIFIC
AdvisorTypes.CULTURE
AdvisorTypes.ECONOMIC
AdvisorTypes.MILITARY
AdvisorTypes.NO_ADVISOR
AdvisorTypes.SCIENCE
AdvisorUtilities.createAdvisorRecommendation
AdvisorUtilities.createAdvisorRecommendationTooltip
AdvisorUtilities.getBuildRecommendationIcons
AdvisorUtilities.getTreeRecommendationIcons
AdvisorUtilities.getTreeRecommendations
AdvisorySubjectTypes.CHOOSE_CULTURE
AdvisorySubjectTypes.CHOOSE_TECH
AdvisorySubjectTypes.PRODUCTION
AgeRankings.getMaxMilestoneProgressionTotal
AgeRankings.getMilestoneBarPercentages
AgeRankings.getMilestonesCompleted
AgeRankings.updateCallback
AgeRankings.victoryData
AgeScores.updateCallback
AgeScores.victories
AgeStrings.get
AgeStrings.set
AgeSummary.selectAgeType
AgeSummary.selectCurrentAge
AgeSummary.selectedAgeChangedEvent
AgeSummary.updateCallback
AlignMode.Maximum
Alignment.BottomLeft
Alignment.BottomRight
Alignment.TopLeft
Alignment.TopRight
AllLeaderboardData.forEach
AnalogInput.deadzoneThreshold
Anchor.Bottom
Anchor.Left
Anchor.None
Anchor.Right
Anchor.Top
AnchorText.ANCHOR_OFFSET
AnchorType.Auto
AnchorType.Fade
AnchorType.None
AnchorType.RelativeToBottom
AnchorType.RelativeToBottomLeft
AnchorType.RelativeToBottomRight
AnchorType.RelativeToCenter
AnchorType.RelativeToLeft
AnchorType.RelativeToRight
AnchorType.RelativeToTop
AnchorType.RelativeToTopLeft
AnchorType.RelativeToTopRight
AnchorType.SidePanelLeft
AnchorType.SidePanelRight
Animations.cancelAllChainedAnimations
AppUI_TextFormatter.cpp
AppUI_ViewListener.cpp
ArcElement.defaultRoutes
ArcElement.defaults
ArcElement.id
Archipelago.ts
AreaBuilder.findBiggestArea
AreaBuilder.getAreaBoundary
AreaBuilder.getPlotCount
AreaBuilder.isAreaConnectedToOcean
AreaBuilder.recalculateAreas
Armies.get
Array.from
Array.isArray
Array.prototype
AssetQuality.HIGH
AssetQuality.LOW
AttributeTrees.activeTreeAttribute
AttributeTrees.attributes
AttributeTrees.buyAttributeTreeNode
AttributeTrees.canBuyAttributeTreeNode
AttributeTrees.getCard
AttributeTrees.getFirstAvailable
AttributeTrees.updateCallback
AttributeTrees.updateGate
Audio.getSoundTag
Audio.playSound
Automation.clearParameterSet
Automation.copyAutosave
Automation.generateSaveName
Automation.getLastGeneratedSaveName
Automation.getLocalParameter
Automation.getParameter
Automation.getStartupParameter
Automation.isActive
Automation.isPaused
Automation.log
Automation.logDivider
Automation.pause
Automation.sendTestComplete
Automation.setActive
Automation.setLocalParameter
Automation.setParameter
Automation.setParameterSet
Automation.setScriptHasLoaded
Automation.start
AutomationSupport.ApplyCommonNewGameParametersToConfiguration
AutomationSupport.FailTest
AutomationSupport.GetCurrentTestObserver
AutomationSupport.GetFloat3Param
AutomationSupport.GetFloatParam
AutomationSupport.LogCurrentPlayers
AutomationSupport.PassTest
AutomationSupport.ReadUserConfigOptions
AutomationSupport.RestoreUserConfigOptions
AutomationSupport.SharedGame_OnAutoPlayEnd
AutomationSupport.SharedGame_OnSaveComplete
AutomationSupport.Shared_OnAutomationEvent
AutomationSupport.StartupObserverCamera
AutomationTestTransitionHandler.register
AutomationTransitionSave.Civ7Save
Autoplay.isActive
Autoplay.setActive
Autoplay.setObserveAsPlayer
Autoplay.setPause
Autoplay.setReturnAsPlayer
Autoplay.setTurns
AutoplayState.PauseSettling
AutoplayState.Paused
AutoplayState.Playing
BODY_FONTS.join
BadgeURL.length
BannerType.city
BannerType.cityState
BannerType.custom
BannerType.town
BannerType.village
BarController.defaults
BarController.id
BarController.overrides
BarElement.defaultRoutes
BarElement.defaults
BarElement.id
BeliefPickerSlotState.FILLEDSWAPPABLE
BeliefPickerSlotState.FILLEDUNSWAPPABLE
BeliefPickerSlotState.LOCKED
BeliefPickerSlotState.OPEN
Benchmark.Automation
Benchmark.Game
Benchmark.Menu
BigInt.asIntN
BorderStyleTypes.CityStateClosed
BorderStyleTypes.CityStateOpen
BorderStyleTypes.Closed
BrowserFilterType.BROWSER_FILTER_EQUAL
BrowserFilterType.BROWSER_FILTER_IS_IN
BubbleController.defaults
BubbleController.id
BubbleController.overrides
BuildInfo.build
BuildInfo.graphics
BuildInfo.version
BuildQueue.cityID
BuildQueue.isEmpty
BuildQueue.items
BuildQueue.updateCallback
BuildingList.updateCallback
BuildingListModel.updateGate
BuildingPlacementManager.cityID
BuildingPlacementManager.currentConstructible
BuildingPlacementManager.developedPlots
BuildingPlacementManager.expandablePlots
BuildingPlacementManager.findExistingUniqueBuilding
BuildingPlacementManager.getAdjacencyYieldChanges
BuildingPlacementManager.getBestYieldForConstructible
BuildingPlacementManager.getCumulativeWarehouseBonuses
BuildingPlacementManager.getOverbuildConstructibleID
BuildingPlacementManager.getPlotYieldChanges
BuildingPlacementManager.getTotalYieldChanges
BuildingPlacementManager.getYieldPillIcon
BuildingPlacementManager.hoveredPlotIndex
BuildingPlacementManager.initializePlacementData
BuildingPlacementManager.isRepairing
BuildingPlacementManager.isValidPlacementPlot
BuildingPlacementManager.reset
BuildingPlacementManager.selectPlacementData
BuildingPlacementManager.selectedPlotIndex
BuildingPlacementManager.urbanPlots
BuildingPlacementManagerClass.instance
CM.pop
COHTML_SPEECH_API_LANGS.EN
CONTINENT_COLORS.length
CSS.number
CSS.percent
CSS.px
CSS.s
CalloutContentType.ADVISOR
CalloutContentType.BASE
CalloutContentType.TITLE
Camera.addKeyframe
Camera.calculateCameraFocusAndZoom
Camera.clearAnimation
Camera.dragFocus
Camera.findDynamicCameraSettings
Camera.getState
Camera.isWorldDragging
Camera.lookAt
Camera.lookAtPlot
Camera.panFocus
Camera.pickPlot
Camera.pickPlotFromPoint
Camera.popCamera
Camera.pushCamera
Camera.pushDynamicCamera
Camera.restoreCameraZoom
Camera.restoreDefaults
Camera.rotate
Camera.saveCameraZoom
Camera.setPreventMouseCameraMovement
Camera.zoom
CameraControllerSingleton.getInstance
CameraControllerSingleton.instance
CampaignSetupType.Abandon
CampaignSetupType.Complete
CampaignSetupType.Start
CanvasRenderingContext2D.prototype
CardCategories.CARD_CATEGORY_CULTURAL
CardCategories.CARD_CATEGORY_DARK_AGE
CardCategories.CARD_CATEGORY_ECONOMIC
CardCategories.CARD_CATEGORY_MILITARISTIC
CardCategories.CARD_CATEGORY_NONE
CardCategories.CARD_CATEGORY_SCIENTIFIC
CardCategories.CARD_CATEGORY_WILDCARD
CarouselActionTypes.NO_ACTION
CarouselActionTypes.PROCESS_PROMO
CategoryScale.defaults
CategoryScale.id
CategoryScale.prototype
CategoryType.Accessibility
CategoryType.Audio
CategoryType.Game
CategoryType.Graphics
CategoryType.Input
CategoryType.Interface
CategoryType.System
ChallengeClass.CHALLENGE_CLASS_FOUNDATION
ChallengeClass.CHALLENGE_CLASS_LEADER
ChallengeRewardType.CHALLENGE_REWARD_UNLOCKABLE
Chart.Animation
Chart.Animations
Chart.Chart
Chart.DatasetController
Chart.Element
Chart.Interaction
Chart.Scale
Chart.Ticks
Chart._adapters
Chart.animator
Chart.controllers
Chart.defaults
Chart.elements
Chart.helpers
Chart.instances
Chart.js
Chart.layouts
Chart.platforms
Chart.register
ChatTargetTypes.CHATTARGET_ALL
ChatTargetTypes.CHATTARGET_PLAYER
ChatTargetTypes.NO_CHATTARGET
Choices.forEach
Cinematic.isEmpty
CinematicManager.getCinematicAudio
CinematicManager.getCinematicLocation
CinematicManager.isMovieInProgress
CinematicManager.replayCinematic
CinematicManager.startEndOfGameCinematic
CinematicManager.stop
CinematicManagerImpl.CAMERA_HEIGHT
CinematicManagerImpl.FALLBACK_DYNAMIC_CAMERA_PARAMS
CinematicManagerImpl.FOCUS_HEIGHT
CinematicTypes.GAME_VICTORY
CinematicTypes.NATURAL_DISASTER
CinematicTypes.NATURAL_WONDER_DISCOVERED
CinematicTypes.WONDER_COMPLETE
Cities.get
Cities.getAtLocation
Cities.getCities
City.isQueueEmpty
City.isTown
CityBannerDebugWidget.id
CityBannerManager._instance
CityBannerManager.instance
CityBannersStressTest.Init
CityCaptureChooser.updateCallback
CityCaptureChooserModel.canDisplayPanel
CityCaptureChooserModel.cityID
CityCaptureChooserModel.getRazeCanStartResult
CityCaptureChooserModel.sendKeepRequest
CityCaptureChooserModel.sendRazeRequest
CityCommandTypes.CHANGE_GROWTH_MODE
CityCommandTypes.DESTROY
CityCommandTypes.EXPAND
CityCommandTypes.NAME_CITY
CityCommandTypes.PURCHASE
CityDecorationSupport.HighlightColors
CityDecorationSupport.manager
CityDetails.buildings
CityDetails.connectedSettlementFood
CityDetails.currentCitizens
CityDetails.foodPerTurn
CityDetails.foodToGrow
CityDetails.getTurnsUntilRazed
CityDetails.happinessPerTurn
CityDetails.hasTownFocus
CityDetails.hasUnrest
CityDetails.improvements
CityDetails.isBeingRazed
CityDetails.isTown
CityDetails.specialistPerTile
CityDetails.treasureFleetText
CityDetails.turnsToNextCitizen
CityDetails.updateCallback
CityDetails.wonders
CityDetails.yields
CityGovernmentLevels.CITY
CityGovernmentLevels.TOWN
CityHUD.updateCallback
CityHUDModel._Instance
CityHUDModel.getInstance
CityInspectorModel.targetCityID
CityInspectorModel.update
CityInspectorModel.updateCallback
CityOperationTypes.BUILD
CityOperationTypes.CONSIDER_TOWN_PROJECT
CityOperationsParametersValues.Exclusive
CityOperationsParametersValues.MoveTo
CityOperationsParametersValues.RemoveAt
CityOperationsParametersValues.Swap
CityProductionInterfaceMode.updateDisplay
CityQueryType.Constructible
CityQueryType.Unit
CityStatusType.angry
CityStatusType.happy
CityStatusType.plague
CityStatusType.unhappy
CityTradeData.cityID
CityTradeData.update
CityTradeData.updateCallback
CityTradeData.yields
CityTransferTypes.BY_COMBAT
CityYields.getCityYieldDetails
CityYieldsEngine.getCityYieldDetails
CityZoomer.resetZoom
CityZoomer.zoomToCity
CivilizationInfoTooltipModel.civData
CivilizationInfoTooltipModel.clear
CivilizationLevelTypes.CIVILIZATION_LEVEL_FULL_CIV
CivilizationTags.TagType
Civilopedia.DetailsType
Civilopedia.getPage
Civilopedia.instance
Civilopedia.navigateHome
Civilopedia.navigateTo
Civilopedia.search
CohtmlAriaUtils.normalizeWhiteSpaces
CohtmlSpeechAPI.abortCurrentRequest
CohtmlSpeechAPI.addSpeechRequest
CohtmlSpeechAPI.discardRequest
CohtmlSpeechAPI.isScheduledForSpeakingRequest
CohtmlSpeechAPI.run
CohtmlSpeechAPIImpl.SPEECH_EVENT_NAMES
CohtmlSpeechChannel.INVALID_CHANNEL_ID
CohtmlSpeechChannel.PRIORITIES
CohtmlSpeechRequest.NextRequestId
Color.convertToHSL
Color.convertToLinear
CombatStrengthTypes.STRENGTH_BOMBARD
CombatStrengthTypes.STRENGTH_MELEE
CombatStrengthTypes.STRENGTH_RANGED
CombatTypes.COMBAT_MELEE
CombatTypes.COMBAT_RANGED
CombatTypes.NO_COMBAT
CommanderInteract.updateCallback
CommanderInteractModel.availableReinforcements
CommanderInteractModel.currentArmyCommander
CommanderInteractModel.registerListener
CommanderInteractModel.unregisterListener
CommanderReinforcementInterfaceMode.updateDisplay
CommonTargetImageClass.DIRECT
CommonTargetImageClass.GLOBAL
Component.audio
ComponentID.UITypes
ComponentID.addToArray
ComponentID.cid_type
ComponentID.fromBitfield
ComponentID.fromPlot
ComponentID.fromString
ComponentID.getInvalidID
ComponentID.isInstanceOf
ComponentID.isInvalid
ComponentID.isMatch
ComponentID.isMatchInArray
ComponentID.isUI
ComponentID.isValid
ComponentID.make
ComponentID.removeFromArray
ComponentID.toBitfield
ComponentID.toLogString
ComponentID.toString
ComponentManager._instance
ComponentManager.getInstance
Configuration.editGame
Configuration.editMap
Configuration.editPlayer
Configuration.getGame
Configuration.getGameValue
Configuration.getMap
Configuration.getMapValue
Configuration.getPlayer
Configuration.getUser
Configuration.getXR
ConstructibleClass.IMPROVEMENT
ConstructibleIcons.ADD
ConstructibleIcons.EMPTY
ConstructibleYieldState.NOT_PRODUCING
ConstructibleYieldState.PRODUCING
Constructibles.getByComponentID
ContextManager.canOpenPauseMenu
ContextManager.canUseInput
ContextManager.clear
ContextManager.doesNotHaveInstanceOf
ContextManager.getCurrentTarget
ContextManager.getTarget
ContextManager.handleInput
ContextManager.handleNavigation
ContextManager.hasInstanceOf
ContextManager.isCurrentClass
ContextManager.isEmpty
ContextManager.pop
ContextManager.popIncluding
ContextManager.popUntil
ContextManager.push
ContextManager.pushElement
ContextManager.registerEngineInputHandler
ContextManager.unregisterEngineInputHandler
ContextManagerEvents.OnChanged
ContextManagerEvents.OnClose
ContextManagerEvents.OnOpen
ContextManagerSingleton._instance
ContextManagerSingleton.getInstance
ContinentLensLayer.instance
Continents.ts
ContinueButtonState.CONTINUE_AGE_TRANSTIION
ContinueButtonState.EXIT_TO_MAIN_MENU
ContinueButtonState.SHOW_REWARDS
ContinueButtonType.ContinueGame
ContinueButtonType.ExitToMainMenu
ContinueButtonType.TransitionAge
ControllerClass.prototype
Controls.componentInitialized
Controls.define
Controls.getDefinition
Controls.initializeComponents
Controls.preloadImage
Controls.whenInitialized
CreateAgeTransition.didDisplayBanner
CreateGameModel.activeCategory
CreateGameModel.categories
CreateGameModel.getAgeBackgroundName
CreateGameModel.getCivBackgroundName
CreateGameModel.isFirstTimeCreateGame
CreateGameModel.isLastPanel
CreateGameModel.launchFirstPanel
CreateGameModel.nextActionStartsGame
CreateGameModel.onInviteAccepted
CreateGameModel.selectedAge
CreateGameModel.selectedCiv
CreateGameModel.selectedLeader
CreateGameModel.setBackground
CreateGameModel.setCreateGameRoot
CreateGameModel.setPanelList
CreateGameModel.showNextPanel
CreateGameModel.showPanelByName
CreateGameModel.showPanelFor
CreateGameModel.showPreviousPanel
CreateGameModel.startGame
CrisisMeter.stages
Culture.getArchivedGreatWork
Culture.getNumWorksInArchive
CultureTree.activeTree
CultureTree.getCard
CultureTree.iconCallback
CultureTree.sourceProgressionTrees
CultureTree.trees
CultureTree.updateCallback
CultureTree.updateGate
CultureTreeChooser.chooseNode
CultureTreeChooser.currentResearchEmptyTitle
CultureTreeChooser.getAllTreesToDisplay
CultureTreeChooser.getDefaultNodeToDisplay
CultureTreeChooser.getDefaultTreeToDisplay
CultureTreeChooser.hasCurrentResearch
CultureTreeChooser.inProgressNodes
CultureTreeChooser.isExpanded
CultureTreeChooser.nodes
CultureTreeChooser.shouldShowTreeRevealHeader
CultureTreeChooser.showLockedCivics
CultureTreeChooser.subject
CultureTreeChooser.treeRevealData
CurrentLiveEventRewards.find
CurrentSortType.Challenge
CurrentSortType.Completed
CurrentSortType.TOTAL
Cursor.gamepad
Cursor.ignoreCursorTargetDueToDragging
Cursor.isOnUI
Cursor.position
Cursor.setGamePadScreenPosition
Cursor.softCursorEnabled
Cursor.target
CursorSingleton.Instance
CursorSingleton.getInstance
DEFAULT_RADIAL_MENUS.map
DEFAULT_SAVE_GAME_INFO.gameName
DEFAULT_SAVE_GAME_INFO.gameSpeedName
DEFAULT_SAVE_GAME_INFO.hostAge
DEFAULT_SAVE_GAME_INFO.hostDifficultyName
DEFAULT_SAVE_GAME_INFO.mapScriptName
DEFAULT_SAVE_GAME_INFO.requiredModsString
DEFAULT_SAVE_GAME_INFO.rulesetName
DEFAULT_SAVE_GAME_INFO.saveActionName
DEFAULT_SAVE_GAME_INFO.savedByVersion
DNAPromoLayout.Standard
DNAPromoLayout.TextHeavy
Database.makeHash
Database.query
Databind.alternatingClassStyle
Databind.attribute
Databind.bgImg
Databind.classToggle
Databind.clearAttributes
Databind.for
Databind.html
Databind.if
Databind.locText
Databind.style
Databind.tooltip
Databind.value
DatasetController.defaults
DatasetController.prototype
Date.now
DateAdapter.override
DateAdapter.prototype
DebugInput.sendTunerActionA
DebugInput.sendTunerActionB
DecorationMode.BORDER
DecorationMode.NONE
Default_HeaderImage.png
DefeatTypes.NO_DEFEAT
DetailsType.Page
DetailsType.PageGroup
DetailsType.Section
DialogBox.clear
DialogBox.closeDialogBox
DialogBox.isDialogBoxOpen
DialogBox.setSource
DialogBox.showDialogBox
DialogBoxAction.Cancel
DialogBoxAction.Close
DialogBoxAction.Confirm
DialogBoxManager.closeDialogBox
DialogBoxManager.createDialog_Confirm
DialogBoxManager.createDialog_ConfirmCancel
DialogBoxManager.createDialog_MultiOption
DialogBoxModel.gameHandler
DialogBoxModel.shellHandler
DialogManager.clear
DialogManager.closeDialogBox
DialogManager.createDialog_Cancel
DialogManager.createDialog_Confirm
DialogManager.createDialog_ConfirmCancel
DialogManager.createDialog_CustomOptions
DialogManager.createDialog_MultiOption
DialogManager.isDialogBoxOpen
DialogManager.setSource
DialogSource.Game
DialogSource.Shell
DifficultyFilterType.All
DifficultyFilterType.TOTAL
DiploRibbonData.alwaysShowYields
DiploRibbonData.diploStatementPlayerData
DiploRibbonData.eventNotificationRefresh
DiploRibbonData.playerData
DiploRibbonData.ribbonDisplayTypes
DiploRibbonData.updateCallback
DiploRibbonModel._Instance
DiploRibbonModel.getInstance
DiplomacyActionGroups.DIPLOMACY_ACTION_GROUP_ENDEAVOR
DiplomacyActionGroups.DIPLOMACY_ACTION_GROUP_ESPIONAGE
DiplomacyActionGroups.DIPLOMACY_ACTION_GROUP_PROJECT
DiplomacyActionGroups.DIPLOMACY_ACTION_GROUP_SANCTION
DiplomacyActionGroups.DIPLOMACY_ACTION_GROUP_TREATY
DiplomacyActionGroups.NO_DIPLOMACY_ACTION_GROUP
DiplomacyActionTargetTypes.NO_DIPLOMACY_TARGET
DiplomacyActionTypes.DIPLOMACY_ACTION_COUNTER_SPY
DiplomacyActionTypes.DIPLOMACY_ACTION_DECLARE_FORMAL_WAR
DiplomacyActionTypes.DIPLOMACY_ACTION_DECLARE_WAR
DiplomacyActionTypes.DIPLOMACY_ACTION_DENOUNCE_MILITARY_PRESENCE
DiplomacyActionTypes.DIPLOMACY_ACTION_FORM_ALLIANCE
DiplomacyActionTypes.DIPLOMACY_ACTION_GIVE_INFLUENCE_TOKEN
DiplomacyActionTypes.DIPLOMACY_ACTION_IMPROVE_TRADE_RELATIONS
DiplomacyActionTypes.DIPLOMACY_ACTION_LAND_CLAIM
DiplomacyActionTypes.DIPLOMACY_ACTION_SEND_DELEGATION
DiplomacyDealDirection.OUTGOING
DiplomacyDealItemAgreementTypes.MAKE_PEACE
DiplomacyDealItemCityTransferTypes.CEDE_OCCUPIED
DiplomacyDealItemCityTransferTypes.NONE
DiplomacyDealItemCityTransferTypes.OFFER
DiplomacyDealItemTypes.AGREEMENTS
DiplomacyDealItemTypes.CITIES
DiplomacyDealManager.addDisplayRequest
DiplomacyDealManager.getCategory
DiplomacyDealManager.isEmpty
DiplomacyDealProposalActions.ACCEPTED
DiplomacyDealProposalActions.ADJUSTED
DiplomacyDealProposalActions.INSPECT
DiplomacyDealProposalActions.PROPOSED
DiplomacyDealProposalActions.REJECTED
DiplomacyDialogManager.addDisplayRequest
DiplomacyDialogManager.isEmpty
DiplomacyFavorGrievanceEventGroupType.DIPLOMACY_HISTORICAL_EVENT
DiplomacyFavorGrievanceEventType.GRIEVANCE_FROM_CAPTURE_SETTLEMENT
DiplomacyFavorGrievanceEventType.HISTORICAL_EVENT_LEADER_AGENDA
DiplomacyFavorGrievanceEventType.HISTORICAL_EVENT_PREVIOUS_AGE
DiplomacyManager.addCurrentDiplomacyProject
DiplomacyManager.availableEndeavors
DiplomacyManager.availableEspionage
DiplomacyManager.availableProjects
DiplomacyManager.availableSanctions
DiplomacyManager.availableTreaties
DiplomacyManager.clickStartProject
DiplomacyManager.closeCurrentDiplomacyDeal
DiplomacyManager.closeCurrentDiplomacyDialog
DiplomacyManager.closeCurrentDiplomacyProject
DiplomacyManager.confirmDeclareWar
DiplomacyManager.currentAllyWarData
DiplomacyManager.currentDiplomacyDealData
DiplomacyManager.currentDiplomacyDialogData
DiplomacyManager.currentEspionageData
DiplomacyManager.currentProjectReactionData
DiplomacyManager.currentProjectReactionRequest
DiplomacyManager.diplomacyActions
DiplomacyManager.firstMeetPlayerID
DiplomacyManager.getRelationshipTypeString
DiplomacyManager.hide
DiplomacyManager.isDeclareWarDiplomacyOpen
DiplomacyManager.isEmpty
DiplomacyManager.isFirstMeetDiplomacyOpen
DiplomacyManager.lowerDiplomacyHub
DiplomacyManager.populateDiplomacyActions
DiplomacyManager.queryAvailableProjectData
DiplomacyManager.raiseDiplomacyHub
DiplomacyManager.selectedActionID
DiplomacyManager.selectedPlayerID
DiplomacyManager.selectedProjectData
DiplomacyManager.shouldQuickClose
DiplomacyManager.startWarFromMap
DiplomacyPlayerFirstMeets.PLAYER_REALATIONSHIP_FIRSTMEET_FRIENDLY
DiplomacyPlayerFirstMeets.PLAYER_REALATIONSHIP_FIRSTMEET_NEUTRAL
DiplomacyPlayerFirstMeets.PLAYER_REALATIONSHIP_FIRSTMEET_UNFRIENDLY
DiplomacyPlayerRelationships.PLAYER_RELATIONSHIP_FRIENDLY
DiplomacyPlayerRelationships.PLAYER_RELATIONSHIP_HELPFUL
DiplomacyPlayerRelationships.PLAYER_RELATIONSHIP_HOSTILE
DiplomacyPlayerRelationships.PLAYER_RELATIONSHIP_NEUTRAL
DiplomacyPlayerRelationships.PLAYER_RELATIONSHIP_UNFRIENDLY
DiplomacyPlayerRelationships.PLAYER_RELATIONSHIP_UNKNOWN
DiplomacyProjectManager.addDisplayRequest
DiplomacyProjectManager.isEmpty
DiplomacyProjectStatus.PROJECT_ACTIVE
DiplomacyProjectStatus.PROJECT_AVAILABLE
DiplomacyProjectStatus.PROJECT_BLOCKED
DiplomacyProjectStatus.PROJECT_NOT_UNLOCKED
DiplomacyProjectStatus.PROJECT_NO_VIABLE_TARGETS
DiplomacyTokenTypes.DIPLOMACY_TOKEN_GLOBAL
DiplomaticResponseTypes.DIPLOMACY_RESPONSE_REJECT
DiplomaticResponseTypes.DIPLOMACY_RESPONSE_SUPPORT
DirectionTypes.DIRECTION_EAST
DirectionTypes.DIRECTION_NORTHEAST
DirectionTypes.DIRECTION_NORTHWEST
DirectionTypes.DIRECTION_SOUTHEAST
DirectionTypes.DIRECTION_SOUTHWEST
DirectionTypes.DIRECTION_WEST
DirectionTypes.NO_DIRECTION
DirectionTypes.NUM_DIRECTION_TYPES
DirectiveTypes.KEEP
DirectiveTypes.LIBERATE_FOUNDER
DirectiveTypes.RAZE
DiscoveryActivationTypes.BASIC
DiscoveryActivationTypes.INVESTIGATION
DiscoveryActivationTypes.MYTHIC
DiscoveryVisualTypes.IMPROVEMENT_CAIRN
DiscoveryVisualTypes.IMPROVEMENT_CAMPFIRE
DiscoveryVisualTypes.IMPROVEMENT_CAVE
DiscoveryVisualTypes.IMPROVEMENT_COAST
DiscoveryVisualTypes.IMPROVEMENT_PLAZA
DiscoveryVisualTypes.IMPROVEMENT_RICH
DiscoveryVisualTypes.IMPROVEMENT_RUINS
DiscoveryVisualTypes.IMPROVEMENT_SHIPWRECK
DiscoveryVisualTypes.IMPROVEMENT_TENTS
DiscoveryVisualTypes.IMPROVEMENT_WRECKAGE
DiscoveryVisualTypes.INVALID
DisplayHideReason.Close
DisplayHideReason.Reshuffle
DisplayHideReason.Suspend
DisplayQueueManager.activeDisplays
DisplayQueueManager.add
DisplayQueueManager.close
DisplayQueueManager.closeActive
DisplayQueueManager.closeMatching
DisplayQueueManager.findAll
DisplayQueueManager.getHandler
DisplayQueueManager.isSuspended
DisplayQueueManager.registerHandler
DisplayQueueManager.resume
DisplayQueueManager.suspend
DisplayType.DISPLAY_HIDDEN
DisplayType.DISPLAY_LOCKED
DisplayType.DISPLAY_UNLOCKED
DistrictHealthManager._instance
DistrictHealthManager.canShowDistrictHealth
DistrictHealthManager.instance
DistrictTypes.CITY_CENTER
DistrictTypes.RURAL
DistrictTypes.URBAN
DistrictTypes.WONDER
Districts.get
Districts.getAtLocation
Districts.getIdAtLocation
Districts.getLocations
DnaCodeRedeemResult.CODE_ALREADY_REDEEMED
DnaCodeRedeemResult.CODE_REDEEM_SUCCESSFULLY
DnaCodeRedeemResult.UNSET
DomainType.DOMAIN_LAND
DoughnutController.defaults
DoughnutController.descriptors
DoughnutController.id
DoughnutController.overrides
DragType.None
DragType.Pan
DragType.Rotate
DragType.Swipe
DynamicCardTypes.Capital
DynamicCardTypes.City
DynamicCardTypes.DarkAge
DynamicCardTypes.Unit
DynamicCardTypes.Victory
EViewID.MultiquadFrame
EdgeRelations.in
EdgeRelations.out
Element.defaultRoutes
Element.defaults
Element.prototype
Emitter.prototype
EndGame.playerScores
EndGame.updateCallback
EndTurnBlockingTypes.NONE
EndTurnBlockingTypes.UNITS
Environment.findFogSettings
Environment.popFogOverride
Environment.pushFogOverride
Experience.experiencePoints
Experience.experienceToNextLevel
Experience.getLevel
Experience.getStoredCommendations
Experience.getStoredPromotionPoints
Experience.getTotalPromotionsEarned
FeatureTypes.NO_FEATURE
FertilityBuilder.recalculate
FertilityTypes.NO_FERTILITY
FileName.indexOf
FileName.substring
FixedWorldAnchors.offsetTransforms
FixedWorldAnchors.visibleValues
FlipBook.nFrames
FlipBook.restart
Focus.setContextAwareFocus
FocusManager.SetWorldFocused
FocusManager.clearFocus
FocusManager.getFocus
FocusManager.getFocusChildOf
FocusManager.isFocusActive
FocusManager.isWorldFocused
FocusManager.lockFocus
FocusManager.setFocus
FocusManager.toLogString
FocusManager.unlockFocus
FocusManagerSingleton.Instance
FocusManagerSingleton.getInstance
FocusState.CHAT
FocusState.CHAT_DIALOG
FocusState.PLAYER_SLOT
FontScale.Large
FontScale.Medium
FontScale.Small
FontScale.XLarge
FontScale.XSmall
Fractal.ts
FractalBuilder.create
FractalBuilder.getHeight
FractalBuilder.getHeightFromPercent
FrameGenerationMode.INTEL_XeFG
FrameGenerationMode.NONE
Framework.ContextManager
Framework.FocusManager
FriendListTypes.Blocked
FriendListTypes.Immediate
FriendStateTypes.Busy
FriendStateTypes.Offline
FriendStateTypes.Online
Fsr1Quality.BALANCED
Fsr1Quality.PERFORMANCE
Fsr1Quality.QUALITY
Fsr1Quality.ULTRA_QUALITY
Fsr3Quality.BALANCED
Fsr3Quality.NATIVE
Fsr3Quality.PERFORMANCE
Fsr3Quality.QUALITY
Fsr3Quality.ULTRA_PERFORMANCE
Function.prototype
FxsActivatable.FEEDBACK_DURATION
FxsActivatable.FEEDBACK_HIGH
FxsActivatable.FEEDBACK_LOW
FxsHSlot.ruleDirectionCallbackMapping
FxsNavHelp.getGamepadActionName
FxsScrollable.DECORATION_SIZE
FxsScrollable.MIN_SIZE_OVERFLOW
FxsScrollable.MIN_SIZE_PIXELS
FxsScrollableHorizontal.DECORATION_SIZE
FxsScrollableHorizontal.MIN_SIZE_OVERFLOW
FxsScrollableHorizontal.MIN_SIZE_PIXELS
FxsSlot.INITIAL_THRESHOLD
FxsSlot.NO_FOCUS_FRAMES_WARNING_THRESHOLD
FxsSlot.REPEAT_THRESHOLD
FxsSlot.onFocus
FxsSlot.ruleDirectionCallbackMapping
FxsSpatialSlot.getSectionIdFromPool
FxsSpatialSlot.onAttach
FxsSpatialSlot.onChildrenChanged
FxsSpatialSlot.removeSectionIdFromPool
FxsSpatialSlot.ruleDirectionCallbackMapping
FxsSpatialSlot.sectionCount
FxsSpatialSlot.sectionIdPool
FxsSpatialSlot.sectionIdPrefix
FxsVSlot.ruleDirectionCallbackMapping
Game.AgeProgressManager
Game.CityCommands
Game.CityOperations
Game.CityStates
Game.Combat
Game.CrisisManager
Game.Culture
Game.Diplomacy
Game.DiplomacyDeals
Game.DiplomacySessions
Game.EconomicRules
Game.IndependentPowers
Game.Notifications
Game.PlacementRules
Game.PlayerOperations
Game.ProgressionTrees
Game.Religion
Game.Resources
Game.Summary
Game.UnitCommands
Game.UnitOperations
Game.Unlocks
Game.VictoryManager
Game.age
Game.getHash
Game.getTurnDate
Game.maxTurns
Game.turn
GameBenchmarkType.AI
GameBenchmarkType.GRAPHICS
GameContext.hasSentRetire
GameContext.hasSentTurnComplete
GameContext.hasSentTurnUnreadyThisTurn
GameContext.localObserverID
GameContext.localPlayerID
GameContext.sendGameQuery
GameContext.sendPauseRequest
GameContext.sendRetireRequest
GameContext.sendTurnComplete
GameContext.sendUnreadyTurn
GameCore_MetaprogressionTypes.h
GameCore_PlayerComponentID.h
GameCreationPromoManager.cancelResolves
GameCreationPromoManager.getContentPackTitleFor
GameCreationPromoManager.refreshPromos
GameInfo.Adjacency_YieldChanges
GameInfo.AdvancedStartDeckCardEntries
GameInfo.AdvancedStartParameters
GameInfo.AdvisorySubjects
GameInfo.AgeProgressionDarkAgeRewardInfos
GameInfo.AgeProgressionMilestoneRewards
GameInfo.AgeProgressionMilestones
GameInfo.AgeProgressionRewards
GameInfo.Ages
GameInfo.Attributes
GameInfo.BeliefClasses
GameInfo.Beliefs
GameInfo.Biomes
GameInfo.Buildings
GameInfo.CityStateBonuses
GameInfo.CivilizationTraits
GameInfo.Civilizations
GameInfo.CivilopediaPageChapterHeaders
GameInfo.CivilopediaPageChapterParagraphs
GameInfo.CivilopediaPageExcludes
GameInfo.CivilopediaPageGroupExcludes
GameInfo.CivilopediaPageGroupQueries
GameInfo.CivilopediaPageGroups
GameInfo.CivilopediaPageLayoutChapterContentQueries
GameInfo.CivilopediaPageLayoutChapters
GameInfo.CivilopediaPageLayouts
GameInfo.CivilopediaPageQueries
GameInfo.CivilopediaPageSearchTermQueries
GameInfo.CivilopediaPageSearchTerms
GameInfo.CivilopediaPageSidebarPanels
GameInfo.CivilopediaPages
GameInfo.CivilopediaSectionExcludes
GameInfo.CivilopediaSections
GameInfo.ConstructibleModifiers
GameInfo.Constructible_Adjacencies
GameInfo.Constructible_Maintenances
GameInfo.Constructible_WarehouseYields
GameInfo.Constructible_YieldChanges
GameInfo.Constructibles
GameInfo.Continents
GameInfo.Defeats
GameInfo.Difficulties
GameInfo.DiplomacyActions
GameInfo.DiplomacyStatementFrames
GameInfo.DiplomacyStatementSelections
GameInfo.DiplomacyStatements
GameInfo.DisplayQueuePriorities
GameInfo.Districts
GameInfo.EndGameMovies
GameInfo.FeatureClasses
GameInfo.Feature_NaturalWonders
GameInfo.Features
GameInfo.GameSpeeds
GameInfo.GlobalParameters
GameInfo.GoldenAges
GameInfo.Governments
GameInfo.GreatWork_YieldChanges
GameInfo.GreatWorks
GameInfo.Ideologies
GameInfo.Improvements
GameInfo.Independents
GameInfo.InterfaceModes
GameInfo.KeywordAbilities
GameInfo.LeaderInfo
GameInfo.Leaders
GameInfo.LegacyCivilizationTraits
GameInfo.LegacyCivilizations
GameInfo.LegacyPaths
GameInfo.LoadingInfo_Ages
GameInfo.LoadingInfo_Civilizations
GameInfo.LoadingInfo_Leaders
GameInfo.Maps
GameInfo.ModifierStrings
GameInfo.Modifiers
GameInfo.NarrativeDisplay_Civilizations
GameInfo.NarrativeRewardIcons
GameInfo.NarrativeStories
GameInfo.NarrativeStory_Links
GameInfo.NotificationSounds
GameInfo.Notifications
GameInfo.PlotEffects
GameInfo.ProgressionTreeNodeUnlocks
GameInfo.ProgressionTreeNodes
GameInfo.ProgressionTrees
GameInfo.Projects
GameInfo.RandomEventUI
GameInfo.RandomEvents
GameInfo.Religions
GameInfo.Resource_YieldChanges
GameInfo.Resources
GameInfo.Routes
GameInfo.StartBiasAdjacentToCoasts
GameInfo.StartBiasBiomes
GameInfo.StartBiasFeatureClasses
GameInfo.StartBiasLakes
GameInfo.StartBiasNaturalWonders
GameInfo.StartBiasResources
GameInfo.StartBiasRivers
GameInfo.StartBiasTerrains
GameInfo.StartingGovernments
GameInfo.Terrains
GameInfo.TraditionModifiers
GameInfo.Traditions
GameInfo.TypeQuotes
GameInfo.TypeTags
GameInfo.Types
GameInfo.UniqueQuarters
GameInfo.UnitAbilities
GameInfo.UnitCommands
GameInfo.UnitOperations
GameInfo.UnitPromotionClassSets
GameInfo.UnitPromotionDisciplineDetails
GameInfo.UnitPromotionDisciplines
GameInfo.UnitPromotions
GameInfo.UnitReplaces
GameInfo.UnitUpgrades
GameInfo.Unit_Costs
GameInfo.Unit_RequiredConstructibles
GameInfo.Unit_ShadowReplacements
GameInfo.Unit_Stats
GameInfo.Units
GameInfo.UnlockRequirements
GameInfo.UnlockRewards
GameInfo.Victories
GameInfo.VictoryCinematics
GameInfo.Wonders
GameInfo.Yields
GameListUpdateType.GAMELISTUPDATE_ERROR
GameModeTypes.HOTSEAT
GameModeTypes.INTERNET
GameModeTypes.LAN
GameModeTypes.PLAYBYCLOUD
GameModeTypes.SINGLEPLAYER
GameModeTypes.WIRELESS
GameQueryTypes.GAMEQUERY_SIMULATE_COMBAT
GameSetup.currentRevision
GameSetup.findGameParameter
GameSetup.findPlayerParameter
GameSetup.findString
GameSetup.getGameParameters
GameSetup.getMementoFilteredPlayerParameters
GameSetup.makeString
GameSetup.resolveString
GameSetup.setGameParameterValue
GameSetup.setPlayerParameterValue
GameSetupDomainType.Boolean
GameSetupDomainType.IntRange
GameSetupDomainType.Integer
GameSetupDomainType.Select
GameSetupDomainType.Text
GameSetupDomainType.UnsignedInteger
GameSetupDomainValueInvalidReason.NotValid
GameSetupDomainValueInvalidReason.NotValidOwnership
GameSetupDomainValueInvalidReason.Valid
GameSetupParameterInvalidReason.Valid
GameStateStorage.closeAllFileListQueries
GameStateStorage.closeFileListQuery
GameStateStorage.doesPlatformSupportLocalSaves
GameStateStorage.getFileExtension
GameStateStorage.getGameConfigurationSaveType
GameStateStorage.querySaveGameList
GameStateTypes.GAMESTATE_PREGAME
GameTutorial.getProperty
GameTutorial.setProperty
GameValueStepTypes.ATTRIBUTE
GameValueStepTypes.MULTIPLY
GameValueStepTypes.PERCENTAGE
GameplayEvent.MainMenu
GameplayEvent.WILCO
GameplayMap.findSecondContinent
GameplayMap.getAdjacentPlotLocation
GameplayMap.getAreaId
GameplayMap.getAreaIsWater
GameplayMap.getBiomeType
GameplayMap.getContinentType
GameplayMap.getDirectionToPlot
GameplayMap.getElevation
GameplayMap.getFeatureClassType
GameplayMap.getFeatureType
GameplayMap.getGridHeight
GameplayMap.getGridWidth
GameplayMap.getHemisphere
GameplayMap.getIndexFromLocation
GameplayMap.getIndexFromXY
GameplayMap.getLocationFromIndex
GameplayMap.getMapSize
GameplayMap.getOwner
GameplayMap.getOwnerHostility
GameplayMap.getOwnerName
GameplayMap.getOwningCityFromXY
GameplayMap.getPlotDistance
GameplayMap.getPlotIndicesInRadius
GameplayMap.getPlotLatitude
GameplayMap.getPrimaryHemisphere
GameplayMap.getRainfall
GameplayMap.getRandomSeed
GameplayMap.getRegionId
GameplayMap.getResourceType
GameplayMap.getRevealedState
GameplayMap.getRevealedStates
GameplayMap.getRiverName
GameplayMap.getRiverType
GameplayMap.getRouteType
GameplayMap.getTerrainType
GameplayMap.getVolcanoName
GameplayMap.getYield
GameplayMap.getYields
GameplayMap.getYieldsWithCity
GameplayMap.hasPlotTag
GameplayMap.isAdjacentToFeature
GameplayMap.isAdjacentToLand
GameplayMap.isAdjacentToRivers
GameplayMap.isAdjacentToShallowWater
GameplayMap.isCityWithinMinimumDistance
GameplayMap.isCliffCrossing
GameplayMap.isCoastalLand
GameplayMap.isFerry
GameplayMap.isFreshWater
GameplayMap.isImpassable
GameplayMap.isLake
GameplayMap.isMountain
GameplayMap.isNaturalWonder
GameplayMap.isNavigableRiver
GameplayMap.isPlotInAdvancedStartRegion
GameplayMap.isRiver
GameplayMap.isValidLocation
GameplayMap.isVolcano
GameplayMap.isVolcanoActive
GameplayMap.isWater
GlobalConfig.navigableFilter
GlobalConfig.tabIndexIgnoreList
GlobalParameters.COMBAT_WALL_DEFENSE_BONUS
GlobalParameters.DISTRICT_FORTIFICATION_DAMAGE
GlobalScaling.createPixelsTextClass
GlobalScaling.getFontSizePx
GlobalScaling.pixelsToRem
GlobalScaling.remToScreenPixels
GraphicsOptions.applyOptions
GraphicsOptions.fillAdvancedOptions
GraphicsOptions.getCurrentOptions
GraphicsOptions.getDefaultOptions
GraphicsOptions.getSupportedOptions
GraphicsOptions.linearToPq
GraphicsOptions.pqToLinear
GraphicsProfile.CUSTOM
GreatWorks.clearSelectedGreatWork
GreatWorks.hasSelectedGreatWork
GreatWorks.latestGreatWorkDetails
GreatWorks.localPlayer
GreatWorks.selectEmptySlot
GreatWorks.selectGreatWork
GreatWorks.update
GreatWorks.updateCallback
GreatWorksDetails.filter
GreatWorksDetails.map
Group.Primary
Group.Secondary
GroupByOptions.None
GroupByOptions.OfficialOrCommunity
GroupIds.EMOJI
GroupIds.RESOURCES
GroupIds.YIELDS
GrowthTypes.EXPAND
GrowthTypes.PROJECT
HTMLInputElement.placeholder
HTMLInputElement.value
HUE_RE.exec
HallofFame.getCivilizationProgress
HallofFame.getLeaderProgress
Header.failed
Header.revealed
Header.targetPlayer
HexGridData.sourceProgressionTrees
HexGridData.updateCallback
HexPoints.BottomCenter
HexPoints.BottomLeft
HexPoints.BottomRight
HexPoints.TopCenter
HexPoints.TopLeft
HexPoints.TopRight
Hex_112px.png
Hex_64px.png
HighlightColors.best
HighlightColors.citySelection
HighlightColors.good
HighlightColors.okay
HighlightColors.ruralSelection
HighlightColors.unitAttack
HighlightColors.urbanSelection
Horizontal.onNavigateInput
HostingType.HOSTING_TYPE_EOS
HostingType.HOSTING_TYPE_GAMECENTER
HostingType.HOSTING_TYPE_NX
HostingType.HOSTING_TYPE_PLAYSTATION
HostingType.HOSTING_TYPE_STEAM
HostingType.HOSTING_TYPE_T2GP
HostingType.HOSTING_TYPE_UNKNOWN
HostingType.HOSTING_TYPE_XBOX
HotkeyManagerSingleton.Instance
HotkeyManagerSingleton.getInstance
HourGlass.png
II.png
IM.switchTo
IMEConfirmationValueLocation.Element
Icon.getBuildingIconFromDefinition
Icon.getCivIconForCivilopedia
Icon.getCivIconForDiplomacyHeader
Icon.getCivLineCSSFromCivilizationType
Icon.getCivLineCSSFromPlayer
Icon.getCivLineFromCivilizationType
Icon.getCivSymbolCSSFromCivilizationType
Icon.getCivSymbolCSSFromPlayer
Icon.getCivSymbolFromCivilizationType
Icon.getCivicsIconForCivilopedia
Icon.getConstructibleIconFromDefinition
Icon.getCultureIconFromProgressionTreeDefinition
Icon.getCultureIconFromProgressionTreeNodeDefinition
Icon.getDiplomaticActionIconFromDefinition
Icon.getIconFromActionID
Icon.getIconFromActionName
Icon.getImprovementIconFromDefinition
Icon.getLeaderPortraitIcon
Icon.getLegacyPathIcon
Icon.getModifierIconFromDefinition
Icon.getNotificationIconFromID
Icon.getPlayerBackgroundImage
Icon.getPlayerLeaderIcon
Icon.getProductionIconFromHash
Icon.getProjectIconFromDefinition
Icon.getTechIconForCivilopedia
Icon.getTechIconFromProgressionTreeNodeDefinition
Icon.getTraditionIconFromDefinition
Icon.getUnitIconFromDefinition
Icon.getUnitIconFromID
Icon.getVictoryIcon
Icon.getWonderIconFromDefinition
Icon.getYieldIcon
Icon.missingUnitImage
IconState.Active
IconState.Default
IconState.Disabled
IconState.Focus
IconState.Hover
Icon_pencil_check.png
IgnoreNotificationType.DISMISSED
IndPlayer.civilizationAdjective
IndPlayer.isMinor
IndependentPowersFlagMaker.addChildForTracking
IndependentPowersFlagMaker.ipflags
IndependentPowersFlagMaker.onDiplomacyEventEnded
IndependentPowersFlagMaker.onDiplomacyEventStarted
IndependentPowersFlagMaker.removeChildFromTracking
IndependentRelationship.FRIENDLY
IndependentRelationship.HOSTILE
IndependentRelationship.NEUTRAL
IndependentRelationship.NOT_APPLICABLE
IndependentTypes.NO_INDEPENDENT
InitialScriptType.Default
Input.beginRecordingGestures
Input.bindAction
Input.getActionCount
Input.getActionDescription
Input.getActionDeviceType
Input.getActionIdByIndex
Input.getActionIdByName
Input.getActionName
Input.getActionSortIndex
Input.getActiveContext
Input.getActiveDeviceType
Input.getContext
Input.getContextName
Input.getControllerIcon
Input.getGestureDisplayIcons
Input.getGestureDisplayString
Input.getGestureKey
Input.getNumContexts
Input.getPrefix
Input.hasGesture
Input.isActionAllowed
Input.isCtrlDown
Input.isInvertStickActionsAllowed
Input.isShiftDown
Input.loadPreferences
Input.restoreDefault
Input.savePreferences
Input.setActiveContext
Input.showSystemBindingPanel
Input.swapThumbAxis
Input.toggleFrameStats
Input.triggerForceFeedback
Input.virtualMouseLeft
Input.virtualMouseMove
Input.virtualMouseRight
InputActionStatuses.DRAG
InputActionStatuses.FINISH
InputActionStatuses.HOLD
InputActionStatuses.START
InputActionStatuses.UPDATE
InputContext.ALL
InputContext.Dual
InputContext.INVALID
InputContext.Shell
InputContext.Unit
InputContext.World
InputDeviceLayout.Unknown
InputDeviceType.Controller
InputDeviceType.Keyboard
InputDeviceType.Mouse
InputDeviceType.Touch
InputDeviceType.XR
InputEngineEvent.CreateNewEvent
InputKeys.PAD_A
InputKeys.PAD_B
InputKeys.PAD_BACK
InputKeys.PAD_DPAD_DOWN
InputKeys.PAD_DPAD_LEFT
InputKeys.PAD_DPAD_RIGHT
InputKeys.PAD_DPAD_UP
InputKeys.PAD_LSHOULDER
InputKeys.PAD_LTHUMB_AXIS
InputKeys.PAD_LTHUMB_PRESS
InputKeys.PAD_LTRIGGER
InputKeys.PAD_RSHOULDER
InputKeys.PAD_RTHUMB_AXIS
InputKeys.PAD_RTHUMB_PRESS
InputKeys.PAD_RTRIGGER
InputKeys.PAD_START
InputKeys.PAD_X
InputKeys.PAD_Y
InputNavigationAction.DOWN
InputNavigationAction.LEFT
InputNavigationAction.NEXT
InputNavigationAction.NONE
InputNavigationAction.PREVIOUS
InputNavigationAction.RIGHT
InputNavigationAction.SHELL_NEXT
InputNavigationAction.SHELL_PREVIOUS
InputNavigationAction.UP
Interaction.modes
InterfaceMode.addHandler
InterfaceMode.allowsHotKeys
InterfaceMode.getCurrent
InterfaceMode.getInterfaceModeHandler
InterfaceMode.getParameters
InterfaceMode.handleInput
InterfaceMode.handleNavigation
InterfaceMode.isInDefaultMode
InterfaceMode.isInInterfaceMode
InterfaceMode.startup
InterfaceMode.switchTo
InterfaceMode.switchToDefault
InterfaceModeHandlers.get
InterfaceModeHandlers.set
InterpolationFunc.EaseOutSin
Intl.NumberFormat
ItemType.Legacy
ItemType.PerTurn
ItemType.Persistent
ItemType.Tracked
JSON.parse
JSON.stringify
JSX.createElement
JoinGameErrorType.JOINGAME_CHILD_ACCOUNT
JoinGameErrorType.JOINGAME_CONNECTION_REJECTED
JoinGameErrorType.JOINGAME_INCOMPLETE_ACCOUNT
JoinGameErrorType.JOINGAME_JOINCODE_SYNTAX
JoinGameErrorType.JOINGAME_JOINCODE_TRANSPORT
JoinGameErrorType.JOINGAME_LINK_ACCOUNT
JoinGameErrorType.JOINGAME_MATCHMAKING_FAILED
JoinGameErrorType.JOINGAME_NO_ONLINE_SUB
JoinGameErrorType.JOINGAME_ROOM_FULL
JoinGameErrorType.JOINGAME_SESSION_ERROR
JoinGameErrorType.JOINGAME_SESSION_UNEXPECTED
KEYS_TO_ADD.push
KNOWN_POSITIONS.indexOf
KeyboardKeys.DownArrow
KeyboardKeys.End
KeyboardKeys.Home
KeyboardKeys.LeftArrow
KeyboardKeys.RightArrow
KeyboardKeys.UpArrow
KeyframeFlag.FLAG_ALL
KickDirectResultType.KICKDIRECTRESULT_FAILURE
KickDirectResultType.KICKDIRECTRESULT_SUCCESS
KickReason.KICK_APP_SLEPT
KickReason.KICK_CROSSPLAY_DISABLED_CLIENT
KickReason.KICK_CROSSPLAY_DISABLED_HOST
KickReason.KICK_GAME_STARTED
KickReason.KICK_HOST
KickReason.KICK_LOBBY_CONNECT
KickReason.KICK_MATCH_DELETED
KickReason.KICK_MOD_ERROR
KickReason.KICK_MOD_MISSING
KickReason.KICK_NONE
KickReason.KICK_NO_HOST
KickReason.KICK_NO_ROOM
KickReason.KICK_PLATFORM_MAPSIZE
KickReason.KICK_RELAY_FAIL
KickReason.KICK_TIMEOUT
KickReason.KICK_TOO_MANY_MATCHES
KickReason.KICK_UNAUTHORIZED
KickReason.KICK_UNRECOGNIZED
KickReason.KICK_VERSION_MISMATCH
KickReason.NUM_KICKS
KickVoteReasonType.KICKVOTE_NONE
KickVoteResultType.KICKVOTERESULT_NOT_ENOUGH_PLAYERS
KickVoteResultType.KICKVOTERESULT_PENDING
KickVoteResultType.KICKVOTERESULT_TARGET_INVALID
KickVoteResultType.KICKVOTERESULT_TIME_ELAPSED
KickVoteResultType.KICKVOTERESULT_VOTED_NO_KICK
KickVoteResultType.KICKVOTERESULT_VOTE_PASSED
LanguageChangeFollowupAction.NoAction
LanguageChangeFollowupAction.ReloadUI
LanguageChangeFollowupAction.RestartGame
Layout.isCompact
Layout.pixels
Layout.pixelsText
Layout.pixelsToScreenPixels
Layout.pixelsValue
Layout.textSizeToScreenPixels
LeaderID.length
LeaderModelManager.MAX_LENGTH_OF_ANIMATION_EXIT
LeaderModelManager.beginAcknowledgeNegativeOtherSequence
LeaderModelManager.beginAcknowledgeOtherSequence
LeaderModelManager.beginAcknowledgePlayerSequence
LeaderModelManager.beginAcknowledgePositiveOtherSequence
LeaderModelManager.beginHostileAcknowledgePlayerSequence
LeaderModelManager.clear
LeaderModelManager.exitLeaderScene
LeaderModelManager.showLeaderModels
LeaderModelManager.showLeaderSequence
LeaderModelManager.showLeftLeaderModel
LeaderModelManager.showRightIndLeaderModel
LeaderModelManager.showRightLeaderModel
LeaderModelManagerClass.BANNER_SCALE
LeaderModelManagerClass.CAMERA_DOLLY_ANIMATION_IN_DURATION
LeaderModelManagerClass.CAMERA_DOLLY_ANIMATION_OUT_DURATION
LeaderModelManagerClass.CAMERA_SUBJECT_DISTANCE
LeaderModelManagerClass.DARKENING_VFX_POSITION
LeaderModelManagerClass.DECLARE_WAR_DOLLY_DISTANCE
LeaderModelManagerClass.FOREGROUND_CAMERA_IN_ID
LeaderModelManagerClass.FOREGROUND_CAMERA_OUT_ID
LeaderModelManagerClass.LEFT_BANNER_ANGLE
LeaderModelManagerClass.LEFT_BANNER_POSITION
LeaderModelManagerClass.LEFT_MODEL_POSITION
LeaderModelManagerClass.OFF_CAMERA_DISTANCE
LeaderModelManagerClass.RIGHT_BANNER_ANGLE
LeaderModelManagerClass.RIGHT_BANNER_POSITION
LeaderModelManagerClass.RIGHT_INDEPENDENT_BANNER_POSITION
LeaderModelManagerClass.RIGHT_INDEPENDENT_CAMERA_OFFSET
LeaderModelManagerClass.RIGHT_INDEPENDENT_MODEL_ANGLE
LeaderModelManagerClass.RIGHT_INDEPENDENT_MODEL_POSITION
LeaderModelManagerClass.RIGHT_INDEPENDENT_MODEL_SCALE
LeaderModelManagerClass.RIGHT_INDEPENDENT_VIGNETTE_OFFSET
LeaderModelManagerClass.RIGHT_MODEL_AT_WAR_POSITION
LeaderModelManagerClass.RIGHT_MODEL_POSITION
LeaderModelManagerClass.SCREEN_DARKENING_ASSET_NAME
LeaderModelManagerClass.TRIGGER_HASH_ANIMATION_STATE_END
LeaderModelManagerClass.TRIGGER_HASH_SEQUENCE_TRIGGER
LeaderModelManagerClass.instance
LeaderSelectModelManager.clearFilter
LeaderSelectModelManager.clearLeaderModels
LeaderSelectModelManager.pickLeader
LeaderSelectModelManager.setGrayscaleFilter
LeaderSelectModelManager.showLeaderModels
LeaderSelectModelManagerClass.DEFAULT_CAMERA_POSITION
LeaderSelectModelManagerClass.DEFAULT_CAMERA_TARGET
LeaderSelectModelManagerClass.TRIGGER_HASH_ANIMATION_STATE_END
LeaderSelectModelManagerClass.TRIGGER_HASH_SEQUENCE_TRIGGER
LeaderSelectModelManagerClass.VO_CAMERA_CHOOSER_POSITION
LeaderSelectModelManagerClass.VO_CAMERA_CHOOSER_TARGET
LeaderSelectModelManagerClass.instance
LeaderTags.TagType
LeaderText.xml
LeaderboardData.eventNameLocKey
LeaderboardData.leaderboardID
LegalState.ACCEPT_CONFIRMED
LegendsManager.getData
LegendsReport.showRewards
LegendsReport.updateCallback
LensManager.disableLayer
LensManager.enableLayer
LensManager.getActiveLens
LensManager.isLayerEnabled
LensManager.registerLens
LensManager.registerLensLayer
LensManager.setActiveLens
LensManager.toggleLayer
LineController.defaults
LineController.id
LineController.overrides
LineDirection.DOWN_LINE
LineDirection.SAME_LEVEL_LINE
LineDirection.UP_LINE
LineElement.defaultRoutes
LineElement.defaults
LineElement.descriptors
LineElement.id
LinearScale.defaults
LinearScale.id
LinearScaleBase.prototype
LiveEventManager.restrictToPreferredCivs
LiveEventManager.skipAgeSelect
LiveEventManagerSingleton._Instance
LiveEventManagerSingleton.getInstance
LiveNoticeType.ChallengeCompleted
LiveNoticeType.LegendPathsUpdate
LiveNoticeType.RewardReceived
LoadErrorCause.BAD_MAPSIZE
LoadErrorCause.GAME_ABANDONED
LoadErrorCause.MOD_CONFIG
LoadErrorCause.MOD_CONTENT
LoadErrorCause.MOD_OWNERSHIP
LoadErrorCause.MOD_VALIDATION
LoadErrorCause.REQUIRES_LINKED_ACCOUNT
LoadErrorCause.SCRIPT_PROCESSING
LoadErrorCause.UNKNOWN_VERSION
Loading.isFinished
Loading.isInitialized
Loading.isLoaded
Loading.runWhenFinished
Loading.runWhenInitialized
Loading.runWhenLoaded
Loading.whenFinished
Loading.whenInitialized
Loading.whenLoaded
LobbyErrorType.LOBBYERROR_DEVICE_REMOVED
LobbyErrorType.LOBBYERROR_NO_ERROR
LobbyErrorType.LOBBYERROR_UNKNOWN_ERROR
LobbyErrorType.LOBBYERROR_WIFI_OFF
LobbyTypes.LOBBY_LAN
LobbyTypes.LOBBY_NONE
Locale.changeAudioLanguageOption
Locale.changeDisplayLanguageOption
Locale.compare
Locale.compose
Locale.fromUGC
Locale.getAudioLanguageOptionNames
Locale.getCurrentAudioLanguageOption
Locale.getCurrentDisplayLanguageOption
Locale.getCurrentDisplayLocale
Locale.getCurrentLocale
Locale.getDisplayLanguageOptionNames
Locale.keyExists
Locale.plainText
Locale.stylize
Locale.toNumber
Locale.toPercent
Locale.toRomanNumeral
Locale.toUpper
Locale.unpack
LogarithmicScale.defaults
LogarithmicScale.id
LoginResults.SUCCESS
LogoTrainMovies.LOGO_TRAIN_2K_FIRAXIS
LogoTrainMovies.LOGO_TRAIN_END
LogoTrainMovies.LOGO_TRAIN_INTEL
LogoTrainMovies.LOGO_TRAIN_MAIN_INTRO
LogoTrainMovies.LOGO_TRAIN_START
LowLatencyMode.INTEL_XELL
LowLatencyMode.NONE
LowerCalloutEvent.name
LowerQuestPanelEvent.name
MPBrowserDataModel.getInstance
MPBrowserDataModel.instance
MPBrowserModel.GameList
MPBrowserModel.initGameList
MPBrowserModel.installedMods
MPBrowserModel.refreshGameList
MPFriendsActionState.ADD_FRIEND
MPFriendsActionState.INVITED
MPFriendsActionState.NOTIFY_JOIN_RECEIVE
MPFriendsActionState.NOTIFY_RECEIVE
MPFriendsActionState.NOTIFY_SENT
MPFriendsActionState.TO_INVITE
MPFriendsActionState.TO_UNBLOCK
MPFriendsDataModel.getInstance
MPFriendsDataModel.instance
MPFriendsModel.addFriend
MPFriendsModel.blockedPlayersData
MPFriendsModel.eventNotificationUpdate
MPFriendsModel.friendsData
MPFriendsModel.getFriendDataFromID
MPFriendsModel.getRecentlyMetPlayerdDataFromID
MPFriendsModel.getUpdatedDataFlag
MPFriendsModel.hasSearched
MPFriendsModel.invite
MPFriendsModel.isSearching
MPFriendsModel.notificationsData
MPFriendsModel.offIsSearchingChange
MPFriendsModel.onIsSearchingChange
MPFriendsModel.postAttachTabNotification
MPFriendsModel.recentlyMetPlayersData
MPFriendsModel.refreshFriendList
MPFriendsModel.searchResultsData
MPFriendsModel.searched
MPFriendsModel.searching
MPFriendsModel.unblock
MPFriendsModel.updateCallback
MPFriendsPlayerStatus.GREEN
MPFriendsPlayerStatus.ORANGE
MPFriendsPlayerStatus.RED
MPLobbyDataModel.ALL_READY_COUNTDOWN
MPLobbyDataModel.ALL_READY_COUNTDOWN_STEP
MPLobbyDataModel.GLOBAL_COUNTDOWN
MPLobbyDataModel.GLOBAL_COUNTDOWN_STEP
MPLobbyDataModel.KICK_VOTE_COOLDOWN
MPLobbyDataModel.getInstance
MPLobbyDataModel.instance
MPLobbyDataModel.isHostPlayer
MPLobbyDataModel.isLocalHostPlayer
MPLobbyDataModel.isLocalPlayer
MPLobbyDataModel.isNewGame
MPLobbyDropdownType.PLAYER_PARAM
MPLobbyDropdownType.SLOT_ACTION
MPLobbyDropdownType.TEAM
MPLobbyModel.cancelGlobalCountdown
MPLobbyModel.difficulty
MPLobbyModel.isLocalPlayerReady
MPLobbyModel.joinCode
MPLobbyModel.kick
MPLobbyModel.onGameReady
MPLobbyModel.onLobbyDropdown
MPLobbyModel.slotActionsData
MPLobbyModel.summaryMapRuleSet
MPLobbyModel.summaryMapSize
MPLobbyModel.summaryMapType
MPLobbyModel.summarySpeed
MPLobbyModel.updateCallback
MPLobbyModel.updateGlobalCountdownData
MPLobbyModel.updateTooltipData
MPLobbyPlayerConnectionStatus.CONNECTED
MPLobbyPlayerConnectionStatus.DISCONNECTED
MPLobbyReadyStatus.INIT
MPLobbyReadyStatus.NOT_READY
MPLobbyReadyStatus.STARTING_GAME
MPLobbyReadyStatus.WAITING_FOR_HOST
MPLobbyReadyStatus.WAITING_FOR_OTHERS
MPLobbySlotActionType.AI
MPLobbySlotActionType.CLOSE
MPLobbySlotActionType.NONE
MPLobbySlotActionType.OPEN
MPLobbySlotActionType.SWAP
MPLobbySlotActionType.VIEW
MPRefreshDataFlags.All
MPRefreshDataFlags.Friends
MPRefreshDataFlags.None
MPRefreshDataFlags.Notifications
MPRefreshDataFlags.RecentlyMet
MPRefreshDataFlags.SearchResult
MPRefreshDataFlags.UserProfiles
MainMenu.VO_CAMERA_POSITION
MainMenu.VO_CAMERA_TARGET
MapAreas.getAreaPlots
MapCities.getCity
MapCities.getDistrict
MapConstructibles.addDiscovery
MapConstructibles.addDiscoveryType
MapConstructibles.addIndependentType
MapConstructibles.addRoute
MapConstructibles.getConstructibles
MapConstructibles.getHiddenFilteredConstructibles
MapConstructibles.getReplaceableConstructible
MapConstructibles.removeRoute
MapFeatures.canSufferEruptionAt
MapFeatures.getFeatureInfoAt
MapFeatures.getNaturalWonders
MapFeatures.isVolcanoActiveAt
MapPlotEffects.addPlotEffect
MapPlotEffects.getPlotEffectTypesContainingTags
MapPlotEffects.getPlotEffects
MapPlotEffects.hasPlotEffect
MapRegions.getRegionPlots
MapRivers.isRiverConnectedToOcean
MapStorms.getActiveStormIDAtPlot
MapStorms.getActiveStormIDByIndex
MapStorms.getStorm
MapStorms.numActiveStorms
MapUnits.getUnits
Math.PI
Math.SQRT1_2
Math.SQRT2
Math.abs
Math.acos
Math.asin
Math.atan2
Math.ceil
Math.cos
Math.floor
Math.hypot
Math.log10
Math.max
Math.min
Math.pow
Math.random
Math.round
Math.sign
Math.sin
Math.sqrt
Math.trunc
MementoSlotType.Major
MementoSlotType.Minor
Metaprogression.stache
MiniMapData.setDecorationOption
MiniMapData.setLensDisplayOption
MiniMapModel._Instance
MiniMapModel.getInstance
ModAllowance.Full
ModAllowance.None
Modding.applyConfiguration
Modding.canDisableMods
Modding.canEnableMods
Modding.disableMods
Modding.enableMods
Modding.getInitialScripts
Modding.getInstalledMods
Modding.getLastErrorString
Modding.getLastLoadError
Modding.getLastLoadErrorReason
Modding.getLastOwnershipCheck
Modding.getModInfo
Modding.getModProperty
Modding.getModulesToExclude
Modding.getOwnershipItemDisplayName
Modding.getOwnershipItemPackages
Modding.getOwnershipPackageDisplayName
Modding.getTransitionInProgress
Mode.both
Mode.selection
Movement.movementMovesRemaining
MovieAbbasid.movieName
MovieAksum.movieName
MovieAmericanColonialRevolution.movieName
MovieAmina.movieName
MovieAshoka.movieName
MovieAugustus.movieName
MovieBenFranklin.movieName
MovieBritainVictorian.movieName
MovieBuganda.movieName
MovieCaddoMississippian.movieName
MovieCatherineTheGreat.movieName
MovieCharlemagne.movieName
MovieChinaHan.movieName
MovieChinaMing.movieName
MovieChinaQing.movieName
MovieCholaIndia.movieName
MovieConfucius.movieName
MovieCulture.movieName
MovieCultureModern.movieName
MovieDefeatExploration.movieName
MovieDefeatModern.movieName
MovieDomination.movieName
MovieDominationExploration.movieName
MovieEconomic.movieName
MovieEconomicExploration.movieName
MovieEgyptNile.movieName
MovieElimination.movieName
MovieFrenchEmpire.movieName
MovieFriedrichII.movieName
MovieGreece.movieName
MovieGreeceSalamis.movieName
MovieHarrietTubman.movieName
MovieHatshepsut.movieName
MovieHawaii.movieName
MovieHimiko.movieName
MovieIbnBattuta.movieName
MovieInka.movieName
MovieIsabella.movieName
MovieJoseRizal.movieName
MovieKhmer.movieName
MovieLafayette.movieName
MovieLoss.movieName
MovieMachiavelli.movieName
MovieMajapahit.movieName
MovieMauryanIndian.movieName
MovieMaya.movieName
MovieMeijiJapan.movieName
MovieMexico.movieName
MovieMongols.movieName
MovieMughalIndia.movieName
MovieMuslimSpain.movieName
MovieNormans.movieName
MovieNorthAmerica.movieName
MoviePachacuti.movieName
MoviePrussiaGermany.movieName
MovieRomeColosseum.movieName
MovieRussianEmpire.movieName
MovieSankore.movieName
MovieScience.movieName
MovieScienceExploration.movieName
MovieShipsOffshore.movieName
MovieSiam.movieName
MovieTrungTrac.movieName
MovieXerxes.movieName
MultiplayerShellManager.exitMPGame
MultiplayerShellManager.hasSupportForLANLikeServerTypes
MultiplayerShellManager.hostMultiplayerGame
MultiplayerShellManager.onAgeTransition
MultiplayerShellManager.onAutomatch
MultiplayerShellManager.onGameBrowse
MultiplayerShellManager.onGameMode
MultiplayerShellManager.onJoiningFail
MultiplayerShellManager.onLanding
MultiplayerShellManager.onMatchMakingInProgress
MultiplayerShellManager.serverType
MultiplayerShellManager.skipToGameCreator
MultiplayerShellManager.unitTestMP
MultiplayerShellManagerSingleton._Instance
MultiplayerShellManagerSingleton.getInstance
NarrativePopupManager.closePopup
NarrativePopupManager.raiseNotificationPanel
NarrativePopupManagerImpl.instance
NarrativePopupTypes.DISCOVERY
NarrativePopupTypes.MODEL
NarrativePopupTypes.REGULAR
NarrativeQuestManagerClass.instance
NavTray.addOrUpdateAccept
NavTray.addOrUpdateCancel
NavTray.addOrUpdateGenericAccept
NavTray.addOrUpdateGenericBack
NavTray.addOrUpdateGenericCancel
NavTray.addOrUpdateGenericClose
NavTray.addOrUpdateGenericOK
NavTray.addOrUpdateGenericSelect
NavTray.addOrUpdateNavBeam
NavTray.addOrUpdateNavNext
NavTray.addOrUpdateNavPrevious
NavTray.addOrUpdateNextAction
NavTray.addOrUpdateShellAction1
NavTray.addOrUpdateShellAction2
NavTray.addOrUpdateShellAction3
NavTray.addOrUpdateSysMenu
NavTray.addOrUpdateTarget
NavTray.addOrUpdateToggleTooltip
NavTray.clear
NavTray.isTrayActive
NavTray.removeAccept
NavTray.removeShellAction1
NavTray.removeShellAction2
NavTray.removeTarget
NavTray.updateCallback
Navigation.Properties
Navigation.getFirstFocusableElement
Navigation.getFocusableChildren
Navigation.getLastFocusableElement
Navigation.getNextFocusableElement
Navigation.getParentSlot
Navigation.getPreviousFocusableElement
Navigation.isFocusable
Navigation.shouldCheckChildrenFocusable
NavigationHandlers.handlerEscapeNext
NavigationHandlers.handlerEscapePrevious
NavigationHandlers.handlerEscapeSpatial
NavigationHandlers.handlerIgnore
NavigationHandlers.handlerStop
NavigationHandlers.handlerStopNext
NavigationHandlers.handlerStopPrevious
NavigationHandlers.handlerStopSpatial
NavigationHandlers.handlerWrapNext
NavigationHandlers.handlerWrapPrevious
NavigationHandlers.handlerWrapSpatial
NavigationRule.Escape
NavigationRule.Invalid
NavigationRule.Stop
NavigationRule.Wrap
NavigationTrayEntry.icon
NavigationType.CONTEXT
NavigationType.DIPLOMACY
NavigationType.FOCUS
NavigationType.INTERFACE
NavigationType.NONE
Network.acceptInvite
Network.addGameListFilter
Network.areAllLegalDocumentsConfirmed
Network.attemptLogin
Network.canBrowseMPGames
Network.canDirectKickPlayerNow
Network.canDisablePromotions
Network.canDisplayQRCode
Network.canEverKickPlayer
Network.canKickVotePlayerNow
Network.canPlayerEverDirectKick
Network.canPlayerEverKickVote
Network.checkAndClearDisplayMPUnlink
Network.checkAndClearDisplayParentalPermissionChange
Network.checkAndClearDisplaySPoPLogout
Network.clearGameListFilters
Network.clearPremiumError
Network.cloudSavesEnabled
Network.completePrimaryAccountSelection
Network.connectToMultiplayerService
Network.declineInvite
Network.deleteGame
Network.directKickPlayer
Network.forceResync
Network.getBlockedAccessReason
Network.getCachedLegalDocuments
Network.getChatHistory
Network.getChatTargets
Network.getDNAItemIDFromEntitlementID
Network.getGameListEntry
Network.getHostPlayerId
Network.getJoinCode
Network.getLastPremiumError
Network.getLegalDocuments
Network.getLocal1PPlayerName
Network.getLocalCrossPlay
Network.getLocalHostingPlatform
Network.getNumPlayers
Network.getPlayerHostingPlatform
Network.getQrCodeImage
Network.getQrTwoKPortalUrl
Network.getQrVerificationUrl
Network.getRedeemCodeResponse
Network.getRedeemCodeResult
Network.getSecondsSinceSessionCreation
Network.getServerType
Network.getUnreadChatLength
Network.hasCapability
Network.hasCommunicationsPrivilege
Network.hasCrossPlayPrivilege
Network.hostGame
Network.hostMultiplayerGame
Network.initGameList
Network.isAccountComplete
Network.isAccountLinked
Network.isAtMaxSaveCount
Network.isAuthenticated
Network.isBanned
Network.isChildAccount
Network.isChildOnlinePermissionsGranted
Network.isChildPermittedPurchasing
Network.isConnectedToMultiplayerService
Network.isConnectedToNetwork
Network.isConnectedToSSO
Network.isFullAccountLinked
Network.isInSession
Network.isKickVoteTarget
Network.isLoggedIn
Network.isMetagamingAvailable
Network.isMultiplayerLobbyShown
Network.isPlayerConnected
Network.isPlayerHotJoining
Network.isPlayerModReady
Network.isPlayerMuted
Network.isPlayerStartReady
Network.isWaitingForPrimaryAccountSelection
Network.isWaitingForValidHeartbeat
Network.joinCodeMaxLength
Network.joinMultiplayerGame
Network.joinMultiplayerRoom
Network.kickOtherSession
Network.kickVotePlayer
Network.lastMismatchVersion
Network.leaveMultiplayerGame
Network.legalDocumentResponse
Network.loadAgeTransition
Network.loadGame
Network.lobbyTypeFromNamedLobbyType
Network.matchMakeMultiplayerGame
Network.networkVersion
Network.onExitPremium
Network.openTwoKPortalURL
Network.openVerificationURL
Network.prepareConfigurationForHosting
Network.readChat
Network.redeemCode
Network.refreshGameList
Network.requestSlotSwap
Network.requireSPoPKickPrompt
Network.resetNetworkCommunication
Network.restartGame
Network.saveGame
Network.sendChat
Network.sendParentalStatusQuery
Network.sendPremiumCheckRequest
Network.sendQrStatusQuery
Network.serverTypeFromNamedLobbyType
Network.setMainMenuInviteReady
Network.setPlayerMuted
Network.spopLogout
Network.startGame
Network.startMultiplayerGame
Network.supportsSSO
Network.toggleLocalPlayerStartReady
Network.triggerNetworkCheck
Network.tryConnect
Network.unitTestModeEnabled
NetworkCapabilityTypes.LANServerType
NetworkCapabilityTypes.WirelessServerType
NetworkResult.NETWORKRESULT_NONE
NetworkResult.NETWORKRESULT_NO_NETWORK
NetworkResult.NETWORKRESULT_OK
NetworkResult.NETWORKRESULT_PENDING
NetworkUtilities.areLegalDocumentsConfirmed
NetworkUtilities.getHostingTypeTooltip
NetworkUtilities.getHostingTypeURL
NetworkUtilities.multiplayerAbandonReasonToPopup
NetworkUtilities.openSocialPanel
NextCreationAction.Continue
NextCreationAction.StartGame
NextItemStatus.Canceled
Node.DOCUMENT_POSITION_CONTAINED_BY
Node.DOCUMENT_POSITION_CONTAINS
Node.DOCUMENT_POSITION_FOLLOWING
Node.DOCUMENT_POSITION_PRECEDING
Node.ELEMENT_NODE
Node.TEXT_NODE
Node.contains
NotificationGroups.NONE
NotificationHandlers.ActionEspionage
NotificationHandlers.AdvisorWarning
NotificationHandlers.AgeProgression
NotificationHandlers.AllyAtWar
NotificationHandlers.AssignNewPromotionPoint
NotificationHandlers.AssignNewResources
NotificationHandlers.CapitalLost
NotificationHandlers.ChooseBelief
NotificationHandlers.ChooseCelebration
NotificationHandlers.ChooseCityProduction
NotificationHandlers.ChooseCityStateBonus
NotificationHandlers.ChooseCultureNode
NotificationHandlers.ChooseGovernment
NotificationHandlers.ChooseNarrativeDirection
NotificationHandlers.ChoosePantheon
NotificationHandlers.ChooseReligion
NotificationHandlers.ChooseTech
NotificationHandlers.ChooseTownProject
NotificationHandlers.CommandUnits
NotificationHandlers.ConsiderRazeCity
NotificationHandlers.CreateAdvancedStart
NotificationHandlers.CreateAgeTransition
NotificationHandlers.DeclareWar
NotificationHandlers.DefaultHandler
NotificationHandlers.GameInvite
NotificationHandlers.GreatWorkCreated
NotificationHandlers.InvestigateDiplomaticAction
NotificationHandlers.NewPopulationHandler
NotificationHandlers.RelationshipChanged
NotificationHandlers.RespondToDiplomaticAction
NotificationHandlers.RewardUnlocked
NotificationHandlers.ViewAttributeTree
NotificationHandlers.ViewCultureTree
NotificationHandlers.ViewPoliciesChooserCrisis
NotificationHandlers.ViewPoliciesChooserNormal
NotificationHandlers.ViewVictoryProgress
NotificationModel.GroupEntry
NotificationModel.NotificationTrainManagerImpl
NotificationModel.PlayerEntry
NotificationModel.QueryBy
NotificationModel.TypeEntry
NotificationModel.manager
NotificationType.ERROR
NotificationType.HELP
NotificationType.PLAYER
NotificationView.ViewItem
Number.EPSILON
Number.MAX_SAFE_INTEGER
Number.MIN_SAFE_INTEGER
Number.NEGATIVE_INFINITY
Number.POSITIVE_INFINITY
Number.isInteger
Number.isNaN
Number.parseInt
OVERLAY_PRIORITY.CONTINENT_LENS
OVERLAY_PRIORITY.CULTURE_BORDER
OVERLAY_PRIORITY.CURSOR
OVERLAY_PRIORITY.HEX_GRID
OVERLAY_PRIORITY.PLOT_HIGHLIGHT
OVERLAY_PRIORITY.SETTLER_LENS
OVERLAY_PRIORITY.UNIT_ABILITY_RADIUS
OVERLAY_PRIORITY.UNIT_MOVEMENT_SKIRT
Object.assign
Object.create
Object.defineProperties
Object.defineProperty
Object.entries
Object.freeze
Object.getOwnPropertyNames
Object.getPrototypeOf
Object.isExtensible
Object.keys
Object.prototype
Object.values
Online.Achievements
Online.Leaderboard
Online.LiveEvent
Online.MOTD
Online.Metaprogression
Online.Promo
Online.Social
Online.UserProfile
OnlineErrorType.ONLINE_PROMO_REDEEM_FAILED
Op.center_align
Op.image
Op.left_align
Op.model
Op.name_style
Op.no_style
Op.remove_model
Op.right_align
Op.role_style
Op.subtitle_style
Op.title_style
OperationPlotModifiers.NONE
Option.serializedKeys
Option.serializedValues
OptionType.Checkbox
OptionType.Dropdown
OptionType.Editor
OptionType.Slider
OptionType.Stepper
OptionType.Switch
Options.addInitCallback
Options.addOption
Options.commitOptions
Options.data
Options.graphicsOptions
Options.hasChanges
Options.incRefCount
Options.init
Options.isRestartRequired
Options.isUIReloadRequired
Options.needReloadRefCount
Options.needRestartRefCount
Options.resetOptionsToDefault
Options.restore
Options.saveCheckpoints
Options.supportedOptions
Options.supportsGraphicOptions
OrderTypes.ORDER_ADVANCE
OrderTypes.ORDER_CONSTRUCT
OrderTypes.ORDER_FOOD_TRAIN
OrderTypes.ORDER_TOWN_UPGRADE
OrderTypes.ORDER_TRAIN
Ornament_centerDivider_withHex.png
OverlayGroups.attack
OverlayGroups.commandRadius
OverlayGroups.possibleMovement
OverlayGroups.zoc
OwnershipAction.IncludedWith
OwnershipAction.LinkAccount
OwnershipAction.None
PanDirection.Down
PanDirection.Left
PanDirection.None
PanDirection.Right
PanDirection.Up
Panel.animInStyleMap
Panel.animOutStyleMap
PanelAction.actionIconCache
PanelHexGrid.DEFAULT_HEXAGON_SIZE
PanelHexGrid.ZOOM_MAX
PanelHexGrid.ZOOM_MIN
PanelHexGrid.ZOOM_STEP
PanelNotificationMobileManagerClass.instance
PanelNotificationMobilePopupManager.closePopup
PanelNotificationMobilePopupManager.openPopup
PanelNotificationTrainMobile.BATCH_SIZE
PanelOperation.Close
PanelOperation.Create
PanelOperation.CreateDialog
PanelOperation.Delete
PanelOperation.Dialog
PanelOperation.Join
PanelOperation.Loading
PanelOperation.None
PanelOperation.Query
PanelOperation.Save
PanelOperation.Search
PanelType.AvailableResources
PanelType.Cities
PanelType.EmpireResources
PanelType.None
PieController.defaults
PieController.id
PipColors.normal
PipHexPlacement.length
PlaceBuilding.updateCallback
PlacePopulation.ExpandPlotDataUpdatedEvent
PlacePopulation.cityName
PlacePopulation.cityYields
PlacePopulation.getExpandPlots
PlacePopulation.getExpandPlotsIndexes
PlacePopulation.isTown
PlacePopulation.maxSlotsMessage
PlacePopulation.update
PlacePopulation.updateCallback
PlacePopulation.updateExpandPlots
PlacePopulation.updateExpandPlotsForResettle
PlacementMode.DEFAULT
PlacementMode.FIXED
PlacementMode.TERRAIN
PlacementMode.WATER
Player.Religion
PlayerColors.accentOffset
PlayerColors.blackColor
PlayerColors.createPlayerColorVariants
PlayerColors.darkTintOffset
PlayerColors.lessOffset
PlayerColors.lightTintOffset
PlayerColors.moreOffset
PlayerColors.textOffset
PlayerColors.whiteColor
PlayerIds.NO_PLAYER
PlayerIds.OBSERVER_ID
PlayerIds.WORLD_PLAYER
PlayerList.length
PlayerOperationParameters.Activate
PlayerOperationParameters.Deactivate
PlayerOperationTypes.ADD_BELIEF
PlayerOperationTypes.ADVANCED_START_MARK_COMPLETED
PlayerOperationTypes.ADVANCED_START_MODIFY_DECK
PlayerOperationTypes.ADVANCED_START_PLACE_SETTLEMENT
PlayerOperationTypes.ADVANCED_START_USE_EFFECT
PlayerOperationTypes.ASSIGN_RESOURCE
PlayerOperationTypes.ASSIGN_WORKER
PlayerOperationTypes.BUY_ATTRIBUTE_TREE_NODE
PlayerOperationTypes.CANCEL_ALLIANCE
PlayerOperationTypes.CHANGE_GOVERNMENT
PlayerOperationTypes.CHANGE_TRADITION
PlayerOperationTypes.CHOOSE_CITY_STATE_BONUS
PlayerOperationTypes.CHOOSE_GOLDEN_AGE
PlayerOperationTypes.CHOOSE_NARRATIVE_STORY_DIRECTION
PlayerOperationTypes.CONSIDER_ASSIGN_ATTRIBUTE
PlayerOperationTypes.CONSIDER_ASSIGN_RESOURCE
PlayerOperationTypes.DECLARE_WAR
PlayerOperationTypes.FORM_ALLIANCE
PlayerOperationTypes.FOUND_PANTHEON
PlayerOperationTypes.FOUND_RELIGION
PlayerOperationTypes.LAND_CLAIM
PlayerOperationTypes.MOVE_GREAT_WORK
PlayerOperationTypes.RESPOND_DIPLOMATIC_ACTION
PlayerOperationTypes.RESPOND_DIPLOMATIC_FIRST_MEET
PlayerOperationTypes.SET_CULTURE_TREE_NODE
PlayerOperationTypes.SET_TECH_TREE_NODE
PlayerOperationTypes.SUPPORT_DIPLOMATIC_ACTION
PlayerOperationTypes.VIEWED_ADVISOR_WARNING
PlayerParamDropdownTypes.PLAYER_CIV
PlayerParamDropdownTypes.PLAYER_LEADER
PlayerParamDropdownTypes.PLAYER_SLOT_ACTION
PlayerParamDropdownTypes.PLAYER_TEAM
PlayerTypes.NONE
PlayerUnlocks.getAgelessCommanderItems
PlayerUnlocks.getAgelessConstructsAndImprovements
PlayerUnlocks.getAgelessTraditions
PlayerUnlocks.getAgelessWonders
PlayerUnlocks.getLegacyCurrency
PlayerUnlocks.getRewardItems
PlayerUnlocks.updateCallback
Players.AI
Players.AdvancedStart
Players.Advisory
Players.Cities
Players.Culture
Players.Diplomacy
Players.Districts
Players.Religion
Players.Treasury
Players.get
Players.getAlive
Players.getAliveIds
Players.getAliveMajorIds
Players.getEverAlive
Players.isAI
Players.isAlive
Players.isHuman
Players.isParticipant
Players.isValid
Players.maxPlayers
PlayersIDs.forEach
PlotCoord.Range
PlotCoord.fromString
PlotCoord.isInvalid
PlotCoord.isValid
PlotCoord.toString
PlotCursor.hideCursor
PlotCursor.plotCursorCoords
PlotCursor.showCursor
PlotCursorSingleton.Instance
PlotCursorSingleton.getInstance
PlotIconsManager.addPlotIcon
PlotIconsManager.addStackForTracking
PlotIconsManager.getPlotIcon
PlotIconsManager.removePlotIcons
PlotIconsManager.rootAttached
PlotIconsManagerSingleton.getInstance
PlotIconsManagerSingleton.signletonInstance
PlotTags.PLOT_TAG_EAST_LANDMASS
PlotTags.PLOT_TAG_EAST_WATER
PlotTags.PLOT_TAG_ISLAND
PlotTags.PLOT_TAG_LANDMASS
PlotTags.PLOT_TAG_NONE
PlotTags.PLOT_TAG_WATER
PlotTags.PLOT_TAG_WEST_LANDMASS
PlotTags.PLOT_TAG_WEST_WATER
PlotTooltipPriority.HIGH
PlotTooltipPriority.LOW
PlotWorkersManager.allWorkerPlotIndexes
PlotWorkersManager.allWorkerPlots
PlotWorkersManager.blockedPlotIndexes
PlotWorkersManager.blockedPlots
PlotWorkersManager.cityID
PlotWorkersManager.getYieldPillIcon
PlotWorkersManager.hoveredPlotIndex
PlotWorkersManager.initializeWorkersData
PlotWorkersManager.workablePlotIndexes
PlotWorkersManager.workablePlots
PlotWorkersManagerClass.instance
PointElement.defaultRoutes
PointElement.defaults
PointElement.id
Pointer.ani
PolarAreaController.defaults
PolarAreaController.id
PolarAreaController.overrides
PoliciesData.activeCrisisPolicies
PoliciesData.activeNormalPolicies
PoliciesData.availableCrisisPolicies
PoliciesData.availableNormalPolicies
PoliciesData.myGovernment
PoliciesData.numCrisisSlots
PoliciesData.numNormalSlots
PoliciesData.update
PoliciesData.updateCallback
PolicyChooserItemIcon.COMMUNISM
PolicyChooserItemIcon.DEMOCRACY
PolicyChooserItemIcon.FASCISM
PolicyChooserItemIcon.NONE
PolicyChooserItemIcon.TRADITION
PolicyTabPlacement.CRISIS
PolicyTabPlacement.OVERVIEW
PolicyTabPlacement.POLICIES
Position.CENTER
Position.LEFT
Position.RIGHT
ProductionChooserScreen.shouldReturnToPurchase
ProductionKind.CONSTRUCTIBLE
ProductionKind.PROJECT
ProductionKind.UNIT
ProductionPanelCategory.BUILDINGS
ProductionPanelCategory.PROJECTS
ProductionPanelCategory.UNITS
ProductionPanelCategory.WONDERS
ProductionProjectTooltipType.update
ProfileTabType.CHALLENGES
ProfileTabType.NONE
Profiler.js
ProgressionTreeNodeState.NODE_STATE_CLOSED
ProgressionTreeNodeState.NODE_STATE_FULLY_UNLOCKED
ProgressionTreeNodeState.NODE_STATE_INVALID
ProgressionTreeNodeState.NODE_STATE_IN_PROGRESS
ProgressionTreeNodeState.NODE_STATE_OPEN
ProgressionTreeNodeState.NODE_STATE_UNLOCKED
ProgressionTreeTypes.CULTURE
ProgressionTreeTypes.TECH
ProjectTypes.NO_PROJECT
Promise.all
Promise.allSettled
PromoAction.Interact
PromoAction.View
QueryBy.InsertOrder
QueryBy.Priority
QueryBy.Severity
QuestTracker.AddEvent
QuestTracker.RemoveEvent
QuestTracker.add
QuestTracker.empty
QuestTracker.get
QuestTracker.getItems
QuestTracker.has
QuestTracker.isPathTracked
QuestTracker.isQuestVictoryCompleted
QuestTracker.isQuestVictoryInProgress
QuestTracker.isQuestVictoryUnstarted
QuestTracker.readQuestVictory
QuestTracker.remove
QuestTracker.selectedQuest
QuestTracker.setPathTracked
QuestTracker.setQuestVictoryState
QuestTracker.setQuestVictoryStateById
QuestTracker.updateQuestList
QuestTracker.writeQuestVictory
QuestTrackerClass.instance
REVEALED_PLOTS_COMPLETE_QUEST_NUM.toString
RGB_RE.exec
RadarController.defaults
RadarController.id
RadarController.overrides
RadialLinearScale.defaultRoutes
RadialLinearScale.defaults
RadialLinearScale.descriptors
RadialLinearScale.id
RadialMenu.updateCallback
RandomEventsLayer.instance
Range.INVALID_X
Range.INVALID_Y
Reflect.getOwnPropertyDescriptor
Reflect.getPrototypeOf
Reflect.has
Reflect.ownKeys
ReinforcementMapDecorationSupport.manager
RequirementState.AlwaysMet
RequirementState.Met
RequirementState.NeverMet
ResourceAllocation.availableBonusResources
ResourceAllocation.availableCities
ResourceAllocation.availableFactoryResources
ResourceAllocation.availableResources
ResourceAllocation.clearSelectedResource
ResourceAllocation.focusCity
ResourceAllocation.hasSelectedAssignedResource
ResourceAllocation.hasSelectedResource
ResourceAllocation.isCityEntryDisabled
ResourceAllocation.latestResource
ResourceAllocation.selectAssignedResource
ResourceAllocation.selectAvailableResource
ResourceAllocation.selectCity
ResourceAllocation.selectedResource
ResourceAllocation.selectedResourceClass
ResourceAllocation.unassignResource
ResourceAllocation.updateCallback
ResourceAllocation.updateResources
ResourceBuilder.canHaveResource
ResourceBuilder.getResourceCounts
ResourceBuilder.isResourceValidForAge
ResourceBuilder.setResourceType
ResourceTypes.NO_RESOURCE
RevealedStates.HIDDEN
RevealedStates.REVEALED
RevealedStates.VISIBLE
RewardDivider.classList
RewardsList.find
RewardsNotificationManager.setNotificationItem
RewardsNotificationManager.setNotificationVisibility
RewardsNotificationsManagerSingleton.getInstance
RewardsNotificationsManagerSingleton.singletonInstance
RibbonDisplayOptionNames.get
RibbonDisplayType.Scores
RibbonDisplayType.Size
RibbonDisplayType.Yields
RibbonStatsToggleStatus.RibbonStatsHidden
RibbonStatsToggleStatus.RibbonStatsShowing
RibbonYieldType.Culture
RibbonYieldType.Default
RibbonYieldType.Diplomacy
RibbonYieldType.Gold
RibbonYieldType.Happiness
RibbonYieldType.Property
RibbonYieldType.Science
RibbonYieldType.Settlements
RibbonYieldType.Victory
RightColumItems.length
RiverTypes.NO_RIVER
RiverTypes.RIVER_MINOR
RiverTypes.RIVER_NAVIGABLE
Root.addEventListener
Root.appendChild
SORT_ITEMS.findIndex
SSAOQuality.HIGH
SSAOQuality.LOW
SSAOQuality.MEDIUM
SSAOQuality.OFF
STANDARD_PARAMETERS.includes
STANDARD_PARAMETERS.some
STATIC_POSITIONS.includes
STATIC_POSITIONS.indexOf
STICK_ACTION_NAMES.includes
SaveDirectories.APP_BENCHMARK
SaveDirectories.DEFAULT
SaveFileTypes.GAME_CONFIGURATION
SaveFileTypes.GAME_STATE
SaveFileTypes.GAME_TRANSITION
SaveLoadChooserType.LOAD
SaveLoadChooserType.SAVE
SaveLoadData.clearQueries
SaveLoadData.createLocationFullConfirm
SaveLoadData.createQuotaExceededConfirm
SaveLoadData.handleDelete
SaveLoadData.handleLoadSave
SaveLoadData.handleOverwrite
SaveLoadData.handleQuickLoad
SaveLoadData.handleQuickSave
SaveLoadData.handleSave
SaveLoadData.querySaveGameList
SaveLoadData.saves
SaveLoadModel._Instance
SaveLoadModel.getInstance
SaveLocationCategories.AUTOSAVE
SaveLocationCategories.NORMAL
SaveLocationCategories.QUICKSAVE
SaveLocationOptions.LOAD_METADATA
SaveLocations.DEFAULT
SaveLocations.FIRAXIS_CLOUD
SaveLocations.LOCAL_STORAGE
SaveMenuType.LOAD
SaveMenuType.LOAD_CONFIG
SaveMenuType.SAVE
SaveMenuType.SAVE_CONFIG
SaveTabType.AUTOSAVE
SaveTabType.CONFIG
SaveTabType.CROSSPLAY
SaveTabType.LOCAL
SaveTabType.TRANSITION
SaveTypes.DEFAULT
SaveTypes.NETWORK_MULTIPLAYER
SaveTypes.SINGLE_PLAYER
SaveTypes.WORLDBUILDER_MAP
Scale.prototype
ScatterController.defaults
ScatterController.id
ScatterController.overrides
ScreenProfilePageExternalStatus.isGameCreationDomainInitialized
ScreenTechCivicComplete.UNLOCKED_ITEMS_CONTAINER_WIDTH
ScreenTechCivicComplete.UNLOCKED_ITEMS_EXTRA_OFFSET
ScreenTechCivicComplete.UNLOCKED_ITEMS_VISIBLE_NUMBER
ScreenTechCivicComplete.UNLOCKED_ITEM_LEFT_OFFSET
ScreenTechCivicComplete.UNLOCKED_ITEM_PADDING
ScreenTechCivicComplete.UNLOCKED_ITEM_WIDTH
Scripting.log
ScrollDirection.Left
ScrollDirection.Right
Search.addData
Search.createContext
Search.destroyContext
Search.hasContext
Search.optimize
Search.search
SerializerResult.RESULT_INVALID_CHARACTERS
SerializerResult.RESULT_OK
SerializerResult.RESULT_PENDING
SerializerResult.RESULT_SAVE_ALREADY_EXISTS
SerializerResult.RESULT_SAVE_LOCATION_FULL
SerializerResult.RESULT_SAVE_QUOTA_EXCEEDED
SerializerResult.RESULT_VERSION_MISMATCH
ServerType.SERVER_TYPE_FIRAXIS_CLOUD
ServerType.SERVER_TYPE_HOTSEAT
ServerType.SERVER_TYPE_INTERNET
ServerType.SERVER_TYPE_LAN
ServerType.SERVER_TYPE_NONE
ServerType.SERVER_TYPE_WIRELESS
SettlementRecommendationsLayer.instance
ShadowQuality.HIGH
ShadowQuality.LOW
ShadowQuality.MEDIUM
SharpeningLevel.MAX
SharpeningLevel.NORMAL
SharpeningLevel.OFF
SharpeningLevel.SHARP
SharpeningLevel.SOFT
ShowingOverlayType.AREAS
ShowingOverlayType.NONE
ShowingOverlayType.REGIONS
SlotStatus.SS_CLOSED
SlotStatus.SS_COMPUTER
SlotStatus.SS_OPEN
SlotStatus.SS_TAKEN
SmallNarrativeEvent.SM_NAR_Z_PLACEMENT
SocialButtonTypes.ACCEPT_FRIEND_ADD_REQUEST
SocialButtonTypes.ACCEPT_GAME_INVITE
SocialButtonTypes.ADD_FRIEND_REQUEST
SocialButtonTypes.BLOCK
SocialButtonTypes.CANCEL_FRIEND_ADD_REQUEST
SocialButtonTypes.DECLINE_FRIEND_ADD_REQUEST
SocialButtonTypes.DECLINE_GAME_INVITE
SocialButtonTypes.INVITE_TO_JOIN
SocialButtonTypes.KICK
SocialButtonTypes.MUTE
SocialButtonTypes.NUM_SOCIAL_BUTTON_TYPES
SocialButtonTypes.REMOVE_FRIEND
SocialButtonTypes.REPORT
SocialButtonTypes.UNBLOCK
SocialButtonTypes.UNMUTE
SocialButtonTypes.VIEW_PROFILE
SocialNotificationIndicatorReminderType.REMIND_INVISIBLE
SocialNotificationIndicatorReminderType.REMIND_NONE
SocialNotificationIndicatorReminderType.REMIND_VISIBLE
SocialNotificationIndicatorType.ALL_INDICATORS
SocialNotificationIndicatorType.MAINMENU_BADGE
SocialNotificationIndicatorType.SOCIALTAB_BADGE
SocialNotificationsManager.isNotificationVisible
SocialNotificationsManager.setNotificationItem
SocialNotificationsManager.setNotificationVisibility
SocialNotificationsManager.setTabNotificationVisibilityBasedOnReminder
SocialNotificationsManagerSingleton.getInstance
SocialNotificationsManagerSingleton.signletonInstance
SortByOptions.NameAscending
SortByOptions.NameDescending
SortOptions.CONTENT
SortOptions.GAME_NAME
SortOptions.GAME_SPEED
SortOptions.MAP_TYPE
SortOptions.NONE
SortOptions.PLAYERS
SortOptions.RULE_SET
SortOrder.ASC
SortOrder.DESC
SortOrder.NONE
SortValue.ALPHA
SortValue.TIME_CREATED
Sound.getDynamicRangeOption
Sound.getMuteOnFocusLoss
Sound.getSubtitles
Sound.onGameplayEvent
Sound.onNextCivSelect
Sound.play
Sound.playOnIndex
Sound.setDynamicRangeOption
Sound.setMuteOnFocusLoss
Sound.setSubtitles
Sound.volumeGetCinematics
Sound.volumeGetMaster
Sound.volumeGetMusic
Sound.volumeGetSFX
Sound.volumeGetUI
Sound.volumeGetVoice
Sound.volumeRestoreCheckpoint
Sound.volumeSetCheckpoint
Sound.volumeSetCinematics
Sound.volumeSetMaster
Sound.volumeSetMusic
Sound.volumeSetSFX
Sound.volumeSetUI
Sound.volumeSetVoice
Sound.volumeWriteSettings
Spatial.getDirection
Spatial.navigate
SpatialManager._Instance
SpatialManager.getInstance
SpatialNavigation.add
SpatialNavigation.clear
SpatialNavigation.focus
SpatialNavigation.init
SpatialNavigation.makeFocusable
SpatialNavigation.move
SpatialNavigation.pause
SpatialNavigation.remove
SpatialNavigation.resume
SpatialNavigation.set
SpatialWrap.init
SpatialWrap.navigate
SpatialWrapper._Instance
SpatialWrapper.getInstance
SpeedFilterType.All
SpeedFilterType.TOTAL
Speeds.FAST
Speeds.NORMAL
Speeds.PLAID
Speeds.VERY_FAST
SpriteMode.FixedBillboard
StartPositioner.divideMapIntoMajorRegions
StartPositioner.getMajorStartRegion
StartPositioner.getStartPosition
StartPositioner.getStartPositionScore
StartPositioner.initializeValues
StartPositioner.setAdvancedStartRegion
StartPositioner.setStartPosition
State.CLOSING
State.ERROR
State.IDLE
State.LOADING
State.MOVING
State.PAUSE
State.PLAY
State.READY
StatefulIcon.AttributeNames
StatefulIcon.FromElement
StatefulIcon.IconState
StatefulIcon.SetAttributes
StatementTypeDef.GroupType
StickActionName.CAMERA_PAN
StickActionName.MOVE_CURSOR
StickActionName.PLOT_MOVE
StickActionName.SCROLL_PAN
StoryTextTypes.BODY
StoryTextTypes.IMPERATIVE
StoryTextTypes.OPTION
StoryTextTypes.REWARD
StretchMode.UniformFill
StyleChecker.waitForElementStyle
SubScreens.SUB_SCREEN_AUDIO_SETTINGS
SubScreens.SUB_SCREEN_AUTOSAVE
SubScreens.SUB_SCREEN_DISPLAY_SETTINGS
SubScreens.SUB_SCREEN_LEGAL_DOCUMENTS
SubScreens.SUB_SCREEN_LIST_END
SubScreens.SUB_SCREEN_LIST_START
SubScreens.SUB_SCREEN_MOVIES
SwitchViewResult.ChangesApplied
SwitchViewResult.Error
SwitchViewResult.NothingChanged
Symbol.toStringTag
SystemMessageManager.acceptInviteAfterSaveComplete
SystemMessageManager.currentSystemMessage
TEMP_gear.png
TEMP_leader_portrait_confucius.png
TITLE_FONTS.join
TURNS_LEFT_WARNINGS.length
TYPE_OFFSET.x
TYPE_OFFSET.y
TabNameTypes.BlockTab
TabNameTypes.FriendsListTab
TabNameTypes.LobbyTab
TabNameTypes.NotificationsTab
TabNameTypes.RecentlyMetTab
TabNameTypes.SearchResutsTab
TagCategories.TagCategoryType
Tags.TagCategoryType
Tags.TagType
TechCivicPopupData.node
TechCivicPopupManager.closePopup
TechCivicPopupManager.currentTechCivicPopupData
TechCivicPopupManager.isFirstCivic
TechCivicPopupManager.isFirstTech
TechCivicPopupManagerClass.instance
TechTree.canAddChooseNotification
TechTree.getCard
TechTree.iconCallback
TechTree.queueItems
TechTree.sourceProgressionTrees
TechTree.updateCallback
TechTree.updateGate
TechTreeChooser.chooseNode
TechTreeChooser.currentResearchEmptyTitle
TechTreeChooser.getDefaultNodeToDisplay
TechTreeChooser.getDefaultTreeToDisplay
TechTreeChooser.hasCurrentResearch
TechTreeChooser.inProgressNodes
TechTreeChooser.nodes
TechTreeChooser.subject
Telemetry.generateGUID
Telemetry.sendCampaignSetup
Telemetry.sendCardSelectionStart
Telemetry.sendTutorial
Telemetry.sendUIMenuAction
TelemetryMenuActionType.Exit
TelemetryMenuActionType.Hover
TelemetryMenuActionType.Load
TelemetryMenuActionType.Select
TelemetryMenuType.AdditionalContent
TelemetryMenuType.EventsPage
TelemetryMenuType.Extras
TelemetryMenuType.Legends
TelemetryMenuType.MainMenu
TelemetryMenuType.PauseMenu
TerrainBuilder.addFloodplains
TerrainBuilder.addPlotTag
TerrainBuilder.buildElevation
TerrainBuilder.canHaveFeature
TerrainBuilder.canHaveFeatureParam
TerrainBuilder.defineNamedRivers
TerrainBuilder.generatePoissonMap
TerrainBuilder.getRandomNumber
TerrainBuilder.modelRivers
TerrainBuilder.removePlotTag
TerrainBuilder.setBiomeType
TerrainBuilder.setFeatureType
TerrainBuilder.setPlotTag
TerrainBuilder.setRainfall
TerrainBuilder.setTerrainType
TerrainBuilder.stampContinents
TerrainBuilder.storeWaterData
TerrainBuilder.validateAndFixTerrain
TextToSpeechSearchType.Focus
TextToSpeechSearchType.Hover
TextureDetail.HIGH
TextureDetail.LOW
TextureDetail.MEDIUM
Ticks.formatters
TimeScale.defaults
TimeScale.id
TimeSeriesScale.defaults
TimeSeriesScale.id
ToolTipVisibilityState.Hidden
ToolTipVisibilityState.Shown
ToolTipVisibilityState.WaitingToExpire
ToolTipVisibilityState.WaitingToReset
ToolTipVisibilityState.WaitingToShow
Tooltip.positioners
TooltipManager.currentTooltip
TooltipManager.hidePlotTooltipForTutorial
TooltipManager.registerPlotType
TooltipManager.registerType
TooltipManager.showPlotTooltipForTutorial
TooltipManagerSingleton.Instance
TooltipManagerSingleton.getInstance
TradeRoute.getCityPayload
TradeRoute.getOppositeCity
TradeRoute.getOppositeCityID
TradeRoute.isWithCity
TradeRouteChooser._activeChooser
TradeRouteStatus.AT_WAR
TradeRouteStatus.DISTANCE
TradeRouteStatus.NEED_MORE_FRIENDSHIP
TradeRouteStatus.SUCCESS
TradeRoutesModel.calculateProjectedTradeRoutes
TradeRoutesModel.clearTradeRouteVfx
TradeRoutesModel.getTradeRoute
TradeRoutesModel.showTradeRouteVfx
TransitionState.Animation
TransitionState.Banner
TransitionState.EndResults
TransitionState.Summary
TransitionType.Age
TreeClassSelector.CARD
TreeGridDirection.HORIZONTAL
TreeGridDirection.VERTICAL
TreeNavigation.Horizontal
TreeNavigation.Vertical
TreeNodesSupport.getRepeatedUniqueUnits
TreeNodesSupport.getUnlocksByDepthStateText
TreeNodesSupport.getValidNodeUnlocks
TreeSupport.getGridElement
TreeSupport.isSmallScreen
TtsManager.isTextToSpeechOnChatEnabled
TtsManager.isTtsSupported
TtsManager.trySpeakElement
TurnLimitType.TURNLIMIT_CUSTOM
TurnPhaseType.NO_TURN_PHASE
TurnPhaseType.TURNPHASE_SIMULTANEOUS
TurnPhaseType.TURNPHASE_SINGLEPLAYER
TurnTimerType.TURNTIMER_DYNAMIC
TurnTimerType.TURNTIMER_NONE
TurnTimerType.TURNTIMER_STANDARD
Tutorial.HighlightFunc
Tutorial.highlightElement
Tutorial.unhighlightElement
TutorialAdvisorType.Culture
TutorialAdvisorType.Default
TutorialAdvisorType.Economic
TutorialAdvisorType.Military
TutorialAdvisorType.Science
TutorialAnchorPosition.BottomCenter
TutorialAnchorPosition.MiddleCenter
TutorialAnchorPosition.MiddleLeft
TutorialAnchorPosition.MiddleRight
TutorialAnchorPosition.TopCenter
TutorialCalloutType.NOTIFICATION
TutorialData.updateCallback
TutorialItem.prototype
TutorialItemState.Active
TutorialItemState.Completed
TutorialItemState.Persistent
TutorialItemState.Unseen
TutorialLevel.None
TutorialLevel.TutorialOn
TutorialLevel.WarningsOnly
TutorialManager.MAX_CALLOUT_CHECKBOX
TutorialManager.activatingEvent
TutorialManager.activatingEventName
TutorialManager.add
TutorialManager.calloutAdvisorParams
TutorialManager.calloutBodyParams
TutorialManager.forceActivate
TutorialManager.forceActivation
TutorialManager.forceComplete
TutorialManager.getCalloutItem
TutorialManager.getDebugLogOutput
TutorialManager.isItemCompleted
TutorialManager.isItemExistInAll
TutorialManager.items
TutorialManager.playerId
TutorialManager.process
TutorialManager.reset
TutorialManager.statusChanged
TutorialManager.totalCompletedItems
TutorialManager.unsee
TutorialSupport.OpenCivilopediaAt
TutorialSupport.activateNextTrackedQuest
TutorialSupport.calloutAcceptNext
TutorialSupport.calloutBeginNext
TutorialSupport.calloutCloseNext
TutorialSupport.calloutContinueNext
TutorialSupport.canQuestActivate
TutorialSupport.didCivicUnlock
TutorialSupport.didTechUnlock
TutorialSupport.getCurrentTurnBlockingNotification
TutorialSupport.getNameOfFirstUnitWithTag
TutorialSupport.getNameOfFirstUnlockedUnitWithTag
TutorialSupport.getTutorialPrompts
TutorialSupport.getUnitFromEvent
TutorialSupport.isUnitOfType
 
Last edited:
Spoiler Page 2 :

Code:
UI.Color
UI.Debug
UI.Player
UI.SetShowIntroSequences
UI.activityHostMPGameConfirmed
UI.activityLoadLastSaveGameConfirmed
UI.areAdaptiveTriggersAvailable
UI.beginProfiling
UI.canDisplayKeyboard
UI.canExitToDesktop
UI.canSetAutoScaling
UI.commitApplicationOptions
UI.commitNetworkOptions
UI.defaultApplicationOptions
UI.defaultAudioOptions
UI.defaultTutorialOptions
UI.defaultUserOptions
UI.displayKeyboard
UI.endProfiling
UI.favorSpeedOverQuality
UI.getApplicationOption
UI.getChatIconGroups
UI.getChatIcons
UI.getCurrentGraphicsProfile
UI.getDiploRibbonIndex
UI.getGameLoadingState
UI.getGraphicsProfile
UI.getIMEConfirmationValueLocation
UI.getIcon
UI.getIconBLP
UI.getIconCSS
UI.getIconURL
UI.getOOBEGraphicsRestart
UI.getOption
UI.getSafeAreaMargins
UI.getViewExperience
UI.hasViewExperience
UI.hideCursor
UI.isAudioCursorEnabled
UI.isCursorLocked
UI.isDebugPlotInfoVisible
UI.isFirstBoot
UI.isHostAPC
UI.isInGame
UI.isInShell
UI.isMultiplayer
UI.isNonPreferredCivsDisabled
UI.isRumbleAvailable
UI.isSessionStartup
UI.isShowIntroSequences
UI.isTouchEnabled
UI.lockCursor
UI.notifyLoadingCurtainReady
UI.notifyUIReady
UI.notifyUIReadyForEvents
UI.panelDefaul
UI.panelDefault
UI.panelEnd
UI.panelStart
UI.playUnitSelectSound
UI.referenceCurrentEvent
UI.refreshInput
UI.refreshPlayerColors
UI.registerCursor
UI.releaseEventID
UI.reloadUI
UI.revertApplicationOptions
UI.revertNetworkOptions
UI.sendAudioEvent
UI.setApplicationOption
UI.setClipboardText
UI.setCursorByType
UI.setCursorByURL
UI.setDiploRibbonIndex
UI.setDisconnectionPopupWasShown
UI.setOOBEGraphicsRestart
UI.setOption
UI.setPlotLocation
UI.setViewExperience
UI.shouldDisplayBenchmarkingTools
UI.shouldShowDisconnectionPopup
UI.showCursor
UI.supportsDLC
UI.supportsHIDPI
UI.supportsTextToSpeech
UI.viewChanged
UICursorTypes.URL
UIGameLoadingProgressState.ContentIsConfigured
UIGameLoadingProgressState.GameCoreInitializationIsDone
UIGameLoadingProgressState.GameCoreInitializationIsStarted
UIGameLoadingProgressState.GameIsFinishedLoading
UIGameLoadingProgressState.GameIsInitialized
UIGameLoadingProgressState.UIIsInitialized
UIGameLoadingProgressState.UIIsReady
UIGameLoadingState.GameStarted
UIGameLoadingState.NotStarted
UIGameLoadingState.WaitingForConfiguration
UIGameLoadingState.WaitingForGameCore
UIGameLoadingState.WaitingForGameplayData
UIGameLoadingState.WaitingForLoadingCurtain
UIGameLoadingState.WaitingForUIReady
UIGameLoadingState.WaitingForVisualization
UIGameLoadingState.WaitingToStart
UIHTMLCursorTypes.Auto
UIHTMLCursorTypes.Default
UIHTMLCursorTypes.Help
UIHTMLCursorTypes.NotAllowed
UIHTMLCursorTypes.Pointer
UIHTMLCursorTypes.Text
UIHTMLCursorTypes.Wait
UISystem.Events
UISystem.HUD
UISystem.Lens
UISystem.World
UITypes.IndependentBanner
UIViewChangeMethod.Automatic
UIViewChangeMethod.PlayerInteraction
UIViewChangeMethod.Unknown
UIViewExperience.Console
UIViewExperience.Desktop
UIViewExperience.Handheld
UIViewExperience.Mobile
UIViewExperience.VR
UNITS.indexOf
UNITS.length
UnitActionCategory.COMMAND
UnitActionCategory.HIDDEN
UnitActionCategory.MAIN
UnitActionCategory.NONE
UnitActionHandlers.doesActionHaveHandler
UnitActionHandlers.doesActionRequireTargetPlot
UnitActionHandlers.setUnitActionHandler
UnitActionHandlers.switchToActionInterfaceMode
UnitActionHandlers.useHandlerWithGamepad
UnitActionPanelState.ANIMATEIN
UnitActionPanelState.ANIMATEOUT
UnitActionPanelState.HIDDEN
UnitActionPanelState.VISIBLE
UnitActions.ANIM_DELAY
UnitActions.getIconsToPreload
UnitActionsPanelModel.isShelfOpen
UnitAnchors.offsetTransforms
UnitAnchors.visibleValues
UnitArmyPanelState.HIDDEN
UnitArmyPanelState.VISIBLE
UnitCityListModel.inspect
UnitCityListModel.updateCallback
UnitCommandTypes.MAKE_TRADE_ROUTE
UnitCommandTypes.NAME_UNIT
UnitCommandTypes.PROMOTE
UnitCommandTypes.RESETTLE
UnitFlagFactory.getBestHTMLComponentName
UnitFlagFactory.makers
UnitFlagFactory.registerStyle
UnitFlagManager._instance
UnitFlagManager.instance
UnitMapDecorationSupport.Mode
UnitMapDecorationSupport.manager
UnitOperationMoveModifiers.ATTACK
UnitOperationMoveModifiers.MOVE_IGNORE_UNEXPLORED_DESTINATION
UnitOperationMoveModifiers.NONE
UnitOperationTypes.MOVE_TO
UnitOperationTypes.RANGE_ATTACK
UnitPromotion.updateCallback
UnitPromotionModel.getCard
UnitPromotionModel.getLastPopulatedRowFromTree
UnitPromotionModel.name
UnitPromotionModel.promotionPoints
UnitPromotionModel.promotionTrees
UnitPromotionModel.updateGate
UnitPromotionModel.updateModel
UnitSelection.onLower
UnitSelection.onRaise
UnitType.NO_UNIT
Units.create
Units.get
Units.getCommandRadiusPlots
Units.getPathTo
Units.getQueuedOperationDestination
Units.getReachableMovement
Units.getReachableTargets
Units.getReachableZonesOfControl
Units.hasTag
Units.setLocation
UnityCityItemType.Type_City
UnityCityItemType.Type_Town
UnityCityItemType.Type_Unit
UnlinkPortalQRCode.png
UnlockPopupManager.closePopup
UnlockPopupManager.currentUnlockedRewardData
UnlockableRewardItems.badgeRewardItems
UnlockableRewardItems.bannerRewardItems
UnlockableRewardItems.borderRewardItems
UnlockableRewardItems.colorRewardItems
UnlockableRewardItems.getBadge
UnlockableRewardItems.getBanner
UnlockableRewardItems.getBorder
UnlockableRewardItems.getColor
UnlockableRewardItems.populateRewardList
UnlockableRewardItems.titleRewardItems
UnlockableRewardItems.updatePermissions
UnlockableRewardType.Badge
UnlockableRewardType.Banner
UnlockableRewardType.Border
UnlockableRewardType.Color
UnlockableRewardType.Memento
UnlockableRewardType.Title
UnlocksPopupManagerClass.instance
UpscalingAA.AUTO
UpscalingAA.FSR1
UpscalingAA.FSR3
UpscalingAA.MSAA
UpscalingAA.MetalFXSpatial
UpscalingAA.MetalFXTemporal
UpscalingAA.OFF
UpscalingAA.XeSS
VFXQuality.HIGH
VFXQuality.LOW
Validation.number
Vertical.onNavigateInput
VictoryCinematicTypes.NO_VICTORY_CINEMATIC_TYPE
VictoryManager.claimedVictories
VictoryManager.enabledLegacyPathDefinitions
VictoryManager.getHighestAmountOfLegacyEarned
VictoryManager.processedScoreData
VictoryManager.processedVictoryData
VictoryManager.victoryEnabledPlayers
VictoryManager.victoryManagerUpdateEvent
VictoryManager.victoryProgress
VictoryPoints.highestScore
VictoryPoints.legacyTypeToBgColor
VictoryPoints.legacyTypeToVictoryType
VictoryPoints.scoreData
VictoryPoints.updateCallback
VictoryProgress.getBackdropByAdvisorType
VictoryProgress.playerScores
VictoryProgress.update
VictoryProgressOpenTab.LegacyPathsCulture
VictoryProgressOpenTab.LegacyPathsEconomic
VictoryProgressOpenTab.LegacyPathsMilitary
VictoryProgressOpenTab.LegacyPathsScience
VictoryProgressOpenTab.RankingsOverView
VictoryQuestState.QUEST_COMPLETED
VictoryQuestState.QUEST_IN_PROGRESS
VictoryQuestState.QUEST_UNSTARTED
ViewManager.addHandler
ViewManager.current
ViewManager.getHarness
ViewManager.handleLoseFocus
ViewManager.handleReceiveFocus
ViewManager.isLastViewContextExcluded
ViewManager.isRadialSelectionAllowed
ViewManager.isUnitSelectingAllowed
ViewManager.isWorldInputAllowed
ViewManager.isWorldSelectingAllowed
ViewManager.setCurrentByName
ViewManager.switchToEmptyView
Visibility.getPlotsRevealedCount
Visibility.isVisible
VisualRemapSelection.Disabled
VisualRemapSelection.Enabled
VisualRemaps.getAvailableRemaps
VisualRemaps.getRemapState
VisualRemaps.hasUnsavedChanges
VisualRemaps.resetToDefaults
VisualRemaps.revertUnsavedChanges
VisualRemaps.saveConfiguration
VisualRemaps.setRemapState
WarTypes.FORMAL_WAR
WatchOutManager.closePopup
WatchOutManager.currentWatchOutPopupData
WatchOutManager.isManagerActive
WatchOutManager.raiseNotificationPanel
WatchOutManagerClass.instance
WaterQuality.HIGH
WaterQuality.LOW
WorldAnchorTextManager._instance
WorldAnchorTextManager.instance
WorldAnchors.ClearWorldUnitsSelectedUnitTargeting
WorldAnchors.CreateAtPlot
WorldAnchors.RegisterFixedWorldAnchor
WorldAnchors.RegisterUnitAnchor
WorldAnchors.SetWorldUnitsSelectedUnitTargeting
WorldAnchors.UnregisterFixedWorldAnchor
WorldAnchors.UnregisterUnitAnchor
WorldBuilder.MapPlots
WorldInput.isDistrictSelectable
WorldInput.requestMoveOperation
WorldInput.setPlotSelectionHandler
WorldInput.useDefaultPlotSelectionHandler
WorldUI.ForegroundCamera
WorldUI.addBackgroundLayer
WorldUI.addMaskedBackgroundLayer
WorldUI.clearBackground
WorldUI.createFixedMarker
WorldUI.createModelGroup
WorldUI.createOverlayGroup
WorldUI.createSpriteGrid
WorldUI.getPlotLocation
WorldUI.hash
WorldUI.isAssetLoaded
WorldUI.loadAsset
WorldUI.minimapToWorld
WorldUI.popFilter
WorldUI.pushGlobalColorFilter
WorldUI.pushRegionColorFilter
WorldUI.releaseMarker
WorldUI.requestCinematic
WorldUI.requestPortrait
WorldUI.setUnitVisibility
WorldUI.triggerCinematic
WorldUI.triggerVFXAtPlot
WorldUtil.getUnit
WorldVFXManager.instance
XR.Atlas
XR.Autoplay
XR.FireTuner
XR.Gameplay
XR.Options
XR.World
XRScreenshotAllSeuratsCivilisations.ROME
XRScreenshotAllSeuratsGameplayState.ChangingVista
XRScreenshotAllSeuratsGameplayState.FreezingView
XRScreenshotAllSeuratsGameplayState.GameLoaded
XRScreenshotAllSeuratsGameplayState.GameNotLoaded
XRScreenshotAllSeuratsGameplayState.Screenshotting
XRScreenshotAllSeuratsGameplayState.UnFreezingView
XRScreenshotAllSeuratsMenuState.Complete
XRScreenshotAllSeuratsMenuState.Deciding
XRScreenshotAllSeuratsMenuState.FreezingView
XRScreenshotAllSeuratsMenuState.Initialising
XRScreenshotAllSeuratsMenuState.Screenshotting
XRScreenshotAllSeuratsMenuState.Teleporting
XRScreenshotAllSeuratsMenuState.UnFreezingView
XRScreenshotAllSeuratsPopulations.High
XRScreenshotAllSeuratsPopulations.Low
XRScreenshotAllSeuratsScene.Gameplay
XRScreenshotAllSeuratsScene.MainMenu
XRSplashScreen.js
XRSplashScreen.ts
XRTeleportTestState.Complete
XRTeleportTestState.Moving
XRTeleportTestState.ReturningHome
XRTeleportTestState.Teleporting
XeSSQuality.BALANCED
XeSSQuality.NATIVE
XeSSQuality.PERFORMANCE
XeSSQuality.QUALITY
XeSSQuality.ULTRA_PERFORMANCE
XeSSQuality.ULTRA_QUALITY
XeSSQuality.ULTRA_QUALITY_PLUS
YieldBar.cityYields
YieldBar.updateCallback
YieldBar.yieldBarUpdateEvent
YieldReportData.currentGoldBalance
YieldReportData.currentInfluenceBalance
YieldReportData.netUnitGold
YieldReportData.update
YieldReportData.updateCallback
YieldReportData.yieldCity
YieldReportData.yieldOther
YieldReportData.yieldSummary
YieldReportData.yieldUnits
YieldSourceTypes.ADJACENCY
YieldSourceTypes.BASE
YieldSourceTypes.WAREHOUSE
YieldSourceTypes.WORKERS
YieldTypes.NO_YIELD
YieldTypes.YIELD_CULTURE
YieldTypes.YIELD_DIPLOMACY
YieldTypes.YIELD_FOOD
YieldTypes.YIELD_GOLD
YieldTypes.YIELD_HAPPINESS
YieldTypes.YIELD_PRODUCTION
YieldTypes.YIELD_SCIENCE
ZoomType.In
ZoomType.None
ZoomType.Out
_HeaderImage.png
_ProductionChooserAccordionSection_isOpen_accessor_storage.set
_active.length
_adapters._date
_city.Religion
_city.isTown
_context.index
_cultureDefinition.IconString
_cultureDefinition.ProgressionTreeNodeType
_dataChanges.length
_dataChanges.push
_dataset._decimated
_dataset.data
_deArr.length
_duArr.length
_e.addEventListener
_e.classList
_e.querySelectorAll
_entryContainer.appendChild
_h_t_m_l_data_binding.html
_item.highlightPlots
_item.nextID
_location.x
_location.y
_numInstances.toString
_panelOptions.selectedContent
_panelOptions.slotIndex
_parseObjectDataRadialScale.bind
_parsed.length
_player.Cities
_player.Stats
_proxy._scopes
_request.milestoneDefinition
_scaleRanges.xmax
_scaleRanges.xmin
_scaleRanges.ymax
_scaleRanges.ymin
_scopeCache.get
_scopeCache.set
_soc.png
_stack.add
_stack.count
_stack.delete
_stack.has
_stack.weight
_sub.addEventListener
_sub.removeAttribute
_sub.setAttribute
_techDefinition.ProgressionTreeNodeType
a.AgeTypeOverride
a.CivilizationTypeOverride
a.Description
a.LeaderTypeOverride
a.Locale
a.Priority
a.Resolution
a.Sort
a.SortIndex
a.angle
a.availablePoints
a.category
a.compareDocumentPosition
a.completed
a.currentAgeScore
a.currentScore
a.data
a.datasetIndex
a.displayType
a.filter
a.gameName
a.getAttribute
a.highestPriority
a.highestSeverity
a.index
a.isLocked
a.isMainYield
a.label
a.leaderName
a.length
a.lowestID
a.name
a.pageGroupID
a.pos
a.positive
a.priority
a.rank
a.route
a.saveTime
a.score
a.sectionID
a.severity
a.size
a.sortIndex
a.sortOrder
a.tabText
a.totalAgeScore
a.treeGrid
a.type
a.uniqueID
a.victoryTurn
a.yieldType
a0.length
a1.length
aPlacementPlots.find
aPlacementPlots.forEach
aPlacementPlots.push
aPossibleLocations.length
aPossibleLocations.push
aPossibleWonders.indexOf
aPossibleWonders.length
aPossibleWonders.push
aPossibleWonders.splice
aPossibleWonders.unshift
aResourceTypes.forEach
aResourceTypes.length
aResourceTypes.push
aSettlements.length
aTests.length
aTypesRemoved.find
aTypesRemoved.length
aTypesRemoved.push
abandonPopup.body
abandonPopup.title
abandonStrToErrorBody.get
abandonStrToErrorTitle.get
abbasid.css
abbasid.html
abbasid.js
abbasid.ts
ability.Description
ability.Name
abilityDescriptionElement.classList
abilityDescriptionElement.innerHTML
abilityNameElement.classList
abilityNameElement.innerHTML
abuseReasonToName.get
abuseReasonToTooltip.get
acc.push
acc.sum
acc.weight
acceptButton.addEventListener
acceptButton.setAttribute
acceptRejectIcon.classList
acceptRejectLeader.classList
acceptRejectStatus.classList
acceptRejectText.appendChild
acceptRejectText.classList
acceptRejectValues.appendChild
acceptRejectValues.classList
acceptRejectWrapper.appendChild
accessTitle.classList
accessTitle.innerHTML
accessibilityContainer.appendChild
accessibilityContainer.classList
accordion.js
account.css
account.html
account.js
account.ts
achieved.css
achieved.js
achieved.ts
ackButton.addEventListener
ackButton.classList
ackButton.setAttribute
acknowledgeButton.addEventListener
acknowledgeButton.appendChild
acknowledgeButton.classList
acknowledgeIcon.classList
acknowledgeIcon.setAttribute
acknowledgeIconContainer.appendChild
acknowledgeIconContainer.classList
acknowledgeIconImage.classList
acknowledgeString.classList
acknowledgeString.innerHTML
acquireTileParameters.CityID
actingPlayer.id
actingPlayer.isAtWar
actingPlayer.relationshipIcon
action.Callback
action.UICategory
action.actionString
action.actionType
action.actionTypeName
action.active
action.audioString
action.available
action.callback
action.chargesLeft
action.completionScore
action.confirmBody
action.confirmTitle
action.css
action.description
action.disabledTooltip
action.gameTurnStart
action.hidden
action.icon
action.initialPlayer
action.js
action.lastStageDuration
action.name
action.priority
action.revealed
action.targetPlayer
action.type
action.uniqueID
actionButtonBk.appendChild
actionButtonBk.classList
actionButtonDecor.classList
actionButtonGear.classList
actionButtonMain.classList
actionButtonMap.get
actionButtonNotification.addEventListener
actionButtonNotification.appendChild
actionButtonNotification.classList
actionButtonNotification.setAttribute
actionButtonNotificationContainer.appendChild
actionButtonNotificationContainer.classList
actionButtonNotificationIcon.classList
actionButtonTextPlate.appendChild
actionButtonTextPlate.classList
actionButtonTextPlateContainer.appendChild
actionButtonTextPlateContainer.classList
actionButtonTxtPlateBk.classList
actionButtonUnitBracket.classList
actionData.actionGroup
actionData.actionType
actionData.actionTypeName
actionData.completionScore
actionData.initialPlayer
actionData.name
actionData.progressScore
actionData.support
actionData.targetPlayer
actionData.uniqueID
actionDef.RevealChance
actionDef.SuccessChance
actionDef.UIIconPath
actionDetailsContainer.appendChild
actionDetailsContainer.classList
actionHeader.completionScore
actionHeader.initialPlayer
actionHeader.progressScore
actionHeader.support
actionHeader.targetPlayer
actionHeader.uniqueID
actionKey.toLowerCase
actionListDiv.appendChild
actionListDiv.getAttribute
actionName.classList
actionName.innerHTML
actionName.setAttribute
actionOperationArguments.City
actionOperationArguments.ID
actionOperationArguments.Player2
actionOperationArguments.Player3
actionOperationArguments.Unit
actionOption.actionType
actionOption.displayName
actionOption.showCheckCallback
actionPanelContainer.appendChild
actionPanelContainer.classList
actionPrompts.map
actionVisDiv.appendChild
actionVisDiv.classList
actionVisDiv.getAttribute
action_excavateartifacts.png
action_lookout.png
action_naturalartifacts.png
action_rangedattack.png
action_researchartifacts.png
actions.css
actions.entries
actions.filter
actions.find
actions.forEach
actions.js
actions.length
actions.push
actions.ts
actionsContainer.appendChild
actionsContainer.classList
actionsList.push
actionsList.sort
activatable.addEventListener
activatable.classList
activatable.innerHTML
activatable.js
activatable.setAttribute
activatable.ts
activateBeliefDef.BeliefType
activateBeliefDef.Name
activateButton.addEventListener
activateButton.classList
activateButton.innerHTML
activated.length
activatedElement.contains
activatedElement.dispatchEvent
activatedElement.nodeName
activationEventData.byUser
activationEventData.changedBy
activationEventData.cityID
activationEventData.constructible
activationEventData.constructibleType
activationEventData.id
activationEventData.improvementType
activationEventData.location
activationEventData.newPopulation
activationEventData.percentComplete
activationEventData.player
activationEventData.player1
activationEventData.player2
activationEventData.productionItem
activationEventData.productionKind
activationEventData.queueEntry
activationEventData.reason
activationEventData.status
activationEventData.transferType
activationEventData.unit
activationEventData.unitType
activationEventData.viewingObjectID
active.length
active.png
active.push
active.reverse
activeContainer.appendChild
activeContainer.firstChild
activeContainer.hasChildNodes
activeContainer.insertBefore
activeContainer.lastChild
activeContainer.removeChild
activeCrisisPolicyContainer.appendChild
activeCrisisPolicyContainer.hasChildNodes
activeCrisisPolicyContainer.lastChild
activeCrisisPolicyContainer.removeChild
activeElements.map
activeEvents.length
activeItem.ID
activeNode.nodeType
activeNormalPolicyContainer.appendChild
activeNormalPolicyContainer.hasChildNodes
activeNormalPolicyContainer.lastChild
activeNormalPolicyContainer.removeChild
activePlayers.length
activePlayers.push
activeQuests.forEach
activeRequest.category
activeRequests.length
activeSlotData.availableMementos
activeTitle.classList
activeTitle.setAttribute
activeZones.push
adapter.add
adapter.diff
adapter.endOf
adapter.format
adapter.formats
adapter.init
adapter.parse
adapter.startOf
add.isCancelled
add2KFriendButton.addEventListener
add2KFriendButton.classList
addImprovementText.classList
addPlatFriendButton.addEventListener
addPlatFriendButton.classList
added.length
addedGreatWorkDetails.length
addedGreatWorkDetails.pop
addedLabels.unshift
addedPromos.length
addedResources.length
addedResources.pop
additionalProperty.name
additionalSearchTerms.get
additionalSearchTerms.set
additionalText.push
adjPlot.x
adjPlot.y
adjacencies.push
adjacency.change
adjacency.sourcePlotIndex
adjacency.yieldType
adjacencyData.forEach
adjacencyData.push
adjacencyDirection.toString
adjacencyIcons.get
adjacentPlotDirection.length
adjacentPlots.length
adjacentPlots.push
advStartChooser.classList
advStartParams.MaxRegionPlots
adv_port_bk.png
advancedGraphicsOptionSetters.length
advancedGraphicsOptionSetters.push
advancedOptionsButton.addEventListener
advancedOptionsButton.classList
advancedOptionsButton.setAttribute
advancedSettingsHeader.classList
advancedSettingsHeader.setAttribute
advancedStartOptions.isAgeTransition
advisor.button
advisor.getLocParams
advisor.id
advisor.quote
advisor.text
advisor.type
advisorBg.classList
advisorBorder.classList
advisorButton.addEventListener
advisorButton.classList
advisorButton.setAttribute
advisorCardBg.classList
advisorCardFiligree.classList
advisorElement.appendChild
advisorElement.classList
advisorIcon.classList
advisorIcon.style
advisorImage.classList
advisorImage.style
advisorImageElement.classList
advisorImageElement.style
advisorItems.sort
advisorPanel.appendChild
advisorPanel.classList
advisorPath.state
advisorPicContainer.appendChild
advisorPicContainer.classList
advisorPortraitWrapper.appendChild
advisorPortraitWrapper.classList
advisorQuote.classList
advisorQuote.innerHTML
advisorQuoteBackground.classList
advisorQuoteContainer.appendChild
advisorQuoteContainer.classList
advisorRecommendationContainer.appendChild
advisorRecommendationContainer.classList
advisorRecommendationIcon.classList
advisorRecommendationIcon.setAttribute
advisorRecommendationText.classList
advisorRecommendationText.setAttribute
advisorText.classList
advisorText.setAttribute
advisorTextBottomBorder.classList
advisorTextTopBorder.classList
advisorTextWrapper.appendChild
advisorTextWrapper.classList
advisorTitleContainer.classList
advisorTopContainer.classList
advisorTypeIcon.classList
advisorTypeIcon.style
advisorTypeIconBg.classList
advisors.find
advisors.forEach
advisorsContainer.appendChild
advisorsContainer.hasChildNodes
advisorsContainer.lastChild
advisorsContainer.removeChild
afterBody.apply
afterPoint.skip
age.AgeName
age.AgeType
age.ChronologyIndex
age.Name
age.ageName
age.description
age.isDisabled
age.isSelected
age.name
age.originDomain
age.type
age.value
ageButton.addEventListener
ageButton.appendChild
ageButton.classList
ageButton.getAttribute
ageButton.setAttribute
ageButtonContainer.appendChild
ageData.pediaPageIds
ageDefinition.AgeType
ageDefinition.Name
ageDesc.classList
ageDesc.innerHTML
ageDesc.setAttribute
ageElements.ring
ageElements.turnCounter
ageEndingContainer.appendChild
ageEndingContainer.classList
ageEndingContainer.id
ageHeader.appendChild
ageHeader.classList
ageId.toLowerCase
ageInfo.age
ageItems.push
ageMap.get
ageMap.set
ageName.classList
ageName.innerHTML
ageName.slice
ageObject.Name
agePanel.addEventListener
agePanel.classList
ageParameter.domain
ageParameter.value
ageProgressTitle.classList
ageProgressTitle.setAttribute
ageProgressTotal.innerHTML
ageProgressWrapper.appendChild
ageProgressWrapper.classList
ageProgression.classList
ageProgression.role
ageProgression.setAttribute
ageProgression.style
ageRankScrollable.appendChild
ageRankScrollable.classList
ageRankScrollable.setAttribute
ageRankSlot.appendChild
ageRankSlot.classList
ageRankWrapper.appendChild
ageRankWrapper.classList
ageRankingContent.appendChild
ageRankingContent.classList
ageRankingContent.id
ageRankingContent.setAttribute
ageSelectHeader.classList
ageSelectHeader.setAttribute
ageSelector.addEventListener
ageSelector.classList
ageSelector.componentCreatedEvent
ageSelector.setAttribute
ageTitle.classList
ageTitle.setAttribute
ageUnlocksFiligree.classList
ageUnlocksHeader.classList
ageUnlocksHeader.setAttribute
agecard_dark.png
agecard_victory.png
agelessConstruct.description
agelessConstruct.quantity
agelessContentWrapper.appendChild
agelessContentWrapper.classList
agelessDescription.classList
agelessDescription.innerHTML
agelessItemTypes.add
agelessItems.forEach
agelessItems.push
agelessPage.appendChild
agelessPage.classList
agelessPage.id
agelessScrollSlot.classList
agelessScrollable.appendChild
agelessScrollable.setAttribute
agelessSection.classList
agelessTypes.has
agelessWondersOwned.push
agendaDesc.classList
agendaDesc.innerHTML
agendaDescs.length
agendaName.classList
agendaName.innerHTML
agendaNames.length
agendaText.appendChild
agendaText.classList
agendaText.role
agendaTitle.classList
agendaTitle.innerHTML
agendaTitle.setAttribute
ages.sort
ai.js
ai.ts
aiBenchmarkButton.addEventListener
aiBenchmarkButton.remove
aiPlayerCount.toString
air.js
airAttack.Success
aksum.css
aksum.html
aksum.js
aksum.ts
algorithms.js
algorithms.ts
alignment.xAlign
alignment.yAlign
aliveMajorIds.length
alivePlayers.forEach
allComponentInitializedPromises.push
allEvents.traceEvents
allLiveEventRewards.includes
allNavigableElements.concat
allPoliciesContainer.classList
allRewardItems.push
allRewards.find
allTextContainer.appendChild
allTextContainer.classList
allTreeTypes.join
allUnlocks.length
allWarehouseBonuses.forEach
allYieldContainer.appendChild
allYieldContainer.firstChild
allYieldContainer.hasChildNodes
allYieldContainer.removeChild
allianceResults.FailureReasons
allianceResults.Success
allocation.css
allocation.html
allocation.js
allocation.ts
america.css
america.html
america.js
america.ts
amina.css
amina.html
amina.js
amina.ts
amount.textContent
anchorPosition.x
anchorPosition.y
angleLines.color
angleLines.display
angleLines.setContext
anglePoint.x
anglePoint.y
anim.active
anim.appendChild
anim.classList
anim.wait
animButtonContainer.appendChild
animButtonContainer.classList
animButtonContainer.remove
animProps.time
animX._to
animY._to
animatedProps.get
animatedProps.has
animatedProps.set
animation.active
animation.cancel
animation.style
animation.update
animationOptions.onComplete
animationOptions.onProgress
animationOpts.animateRotate
animationOpts.animateScale
animations.js
animations.length
animations.push
animator.add
animator.has
animator.listen
animator.remove
animator.running
animator.start
animator.stop
anims.duration
anims.initial
anims.items
anims.listeners
anims.running
anims.start
anims.update
anims.x
anims.y
antialiasingOptions.push
antiquity.js
antiquity.ts
antiquity_culture_victory.png
antiquity_domination_victory.png
antiquity_economic_victory.png
antiquity_science_victory.png
antiquity_tutorial_city.png
antiquity_tutorial_diplomacy_1.png
antiquity_tutorial_land_claim_2.png
antiquity_tutorial_overview.png
antiquity_tutorial_victory_1.png
antiquity_tutorial_victory_2.png
api.getNetYield
api.js
appendRow.appendChild
appendRow.innerHTML
appoptions.txt
arc.active
arc.options
archeology.js
archeology.ts
archipelago.js
arcs.length
area.bottom
area.height
area.left
area.right
area.top
area.width
areaRect.bottom
areaRect.left
areaRect.right
areaRect.top
arg.id
arg0.name
arg0.v
arg0.w
args.IndependentIndex
args.InsertMode
args.Kind
args.LocalID
args.Location
args.Modifiers
args.Owner
args.Parent
args.Progress
args.QueueLocation
args.ReligionCustomName
args.ReligionType
args.Type
args.X
args.Y
args.cancelable
args.changed
args.event
args.inChartArea
args.length
args.meta
args.replay
args.slice
args.split
argsArray.length
argsArray.shift
argumentMessage.slice
argumentMessage.splice
arguments.length
arms.css
arms.html
arms.js
arms.ts
army.combatUnitCapacity
army.getUnitIds
army.js
army.packUnit
army.ts
army.unitCount
armyAction.callback
armyStats.textContent
armyUnit.type
armyUnitIds.reduce
armyUnits.length
arr.indexOf
arr.length
array._chartjs
array.filter
array.length
array.push
array.reduce
array.slice
array.sort
array.splice
arrayEvents.forEach
arrayOfThings.length
arrayToClone.length
arrow.classList
arrow.removeEventListener
arrowAnim.classList
arrowContainer.classList
arrowHead.classList
arrowImg.classList
arrowShadow.classList
arrowShape.classList
ashoka.css
ashoka.html
ashoka.js
ashoka.ts
asyncRequest.then
atlas.data
atlas.element
atlas.length
atlassian.net
attack.ani
attack.js
attack.ts
attackerHealthPercentage.toString
attackerSimulatedHealthPercentage.toString
attackerUnitDefinition.UnitType
attackingPlayer.leaderType
attackingUnit.Combat
attackingUnit.Health
attackingUnit.id
attackingUnit.name
attackingUnit.owner
attackingUnit.type
attackingUnitCombat.bombardStrength
attackingUnitCombat.canAttack
attackingUnitCombat.getMeleeStrength
attackingUnitCombat.isCombat
attackingUnitCombat.rangedStrength
attackingUnitHealth.damage
attackingUnitHealth.maxDamage
attacksRemaining.toString
attr.name
attr.type
attribute.base
attribute.modifier
attribute.type
attribute.value
attributeDef.AttributeType
attributeDef.Name
attributeDef.ProgressionTreeType
attributePoints.toString
attributePointsElement.appendChild
attributePointsElement.classList
attributePointsText.classList
attributePointsText.innerHTML
attributeStyleMap.delete
attributeStyleMap.has
attributeStyleMap.set
attributeTabBar.addEventListener
attributeTabBar.classList
attributeTabBar.setAttribute
attributeTabContainer.appendChild
attributeTabContainer.classList
attributes.forEach
attributesButton.addEventListener
attributesButton.appendChild
attributesButton.classList
attributesButton.setAttribute
attrs.dummy
attrs.height
attrs.labelpos
attrs.width
audioControls.appendChild
audioLanguages.entries
augustus.css
augustus.html
augustus.js
augustus.ts
autoFillButton.addEventListener
autoFillButton.classList
autoFillButton.setAttribute
autoItem.label
automatchButtonBgImg.classList
automationEndHandler.register
automationLoadGameHandler.register
automationLoopTestsHandler.register
automationPauseGameHandler.register
automationQuitAppHandler.register
automationQuitGameHandler.register
automationTestBenchmarkAIHandler.register
automationTestBenchmarkGraphicsHandler.register
automationTestLoadGameFixedViewHandler.register
automationTestManager.register
automationTestMenuBenchmarkHandler.register
automationTestPlayGameFixedViewHandler.register
automationTestPlayGameFixedViewMRHandler.register
automationTestPlayGameHandler.register
automationTestProductionHandler.register
automationTestSaveRuntimeDatabase.register
automationTestUIHandler.register
automationTestXRScreenshotAllSeuratsHandler.register
automationTestXRTeleportZonesHandler.register
autoplay.log
availCard.instancesLeft
availCard.numInstances
availCard.typeID
availableBonusResourcesContainer.classList
availableCardEntry.canBeAdded
availableCardEntry.oddCard
availableCards.appendChild
availableCities.push
availableCityResourcesContainer.classList
availableContainer.appendChild
availableContainer.hasChildNodes
availableContainer.lastChild
availableContainer.removeChild
availableCount.toString
availableDiplomacyYield.toString
availableElements.find
availableFactoryResourceSlot.addEventListener
availableFactoryResourceSlot.classList
availableFactoryResourceSlot.setAttribute
availableFactoryResourcesContainer.classList
availableFlags.push
availableLegacyPoints.find
availableMementos.add
availableMementos.find
availableMementos.has
availablePlots.push
availablePortraits.length
availablePortraits.push
availableProjectData.filter
availableProjectsSlot.appendChild
availableProjectsSlot.hasChildNodes
availableProjectsSlot.lastChild
availableProjectsSlot.removeChild
availableRelationshipIcons.push
availableResource.value
availableTrees.forEach
availableWarSupport.push
axis.indexOf
axisOptions.id
b.AgeTypeOverride
b.CivilizationTypeOverride
b.Description
b.LeaderTypeOverride
b.Locale
b.Priority
b.ReasonDescription
b.Resolution
b.Sort
b.SortIndex
b.angle
b.category
b.completed
b.currentAgeScore
b.currentScore
b.datasetIndex
b.displayType
b.dnaId
b.gameName
b.getAttribute
b.has
b.highestPriority
b.highestSeverity
b.index
b.isLocked
b.isMainYield
b.label
b.leaderName
b.lowestID
b.maybeComponent
b.name
b.pageGroupID
b.pos
b.positive
b.priority
b.rank
b.route
b.saveTime
b.score
b.setAttribute
b.severity
b.size
b.some
b.sortIndex
b.sortOrder
b.tabText
b.totalAgeScore
b.uniqueID
b.victoryTurn
b.yieldType
ba_default.png
backButton.addEventListener
backButton.classList
backButton.setAttribute
background.appendChild
background.classList
backgroundImage.classList
backgroundImage.style
backgroundImageContainer.appendChild
backgroundImageContainer.classList
backgroundImageElement.style
backgroundJoinCode.appendChild
backgroundJoinCode.classList
backgroundOverlay.classList
backgroundOverlayHover.classList
backgroundOverlayHover.setAttribute
backgroundOverlayJoinCode.classList
backgroundPoint.x
backgroundPoint.y
backgroundWrapper.appendChild
backgroundWrapper.style
badge.gameItemId
badge.js
badge.ts
badgeItem.description
badgeItem.gameItemId
badgeItem.unlockCondition
badgeItem.url
ball.png
banner.addEventListener
banner.affinityUpdate
banner.bannerLocation
banner.css
banner.disable
banner.enable
banner.gameItemId
banner.html
banner.js
banner.querySelector
banner.removeEventListener
banner.routeInfo
banner.setAttribute
banner.setVisibility
banner.ts
bannerElements.length
bannerItem.description
bannerItem.gameItemId
bannerItem.unlockCondition
bannerItem.url
bannerOverlay.classList
bannerShadow.classList
banners.classList
banners.css
banners.html
banners.insertAdjacentElement
banners.js
banners.parentElement
banners.ts
bar.appendChild
bar.borderSkipped
bar.classList
bar.css
bar.getProps
bar.horizontal
bar.html
bar.js
bar.options
bar.ts
barContainer.appendChild
barContainer.hasChildNodes
barContainer.lastChild
barContainer.removeChild
barRow.appendChild
barRow.classList
barRow.style
barWidth.toString
barycenters.forEach
base.apply
base.js
base.json
base.push
base.steps
base.ts
base.xml
baseData.childData
baseDescription.length
baseNode.children
baseNode.name
baseYield.children
baseYieldStrings.join
baseYieldStrings.length
baseYieldStrings.push
basicSettingsHeader.classList
basicSettingsHeader.setAttribute
batchNotification.length
batchNumber.toString
battuta.css
battuta.html
battuta.js
battuta.ts
beforeBody.apply
befriendingNavHelp.classList
belief.BeliefClassType
belief.BeliefType
belief.Description
belief.Name
beliefChoice.addEventListener
beliefChoice.classList
beliefChoice.componentCreatedEvent
beliefChoice.setAttribute
beliefClass.BeliefClassType
beliefClass.Name
beliefDef.BeliefClassType
beliefDef.BeliefType
beliefDef.Description
beliefDef.Name
beliefOptionScrollbox.appendChild
beliefReligionFounder.setAttribute
beliefReligionHolyCity.setAttribute
beliefReligionIcon.style
beliefReligionName.setAttribute
beliefReligionPercentFollowing.setAttribute
beliefSubsystemFrame.addEventListener
beliefToAdd.toString
beliefs.forEach
below.unshift
benchmark.js
benchmark.ts
bestYieldChanges.length
bg.appendChild
bg.classList
bg.png
bg.religion
bg.setAttribute
bgContainer.classList
bgContainer.id
bgContainer.innerHTML
bgFrameSetOpacity.classList
bgImage.classList
bgImage.style
bgl.classList
bias.filter
biome.BiomeType
biome.Name
biomeType.toString
blPred.order
blob.replace
blockedAccessReason.length
blockedPlayerInfo.friendID1P
blockedPlayerInfo.friendIDT2gp
blockedPlayerInfo.is1PBlocked
blockedPlayerInfo.platform
blockedPlayerInfo.playerName1P
blockedPlayerInfo.playerNameT2gp
blockedPlayerInfo.state1P
blockedPlayerInfo.stateT2gp
blockingNotification.Type
bn_lafayette.png
body.addEventListener
body.appendChild
body.classList
body.getLocParams
body.innerHTML
body.length
body.reduce
body.role
body.text
body.textContent
bodyContainer.appendChild
bodyContainer.classList
bodyContainer.innerHTML
bodyFont.lineHeight
bodyFont.string
bodyItem.after
bodyItem.before
bodyItem.lines
bodyItems.push
bodyText.classList
bodyText.setAttribute
bomb.js
bonus.Kind
bonus.Type
bonus.classList
bonus.description
bonus.icon
bonus.js
bonus.text
bonus.title
bonusDefinition.CityStateBonusType
bonusDefinition.Description
bonusDefinition.Name
bonusEle.classList
bonusEle.componentCreatedEvent
bonusItem.appendChild
bonusItem.classList
bonusItem.setAttribute
bonusItemBorder.appendChild
bonusItemBorder.classList
bonusItemBorder.setAttribute
bonusItemContentContainer.appendChild
bonusItemContentContainer.classList
bonusItemDescription.classList
bonusItemDescription.setAttribute
bonusItemIcon.classList
bonusItemIcon.setAttribute
bonusItemImage.classList
bonusItemImage.style
bonusItemTextContainer.appendChild
bonusItemTextContainer.classList
bonusItemTitle.classList
bonusItemTitle.setAttribute
bonusItems.filter
bonusText.setAttribute
bonus_cultural.png
bonus_dark.png
bonus_economic.png
bonus_militaristic.png
bonus_scientific.png
bonus_wildcard.png
bonuses.length
bonusesHeader.classList
bonusesHeader.setAttribute
bonustype_cultural.png
bonustype_economic.png
bonustype_militaristic.png
bonustype_scientific.png
border.appendChild
border.b
border.classList
border.css
border.desc1
border.gameItemId
border.html
border.isLocked
border.js
border.l
border.name
border.r
border.t
border.unlockCondition
border.url
borderAnim.appendChild
borderAnim.classList
borderContainer.appendChild
borderContainer.classList
borderImage.classList
borderItem.desc1
borderItem.name
borderItem.unlockCondition
borderItem.url
borderLeft.classList
borderOpts.borderColor
borderOpts.borderWidth
borderOpts.drawBorder
borderOverlay.setDefaultStyle
borderOverlay.setPlotGroups
borderOverlay.setThicknessScale
borderRight.classList
borderStyle.primaryColor
borderStyle.secondaryColor
borderStyle.style
borderWidth.height
borderWidth.width
borders.height
borders.left
borders.top
borders.width
bottom.center
bottom.left
bottom.right
bottomBar.appendChild
bottomBar.classList
bottomBorder.classList
bottomButton.getAttribute
bottomControls.appendChild
bottomControls.classList
bottomFil.remove
bottomLineSplit.appendChild
bottomLineSplit.classList
bottomLineSplit.style
bottomLineSplitStyle.heightPX
bottomLineSplitStyle.leftPX
bottomLineSplitStyle.topPX
bottomPanel.appendChild
bottomPanel.classList
bottomRow.appendChild
bounds.bottom
bounds.end
bounds.height
bounds.left
bounds.max
bounds.min
bounds.right
bounds.start
bounds.top
bounds.width
box._layers
box.beforeLayout
box.bottom
box.configure
box.css
box.fullSize
box.getPadding
box.height
box.isHorizontal
box.js
box.left
box.position
box.right
box.top
box.ts
box.update
box.weight
box.width
boxPadding.bottom
boxPadding.left
boxPadding.right
boxPadding.top
boxes.chartArea
boxes.fullSize
boxes.horizontal
boxes.leftAndTop
boxes.length
boxes.rightAndBottom
boxes.vertical
brPred.order
breakdown.js
brightness3DValue.toString
brightness3dTitle.classList
brightness3dTitle.setAttribute
brightnessUIValue.toString
browseServerType.toString
btn.setAttribute
buckets.entries
buganda.css
buganda.html
buganda.js
buganda.ts
buildQueue.currentProductionKind
buildQueue.currentProductionTypeHash
buildQueue.currentTurnsLeft
buildQueue.getPercentComplete
buildQueue.isEmpty
building.ConstructibleClass
building.ConstructibleType
building.TraitType
building.constructibleID
building.damaged
building.description
building.js
building.name
building.quantity
building.ts
building.type
buildingContainer.appendChild
buildingContainer.classList
buildingData.constructibleType
buildingDef.Movable
buildingDefinition.ConstructibleType
buildingDefinition.Name
buildingEntry.appendChild
buildingEntry.classList
buildingInfo.ConstructibleType
buildingInfo.Name
buildingInstance.damaged
buildingInstance.type
buildingListContainer.appendChild
buildingListContainer.classList
buildingListItem.classList
buildingListItem.name
buildingOneDef.ConstructibleType
buildingSlot.insertAdjacentElement
buildingSlots.push
buildingSlotsContainer.classList
buildingTwoDef.ConstructibleType
buildingWrapper.appendChild
buildingWrapper.classList
buildings.find
buildings.ts
bumper.addEventListener
bumper.classList
bumper.setAttribute
button.addEventListener
button.appendChild
button.audio
button.autofocus
button.buttonListener
button.callback
button.classList
button.css
button.disabled
button.extraClass
button.getAttribute
button.getBoundingClientRect
button.html
button.js
button.name
button.parentElement
button.png
button.querySelector
button.selected
button.separator
button.setAttribute
button.style
button.ts
buttonBackground.classList
buttonBar.classList
buttonBk.classList
buttonContainer.appendChild
buttonContainer.classList
buttonContainer.lastChild
buttonContainer.removeChild
buttonContainer.setAttribute
buttonContainer.style
buttonContentOverlay.appendChild
buttonContentOverlay.classList
buttonData.audio
buttonData.callback
buttonData.caption
buttonData.class
buttonData.focusedAudio
buttonData.forEach
buttonData.modifierClass
buttonData.ringClass
buttonData.tooltip
buttonData.useCrisisMeter
buttonDescription.textContent
buttonFXS.addEventListener
buttonFXS.classList
buttonFXS.setAttribute
buttonFXS.style
buttonHighlight.classList
buttonHighlights.push
buttonHoverOverlay.classList
buttonIcon.classList
buttonIconBg.classList
buttonIconBg.cloneNode
buttonIconBgActive.classList
buttonIconBgDisabled.classList
buttonIconBgHover.classList
buttonIdleOverlay.classList
buttonList.forEach
buttonList.length
buttonList.push
buttonNumber.classList
buttonNumber.innerHTML
buttonRect.width
buttonText.textContent
buttonWrapper.appendChild
buyButton.addEventListener
buyButton.classList
 
Spoiler Page 3 :

Code:
c.BuildQueue
c.CivilizationType
c.Constructibles
c.Root
c.army
c.canvas
c.civData
c.cleanupEventListeners
c.commander
c.complete
c.id
c.initializeEventListeners
c.isBeingRazed
c.isJustConqueredFrom
c.isTown
c.loaded
c.onAttach
c.onDetach
c.owner
c.postOnAttach
c.px
c.setEngineInputProxy
c.splice
c.split
c.updateCallback
c.x
c.y
c0.valid
c1.a
c1.b
c1.g
c1.mix
c1.r
c1.valid
c2.a
c2.b
c2.g
c2.r
cPromo_bombardment.png
cache.components
cache.data
cache.font
cache.garbageCollect
cache.gc
cache.get
cache.has
cache.loaded
cache.promise
cache.set
cachedPlayerProfile.BackgroundColor
cachedPlayerProfile.BadgeId
cachedPlayerProfile.BannerId
cachedPlayerProfile.FoundationLevel
cachedPlayerProfile.PortraitBorder
cachedPlayerProfile.TitleLocKey
cachedTree.columns
cachedTree.originColumn
calculatedFocus.x
calculatedFocus.y
calculatedFocus.z
callToArmsBodyText.innerHTML
callToArmsTitleText.innerHTML
callbacks.afterFooter
callbacks.afterTitle
callbacks.beforeFooter
callbacks.beforeTitle
callbacks.footer
callbacks.forEach
callbacks.override
callbacks.title
callout.ID
callout.calloutElement
callout.classList
callout.css
callout.firstElementChild
callout.hidden
callout.html
callout.js
callout.setAttribute
callout.shouldCalloutHide
callout.ts
calloutDefine.actionPrompts
calloutDefine.advisor
calloutDefine.anchorHost
calloutDefine.body
calloutHost.appendChild
calloutOptionDef.actionKey
calloutOptionDef.closes
calloutOptionDef.nextID
calloutOptionDef.text
camera.zoomLevel
cameraParams.duration
cameraState.zoomLevel
canDisableModResult.status
canEnableModResult.status
canOverrun.Success
canStartPlots.length
canSwap.Success
cancelButton.addEventListener
cancelButton.appendChild
cancelButton.classList
cancelButton.setAttribute
cancelDescription.classList
cancelDescription.setAttribute
cancelIcon.classList
cancelIcon.setAttribute
cancelIconWrapper.appendChild
cancelIconWrapper.classList
cancelToken.isCancelled
candidate.x
candidate.y
candidates.forEach
candidates.length
cantplace.ani
canvas.clientHeight
canvas.clientWidth
canvas.getAttribute
canvas.getBoundingClientRect
canvas.getContext
canvas.height
canvas.removeAttribute
canvas.setAttribute
canvas.style
canvas.width
capital.BuildQueue
capital.id
capital.location
capital.name
capital.population
capitalIndicator.classList
caption.classList
captionContainer.appendChild
captionContainer.classList
capture.ts
card.canBeAdded
card.classList
card.colorClass
card.column
card.connectedNodeTypes
card.costs
card.css
card.description
card.discipline
card.effectTypes
card.effects
card.getAttribute
card.groupLimit
card.hasData
card.html
card.icon
card.iconClass
card.individualLimit
card.info
card.instancesLeft
card.insufficientFunds
card.isAvailable
card.isCompleted
card.isContent
card.isCurrentlyActive
card.isDummy
card.isLocked
card.isRepeatable
card.js
card.multipleInstancesString
card.name
card.nodeType
card.numInstances
card.parentElement
card.progressPercentage
card.promotion
card.queuePriority
card.repeatedDepth
card.row
card.setAttribute
card.setCivData
card.style
card.treeDepth
card.ts
card.turns
card.typeID
card.typeIcon
card.unlocksByDepthString
cardA.nodeType
cardA.promotion
cardB.nodeType
cardB.promotion
cardBG.appendChild
cardBG.classList
cardBGDarkGradient.classList
cardBGGradient.classList
cardBGLightGradient.classList
cardBGThickFrame.classList
cardBGThinFrame.classList
cardBgIcon.classList
cardBonuses.appendChild
cardBonuses.classList
cardContent.appendChild
cardContent.classList
cardContent.setAttribute
cardContentRadial.classList
cardDesc.classList
cardDesc.setAttribute
cardDetailContainer.appendChild
cardDetailContainer.classList
cardDetailContainer.contains
cardDetailContainer.setAttribute
cardDisabled.classList
cardEffectEntry.addEventListener
cardEffectEntry.classList
cardEffectEntry.setAttribute
cardEffects.appendChild
cardElement.addEventListener
cardElement.classList
cardElement.setAttribute
cardEntry.addEventListener
cardEntry.appendChild
cardEntry.classList
cardEntry.setAttribute
cardHighlight.classList
cardHitbox.addEventListener
cardHitbox.appendChild
cardHitbox.classList
cardHitbox.id
cardHitbox.setAttribute
cardInQueue.queuePriority
cardIndex.toString
cardInfo.BadgeURL
cardInfo.cost
cardInfo.description
cardInfo.effects
cardInfo.groupLimit
cardInfo.iconOverride
cardInfo.id
cardInfo.individualLimit
cardInfo.name
cardInfo.tooltip
cardInfo.twoKId
cardInfo.twoKName
cardInfoContainer.appendChild
cardInfoContainer.classList
cardLine.setAttribute
cardList.length
cardOverlay.classList
cardOverlay.setAttribute
cardOwnershipText.classList
cardOwnershipText.setAttribute
cardOwnershipTextContainer.appendChild
cardOwnershipTextContainer.classList
cardRow.appendChild
cardScaling.checkBoundaries
cardShadow.appendChild
cardShadow.classList
cardTextContainer.appendChild
cardTextContainer.classList
cardTitle.classList
cardTitle.innerHTML
cardTitle.setAttribute
cardTopWrapper.appendChild
cardTopWrapper.classList
cardTypeIcon.classList
cardTypeIcon.setAttribute
cards.find
cards.forEach
cards.length
cards.push
cards.sort
cardsColumn.appendChild
cardsColumn.classList
cardsFragment.appendChild
cardsRow.appendChild
cardsRow.classList
caretPosition.x1
caretPosition.x2
caretPosition.x3
caretPosition.y1
caretPosition.y2
caretPosition.y3
carouselContentContainer.appendChild
carouselContentContainer.classList
carouselContentContainer.setAttribute
carouselText.classList
carouselText.setAttribute
carouselTextContainer.appendChild
carouselTextContainer.classList
carouselTitle.classList
carouselTitle.setAttribute
carouselWrapper.appendChild
carouselWrapper.classList
catalog.getObject
category.component
category.initialize
category.js
category.maybeComponent
category.name
category.ts
categoryData.iconUrl
categoryData.id
categoryData.leaderId
categoryData.locName
categoryData.name
categoryData.url
categoryEntry.addEventListener
categoryEntry.classList
categoryEntry.removeEventListener
categoryHslot.appendChild
categoryHslot.className
categoryIcon.className
categoryIcon.style
categoryItem.addEventListener
categoryItem.appendChild
categoryItem.category
categoryItem.className
categoryItem.setAttribute
categoryItem.tabIndex
categoryPanel.classList
categoryPanel.id
categoryPanel.setAttribute
categoryVslot.appendChild
cb.setAttribute
cdataEndTag.length
cdataStartTag.length
celebrationChoiceContainer.appendChild
celebrationChoiceContainer.classList
celebrationChoiceDesc.classList
celebrationChoiceDesc.innerHTML
celebrationChoiceImage.classList
celebrationChoiceImage.style
celebrationHeader.setAttribute
celebrationItem.classList
celebrationItem.componentCreatedEvent
celebrationItem.setAttribute
celebrationItemDef.Description
celebrationItemDef.GoldenAgeType
celebrationItemDef.Name
celebrationItemDesc.classList
celebrationItemDesc.innerHTML
celebrationItemImage.classList
celebrationItemImage.style
celebrationSubsystemFrame.addEventListener
celebrationTurnsLeftDesc.setAttribute
celebrationTurnsLeftNumber.textContent
cell.appendChild
cell.classList
cellContent.appendChild
cellContent.classList
cellIcon.classList
cellIcon.setAttribute
cellText.classList
cellText.setAttribute
center.x
center.y
centerBars.appendChild
centerBars.classList
centerLine.classList
centerLine.id
centerLine.style
centerLineSplit.classList
centerLineSplit.style
centerLineSplitStyle.heightPX
centerLineSplitStyle.leftPX
centerLineSplitStyle.topPX
centrePoint.x
centrePoint.y
cfg.axis
cfg.chart
cfg.ctx
cfg.delay
cfg.duration
cfg.easing
cfg.fn
cfg.from
cfg.id
cfg.loop
cfg.properties
cfg.to
cfg.type
cg.edges
cg.setEdge
ch.chapterID
ch.headerKey
chain.length
chainedAnimations.forEach
chainedAnimations.indexOf
chainedAnimations.length
chainedAnimations.push
chainedAnimations.splice
chains.some
chal_available.png
chal_check.png
challenge.description
challenge.points
challenge.title
challengeControlBar.appendChild
challengeControlBar.classList
challengeDescription.classList
challengeDescription.textContent
challengeDescriptionDiv.className
challengeDescriptionDiv.textContent
challengeDiv.appendChild
challengeDiv.className
challengeDiv.tabIndex
challengeGroup.categories
challengeHslot.appendChild
challengeHslot.className
challengeHslotInner.appendChild
challengeItem.completed
challengeItem.description
challengeItem.difficulty
challengeItem.hidden
challengeItem.maxCompletions
challengeItem.name
challengeItem.numOfCompletions
challengeItem.xp
challengeName.classList
challengeName.textContent
challengeNameDiv.className
challengeNameDiv.textContent
challengeOuter.appendChild
challengeOuter.classList
challengeOuter.setAttribute
challengePoints.classList
challengePoints.textContent
challengeProgressDiv.classList
challengeProgressDiv.innerHTML
challengeVslot.appendChild
challengeVslot.className
challenges.length
challenges.push
challenges.sort
challengesContainer.appendChild
challengesContainer.classList
challengesContainer.setAttribute
challengesHighlight.appendChild
challengesHighlight.classList
challengesItem.appendChild
challengesItem.classList
challengesItem.role
challengesItem.setAttribute
challengesScrollable.appendChild
challengesScrollable.classList
challengesTabControl.addEventListener
challengesTabControl.classList
challengesTabControl.setAttribute
challengesTextContainer.appendChild
challengesTextContainer.classList
chanceContainer.appendChild
chanceContainer.classList
changeDetails.change
changeDetails.sourcePlotIndex
changeDetails.sourceType
changeDetails.yieldType
changePoliciesButton.addEventListener
changePoliciesButton.classList
changePoliciesButton.setAttribute
channel.hasRequest
chapter.chapterID
chapterBodyQuery.SQL
chapters.push
chapters.sort
chargesLeftElement.classList
chargesLeftElement.innerHTML
charlemagne.css
charlemagne.html
charlemagne.js
charlemagne.ts
chart._getSortedDatasetMetas
chart._plugins
chart._stacks
chart.boxes
chart.canvas
chart.chartArea
chart.config
chart.ctx
chart.currentDevicePixelRatio
chart.data
chart.draw
chart.getContext
chart.getDataVisibility
chart.getDatasetMeta
chart.getSortedVisibleDatasetMetas
chart.getVisibleDatasetCount
chart.height
chart.isDatasetVisible
chart.isPointInArea
chart.js
chart.legend
chart.notifyPlugins
chart.options
chart.scales
chart.titleBlock
chart.tooltip
chart.ts
chart.width
chartArea.bottom
chartArea.h
chartArea.height
chartArea.left
chartArea.maxPadding
chartArea.right
chartArea.top
chartArea.w
chartArea.width
chartArea.x
chartArea.y
chartContent.appendChild
chartContent.classList
chartContent.setAttribute
chartDatasets.length
chartDatasets.push
chartDefaults.scales
chartOptions.addEventListener
chartOptions.classList
chartOptions.setAttribute
chartScrollable.appendChild
chartScrollable.classList
chartScrollable.setAttribute
charts.get
charts.set
chat.css
chat.js
chat.ts
chatContainer.addEventListener
chatContainer.appendChild
chatContainer.classList
chatContainer.setAttribute
check.png
checkBox.addEventListener
checkBox.classList
checkBox.setAttribute
checkBox.style
checkCard.typeID
checkDiv.className
checkDiv.style
checkEffect.name
checkMark.classList
checkMarkContainer.appendChild
checkMarkContainer.classList
checkReasonType.length
checkbox.addEventListener
checkbox.classList
checkbox.js
checkbox.setAttribute
checkbox.ts
checkboxLabelContainer.appendChild
checkboxLabelContainer.className
checkedLine.classList
checkedLine.src
checkedLine.style
checkmark.classList
checkmark.style
checkmarkBG.appendChild
checkmarkBG.classList
checkmarkBG.style
child.Root
child.childData
child.classList
child.componentID
child.getBoundingClientRect
child.getDebugString
child.getID
child.getKey
child.id
child.label
child.nodeType
child.offsetHeight
child.parentElement
child.removeAttribute
child.setAttribute
child.setID
child.showIcon
child.style
child.unit
childCard.column
childCard.isDummy
childCard.isLocked
childCard.name
childCard.row
childData.push
childEdges.forEach
childLab.parent
childNode.getAttribute
childNodes.forEach
childNodes.length
children.forEach
children.item
children.length
childrenContainer.classList
choices.length
choices.push
choose.plot
chooser.addLockStyling
chooser.beliefPickerChooserNode
chooser.celebrationChooserNode
chooser.css
chooser.html
chooser.js
chooser.notificationChooserNode
chooser.pantheonChooserNode
chooser.policyChooserNode
chooser.treeChooserNode
chooser.ts
chooser.warChooserData
chooserButton.appendChild
chooserButton.classList
chooserButton.removeAttribute
chooserButton.setAttribute
chooserItem.addEventListener
chooserItem.appendChild
chooserItem.setAttribute
chooserItemNode.appendChild
chooserItemNode.classList
chooserItemsWrapper.appendChild
chooserItemsWrapper.classList
chosenVictory.Description
chosenVictory.Icon
chosenVictory.Name
ci.hide
ci.isDatasetVisible
ci.show
cid.type
cinematic.js
cinematic.ts
cinematicDef.VictoryCinematicType
cinematicDef.VictoryType
cinematicMomentCloseButton.addEventListener
cinematicMomentCloseButton.classList
cinematicMomentCloseButton.setAttribute
cinematicMomentReplayButton.addEventListener
cinematicMomentReplayButton.classList
cinematicMomentReplayButton.setAttribute
cinematicUIInfo.cinematicAuthor
cinematicUIInfo.cinematicOverTitle
cinematicUIInfo.cinematicQuote
cinematicUIInfo.cinematicSubtitle
cinematicUIInfo.cinematicTitle
cities.forEach
cities.getCityIds
cities.length
cities.push
cities.some
citiesClaimContainer.classList
citiesClaimContainer2.classList
citiesFromLocalPlayer.forEach
citiesFromOtherPlayer.forEach
citiesInReligion.toString
city.BuildQueue
city.Constructibles
city.Districts
city.Gold
city.Growth
city.Happiness
city.Production
city.Resources
city.Trade
city.Workers
city.Yields
city.getProperty
city.getPurchasedPlots
city.getTurnsUntilRazed
city.id
city.isBeingRazed
city.isCapital
city.isDistantLands
city.isJustConqueredFrom
city.isTown
city.js
city.location
city.name
city.originalOwner
city.owner
city.population
city.purchasePlot
city.querySelector
city.ts
cityActivatableResourcesContainer.appendChild
cityActivatableResourcesContainer.classList
cityBanner.capitalUpdate
cityBanner.getLocation
cityBanner.queueBuildsUpdate
cityBanner.queueNameUpdate
cityBanner.realizeHappiness
cityBanner.realizeReligion
cityBanner.remove
cityBanner.setVisibility
cityBanner.updateConqueredIcon
cityComponentID.id
cityComponentID.owner
cityConstructibles.getIds
cityConstructibles.getMaintenance
cityConstructibles.length
cityData.city
cityData.data
cityDealItemElement.addEventListener
cityDetailTabID.buildings
cityDetailTabID.growth
cityDetailTabID.yields
cityDetailsPanel.classList
cityDistrict.location
cityDistricts.cityCenter
cityDistricts.getIdsOfType
cityDistricts.getIdsOfTypes
cityEntries.forEach
cityEntry.addEventListener
cityEntry.appendChild
cityEntry.classList
cityEntry.currentResources
cityEntry.emptySlots
cityEntry.getAttribute
cityEntry.id
cityEntry.querySelector
cityEntry.setAttribute
cityEntryContainer.appendChild
cityEntryContainer.classList
cityEntryContainer.setAttribute
cityEntryFrame.appendChild
cityEntryFrame.classList
cityFactoryResourceContainer.appendChild
cityFactoryResourceContainer.classList
cityFactoryResourceContainer.setAttribute
cityGold.getBuildingPurchaseCost
cityGoldLibrary.getUnitPurchaseCost
cityGrowth.currentFood
cityGrowth.getNextGrowthFoodThreshold
cityGrowth.growthType
cityGrowth.turnsUntilGrowth
cityHappiness.hasUnrest
cityHappiness.netHappinessPerTurn
cityHeaderFocusButton.addEventListener
cityHeaderFocusButton.classList
cityHeaderFocusButton.setAttribute
cityID.id
cityID.owner
cityIDArray.length
cityIDArray.push
cityId.id
cityIds.forEach
cityInfo.BuildQueue
cityInfo.FoodQueue
cityInfo.Growth
cityInfo.Yields
cityInfo.name
cityInfo.ruralPopulation
cityInfo.urbanPopulation
cityInnerContainer.appendChild
cityInnerContainer.classList
cityList.children
cityList_city2.png
cityList_town1.png
cityName.classList
cityName.setAttribute
cityNameWrapper.appendChild
cityNameWrapper.classList
cityNameWrapper.dataset
cityNetYields.yieldNumbers
cityOuterContainer.appendChild
cityOuterContainer.classList
cityPlots.forEach
cityPlots.length
cityPlots.push
cityProductionContext.CityID
cityPurchaseContext.CityID
cityResourceContainer.addEventListener
cityResourceContainer.classList
cityResourceContainer.querySelectorAll
cityResourceContainer.setAttribute
cityResources.getAssignedResourcesCap
cityResources.getAutoTreasureFleetValue
cityResources.getFactoryResource
cityResources.getGlobalTurnsUntilTreasureGenerated
cityResources.getLocalResources
cityResources.getNumFactoryResources
cityResources.getNumTreasureFleetResources
cityResources.getTotalCountAssignedResources
cityResources.getTurnsUntilTreasureGenerated
cityResources.isTreasureConstructiblePrereqMet
cityResources.isTreasureTechPrereqMet
cityResources.length
cityResourcesLabel.classList
cityResourcesLabel.textContent
cityStateCities.length
cityStateCitiesLibrary.getCities
cityStateLibrary.id
cityStatePlayer.Influence
cityStatePlayer.civilizationFullName
cityStatePlayerLibrary.Cities
cityStateSettlement.id
cityTopContainer.appendChild
cityTopContainer.classList
cityTreasureContainer.appendChild
cityTreasureContainer.classList
cityTreasureContainerOuter.appendChild
cityTreasureContainerOuter.classList
cityWorkers.GetAllPlacementInfo
cityWorkers.getCityWorkerCap
cityWorkers.getNumWorkersAtPlot
cityYields.getNetYield
cityYields.getYields
city_ageless.png
city_wonders_hi.png
cityplots.length
civ.CapitalName
civ.CivilizationType
civ.civID
civ.classList
civ.historicalChoiceReason
civ.innerHTML
civ.isHistoricalChoice
civ.isLocked
civ.setAttribute
civ.style
civ.unlockCondition
civ1.CivilizationType
civ2.CivilizationType
civAgeSelectHeader.classList
civAgeSelectHeader.setAttribute
civBias.length
civBiasData.filter
civBiasForCivAndLeader.filter
civBiasForCivAndLeader.length
civBonusIcon.classList
civBonusIcon.setAttribute
civBonusItem.appendChild
civBonusItem.classList
civBonusText.appendChild
civBonusText.classList
civBox.appendChild
civBox.classList
civButton.addEventListener
civButton.classList
civButton.componentCreatedEvent
civButton.setAttribute
civCard.addEventListener
civCard.componentCreatedEvent
civData.abilityTitle
civData.bonuses
civData.civID
civData.description
civData.find
civData.historicalChoiceReason
civData.icon
civData.invalidReason
civData.isHistoricalChoice
civData.isLocked
civData.name
civData.originDomain
civData.sortIndex
civData.tags
civData.value
civDef.CivilizationType
civDef.FullName
civDefinition.CivilizationType
civDefinition.FullName
civDetailScroll.appendChild
civDetailScroll.classList
civDetailScroll.componentCreatedEvent
civDetailScroll.setAttribute
civDetailScroll.style
civEle.addEventListener
civEle.appendChild
civEle.classList
civEle.setAttribute
civEle.whenComponentCreated
civFlagContainer.addEventListener
civFlagContainer.appendChild
civFlagContainer.classList
civFlagContainer.setAttribute
civFlagContent.appendChild
civFlagContent.classList
civFlagYieldFlex.appendChild
civFlagYieldFlex.children
civFlagYieldFlex.classList
civHexInner.appendChild
civHexInner.classList
civHexOutline.appendChild
civHexOutline.classList
civHexWrapper.appendChild
civHexWrapper.classList
civHexWrapper.setAttribute
civHistoricalChoiceIcon.appendChild
civHistoricalChoiceIcon.classList
civID.replace
civID.slice
civIcon.classList
civIcon.style
civIconContainer.appendChild
civIconContainer.classList
civId.replace
civIndex.toString
civInfo.appendChild
civInfo.classList
civItemData.filter
civItems.find
civLeader.addEventListener
civLeader.appendChild
civLeader.classList
civLeader.setAttribute
civLeaderBias.filter
civLeaderBias.forEach
civLeaderBias.length
civLeaderChoiceIndicator.classList
civLeaderContainer.appendChild
civLeaderContainer.classList
civLeaderContainer.setAttribute
civLeaderFixed.length
civLeaderHexBG.classList
civLeaderHexBGFrame.classList
civLeaderHexBGShadow.classList
civLeaderHitbox.classList
civLeaderHitbox.setAttribute
civLeaderPairingData.filter
civLeaderPairingData.find
civLeaderTopBG.classList
civLeaderTopBG.innerHTML
civList.innerHTML
civListScroll.appendChild
civListScroll.classList
civListScroll.setAttribute
civLoadingInfo.CivilizationText
civLoadingInfo.CivilizationType
civName.setAttribute
civName.split
civStepperButton.addEventListener
civStepperButton.classList
civStepperButton.setAttribute
civSymbol.style
civTitle.appendChild
civTitle.classList
civTrait.TraitType
civTraitDefinitions.find
civUniques.forEach
civUniques.length
civUniques.push
civUnlockPage.appendChild
civUnlockPage.classList
civUnlockPage.id
civUnlockScrollable.appendChild
civUnlockScrollable.classList
civUnlockScrollable.setAttribute
civUnlockText.classList
civUnlockText.innerHTML
civUnlocks.sort
civ_sym_unknown.png
civicName.split
civics.getTreeType
civicsTree.nodes
civilization.abilityText
civilization.bonuses
civilization.civID
civilization.icon
civilization.id
civilization.isLocked
civilization.isOwned
civilization.name
civilization.tags
civilizationDefinition.CivilizationType
civilizationDropdown.addEventListener
civilizationDropdown.classList
civilizationDropdown.setAttribute
civilizationDropdownAndDivider.appendChild
civilizationDropdownAndDivider.classList
civilizationInfos.length
civilizationSelection.addEventListener
civilizationSelection.classList
civilizationSelection.componentCreatedEvent
civilizationSelection.setAttribute
civilopedia.css
civilopedia.html
civilopedia.js
civilopedia.ts
civilopediaLink.classList
civilopedieaLinkWrapper.appendChild
civilopedieaLinkWrapper.classList
claimedPlots.indexOf
claimedPlots.toString
claimedVictories.find
claimedVictory.team
claimedVictory.victory
classList.add
classList.contains
classList.remove
classList.replace
classList.toggle
classList.value
className.startsWith
classNames.length
classSet.PromotionClassType
classSet.UnitPromotionDisciplineType
classes.contains
clickEvent.target
clickEvent.type
clickToStart.classList
client.onreadystatechange
client.open
client.readyState
client.responseText
client.send
clip.bottom
clip.disabled
clip.left
clip.right
clip.top
clone.push
close.addEventListener
close.setAttribute
closeButton.addEventListener
closeButton.classList
closeButton.setAttribute
closeChatNavHelp.classList
closeChatNavHelp.setAttribute
closeCivParamSpace.classList
closeDealButton.appendChild
closeDealDescription.classList
closeDealDescription.setAttribute
closeDealIconWrapper.appendChild
closeDealIconWrapper.classList
closeHeaderDropdownAndDivider.appendChild
closeHeaderDropdownAndDivider.classList
closeKickSpace.classList
closeLeaderParamSpace.classList
closeLensPanelNavHelp.classList
closeLensPanelNavHelp.setAttribute
closeReadySpace.classList
closeRow.appendChild
closeRow.classList
closebutton.addEventListener
closebutton.classList
closebutton.setAttribute
closedHeaderDropdown.addEventListener
closedHeaderDropdown.classList
closedHeaderDropdown.setAttribute
codeRedeemResults.errorCode
codeRedeemResults.redeemChanges
cohtml.d
cohtml.js
collapseButton.addEventListener
collapseButton.classList
collapseButton.getAttribute
collapseButton.setAttribute
collapsibleArrow.classList
collection.forEach
collection.length
collection.some
collection.splice
color._rgb
color.charAt
color.color
color.indexOf
color.isLocked
color.js
color.name
color.rgb
color.substr
color.substring
color.ts
color.unlockCondition
colorBox.classList
colorBox.style
colorBoxContainer.appendChild
colorBoxContainer.classList
colorBoxContainer.style
colorContainer.classList
colorContainer.id
colorItem.name
colorItem.unlockCondition
colorRewardItems.length
colorVariants.isPrimaryLighter
colorVariants.primaryColor
colorVariants.secondaryColor
colorblindAdaptation.toString
colors.forEach
colors.push
colosseum.css
colosseum.html
colosseum.js
colosseum.ts
column.toString
columnContainer.appendChild
columnContainer.classList
columnGroups.push
columnSizes.push
combat.attackRange
combat.canAttack
combat.getMeleeStrength
combat.rangedStrength
command.CategoryInUI
command.CommandType
command.Description
command.Icon
command.Name
command.PriorityInUI
command.VisibleInUI
command.commandConfig
command.commandPrompts
command.op
command.value
commandActions.sort
commandArguments.join
commandList.map
commandPrompt.length
commandRadiusPlots.length
commandUnitHandler.activate
commander.id
commander.isReadyToSelect
commander.level
commander.localId
commander.location
commander.name
commander.type
commander.unitTypeName
commanderActions.forEach
commanderDef.Name
commanderDef.UnitType
commanderDefinition.Name
commanderDefinition.UnitType
commanderLocation.x
commanderLocation.y
commanderWrapper.appendChild
commanderWrapper.classList
commanders.push
commands.forEach
commands.length
commands.push
commendationElement.addEventListener
commendationElement.appendChild
commendationElement.classList
commendationElement.setAttribute
commendationPoints.appendChild
commendationPoints.classList
commendations.length
commendationsCaption.classList
commendationsContainer.appendChild
commendationsContainer.classList
commendationsNumber.classList
communismImage.classList
complete.css
complete.html
complete.js
complete.ts
completedCheck.classList
completedCheck.setAttribute
completedFoundationChallengeData.forEach
completedLeaderChallengeData.forEach
completedLegacyPaths.add
completedLegacyPaths.has
completedProject.ProjectType
completedUIGameLoadingProgressStates.add
completedUIGameLoadingProgressStates.size
completionData.bWillCancel
completionData.bWillComplete
completionData.progressPerTurn
completionData.requiredProgress
completionData.requiredTokensToComplete
completionData.stageTurnsToComplete
completionData.turnsCounted
completionData.turnsToCompletion
completionData.turnsToNextStage
completionDiv.classList
completionDiv.textContent
completionItems.length
component.Root
component.action
component.appendChild
component.close
component.contentName
component.contentPack
component.disabled
component.getIsScrollAtBottom
component.isSelected
component.listVisibilityToggle
component.mementoData
component.onInitialize
component.reason
component.scrollToPercentage
component.selectNext
component.selectPrevious
component.selected
component.setActiveMemento
component.setDialogId
component.setEngineInputProxy
component.setOptions
component.setPendingContentSelection
component.setValueChangeListener
component.slotData
component.toggleChatPanel
component.toggleLensPanel
component.tooltip
component.triggerFocus
component.updateSelectorItems
component.value
componentCreatedEvent.on
componentElement.initialize
componentID.id
componentID.owner
componentID.type
componentRoot.component
componentRoot.maybeComponent
components.css
condition.includes
config._chart
config.chart
config.chartOptionScopes
config.createResolver
config.ctx
config.data
config.datasetAnimationScopeKeys
config.datasetElementScopeKeys
config.datasetScopeKeys
config.getOptionScopes
config.id
config.options
config.platform
config.pluginScopeKeys
config.plugins
config.preventScrolling
config.previous
config.rememberSource
config.resolveNamedOptions
config.restrict
config.selector
config.straightOnly
config.straightOverlapThreshold
config.textToSpeechOnChat
config.textToSpeechOnHover
config.textToSpeechOnHoverDelay
config.type
config.update
configHeader.classList
configHeader.setAttribute
configuration.activeTree
configuration.canPurchaseNode
configuration.delegateCostForNode
configuration.delegateGetIconPath
configuration.delegateTurnForNode
configuration.direction
configuration.extraColumns
configuration.extraRows
configuration.findIndex
configuration.length
configuration.originColumn
configuration.originRow
configuration.push
configurationObj.id
confirm.js
confirm.ts
confirmButton.addEventListener
confirmButton.classList
confirmButton.setAttribute
confirmDisabled.toString
confucius.css
confucius.html
confucius.js
confucius.ts
connStatus.classList
connectedNodeTypes.forEach
connectedNodeTypes.length
connectedNodes.forEach
connectedToAmount.classList
connectedToAmount.textContent
connectedToCityName.classList
connectedToCityName.textContent
connectedToEntry.appendChild
connectedToEntry.classList
connectedToEntry.setAttribute
conqueredIcon.setAttribute
conqueror.civilizationFullName
conqueror.isIndependent
console.debug
console.error
console.info
console.log
console.warn
constrainRect.bottom
constrainRect.left
constrainRect.right
constrainRect.top
construct.cityId
construct.location
construct.type
constructDef.ConstructibleType
constructType.Description
constructableAgeless.ConstructibleType
constructableAgeless.Name
constructible.ConstructibleClass
constructible.ConstructibleType
constructible.Cost
constructible.Description
constructible.Name
constructible.Repairable
constructible.UnitType
constructible.damaged
constructible.location
constructible.type
constructibleData.damaged
constructibleData.icon
constructibleData.iconContext
constructibleData.id
constructibleData.location
constructibleData.maintenanceMap
constructibleData.name
constructibleData.type
constructibleData.yieldMap
constructibleDef.ConstructibleType
constructibleDef.Discovery
constructibleDef.Name
constructibleDef.Tooltip
constructibleDefinition.ConstructibleClass
constructibleDefinition.ConstructibleType
constructibleDefinition.Name
constructibleID.toString
constructibleIds.forEach
constructibleIds.length
constructibleInfo.ConstructibleClass
constructibleInfo.Description
constructibleInfo.Name
constructibleInfo.collectionIndex
constructibleInfo.details
constructibleInfo.name
constructibleInfo.type
constructibleTooltipInfo.push
constructibleTooltipInfo.sort
constructibles.filter
constructibles.forEach
constructibles.getIds
constructibles.getMaintenance
constructibles.length
constructibles.some
container.append
container.appendChild
container.ariaLabel
container.classList
container.className
container.clientWidth
container.firstChild
container.getBoundingClientRect
container.innerHTML
container.insertBefore
container.isConnected
container.parentElement
container.querySelector
container.queue
container.removeChild
container.replaceChild
container.role
container.setAttribute
container.some
container.splice
containerBg.appendChild
containerBg.classList
containerBorder.height
containerBorder.width
containerClass.match
containerPadding.height
containerPadding.width
containerQueued.appendChild
containerQueued.classList
containerQueued.setAttribute
containerRect.bottom
containerRect.left
containerRect.right
containerRect.top
containerSize.maxHeight
containerSize.maxWidth
containerStyle.maxHeight
containerStyle.maxWidth
content.appendChild
content.classList
content.closest
content.css
content.firstChild
content.getBoundingClientRect
content.indexOf
content.innerHTML
content.insertBefore
content.js
content.offsetHeight
content.replaceAll
content.split
content.startsWith
content.style
content.substring
content.textContent
content.ts
contentAtDepth.push
contentClass.split
contentConnectedTreeStructureNodes.forEach
contentContainer.appendChild
contentContainer.classList
contentParent.getBoundingClientRect
contentParent.offsetHeight
contentParentRect.bottom
contentParentRect.top
contentRect.height
contentRect.left
contentRect.top
contentRect.width
contentTreeStructureNodes.map
contentVal.isLocked
contentWrapper.appendChild
contentWrapper.classList
contentWrapperJoinCode.appendChild
contentWrapperJoinCode.classList
contents.classList
contents.innerHTML
contents.style
contestedPlot.update
contestedPlot.visualize
context.ActionType
context.CityID
context.CommandArguments
context.CommandType
context.IsPurchasing
context.OperationArguments
context.UnitID
context.active
context.attachNodeToScrollable
context.canvas
context.chart
context.createNotificationMessage
context.dataIndex
context.dataset
context.datasetIndex
context.formattedValue
context.getAttribute
context.getCurrentPlayersByName
context.getGlobalChatTarget
context.index
context.lastPrivateToLocalTarget
context.mode
context.parentElement
context.parsed
context.raw
context.setCommandError
context.setCurrentTarget
context.setMarkupMessage
contextRect.height
contextRect.width
contextRect.x
contextRect.y
continent.Description
continent.continent
continent.isDistant
continent1.east
continent1.north
continent1.south
continent1.west
continent2.east
continent2.west
continentPlotList.availableResources
continentPlotList.color
continentPlotList.continent
continentPlotList.plotList
continentPlotList.totalResources
continents.css
continents.html
continents.js
continents.ts
continentsList.length
continentsTextColumn.appendChild
continentsTextColumn.classList
continentsTextStatus.classList
continentsTextStatus.innerHTML
continentsTextTitle.classList
continentsTextTitle.innerHTML
continentsdistantIcon.classList
contintentPlotList.availableResources
contintentPlotList.color
contintentPlotList.continent
contintentPlotList.isDistant
contintentPlotList.totalResources
continueButton.addEventListener
continueButton.dispatchEvent
continueButton.setAttribute
continueButtonHighlight.classList
continueButtonIcon.classList
continueButtonOutline.classList
continueButtonParent.addEventListener
continueButtonParent.appendChild
continueButtonParent.classList
continueButtonParent.setAttribute
continueEvent.addEventListener
continueItem.classList
continueItem.setAttribute
contrastTitle.classList
contrastTitle.setAttribute
contrastValue.toString
controlBar.appendChild
controlBar.classList
controlBar.setAttribute
controlPoints.next
controlPoints.previous
controlStrip.appendChild
controlStrip.classList
controlStrip.removeAttribute
controller._cachedMeta
controller._getCircumference
controller._getRotation
controller._sharedOptions
controller.buildOrUpdateElements
controller.configure
controller.getAllParsedValues
controller.getDataset
controller.getLabelAndValue
controller.getMaxOverflow
controller.getMinMax
controller.getParsed
controller.js
controller.reset
controller.resolveDataElementOptions
controls.getDecoratorProviders
controls.getDefinition
controls.loadSource
coord.x
coord.y
coordinates.x
coordinates.y
cost.Cost
cost.UnitType
cost.YieldType
cost.category
cost.colorClass
cost.icon
cost.name
cost.toString
cost.value
costContainer.appendChild
costContainer.classList
costDescription.classList
costDescription.id
costDescription.setAttribute
costElement.classList
costElement.className
costElement.innerHTML
costList.appendChild
costList.classList
costText.classList
costText.innerHTML
costTitle.classList
costTitle.innerHTML
costWrapper.appendChild
costWrapper.classList
costWrapper.className
costs.forEach
costs.length
costs.push
count.length
countFactoryResources.toString
countTreasureResources.toString
cr.bottom
cr.height
cr.left
cr.right
cr.top
cr.width
createButtonBgImg.classList
credits.css
credits.html
credits.js
credits.ts
creditsButton.addEventListener
creditsContent.endsWith
creditsContent.length
creditsContent.startsWith
creditsContent.substring
creditsStartTag.length
crisisImage.classList
crisisMarker.locStr
crisisMarker.timelinePlacement
crisisPoliciesSection.classList
crisisSection.classList
crossplayOption.isHidden
crumbDivider.classList
css.js
ctx.arc
ctx.beginPath
ctx.bezierCurveTo
ctx.canvas
ctx.chart
ctx.clearRect
ctx.clip
ctx.closePath
ctx.datasetIndex
ctx.drawImage
ctx.ellipse
ctx.fill
ctx.fillRect
ctx.fillStyle
ctx.fillText
ctx.font
ctx.globalAlpha
ctx.lineCap
ctx.lineDashOffset
ctx.lineJoin
ctx.lineTo
ctx.lineWidth
ctx.measureText
ctx.moveTo
ctx.prevTextDirection
ctx.quadraticCurveTo
ctx.rect
ctx.resetTransform
ctx.restore
ctx.rotate
ctx.save
ctx.setLineDash
ctx.stroke
ctx.strokeRect
ctx.strokeStyle
ctx.strokeText
ctx.textAlign
ctx.textBaseline
ctx.translate
cue.start
cue.stop
cue.text
cueText.length
cueTextLines.join
cueTextLines.push
culture.css
culture.getActiveTree
culture.getLastCompletedNodeType
culture.getNodeCost
culture.getResearching
culture.getTurnsLeft
culture.html
culture.js
culture.ts
cultureElements.button
cultureElements.ring
cultureElements.turnCounter
cultureItem.addEventListener
cultureItem.classList
cultureItem.componentCreatedEvent
cultureItem.setAttribute
cultureListTop.appendChild
cultureTimer.toString
cultureYieldElement.addEventListener
cultureYieldElement.classList
cultureYieldElement.dataset
cultures.getActiveTree
cultures.getAvailableTrees
cumulativeData.find
cumulativeData.push
cur._duration
cur.saveTime
cur.skip
cur.stop
curAction.actionName
curAction.status
curAction.x
curAction.y
curContext.contains
curPlayerID.toString
currRule.getBoundingClientRect
currencyChange.amount
currencyChange.currency
currencyChanges.forEach
current.toString
current.x
current.y
currentActiveItem.dialog
currentActiveItem.inputContext
currentAge.AgeType
currentAge.ChronologyIndex
currentAgeVictoryData.push
currentArmy.length
currentBadge.url
currentChild.getAttribute
currentCinematic.destroy
currentElement.hasAttribute
currentElement.nextElementSibling
currentElement.parentElement
currentElement.previousElementSibling
currentFlag.value
currentFocus.classList
currentFocus.getAttribute
currentFocus.isConnected
currentFocusedElement.blur
currentFocusedElement.getAttribute
currentFoundercount.toString
currentGovernment.Description
currentGovernment.Name
currentInfo.length
currentItem.callout
currentItem.dialog
currentItem.level
currentItem.questPanel
currentLevel.classList
currentLevel.innerHTML
currentLevel.toString
currentMemento.description
currentMemento.functionalDescription
currentMemento.name
currentMemento.value
currentMementoElement.classList
currentMomento.classList
currentNotification.Type
currentOptions.deviceID
currentOptions.hdr
currentPage.pageID
currentPage.sectionID
currentPageDetails.pageID
currentPageDetails.pageLayoutID
currentPageDetails.sectionID
currentPageDetails.titleText
currentPanelIndex.toString
currentPlatformAccountButton.appendChild
currentPlatformAccountButton.innerHTML
currentPlayerCapital.name
currentPlot.x
currentPlot.y
currentPortait.value
currentPrimaryAccountButton.appendChild
currentPrimaryAccountButton.innerHTML
currentPrimaryList.forEach
currentQuest.description
currentQuest.getDescriptionLocParams
currentQuest.victory
currentRelationshipIcon.value
currentReligion.getBeliefs
currentReligion.getReligionName
currentReligion.getReligionType
currentResources.length
currentResources.push
currentRewardButton.appendChild
currentRewardButton.classList
currentRewardButton.setAttribute
currentRewardIcon.classList
currentRewardIcon.style
currentSaveGameInfo.isLackingOwnership
currentSaveGameInfo.isMissingMods
currentSection.querySelectorAll
currentSub.classList
currentSub.nextElementSibling
currentSub.previousElementSibling
currentSubList.length
currentTarget.dispatchEvent
currentTarget.nodeName
currentTime.innerHTML
currentTreeDiscipline.UnitPromotionDisciplineType
currentValue.value
currentWarSupport.value
currentXp.toString
currentlyPlayedLeader.replace
cursor.appendChild
cursor.classList
cursor.css
cursor.js
cursor.line
cursor.ts
cursor.x
cursor.y
cursorIcon.classList
cursorModelGroup.addVFXAtPlot
cursorModelGroup.clear
cursorOffset.x
cursorOffset.y
cursorOverlay.clearAll
curtain.addEventListener
curtain.classList
custom.addEventListener
custom.barEnd
custom.barStart
custom.end
custom.max
custom.min
custom.start
customContent.appendChild
customDialogWrapper.appendChild
customElements.define
customOption.cancelChooser
customOption.chooserInfo
customOption.layoutBodyWrapper
customOption.layoutImageWrapper
customOption.useChooserItem
customReligionName.match
customTextFormal.classList
customTextFormal.innerHTML
customTextSurprise.classList
customTextSurprise.innerHTML
customTitle.classList
customTitle.setAttribute
customizeContainer.appendChild
customizeContainer.classList
customizeContainer.setAttribute
customizeItems.push
customizeRight.classList
customizeRight.innerHTML
customizeSlotGroup.appendChild
customizeSlotGroup.classList
customizeSlotGroup.setAttribute
customizeTabControl.addEventListener
customizeTabControl.classList
customizeTabControl.setAttribute
cv.place
cv.team
cv.victory
 
Spoiler Page 4 :

Code:
d.Description
d.LegacyPathClassType
d.LegacyPathType
d.Name
d.afterAttach
d.afterDetach
d.beforeAttach
d.beforeDetach
d.name
d.ts
damagedText.classList
damagedText.textContent
darkAgeBar.classList
darkAgeBar.src
darkAgeBar.style
darkAgeIcon.classList
darkAgeIcon.setAttribute
darkAgeIcon.src
darkAgeReward.Description
darkAgeReward.Icon
darkAgeReward.Name
darkener.appendChild
darkener.classList
data.ErrorType
data.EventClass
data.actingPlayer
data.actionID
data.actionType
data.activeNode
data.adjacentRouteMask
data.advisorType
data.ageIsEnding
data.ageless
data.attacker
data.bannerType
data.category
data.changedBy
data.cityID
data.cityState
data.civID
data.class
data.command
data.completedFoundationChallenge
data.completedLeaderChallenge
data.concat
data.connected
data.constructible
data.constructibleData
data.constructibleType
data.cost
data.countMax
data.currentMemento
data.currentValue
data.data
data.datasets
data.definition
data.description
data.dialogBody
data.dialogCallback
data.dialogTitle
data.diplomacyBalance
data.diplomacyYield
data.disabled
data.effectType
data.elapsedTime
data.error
data.eventType
data.extensions
data.featureType
data.forEach
data.fullRefresh
data.goldBalance
data.goldYield
data.governmentlevel
data.hash
data.height
data.hidden
data.icon
data.id
data.idLobby
data.image
data.initialPlayer
data.initiatingUnit
data.inviteId
data.isDistrict
data.isHumanPlayer
data.isLocalPlayer
data.isLocked
data.isSameHostPlatform
data.js
data.keys
data.kickPlayerID
data.kickReason
data.kickResult
data.kickerPlayerID
data.kind
data.labels
data.leader
data.leaderID
data.leaderPortrait
data.legactPointData
data.legendPathType
data.length
data.location
data.max
data.min
data.nFrames
data.name
data.newLevel
data.option1
data.option2
data.option3
data.owner
data.owningPlayer
data.percentLeft
data.phaseTimeLimit
data.placement
data.player
data.player1
data.player2
data.playerHostingIcon
data.playerID
data.playerIdT2gp
data.playerName
data.playerNameFirstParty
data.playerNameT2GP
data.plotIndex
data.priorOwner
data.progressItems
data.progressionTotal
data.projectType
data.promoCount
data.promos
data.reactingPlayer
data.reason
data.recommendations
data.rejectInitialization
data.resolveInitialization
data.resourceType
data.rewardXp
data.secondaryDetails
data.selected
data.server
data.sessionId
data.size
data.slice
data.slotType
data.sprite
data.src
data.status
data.steps
data.targetID
data.text
data.title
data.tooltip
data.totalAgeScore
data.tradeRouteMask
data.tree
data.ts
data.turn
data.turnPlayer
data.turns
data.turnsLeft
data.type
data.unit
data.unlock
data.unlockedFoundationRewards
data.unlockedLeaderRewards
data.value
data.values
data.visibility
data.width
data.x
data.xLabels
data.y
data.yLabels
data.yield
data.yieldChange
dataCard.column
dataCard.hasData
dataCard.promotion
dataCard.row
dataForCity.data
dataLabel.slice
dataLeaderLevel.toString
dataObj.civLine
dataObj.civSymbol
dataObj.dealIds
dataObj.displayItems
dataObj.isAtWar
dataObj.relationshipIcon
dataObj.relationshipLevel
dataObj.relationshipTooltip
dataObj.scores
dataObj.size
dataObj.yields
dataPoints.filter
dataPoints.forEach
dataRange.max
dataRange.min
dataSets.forEach
database.js
database.ts
databinding.js
databinding.ts
dataset._data
dataset._decimated
dataset.category
dataset.contentAs
dataset.contentClass
dataset.data
dataset.description
dataset.disabled
dataset.footerClass
dataset.growthType
dataset.headerClass
dataset.hidden
dataset.highestActiveUnrestDuration
dataset.icon
dataset.indexAxis
dataset.isPurchase
dataset.l10nId
dataset.label
dataset.labelClass
dataset.max
dataset.modalStyle
dataset.name
dataset.options
dataset.order
dataset.projectType
dataset.rAxisID
dataset.recommendations
dataset.showBorder
dataset.showDefaultLabel
dataset.showTownFocus
dataset.slot
dataset.stack
dataset.stored
dataset.tooltipContent
dataset.tooltipDescription
dataset.tooltipStyle
dataset.turnsOfUnrest
dataset.type
dataset.value
dataset.xAxisID
dataset.yAxisID
datasetDefaults.indexAxis
datasetDefaults.scales
datasetOptions.indexAxis
datasets.filter
datasets.forEach
datasets.length
date.classList
date.getHours
date.getMinutes
date.getSeconds
date.innerHTML
date.style
dateBox.appendChild
dateBox.classList
dbPriority.Priority
dd.classList
dd.setAttribute
ddGPUItems.push
ddProfileItems.push
deactivated.length
deactivatedElement.nodeName
deactivatedElement.tagName
deal.css
deal.html
deal.js
deal.ts
dealElement.addEventListener
dealElement.classList
dealItem.appendChild
dealItem.cityId
dealItem.cityTransferType
dealItem.classList
dealItem.id
dealItem.setAttribute
dealItem.subType
dealItem.to
dealItem.type
dealItemElement.addEventListener
decimated.push
deck.CardID
deck.DeckID
deckLimitContainer.addEventListener
deckLimitContainer.appendChild
deckLimitContainer.querySelector
declareWarDescription.appendChild
declareWarDescription.classList
declareWarDescription.setAttribute
declareWarFrame.appendChild
declareWarIcon.classList
declareWarIcon.setAttribute
declareWarIconWrapper.appendChild
declareWarIconWrapper.classList
declareWarImageWrapper.appendChild
declareWarImageWrapper.classList
declareWarWrapper.appendChild
declareWarWrapper.classList
decorPanelContent.appendChild
decorPanelContent.classList
decorPanelHeader.classList
decorPanelHeader.setAttribute
decoration.js
decoratorContainer.appendChild
decoratorContainer.classList
decoratorTopFiligree.classList
decorators.length
def.AdjacentBiome
def.AdjacentConstructible
def.AdjacentConstructibleTag
def.AdjacentDistrict
def.AdjacentFeature
def.AdjacentFeatureClass
def.AdjacentLake
def.AdjacentNaturalWonder
def.AdjacentNavigableRiver
def.AdjacentQuarter
def.AdjacentResource
def.AdjacentTerrain
def.AdjacentUniqueQuarter
def.AdjacentUniqueQuarterType
def.Audio
def.Context
def.Cost
def.DefaultPlayers
def.Description
def.DescriptionFinalAge
def.FromNarrativeStoryType
def.ID
def.Icon
def.Name
def.NotificationType
def.UnitType
def.YieldChange
def.YieldType
def.activationCustomEvents
def.activationEngineEvents
def.alsoActivateID
def.callout
def.completionCustomEvents
def.completionEngineEvents
def.dialog
def.disable
def.dynamicHighlights
def.enabled2d
def.filterPlayers
def.hiders
def.highlightPlots
def.highlights
def.inputContext
def.inputFilters
def.isPersistent
def.level
def.nextID
def.onActivate
def.onActivateCheck
def.onCleanUp
def.onCompleteCheck
def.onObsoleteCheck
def.quest
def.questPanel
def.runAllTurns
def.shouldCalloutHide
def.skip
default.js
default.png
default.scss
default.ts
defaultElement.get
defaultPlayerProfile.BackgroundColor
defaultPlayerProfile.BadgeId
defaultPlayerProfile.BannerId
defaultPlayerProfile.FoundationLevel
defaultPlayerProfile.PortraitBorder
defaultPlayerProfile.TitleLocKey
defaultValue.x
defaultValue.y
defaultValue.z
defaults.allKeys
defaults.animation
defaults.color
defaults.datasets
defaults.describe
defaults.elements
defaults.font
defaults.get
defaults.indexable
defaults.override
defaults.route
defaults.scale
defaults.scales
defaults.scriptable
defaults.set
defeat.css
defeat.html
defeat.js
defeat.ts
defeatDefinition.DefeatType
defeatedPlayer.id
deferred.reject
deferred.resolve
define.amd
definition.BaseMoves
definition.BuildCharges
definition.CivilizationType
definition.ConstructibleType
definition.Description
definition.Maintenance
definition.Name
definition.NumDefenders
definition.ProgressionTreeType
definition.UnitType
definition.VictoryClassType
definition.VictoryType
definition.ViewName
definition.attributes
definition.classNames
definition.content
definition.contentTemplates
definition.createInstance
definition.description
definition.id
definition.images
definition.layout
definition.requires
definition.source
definition.styles
definition.tabIndex
definitions.push
deleteButton.addEventListener
deleteButton.appendChild
deleteButton.classList
deleteButtonNavHelp.classList
deleteIcon.addEventListener
deleteIcon.appendChild
deleteIcon.classList
deleteIcon.setAttribute
democracyImage.classList
dependencyEntry.classList
dependencyEntry.setAttribute
dependsOn.forEach
deps.forEach
deps.indexOf
deps.push
deps.splice
depth.iconURL
depth.isCompleted
depth.isCurrent
depth.isLocked
depth.unlocks
depthInfo.push
depthLevel.push
desc1Element.setAttribute
desc2Element.setAttribute
descStrings.length
descStrings.push
description.appendChild
description.classList
description.innerHTML
description.setAttribute
descriptionContainer.appendChild
descriptionContainer.classList
descriptionElement.setAttribute
descriptionText.classList
descriptionText.setAttribute
descriptionsAtDepth.push
descriptor.options
descriptor.plugin
descriptors.isIndexable
descriptors.isScriptable
destDistance.length
destGroup.length
destPriority.distance
destPriority.group
detail.UnitPromotionType
detail.confirmed
detail.eventData
detail.js
detail.name
detail.ts
detailCardsContainer.appendChild
detailContainer.appendChild
detailContainer.classList
details.appendChild
details.classList
details.css
details.forEach
details.html
details.join
details.js
details.push
details.ts
detailsContainer.appendChild
detailsContainer.classList
detailsElement.classList
detailsElement.innerHTML
detailsPanelCenter.appendChild
detailsPanelCenter.classList
detailsPanelContent.appendChild
detailsPanelContent.classList
detailsPanelLayout.appendChild
detailsPanelLayout.classList
detailsPanelSpacer.classList
developer.mozilla
dial.css
dial.js
dial_proto.js
dialog.css
dialog.html
dialog.js
dialog.ts
dialogButton.classList
dialogButton.setAttribute
dialogContainer.classList
dialogData.series
dialogDisplay.appendChild
dialogDisplay.getElementsByTagName
dialogOption.Callback
dialogOption.ChoiceString
dialogOption.ChoiceType
dialogOptionButton.addEventListener
dialogOptionButton.classList
dialogOptionButton.setAttribute
dialogOptionsContainer.appendChild
dialogOptionsContainer.hasChildNodes
dialogOptionsContainer.lastChild
dialogOptionsContainer.querySelectorAll
dialogOptionsContainer.removeChild
dialogTextElement.classList
dialogTextElement.innerHTML
diffSortName.innerHTML
difficultyDiv.className
difficultyDiv.style
dilaogBoxRoot.componentCreatedEvent
dip_card_holder_bg.png
dip_card_idle.png
dip_esp_fail_icon.png
dip_esp_image.png
dip_esp_noreveal_icon.png
dip_esp_reveal_icon.png
dip_esp_success_icon.png
dip_icon_conquered.png
dip_panel_tint_this.png
dip_renew_project.png
diploActionInfo.Description
diploActionInfo.Name
diploActionInfo.UIIconPath
diploBottomSpacer.classList
diploDialogWrapper.classList
diploFiligree.classList
diploIcon.classList
diploIcon.setAttribute
diploMainBG.classList
diploMainBGContainer.appendChild
diploMainBGContainer.classList
diploRibbon.getAttribute
diploTokens.classList
diplomacy.getRelationshipEnum
diplomacy.hasAllied
diplomacy.isAtWarWith
diplomacy.js
diplomacy.ts
diplomacyActionButton.addEventListener
diplomacyActionButton.classList
diplomacyActionButton.setAttribute
diplomacyBalance.textContent
diplomacyBalance.toString
diplomacyButton.addEventListener
diplomacyButton.appendChild
diplomacyButton.classList
diplomacyDialogData.DealAction
diplomacyEventData.actionType
diplomacyEventData.initialPlayer
diplomacyIconContainer.appendChild
diplomacyIconContainer.classList
diplomacyIconImage.classList
diplomacyOptions.appendChild
diplomacyString.classList
diplomacyString.innerHTML
diplomacyYield.toString
diplomacyYieldElement.addEventListener
diplomacyYieldElement.classList
diplomacyYieldElement.dataset
direction.toLowerCase
directionNames.get
dis.png
disableCityBanners.id
disableContent.length
disableContent.map
disableHUD.id
disabled.png
disabled.toString
disabledContent.length
disabledContent.push
disabledContent.sort
disabledReason.classList
disabledReason.innerHTML
discardChangesButton.addEventListener
discardChangesButton.setAttribute
discipline.Name
discipline.UnitPromotionDisciplineType
dismissButton.addEventListener
dismissButton.appendChild
dismissButton.classList
dismissButton.setAttribute
dismissContainer.appendChild
dismissContainer.classList
dismissIcon.classList
display.js
display.ts
displayControls.appendChild
displayControls.children
displayControls.removeChild
displayFormats.millisecond
displayLanguages.entries
displayNum.classList
displayNum.textContent
displayer.js
distanceCache.get
distanceCache.set
distanceFunction.bottomIsBetter
distanceFunction.leftIsBetter
distanceFunction.nearHorizonIsBetter
distanceFunction.nearPlumbLineIsBetter
distanceFunction.nearTargetLeftIsBetter
distanceFunction.nearTargetTopIsBetter
distanceFunction.rightIsBetter
distanceFunction.topIsBetter
distantPlayers.length
distantPlayers.push
distantStartRegions.length
distantStartRegions.push
district.cityId
district.componentID
district.controllingPlayer
district.getConstructibleIds
district.getConstructibleIdsOfClass
district.getConstructibleIdsOfType
district.id
district.localId
district.location
district.owner
district.type
district.updateDistrictHealth
districtContainer.appendChild
districtContainer.classList
districtData.constructibleData
districtData.description
districtData.name
districtDefinition.MaxConstructibles
districtDescription.classList
districtDescription.innerHTML
districtHealth.appendChild
districtHealth.classList
districtHealth.setAttribute
districtHealth.setContested
districtHealth.updateDistrictHealth
districtId.id
districtId.owner
districtIdsRural.length
districtIdsUrban.length
districtName.classList
districtName.innerHTML
districtTitle.classList
districtTitle.innerHTML
districtYields.find
districts.getIds
div.appendChild
div.classList
div.png
div.setAttribute
divHslot.appendChild
divHslot.classList
divider.classList
divider.cloneNode
divider.nextElementSibling
divider.previousElementSibling
dividerContainer.appendChild
dividerContainer.classList
dividerDiv.classList
dividerDiv.innerHTML
dividerFiligree.classList
dlc.modID
dlcImage.style
dlcName.setAttribute
dlcText.innerHTML
dock.css
dock.js
dock.ts
docs.google
document.activeElement
document.addEventListener
document.body
document.createDocumentFragment
document.createElement
document.createEvent
document.createTextNode
document.dispatchEvent
document.documentElement
document.elementFromPoint
document.firstChild
document.getElementById
document.getElementsByTagName
document.head
document.querySelector
document.querySelectorAll
document.removeEventListener
document.state
document.styleSheets
dom.js
dom.ts
domNode.parentNode
domRect.height
domRect.width
domRect.x
domRect.y
domain.possibleValues
domination.css
domination.html
domination.js
domination.ts
downArrow.addEventListener
downArrow.classList
dp.ID
dp.owner
dp.type
dp.value
dragArea.style
drop.js
dropDownList.getAttribute
dropDownList.setAttribute
dropdown.addEventListener
dropdown.classList
dropdown.dispatchEvent
dropdown.getAttribute
dropdown.js
dropdown.setAttribute
dropdown.ts
dropdown.updateDropdownItems
dropdownContainer.appendChild
dropdownContainer.classList
dropdownContainer.insertBefore
dropdownContainer.removeChild
dropdownContainer.replaceChild
dropdownData.actionKey
dropdownData.description
dropdownData.disabled
dropdownData.dropdownItems
dropdownData.dropdownType
dropdownData.id
dropdownData.isDisabled
dropdownData.itemList
dropdownData.label
dropdownData.noSelectionCaption
dropdownData.playerParamName
dropdownData.selectedIndex
dropdownData.selectedItemIndex
dropdownData.selectedItemTooltip
dropdownData.selectionCaption
dropdownData.showLabelOnSelectedItem
dropdownData.tooltip
dropdownData.type
dropdownIconItem.iconURL
dropdownItem.disabled
dropdownItem.iconURL
dropdownItem.label
dropdownItem.tooltip
drpListeningCharts.delete
drpListeningCharts.forEach
drpListeningCharts.set
drpListeningCharts.size
ds.ID
ds.owner
ds.values
dummyCard.connectedNodeTypes
dummyCard.isLocked
dummyNodes.forEach
dummyNodes.length
duplicateCards.add
duplicateCards.has
dynRangeContainer.appendChild
dynRangeContainer.classList
dynRangeTitle.classList
dynRangeTitle.innerHTML
e.AgeType
e.ChronologyIndex
e.Tag
e.Type
e.component
e.detail
e.element
e.g
e.name
e.native
e.offsetX
e.offsetY
e.stopPropagation
e.target
e.touches
e.type
e.v
e.w
e.x
e.y
eNode.type
earnedProgressList.appendChild
east.east
east.north
east.south
east.west
eastContinent.east
eastContinent.west
eastContinent2.east
eastContinent2.west
economic.css
economic.html
economic.js
economic.ts
edge.minlength
edge.v
edge.w
edge.weight
edgeLabel.height
edgeLabel.labelRank
edgeLabel.labelpos
edgeLabel.points
edgeLabel.weight
edgeLabel.width
edgeObj.name
edgeObj.v
edgeObj.w
edges.filter
editor.css
editor.js
editor.ts
effect.amount
effect.description
effect.id
effect.isPlacementEffect
effect.multipleInstancesString
effect.name
effect.numInstances
effectInfo.Name
effectStrings.map
effectStrings.push
effected.name
effects.easeInBounce
effects.easeOutBounce
effects.linear
effects.push
egm.AgeType
egm.CivilizationType
egm.CompletedLegacyPath
egm.DefeatType
egm.IsFinalAge
egm.LastCompletedLegacyPath
egm.LeaderType
egm.UnlockType
egm.VictoryType
egypt_icon.png
el.addEventListener
el.appendChild
el.classList
el.className
el.component
el.getAttribute
el.getCenterPoint
el.getProps
el.getRange
el.hasAttribute
el.hasValue
el.id
el.innerHTML
el.options
el.remove
el.removeAttribute
el.setAttribute
el.src
el.style
el.tooltipPosition
elArr.push
ele.setBonusData
ele.style
elem.addEventListener
elem.angle
elem.appendChild
elem.classList
elem.dispatchEvent
elem.element
elem.focus
elem.get
elem.getAttribute
elem.getBoundingClientRect
elem.hasAttribute
elem.id
elem.offsetHeight
elem.offsetWidth
elem.owner
elem.parentElement
elem.querySelector
elem.setAttribute
elemList.indexOf
elemList.splice
element.ConstructibleType
element.ID
element.ModifierId
element.PlotIndex
element.RequiresActivation
element.YieldChangeId
element.active
element.addEventListener
element.appendChild
element.ariaLabel
element.ariaValueNow
element.ariaValueText
element.attributeStyleMap
element.childNodes
element.children
element.classList
element.className
element.dataset
element.draw
element.endAngle
element.fullCircles
element.getAttribute
element.getBoundingClientRect
element.getCenterPoint
element.getProps
element.hasAttribute
element.height
element.hidden
element.id
element.inRange
element.innerHTML
element.innerRadius
element.isConnected
element.lastElementChild
element.nextElementSibling
element.outerRadius
element.parentElement
element.previousElementSibling
element.previousSibling
element.querySelector
element.querySelectorAll
element.remove
element.removeAttribute
element.role
element.setAttribute
element.skip
element.src
element.style
element.tagName
element.width
elementHidden.classList
elementMatchesSelector.call
elementRect.bottom
elementRect.height
elementRect.left
elementRect.right
elementRect.top
elementRect.width
elements.length
elements.push
elements.reverse
elimination.css
elimination.html
elimination.js
elimination.ts
empire.css
empire.html
empire.js
empire.ts
emptyCaption.innerHTML
emptyInProgress.appendChild
emptyInProgress.classList
emptySlotHoverOverlay.classList
emptySlotImage.classList
emptySlotImage.setAttribute
emptySlots.push
enabled.AdditionalDescription
enabled.BestConstructible
enabled.ChargesRemaining
enabled.ConfirmDialogBody
enabled.ConfirmDialogTitle
enabled.FailureReasons
enabled.Success
enabledLegacyPaths.push
enabledMod.modID
enabledMods.filter
enabledText.setAttribute
enabledVictories.forEach
end.hi
endData.meanS
endData.pathCSV
endData.quantile99S
endGameMovies.length
endGameMovies.sort
endTurnBlockingNotification.Type
endTurnblockingNotificationId.id
endgame.css
endgame.js
endgame.ts
enemy.ani
engine.AddOrRemoveOnHandler
engine.BindingsReady
engine.RemoveOnHandler
engine.SendMessage
engine.TriggerEvent
engine._ActiveRequests
engine._BindingsReady
engine._ContentLoaded
engine._ForEachError
engine._Initialized
engine._OnContentLoaded
engine._OnError
engine._OnReady
engine._Reject
engine._RequestId
engine._Result
engine._TriggerError
engine._mockImpl
engine._mocks
engine._trigger
engine.addDataBindEventListner
engine.addSynchronizationDependency
engine.call
engine.createJSModel
engine.createObservableModel
engine.dependency
engine.enableImmediateLayout
engine.events
engine.executeImmediateLayoutSync
engine.hasAttachedUpdateListner
engine.isAttached
engine.isImmediateLayoutEnabled
engine.mock
engine.off
engine.on
engine.onUpdateWholeModel
engine.registerBindingAttribute
engine.reloadLocalization
engine.removeSynchronizationDependency
engine.synchronizeModels
engine.trigger
engine.updateWholeModel
engine.whenReady
engineEvent.actingPlayer
engineEvent.changedBy
engineEvent.cityID
engineEvent.district
engineEvent.initialPlayer
engineEvent.owningPlayer
engineEvent.player
engineEvent.player1
engineEvent.player2
engineEvent.reactingPlayer
engineEvent.targetPlayer
engineEvent.unit
engineEvent.unitID
enhancerContainer.hasChildNodes
enhancerContainer.lastChild
enhancerContainer.removeChild
entitlementChange.id
entitlementChanges.forEach
entries.filter
entries.forEach
entries.length
entries.push
entry.Category
entry.Icon
entry.addEventListener
entry.addedNodes
entry.allowance
entry.appendChild
entry.barycenter
entry.bonus
entry.cannotBeAdded
entry.ch
entry.civID
entry.class
entry.classList
entry.classTypeIcon
entry.colorClass
entry.constructibleType
entry.contentRect
entry.costs
entry.currentResources
entry.description
entry.disabled
entry.display
entry.effectID
entry.emptySlots
entry.factoryResources
entry.hasBeenAdded
entry.hasFactory
entry.hasFactorySlot
entry.hasOwnProperty
entry.hasTreasureResources
entry.i
entry.id
entry.indegree
entry.index
entry.inputName
entry.instancesLeft
entry.insufficientFunds
entry.isBeingRazed
entry.isEmpty
entry.isInTradeNetwork
entry.key
entry.location
entry.match
entry.merged
entry.multipleInstancesString
entry.name
entry.notifications
entry.numInstances
entry.oddCard
entry.out
entry.playerAchievedTime
entry.playerCivilizationName
entry.playerLeaderName
entry.playerName
entry.playerRanking
entry.playerScore
entry.plotIndex
entry.pos
entry.queuedResources
entry.removedNodes
entry.resource
entry.selected
entry.setAttribute
entry.settlementIcon
entry.settlementType
entry.settlementTypeName
entry.tooltip
entry.treasureResources
entry.treasureVictoryPoints
entry.turnsUntilTreasureGenerated
entry.type
entry.typeID
entry.typeIcon
entry.v
entry.value
entry.vs
entry.weight
entry.yields
entryA.i
entryB.i
entryContainer.appendChild
entryContainer.lastChild
entryContainer.removeChild
entryCost.classList
entryCost.setAttribute
entryCostName.classList
entryDescription.classList
entryElement.getAttribute
entryElement.querySelector
entryElement.setAttribute
entryName.classList
entryV.barycenter
entryV.i
entryV.out
entryW.barycenter
entryW.i
entryW.indegree
equippedElement.classList
error.message
errors.length
ev.detail
ev.preventDefault
ev.reason
event.actionType
event.animationName
event.cityID
event.clientX
event.clientY
event.code
event.css
event.currentTarget
event.deltaY
event.detail
event.endTurn
event.errorMessage
event.getDirection
event.goal
event.hasPremiumServices
event.html
event.initialPlayer
event.isCancelInput
event.js
event.keyCode
event.location
event.milestone
event.offsetX
event.offsetY
event.player
event.preventDefault
event.progress
event.progressScore
event.relatedTarget
event.selected
event.sessionId
event.stopImmediatePropagation
event.stopPropagation
event.story
event.storyId
event.target
event.ts
event.type
event.unit
event.victoryType
event.x
event.y
eventData.actionID
eventData.descriptionText
eventData.detail
eventData.player1
eventData.player2
eventData.response
eventData.rulesText
eventData.shortDesc
eventData.targetPlayer
eventData.title
eventDropdown.setAttribute
eventHandle.clear
eventHeader.actionGroup
eventHeader.actionType
eventHeader.initialPlayer
eventHeader.targetPlayer
eventLoc.x
eventLoc.y
eventNotificationAdd.off
eventNotificationAdd.on
eventNotificationHide.off
eventNotificationHide.on
eventNotificationHighlight.off
eventNotificationHighlight.on
eventNotificationRebuild.off
eventNotificationRebuild.on
eventNotificationRemove.off
eventNotificationRemove.on
eventNotificationUnHighlight.off
eventNotificationUnHighlight.on
eventNotificationUpdate.off
eventNotificationUpdate.on
eventPosition.x
eventPosition.y
events.css
events.html
events.js
events.length
events.ts
evt.altKey
evt.ctrlKey
evt.initCustomEvent
evt.keyCode
evt.metaKey
evt.preventDefault
evt.shiftKey
evt.stopPropagation
evt.target
exception.name
excludedElem.length
excludes.add
excludes.has
exclusionPlots.length
exclusionResult.Success
existItem.eState
existing.ID
existing.goal
existing.id
existing.location
existing.progress
existing.system
existing.victory
existingChart.canvas
existingChart.id
existingConstructible.type
existingData.data
existingData.value
existingFlag.componentID
existingIcons.forEach
existingTutorialDialogs.length
existingWidth.toString
existingXP.classList
existingXP.style
exitToMain.addEventListener
expCompA.experiencePoints
expCompB.experiencePoints
expandButton.addEventListener
expandPlotData.constructibleType
expandPlotIndexes.push
experience.appendChild
experience.classList
experience.experiencePoints
experience.experienceToNextLevel
exploration.css
exploration.html
exploration.js
exploration.ts
explorerDef.Name
explorerDef.UnitType
exportYieldAmounts.join
exportYieldAmounts.push
extension.element
extension.id
extensions.dropdowns
extensions.steppers
extensions.textboxes
extraContentButton.addEventListener
extraContentButton.classList
extraContentButton.setAttribute
extraRequirement.classList
extras.css
extras.html
extras.js
extras.ts
eye.x
f.call
f.name
f.px
f.v
f.value
f.w
factors.length
factory.isMatch
factoryContainer.classList
factoryIcon.classList
factoryIcon.setAttribute
factoryResources.push
factoryResources.some
fallback.family
fallback.lineHeight
fallback.size
fallback.style
fallback.weight
fascismImage.classList
feature.FeatureType
feature.Name
feature.Tooltip
featureInfo.plots
featureParam.Elevation
featureQuote.Quote
featureQuote.QuoteAuthor
file.contentType
file.displayName
file.fileName
file.hostBackgroundColorValue
file.hostCivilization
file.hostForegroundColorValue
file.hostLeader
file.isAutosave
file.isQuicksave
file.location
file.requiredMods
file.saveTime
file.type
fileList.forEach
filigree.appendChild
filigree.classList
filigree.png
filigree.src
filigreeInnerBottom.classList
filigreeInnerTop.classList
filigreeLeft.classList
filigreeRight.classList
filigreeRow.appendChild
filigreeRow.classList
filigrees.forEach
fill.value
fillOption.target
fillTextImplementation.call
filledSlot.componentCreatedEvent
filter.inputName
filterButton.addEventListener
filterButton.appendChild
filterButton.classList
filterButton.setAttribute
filterByList.length
filterIcon.classList
filterIcon.style
filterList.appendChild
filterText.classList
filterText.setAttribute
filteredConstructibles.forEach
filteredConstructibles.length
filteredInstalledMods.forEach
filteredInstalledMods.get
filteredMods.find
finalTarget.getAttribute
finaleLine.classList
finaleLine.src
firaxis.slack
fire.ts
first.gameSpeed
first.height
first.mapDisplayName
first.mods
first.numPlayers
first.ruleSetName
first.serverNameOriginal
first.width
first.x
first.y
firstChild.remove
firstFocus.parentElement
firstLeader.mainTitleLoc
firstMeetContainer.appendChild
firstMeetCostNeg.classList
firstMeetCostNeg.innerHTML
firstMeetCostNeutral.classList
firstMeetCostNeutral.innerHTML
firstMeetCostPos.classList
firstMeetCostPos.innerHTML
firstPartyName.length
firstPlace.isLocalPlayer
firstPlaceVictories.add
firstPlaceVictories.has
firstPoint.skip
firstPoint.x
firstPoint.y
firstSection.sectionID
firstWord.slice
firstWord.startsWith
fixed.js
fixed.ts
flag.componentID
flag.css
flag.disable
flag.enable
flag.hide
flag.html
flag.js
flag.setAttribute
flag.show
flag.unit
flag.updateAffinity
flagArray.some
flags.css
flags.ignoreChildPermissions
flags.isChildAccount
flags.isPermittedChild
flags.js
flags.length
flags.ts
flagsOfIndex.find
flagsOfIndex.push
flagsOfIndex.some
flipbook.js
flipbook.run
flipbook.setAttribute
flipbook.ts
flipbookDef.atlas
flipbookDef.fps
flipbookDef.preload
flippedTabBar.setAttribute
fn.SpatialNavigation
fn.apply
fn.call
focus.dispatchEvent
focus.js
focus.parentElement
focus.png
focusBorderCenterFiligree.classList
focusBorderFiligrees.appendChild
focusBorderFiligrees.classList
focusBorderLeftFiligree.classList
focusBorderRightFiligree.classList
focusEvent.target
focusOutline.classList
focusProjects.find
focusTab.toString
focusUnit.location
focus_frame.png
focus_h.png
focusableChildren.concat
focusableChildren.length
focusableChildren.push
focusableResources.length
focusedContainer.querySelectorAll
focusedSaveGameInfo.ID
focusedSaveGameInfo.isLackingOwnership
focusedSaveGameInfo.isMissingMods
focusedSlot.classList
focusedTree.querySelectorAll
font.family
font.lineHeight
font.size
font.string
font.style
font.weight
fontClasses.push
fontOpts.lineHeight
fontSize.name
fontSize.px
fontSizes.map
fontSizes.reduce
footer.appendChild
footer.classList
footer.length
footerClass.split
footerFont.lineHeight
footerFont.string
forceComplete.addEventListener
forceComplete.classList
forceComplete.setAttribute
formalWarResults.FailureReasons
formalWarResults.Success
formattedAgeUnlocks.push
formattedUnlocks.push
formatters.numeric
found.name
found.push
foundCard.card
foundCard.item
foundDialogRequests.length
foundFontSize.name
foundMediaQuery.fontSizes
foundRequest.category
foundText.join
foundText.length
foundText.push
foundationContainer.appendChild
foundationContainer.classList
foundationData.gainedXP
foundationData.nextLevelXP
foundationData.previousLevelXP
foundationData.previousXP
foundationData.startLevel
foundationData.title
foundationExperience.classList
foundationExperience.textContent
foundationIcon.classList
foundationLevel.classList
foundationLevel.textContent
foundationLevel.toString
foundationLevelCircle.appendChild
foundationLevelCircle.classList
foundationPoints.innerHTML
foundationTitle.classList
foundationTitle.setAttribute
founderButton.setAttribute
founderContainer.hasChildNodes
founderContainer.lastChild
founderContainer.removeChild
fractal.js
fractal.ts
frag.appendChild
fragment.appendChild
frame.addEventListener
frame.append
frame.appendChild
frame.classList
frame.js
frame.png
frame.setAttribute
frame.style
frame.ts
frameAdditionalStyling.split
frameBg.classList
frameBg.className
framework.js
franklin.css
franklin.html
franklin.js
franklin.ts
friendData.disabledActionButton
friendInfo.friendID1P
friendInfo.friendIDT2gp
friendInfo.is1PBlocked
friendInfo.platform
friendInfo.playerName1P
friendInfo.playerNameT2gp
friendInfo.state1P
friendInfo.stateT2gp
friendItem.addEventListener
friendItem.getAttribute
friendItem.setAttribute
friendlyDescription.classList
friendlyDescription.innerHTML
friends.css
friends.html
friends.js
friends.ts
from.getAttribute
from.offsetHeight
from.offsetLeft
from.offsetTop
from.offsetWidth
fromCorner.classList
fromCorner.style
fromElement.classList
fromElement.getAttribute
fromElement.offsetHeight
fromElement.offsetLeft
fromElement.offsetTop
fromElement.offsetWidth
fromElement.querySelector
fromElementParentNode.offsetHeight
fromLine.classList
fromLine.style
frontPage.pageID
full.png
fullReason.appendChild
fullReason.classList
functionStripped.indexOf
functionStripped.substr
fxsIcon.ariaLabel
fxsIcon.className
fxsIcon.setAttribute
g.children
g.edge
g.edges
g.graph
g.hasEdge
g.hasNode
g.inEdges
g.isDirected
g.isMultigraph
g.mods
g.nameKey
g.neighbors
g.node
g.nodeCount
g.nodeEdges
g.nodes
g.outEdges
g.pageGroupID
g.parent
g.predecessors
g.removeEdge
g.sectionID
g.setEdge
g.setGraph
g.setNode
g.setParent
g.sources
g.successors
g.tabText
g_AdvancedStartModel.deckConfirmed
g_AdvancedStartModel.filteredCards
g_AdvancedStartModel.placeableCardEffects
g_AdvancedStartModel.selectedCards
g_AgeSummary.ageData
g_AgeSummary.ageName
g_AttributeTrees.attributes
g_BuildQueue.isTrackingCity
g_BuildQueue.items
g_BuildingList.buildingListItems
g_BuildingList.canDisplay
g_CultureTree.trees
g_HexGrid.tiles
g_LegendsReportModel.showRewards
g_MPLobbyModel.allReadyCountdownRemainingPercentage
g_MPLobbyModel.allReadyCountdownRemainingSeconds
g_MPLobbyModel.playersData
g_MPLobbyModel.readyStatus
g_ModListings.search
g_NavTray.entries
g_NavTray.isTrayActive
g_NavTray.isTrayRequired
g_PlaceBuilding.adjacencyBonuses
g_PlaceBuilding.cityName
g_PlaceBuilding.firstConstructibleSlot
g_PlaceBuilding.fromThisPlotYields
g_PlaceBuilding.hasSelectedPlot
g_PlaceBuilding.overbuildText
g_PlaceBuilding.placementHeaderText
g_PlaceBuilding.secondConstructibleSlot
g_PlaceBuilding.selectedConstructibleInfo
g_PlaceBuilding.shouldShowAdjacencyBonuses
g_PlaceBuilding.shouldShowFromThisPlot
g_PlaceBuilding.shouldShowOverbuild
g_PlaceBuilding.shouldShowUniqueQuarterText
g_PlaceBuilding.uniqueQuarterText
g_PlaceBuilding.uniqueQuarterWarning
g_PlacePopulation.addImprovementIcon
g_PlacePopulation.addImprovementText
g_PlacePopulation.canAddSpecialistMessage
g_PlacePopulation.hasHoveredWorkerPlot
g_PlacePopulation.isTown
g_PlacePopulation.numSpecialistsMessage
g_PlacePopulation.shouldShowImprovement
g_ResourceAllocationModel.availableBonusResources
g_ResourceAllocationModel.availableCities
g_ResourceAllocationModel.availableFactoryResources
g_ResourceAllocationModel.availableResources
g_ResourceAllocationModel.isResourceAssignmentLocked
g_ResourceAllocationModel.selectedResource
g_ResourceAllocationModel.selectedResourceClass
g_ResourceAllocationModel.shouldShowAvailableResources
g_ResourceAllocationModel.uniqueEmpireResources
g_TechTree.tree
g_TestSceneModels.addModelAtPos
g_TestSceneModels.addVFXAtPos
g_TestSceneModels.destroy
g_TunerState.AdvancedStartPanel
g_TunerState.CityPanel
g_TunerState.MapAreasPanel
g_TunerState.MapPanel
g_TunerState.WorldUIModels
g_TunerState.openPanel
g_TutorialInspector.items
g_UnitCityList.items
g_UnitPromotion.canPurchase
g_UnitPromotion.commendationPoints
g_UnitPromotion.commendationsLabel
g_UnitPromotion.experienceCaption
g_UnitPromotion.experienceCurrent
g_UnitPromotion.experienceMax
g_UnitPromotion.level
g_UnitPromotion.promotionPoints
g_UnitPromotion.promotionsLabel
g_installedMods.filter
g_installedMods.find
game.css
game.html
game.inUsePlayerIDs
game.js
game.ts
gameCard.addEventListener
gameCard.getAttribute
gameCard.setAttribute
gameConfig.aiPlayerCount
gameConfig.difficultyName
gameConfig.enabledModCount
gameConfig.gameName
gameConfig.gameState
gameConfig.getEnabledModId
gameConfig.getEnabledModTitle
gameConfig.getParticipatingPlayerCount
gameConfig.humanPlayerCount
gameConfig.isInternetMultiplayer
gameConfig.isKickVoting
gameConfig.isMatchMaking
gameConfig.isMementosEnabled
gameConfig.isPrivateGame
gameConfig.isSavedGame
gameConfig.maxJoinablePlayerCount
gameConfig.previousAgeCount
gameConfig.setCampaignSetupGUID
gameConfig.skipStartButton
gameConfig.startAgeName
gameConfig.turnPhaseType
gameConfig.turnTimerType
gameConfiguration.isNetworkMultiplayer
gameConfiguration.isSavedGame
gameConfiguration.previousAgeCount
gameInfo.textContent
gameInfoMapSeed.textContent
gameListData.serverNameOriginal
gameListUpdateTypeToErrorBody.get
gameName.toString
gameNameParam.toString
gameParameter.domain
gameSummaryAgeRank.classList
gameSummaryAgeRank.id
gameSummaryContinueButton.addEventListener
gameSummaryContinueButton.setAttribute
gameSummaryGraphs.classList
gameSummaryGraphs.id
gameSummaryLegacyPoints.classList
gameSummaryLegacyPoints.id
gameSummaryPanelBase.appendChild
gameSummaryPanelBase.classList
gameSummaryPanelButtonContainer.appendChild
gameSummaryPanelButtonContainer.classList
gameSummaryPanelButtonContainerFrame.classList
gameSummaryPanelContainer.appendChild
gameSummaryPanelContainer.classList
gameSummaryPanelContinueButtonWrapper.appendChild
gameSummaryPanelContinueButtonWrapper.classList
gameSummaryPanelOMTButtonWrapper.appendChild
gameSummaryPanelOMTButtonWrapper.classList
gameSummaryPanelReplayAnimationButtonWrapper.appendChild
gameSummaryPanelReplayAnimationButtonWrapper.classList
gameSummaryPanelWrapper.appendChild
gameSummaryPanelWrapper.classList
gameSummaryReplayAnimButton.addEventListener
gameSummaryReplayAnimButton.setAttribute
gameSummaryRewards.classList
gameSummaryRewards.id
gameSummaryTitleText.classList
gameSummaryTitleText.innerHTML
gameUnlocks.isUnlockedForPlayer
gamerTag1P.includes
gate.js
gate.ts
gc.length
gc.push
gc.splice
gemsContainer.appendChild
generalScrollable.appendChild
generalScrollable.classList
generalScrollable.innerHTML
generalScrollable.insertAdjacentHTML
generalScrollable.setAttribute
generalScrollableContent.classList
generalScrollableContent.insertAdjacentHTML
generateTickLabels.call
generationOptions.max
generationOptions.min
generator.js
generic.css
generic.html
germany.css
germany.html
germany.js
germany.ts
getTurnsUntilRazed.toString
github.com
global.Chart
global.addEventListener
global.engine
globalOpposeResults.Success
globals.g_AvoidSeamOffset
globals.g_CenterExponent
globals.g_CenterWeight
globals.g_CoastTerrain
globals.g_Cutoff
globals.g_DesertBiome
globals.g_DesertLatitude
globals.g_DesiredBufferBetweenMajorStarts
globals.g_FlatTerrain
globals.g_FractalWeight
globals.g_GrasslandBiome
globals.g_GrasslandLatitude
globals.g_HillFractal
globals.g_HillTerrain
globals.g_IgnoreStartSectorPctFromCtr
globals.g_IslandWidth
globals.g_LandmassFractal
globals.g_MarineBiome
globals.g_MountainFractal
globals.g_MountainTerrain
globals.g_MountainTopIncrease
globals.g_NavigableRiverTerrain
globals.g_OceanTerrain
globals.g_OceanWaterColumns
globals.g_PlainsBiome
globals.g_PlainsLatitude
globals.g_PolarWaterRows
globals.g_RainShadowDrop
globals.g_RainShadowIncreasePerHex
globals.g_RequiredBufferBetweenMajorStarts
globals.g_RequiredDistanceFromMajorForDiscoveries
globals.g_StandardRainfall
globals.g_StartSectorWeight
globals.g_TropicalBiome
globals.g_TropicalLatitude
globals.g_TundraBiome
globals.g_VolcanoFeature
globals.g_WaterPercent
globals.js
glow.classList
glowState.classList
goldBalance.toString
goldFromUnitsElement.innerHTML
goldIcon.ariaLabel
goldIcon.classList
goldIcon.setAttribute
goldYield.toString
goldYieldElement.addEventListener
goldYieldElement.classList
goldYieldElement.dataset
governmentBonusesContainer.appendChild
governmentContainer.appendChild
governmentContainer.classList
governmentContainer.hasChildNodes
governmentContainer.lastChild
governmentContainer.removeChild
governmentDef.GovernmentType
governmentDef.Name
governmentDefinition.CelebrationName
governmentDefinition.Description
governmentDefinition.GovernmentType
governmentDefinition.Name
governmentDescElement.setAttribute
governmentDescription.classList
governmentDescription.innerHTML
governmentItem.appendChild
governmentItem.classList
governmentItem.setAttribute
governmentItemContentContainer.appendChild
governmentItemContentContainer.classList
governmentNameElement.setAttribute
governmentTitle.classList
governmentTitle.setAttribute
governmentType.setAttribute
gpu.deviceID
gpu.name
gpus.length
gradientFrame.appendChild
gradientFrame.classList
graph.js
graph.node
graph.nodes
graph.setDefaultEdgeLabel
graph.setEdge
graph.setGraph
graph.setNode
graph.ts
graphAlgo.postorder
graphAlgo.preorder
graphArea.appendChild
graphArea.classList
graphDummyChains.push
graphEdge.weight
graphLayout.node
graphLayout.nodes
graphLayout.predecessors
graphLayout.successors
graphTitle.text
graphics.js
graphics.ts
graphicsBenchmarkButton.addEventListener
graphicsBenchmarkButton.remove
graphicsOptions.profile
graphs.css
graphs.js
graphs.ts
graphsContent.classList
graphsContent.setAttribute
great.css
great.html
great.js
great.ts
greatPersonLibrary.getActivationPlots
greatPersonLibrary.isGreatPerson
greatWork.Description
greatWork.Generic
greatWork.GreatWorkType
greatWork.Image
greatWork.Name
greatWorkBonus.classList
greatWorkBonus.innerHTML
greatWorkBuilding.constructibleID
greatWorkBuilding.slots
greatWorkContainer.addEventListener
greatWorkContainer.appendChild
greatWorkContainer.classList
greatWorkContainer.cloneNode
greatWorkContainer.id
greatWorkContainer.setAttribute
greatWorkContainer.style
greatWorkContainerFrame.addEventListener
greatWorkContainerFrame.appendChild
greatWorkContainerFrame.classList
greatWorkContainerFrame.id
greatWorkContainerFrame.setAttribute
greatWorkContainerImage.classList
greatWorkIcon.classList
greatWorkIcon.setAttribute
greatWorkImage.classList
greatWorkImage.setAttribute
greatWorkIndex.toString
greatWorkName.classList
greatWorkName.setAttribute
greatWorkSlot.greatWorkIndex
greece.css
greece.html
greece.js
greece.ts
greetingTitle.classList
greetingTitle.setAttribute
grid.css
grid.display
grid.drawBorder
grid.drawOnChartArea
grid.drawTicks
grid.js
grid.offset
grid.querySelector
grid.setContext
grid.ts
gridLineOpts.borderDash
gridLineOpts.borderDashOffset
gridLineOpts.circular
group.categories
group.class
group.completion
group.js
group.length
group.name
group.pageGroupID
group.toUpperCase
group.totalChallenges
group.ts
group.visibleIfEmpty
groupContainer.appendChild
groupElement.setAttribute
groupEntry.add
groupName.categories
groupTitle.setAttribute
groups.find
groups.forEach
groups.sort
growthQueueMeter.setAttribute
growthQueueTurns.classList
growthQueueTurns.innerHTML
growthType.toString
guard.css
guard.js
guard.ts
guardedValue.toString
gwBuildings.forEach
gwBuildings.length
gwEntry.buildingName
gwEntry.details
gwEntry.totalSlots
gwEntry.yields
gwYieldChange.YieldChange
gwYieldChange.YieldType
h2.png
hLimits.end
hLimits.start
hSlot.appendChild
hSlot.classList
hSlot.setAttribute
han.css
han.html
han.js
han.ts
handle.png
handle_h.png
handler.activate
handler.add
handler.allowsHotKeys
handler.canEnterMode
handler.canHide
handler.canShow
handler.code
handler.context
handler.dismiss
handler.getCategory
handler.handleInput
handler.handleNavigation
handler.hide
handler.isTargetPlotOperation
handler.js
handler.lookAt
handler.show
handler.switchTo
handler.ts
handler.useHandlerWithGamepad
handlers.forEach
handlers.indexOf
handlers.js
handlers.length
handlers.push
handlers.splice
handlers.ts
handpointer.ani
happinessPerTurnElement.innerHTML
happinessRingMeter.setAttribute
happinessYieldElement.addEventListener
happinessYieldElement.classList
happinessYieldElement.dataset
harness.appendChild
harness.childNodes
harness.innerHTML
harness.parentElement
harness.querySelector
harness.style
harnessElements.forEach
hasOwnProperty.call
hash.valueOf
hatshepsut.css
hatshepsut.html
hatshepsut.js
hatshepsut.ts
hawaii.css
hawaii.html
hawaii.js
hawaii.ts
hdr.css
hdr.html
hdr.js
hdr.ts
hdrOptionPage.appendChild
headUnit.id
header.appendChild
header.classList
header.css
header.innerHTML
header.js
header.remove
header.removeAttribute
header.setAttribute
header.ts
headerBG.classList
headerClass.split
headerContainer.appendChild
headerContainer.classList
headerDivider.classList
headerElement.classList
headerElement.setAttribute
headerGlow.classList
headerInProgress.classList
headerInProgress.setAttribute
headerSpacing.classList
headerSys.classList
headerText.classList
headerText.innerHTML
headerText.setAttribute
headerTextContainer.appendChild
headerTextContainer.classList
headerTitle.innerHTML
headerTooltip.classList
headerTooltip.setAttribute
headerTooltipDivider.classList
headerTooltipDividerGems.classList
headerTreeExpandButton.addEventListener
headerTreeExpandButton.classList
headerTreeExpandButton.setAttribute
headerTreeProgress.classList
headerTreeProgress.setAttribute
headerWrapper.appendChild
headerWrapper.classList
headerWrapper.dataset
header_filigree.png
headers.length
health.css
health.js
health.ts
healthCaption.classList
healthCaption.innerHTML
heap.js
heights.indexOf
heights.push
help.js
help.ts
helpArguments.join
helpers.js
helpers.ts
heroButton.setAttribute
hexDiv.classList
hexDivShadow.classList
hexField.appendChild
hexField.classList
hexResource.Name
hexResource.ResourceClassType
hexResource.ResourceType
hexResource.Tooltip
hiddenActions.sort
hiddenState.classList
hideButton.addEventListener
hideButton.appendChild
hideButton.classList
hideButton.setAttribute
hideText.classList
hideText.innerHTML
highest.height
highestActiveUnrestDuration.toString
highlight.classList
highlight.containerSelector
highlight.itemSelector
highlightLayer.classList
highlightLayer.innerHTML
highlightLayer.querySelector
highlightLeftover.parentElement
highlightObj.classList
highlightObj.setAttribute
highlightRoot.classList
highlightRoot.parentElement
highlightText.innerHTML
highlighter.add
highlighter.js
highlighter.registerHighlighter
highlighter.remove
himiko.css
himiko.html
himiko.js
himiko.ts
historicalChoiceIcon.classList
historicalChoiceIcon.setAttribute
historicalCiv.ele
historicalCiv.reason
history.entries
history.length
historyPage.pageID
historyPage.sectionID
historyPageDetails.nameKey
hitBox.height
hitBox.left
hitBox.top
hitBox.width
hitbox.addEventListener
hitbox.appendChild
hitbox.classList
hitbox.col
hitbox.height
hitbox.id
hitbox.left
hitbox.row
hitbox.setAttribute
hitbox.top
hitbox.width
hofItems.forEach
hofItems.push
hofTabControl.addEventListener
hofTabControl.classList
hofTabControl.setAttribute
holder.appendChild
holder.classList
homelandPlayers.length
homelandPlayers.push
homelandStartRegions.length
homelandStartRegions.push
horizontal.js
horizontal.ts
horizontalContainer.classList
host.js
host.style
host.ts
hostPlayerConfig.slotName
hostPlayerId.toString
hostileDescription.classList
hostileDescription.innerHTML
hostileGreetingTitle.classList
hostileGreetingTitle.setAttribute
hostsetup.js
hotkey.detail
hourGlass.classList
hourGlass.setAttribute
hourglasses00.png
hourglasses01.png
hourglasses02.png
hourglasses03.png
hover.classList
hover.png
hoverOptions.mode
hoverOverlay.appendChild
hoverOverlay.classList
hoveredResponseButtonBg.addEventListener
hoveredResponseButtonBg.classList
hoveredResponseButtonBg.setAttribute
hslot.appendChild
hslot.classList
hub.css
hub.html
hub.js
hub.ts
hud.js
hud.ts
hud_age_circle_bk.png
hud_civic_circle_bk.png
hud_closebutton.png
hud_fleur.png
hud_mini_box.png
hud_mini_lens_btn.png
hud_navhelp_bk.png
hud_notif_bk.png
hud_quest_bullet.png
hud_quest_close.png
hud_quest_grad.png
hud_quest_open.png
hud_sidepanel_bg.png
hud_sidepanel_divider.png
hud_sub_circle_bk.png
hud_tech_circle_bk.png
hud_turn_bk.png
hud_turn_decor.png
hud_turn_gear.png
hud_turn_main.png
hud_turn_txt_plate.png
i.e
i.toString
iLocation.x
iLocation.y
iNumToDisplay.toString
iRemovedResourcePlots.forEach
iRemovedResourcePlots.length
iRemovedResourcePlots.push
iRevealedCount.toString
iScale._endPixel
iScale._reversePixels
iScale._startPixel
iScale.axis
iScale.getLabelForValue
iScale.getLabels
iScale.getMatchingVisibleMetas
iScale.getPixelForDecimal
iScale.getPixelForValue
iScale.getUserBounds
iScale.options
iScale.parse
iTurnsUntilTreasureGenerated.toString
iYield.toString
icon.Negative
icon.RewardIconType
icon.appendChild
icon.classList
icon.css
icon.html
icon.js
icon.png
icon.setAttribute
icon.src
icon.style
icon.ts
icon1.includes
iconActivatable.addEventListener
iconBG.classList
iconBigShadow.classList
iconClass.split
iconColumn.appendChild
iconColumn.className
iconContainer.appendChild
iconContainer.classList
iconContainerJoinCode.addEventListener
iconContainerJoinCode.classList
iconContainerJoinCode.id
iconDiv.style
iconEle.appendChild
iconEle.classList
iconEle.setAttribute
iconElement.classList
iconElement.style
iconFrame.classList
iconFrame.src
iconGroups.map
iconHighlight.classList
iconImage.appendChild
iconImage.classList
iconImage.style
iconImg.classList
iconImg.style
iconInnerBG.classList
iconInnerBG.textContent
iconMessage.length
iconName.toLowerCase
iconOffset.x
iconOffset.y
iconOverlay.classList
iconRow.appendChild
iconRow.classList
iconRow.setAttribute
iconShadow.classList
iconStartText.classList
iconText.classList
iconText.setAttribute
iconTextContainer.appendChild
iconTextContainer.classList
iconTurnCounter.classList
icon_frame.png
icon_pencil.png
icon_pencil_check_hover.png
icon_pencil_hover.png
icon_unlock.png
icons.css
icons.forEach
icons.js
icons.length
icons.push
icons.ts
iconsToPreload.add
iconsWrapper.appendChild
iconsWrapper.classList
id.charAt
id.icon
id.id
id.js
id.length
id.owner
id.toString
id.ts
id.type
id.value
id1.id
id1.owner
id1.type
id2.id
id2.owner
id2.type
ideologyDef.Name
ideologyItem.appendChild
ideologyItem.classList
ideologyName.classList
ideologyName.innerHTML
ideologyText.appendChild
ideologyText.classList
ideologyText.role
ideologyTitle.classList
ideologyTitle.setAttribute
idleImage.classList
idleOverlay.appendChild
idleOverlay.classList
idleSpacer.classList
ids.find
ids.length
ids.push
ids.splice
ids.split
ignoreMods.add
ignoreMods.has
ii.css
ii.html
ii.js
ii.ts
image.addEventListener
image.appendChild
image.classList
image.getAttribute
image.js
image.src
image.style
image.ts
imageContainer.appendChild
imageElement.classList
imageElement.setAttribute
imageName.length
imagePath.includes
images.forEach
img.classList
img.setAttribute
img.src
img.style
imgElement.classList
imgElement.src
imgElement.style
imgbg.style
importPayloads.length
importPayloads.push
improvement.ConstructibleType
improvement.TraitType
improvementAddIcon.classList
improvementDefinition.ConstructibleType
improvementIcon.appendChild
improvementIcon.classList
improvementIcon.setAttribute
improvementInfoContainer.appendChild
improvementInfoContainer.classList
improvementInfoFrame.appendChild
improvementInfoFrame.setAttribute
improvementInfoFrameHeader.classList
improvementInfoFrameHeader.setAttribute
inEdges.concat
inProgress.classList
inTradeNetworkWarning.classList
inTradeNetworkWarning.innerHTML
inV.reduce
incognita.js
incognita.ts
indDef.CityStateName
indDef.CityStateType
indDef.Name
independent.civilizationName
independentName.classList
independentName.innerHTML
independentNameHeader.setAttribute
independentPlayer.civilizationFullName
index.js
index.toString
indexScale.id
india.css
india.html
india.js
india.ts
indian.css
indian.html
indian.js
indian.ts
indicator.css
indicator.js
indicator.ts
indy.civilizationFullName
infIndepData.independentPlayerID
infIndepData.location
influenceContainer.appendChild
influenceContainer.classList
influenceCost.classList
influenceCost.toString
influenceCostText.classList
influenceCostText.innerHTML
influenceIcon.classList
influenceIcon.src
influenceIconWrapper.appendChild
influenceIconWrapper.classList
influenceText.classList
influenceText.innerHTML
info.AgeType
info.AgeTypeOverride
info.BackgroundImageHigh
info.CivilizationType
info.CivilizationTypeOverride
info.ConstructibleClass
info.ConstructibleType
info.CurrentMaintenance
info.CurrentYields
info.Description
info.IsBlocked
info.LeaderType
info.LeaderTypeOverride
info.Name
info.NextMaintenance
info.NextYields
info.NumWorkers
info.PlotIndex
info.ani
info.cacheable
info.currentValue
info.icon
info.id
info.initListener
info.js
info.max
info.min
info.steps
info.text
info.title
info.type
infoCard.column
infoCard.connectedNodeTypes
infoCard.hasData
infoCard.isDummy
infoCard.name
infoCard.nodeType
infoCard.queuePriority
infoCard.row
infoColumn.append
infoColumn.className
infoContainer.append
infoContainer.appendChild
infoContainer.classList
infoContainer.hasChildNodes
infoContainer.lastChild
infoContainer.removeChild
infoElement.appendChild
infoElement.classList
infoTile.automaticLayout
infoTile.column
infoTile.connectedNodeTypes
infoTile.hasData
infoTile.row
infoTile.treeDepth
initParams.bottomLatitude
initParams.height
initParams.incomingAge
initParams.mapSize
initParams.numMajorPlayers
initParams.outgoingAge
initParams.topLatitude
initParams.width
initParams.wrapX
initParams.wrapY
initial.leaderTypeName
initial.style
initialIcon.classList
initialIcon.setAttribute
initialTargetPlayer.id
initialTargetPlayer.isMajor
initiator.leaderName
initiator.leaderTypeName
initiatorIcon.classList
initiatorIcon.setAttribute
initiatorPlayer.id
initiatorPlayer.leaderType
initiatorPlayer.name
initiatorPlayerIcon.style
initiatorRelationshipIcon.style
inka.css
inka.html
inka.js
inka.ts
inner.appendChild
inner.classList
inner.h
inner.w
innerContainer.appendChild
innerContainer.classList
innerFrame.appendChild
innerFrame.classList
innerFrame.insertAdjacentElement
innerFrame.insertAdjacentHTML
innerFrame.setAttribute
innerHTML.length
innerProgressBar.style
innerVslot.appendChild
innerVslot.classList
input.focus
input.js
input.length
input.selectionEnd
input.selectionStart
input.ts
input.value
inputEvent.defaultPrevented
inputEvent.detail
inputEvent.isCancelInput
inputEvent.preventDefault
inputEvent.stopImmediatePropagation
inputEvent.stopPropagation
inputEvent.target
inputEvent.type
inputFilter.inputName
inputGraph.edges
inputGraph.nodes
inputGraph.parent
inputString.indexOf
inputString.slice
inputs.length
inspectNode.ID
inspectPosNegImg.classList
inspectPosNegImg.src
inspectPosNegImgWrapper.appendChild
inspectPosNegImgWrapper.classList
inspectPosNegTextWrapper.classList
inspectPosNegTextWrapper.innerHTML
inspectWrapper.appendChild
inspectWrapper.innerHTML
inspector.css
inspector.html
inspector.js
inspector.ts
inspectorContainer.classList
installedMod.id
installedMod.official
installedMods.filter
installedMods.find
installedMods.findIndex
installedMods.forEach
installedMods.length
installedMods.sort
instance.category
instance.cityId
instance.complete
instance.damaged
instance.location
instance.type
instance.value
instanceValue.toString
intelLogo.classList
interact.js
interact.ts
interior.appendChild
interior.classList
internetButton.setAttribute
internetButtonBgImg.classList
interpolatedPoint.x
interpolatedPoint.y
interval.common
interval.size
interval.steps
intlCache.get
intlCache.set
invertStickLabel.classList
invertStickLabel.setAttribute
invertStickRow.appendChild
invertStickRow.classList
ipixels.center
ipixels.size
isInvalidRoute.toString
isLayerEnabled.toString
isLensEnabled.toString
isLocked.toString
isPrototypeOf.call
isPurchase.toString
isabella.css
isabella.html
isabella.js
isabella.ts
it.next
item.CityStateBonusType
item.CivilizationDomain
item.CivilizationType
item.Description
item.ID
item.IdeologyType
item.Kind
item.LeaderDomain
item.LeaderType
item.Name
item.NarrativeStoryType
item.Type
item._active
item._custom
item._idx
item._layers
item._stacks
item._total
item.activateHighlights
item.activateLabel
item.activationCustomEvents
item.activationEngineEvents
item.add
item.addEventListener
item.allowNotification
item.alsoActivateID
item.amount
item.appendChild
item.arrivalTime
item.attributeSelector
item.backdrop
item.baseSelector
item.button
item.callout
item.calloutElement
item.calloutHiddenText
item.canvas
item.challengeCategory
item.challengeClass
item.chart
item.civIconURL
item.civilization
item.classList
item.color
item.commanderToReinforce
item.completed
item.completion
item.completionCustomEvents
item.completionEngineEvents
item.contentID
item.contentPrice
item.contentTitle
item.css
item.currentLevel
item.currentXp
item.dataIndex
item.dataset
item.datasetIndex
item.date
item.defaultRoutes
item.defaults
item.description
item.descriptors
item.detailsType
item.dialog
item.difficulty
item.disable
item.disabled
item.displayName
item.dnaID
item.dposition
item.draw
item.dtype
item.eState
item.effectType
item.element
item.enabled2d
item.era
item.error
item.eventType
item.excludedAge
item.filterPlayers
item.font
item.formattedValue
item.fullSize
item.gainedXP
item.game
item.gameItemId
item.getContext
item.getCurrentGoal
item.getCurrentProgress
item.getDescriptionLocParams
item.goal
item.group
item.growthType
item.hasEventListeners
item.hasID
item.hashedID
item.hidden
item.hiders
item.highlightPlots
item.highlights
item.icon
item.icon1
item.iconName
item.id
item.imageUrl
item.index
item.innerHTML
item.inputFilters
item.interfaceMode
item.isActive
item.isCityOrTown
item.isCompleted
item.isDisabled
item.isEmpty
item.isHidden
item.isLegacy
item.isLocked
item.isPersistent
item.isResident
item.isTracked
item.isTraveling
item.isUnit
item.js
item.label
item.leader
item.leaderTypeName
item.legendPathLoc
item.legendPathName
item.legendPathType
item.length
item.level
item.markActive
item.markComplete
item.markUnseen
item.maxCompletions
item.maxLevel
item.mode
item.name
item.nameKey
item.nextID
item.nextLevel
item.nextLevelXP
item.nextLevelXp
item.notifications
item.numOfCompletions
item.onActivateCheck
item.onCompleteCheck
item.onObsoleteCheck
item.onlyVisibleToOwner
item.options
item.outcome
item.overrides
item.owned
item.owner
item.pageGroupID
item.pageID
item.percentComplete
item.place
item.points
item.position
item.positionDeg
item.prevLevelXp
item.previousLevelXP
item.previousXP
item.processed
item.profile
item.progress
item.projectType
item.properties
item.querySelector
item.quest
item.questPanel
item.queuePriority
item.r
item.remove
item.reward
item.rewardType
item.rewardURL
item.rewards
item.root
item.runsInEnvironment
item.score
item.setAttribute
item.skip
item.sortIndex
item.startLevel
item.startType
item.status
item.style
item.system
item.tabText
item.tagName
item.text
item.textOffset
item.tick
item.tickBorderDash
item.tickBorderDashOffset
item.tickColor
item.tickWidth
item.title
item.tooltip
item.tooltipStyle
item.totalChallenges
item.ts
item.turns
item.tutHidderId
item.tx1
item.tx2
item.ty1
item.ty2
item.type
item.unitID
item.url
item.version
item.victory
item.weight
item.x1
item.x2
item.xp
item.y1
item.y2
item1.priority
item1.subpriority
item2.priority
item2.subpriority
itemA.victory
itemActive.ID
itemB.victory
itemBG.classList
itemBarContainer.appendChild
itemBarContainer.classList
itemButtonElement.querySelector
itemButtonElement.setAttribute
itemCard.classList
itemCard.innerHTML
itemCard.setAttribute
itemCenter.appendChild
itemCenter.classList
itemCompleted.ID
itemContainer.addEventListener
itemContainer.appendChild
itemContainer.classList
itemContainer.innerHTML
itemContainer.setAttribute
itemContainerHover.appendChild
itemContainerHover.classList
itemContainerOuter.appendChild
itemContainerOuter.classList
itemContainerOuter.setAttribute
itemDef.DistrictDefense
itemDef.Name
itemDescription.classList
itemDescription.innerHTML
itemDescription.role
itemElement.appendChild
itemElement.classList
itemElement.dataset
itemElement.removeAttribute
itemIcon.classList
itemIcon.setAttribute
itemIcon.style
itemIds.forEach
itemIndex.toString
itemInfo.appendChild
itemInfo.classList
itemInfo.id
itemList.appendChild
itemList.childElementCount
itemList.children
itemName.classList
itemName.innerHTML
itemName.role
itemOrID.ID
itemSlot.appendChild
itemSlot.classList
itemSlot.innerHTML
itemState.classList
itemText.appendChild
itemText.classList
itemTextContainer.appendChild
itemTextContainer.classList
itemTitle.classList
itemTitle.innerHTML
itemToRemove.remove
itemTypeName.classList
itemTypeName.innerHTML
itemTypeName.role
items.concat
items.filter
items.find
items.findIndex
items.forEach
items.length
items.map
items.pop
items.push
items.reduce
j.toString
japan.css
japan.html
japan.js
japan.ts
join.js
join.ts
joinCodeParam.toString
joinGameErrorTypeToErrorBody.get
joinServerType.toString
jointEvent.actionTypeName
jointEvent.uniqueID
jointEvents.forEach
jointEvents.length
k.startsWith
kAttackPlots.length
kBoundaries.east
kBoundaries.north
kBoundaries.south
kBoundaries.west
kEvent.actionType
kEvent.completionScore
kEvent.initialPlayer
kEvent.progressScore
kEvent.support
kEvent.uniqueID
kLocation.x
kLocation.y
key.split
keyCache.get
keyCache.set
keyLists.forEach
keyboardActions.includes
keys.find
keys.forEach
keys.length
keys.push
keys.some
keys.unshift
keysCached.add
keysCached.has
keywordAbilityDef.FullDescription
keywordAbilityDef.IconString
keywordAbilityDef.Summary
khmer.css
khmer.html
khmer.js
khmer.ts
kickButton.addEventListener
kickButton.appendChild
kickButton.classList
kickButton.setAttribute
kickButtonBg.classList
kickButtonContainer.appendChild
kickButtonContainer.classList
kickButtonHighlight.classList
kickPlayerConfig.slotName
kickedPlayerConfig.nickName_1P
kickedPlayerConfig.nickName_T2GP
kickerPlayerConfig.slotName
l.id
l.value
l10nParagraph.forEach
label.classList
label.className
label.dataset
label.innerHTML
label.length
label.lim
label.low
label.minlength
label.parent
label.rank
label.removeAttribute
label.role
label.setAttribute
label.weight
labelC.classList
labelC.setAttribute
labelClass.split
labelColors.backgroundColor
labelColors.borderColor
labelColors.borderDash
labelColors.borderDashOffset
labelColors.borderRadius
labelColors.borderWidth
labelColors.push
labelElement.classList
labelElement.className
labelElement.setAttribute
labelFont.size
labelFont.string
labelIndex.findIndex
labelIndex.length
labelIndex.push
labelOpts.filter
labelOpts.font
labelOpts.generateLabels
labelOpts.pointStyleWidth
labelOpts.sort
labelOpts.textAlign
labelOpts.usePointStyle
labelPadding.height
labelPadding.left
labelPadding.top
labelPadding.width
labelPointStyle.pointStyle
labelPointStyle.rotation
labelPointStyles.push
labelSizes.heights
labelSizes.highest
labelSizes.widest
labelSizes.widths
labelTextColors.push
labels.forEach
labels.indexOf
labels.lastIndexOf
labels.length
labels.push
labels.slice
labels.splice
labs.com
lafayette.css
lafayette.html
lafayette.js
lafayette.ts
land.js
land.ts
landClaimContainer.classList
landClaimContainer.className
landClaimContainer2.classList
landClaimData.location
last.height
last.vs
last.width
last.x
last.y
lastButton.classList
lastElementChild.classList
lastError.toString
lastPlayerMessageBackground.appendChild
lastPlayerMessageBackground.classList
lastPlayerMessageText.classList
lastPlayerMessageText.setAttribute
lastPoint.x
lastRowCards.length
lastSave.leaderIconUrl
lastTabIndex.toString
launcher.html
launcher.js
laurels.style
layer.applyLayer
layer.forEach
layer.initLayer
layer.js
layer.length
layer.removeLayer
layer.ts
layerGraphs.forEach
layerOffsets.push
layering.forEach
layering.length
layers.forEach
layers.length
layout.UseSidebar
layout.appendChild
layout.autoResolve
layout.box
layout.classList
layout.getLayoutGraph
layout.height
layout.horizontal
layout.js
layout.normalize
layout.order
layout.padding
layout.size
layout.stack
layout.stackWeight
layout.ts
layout.width
layoutBoxes.filter
layoutBoxes.push
layoutGraph.node
layoutGraph.setNode
layouts.addBox
layouts.configure
layouts.length
layouts.removeBox
layouts.update
leader.AdvancedStart
leader.LeaderType
leader.Name
leader.abilityText
leader.classList
leader.description
leader.icon
leader.id
leader.innerHTML
leader.invalidReason
leader.isLocked
leader.isOwned
leader.leaderID
leader.name
leader.originDomain
leader.setAttribute
leader.sortIndex
leader.style
leader.tags
leader.value
leader1.LeaderType
leader2.LeaderType
leaderAbilitiesTitle.classList
leaderAbilitiesTitle.setAttribute
leaderAbilityDescriptionElement.classList
leaderAbilityDescriptionElement.innerHTML
leaderAbilityItem.appendChild
leaderAbilityItem.classList
leaderAbilityNameElement.classList
leaderAbilityNameElement.innerHTML
leaderAbilityNameElement.role
leaderAbilityText.appendChild
leaderAbilityText.classList
leaderAgendaItem.appendChild
leaderAgendaItem.classList
leaderBg.appendChild
leaderBg.classList
leaderBox.appendChild
leaderBox.classList
leaderBoxContents.appendChild
leaderBoxContents.classList
leaderButton.addEventListener
leaderButton.classList
leaderButton.innerHTML
leaderButton.leaderData
leaderButton.setAttribute
leaderButton.whenComponentCreated
leaderCache.get
leaderCache.set
leaderCivBias.filter
leaderColor.classList
leaderColor.style
leaderContainer.appendChild
leaderContainer.classList
leaderData.abilityText
leaderData.abilityTitle
leaderData.ageUnlocks
leaderData.description
leaderData.gainedXP
leaderData.isLocked
leaderData.isOwned
leaderData.leader
leaderData.leaderID
leaderData.length
leaderData.name
leaderData.nextLevelXP
leaderData.nextReward
leaderData.ownershipData
leaderData.previousLevelXP
leaderData.previousXP
leaderData.push
leaderData.sort
leaderData.startLevel
leaderData.tags
leaderData.title
leaderData.unlocks
leaderDefinition.LeaderType
leaderDetailScroll.appendChild
leaderDetailScroll.classList
leaderDetailScroll.componentCreatedEvent
leaderDetailScroll.setAttribute
leaderDetailScroll.style
leaderDropdown.addEventListener
leaderDropdown.classList
leaderDropdown.setAttribute
leaderDropdownAndDivider.appendChild
leaderDropdownAndDivider.classList
leaderExperience.classList
leaderExperience.textContent
leaderHostIcon.classList
leaderHostIcon.innerHTML
leaderID.replace
leaderIcon.classList
leaderIcon.setAttribute
leaderImageElement.style
leaderItem.points
leaderLevel.classList
leaderLevel.textContent
leaderLevelCircle.appendChild
leaderLevelCircle.classList
leaderLine.appendChild
leaderLine.classList
leaderListScroll.appendChild
leaderListScroll.classList
leaderListScroll.setAttribute
leaderLoadingInfo.LeaderText
leaderLoadingInfo.LeaderType
leaderName.classList
leaderName.firstChild
leaderName.localeCompare
leaderName.replace
leaderName.setAttribute
leaderName.split
leaderNameContainer.appendChild
leaderNameContainer.classList
leaderNameFirstChild.classList
leaderNameFirstChild.removeAttribute
leaderParam.value
leaderParameter.value
leaderPoints.innerHTML
leaderPortrait.classList
leaderPortrait.style
leaderPortraits.length
leaderQuotes.length
leaderSelectHeader.classList
leaderSelectHeader.setAttribute
leaderSelection.addEventListener
leaderSelection.classList
leaderSelection.componentCreatedEvent
leaderSelection.setAttribute
leaderSide.toLowerCase
leaderTitle.classList
leaderTitle.setAttribute
leaderType.toString
leader_portrait_unknown.png
leaderboardButton.addEventListener
leaderboardButton.setAttribute
leaderboardItems.forEach
leaderboardItems.push
leadersContainer.appendChild
leadersContainer.classList
left.concat
leftArrow.addEventListener
leftArrow.classList
leftArrow.removeAttribute
leftArrow.setAttribute
leftArrowBG.appendChild
leftArrowBG.classList
leftArrowButton.addEventListener
leftArrowButton.classList
leftArrowDom.addEventListener
leftArrowDom.appendChild
leftArrowDom.classList
leftArrowDom.setAttribute
leftBorder.classList
leftBumper.classList
leftBumpers.forEach
leftCol.classList
leftCompletion.innerHTML
leftContainer.appendChild
leftContainer.classList
leftContainer.insertAdjacentElement
leftDisabled.toString
leftDiv.classList
leftGradient.appendChild
leftGradient.classList
leftGradientBox.appendChild
leftGradientBox.classList
leftHalf.classList
leftInfo.appendChild
leftInfo.classList
leftNav.classList
leftNav.setAttribute
leftNavHelp.setAttribute
leftNavHelper.classList
leftNavHelper.setAttribute
leftOffset.toString
leftPlayer.Diplomacy
leftPlayerLibrary.id
leftPlayerLibrary.name
leftPledgeGroup.appendChild
leftPledgeGroup.classList
leftPledgeLocalTotal.classList
leftPledgeTotal.classList
leftPledgeTotals.findIndex
leftPledgeTotals.forEach
leftPledgeTotals.push
leftScrollable.appendChild
leftScrollable.classList
leftScrollable.setAttribute
leftScrollableContainer.appendChild
leftScrollableContainer.classList
leftScrollableContainer.innerHTML
leftSideScrollable.appendChild
leftSideScrollable.classList
leftSort.addEventListener
leftSort.classList
leftSort.setAttribute
leftSortHslot.appendChild
leftSortHslot.classList
leftSortHslot.setAttribute
leftVslot.appendChild
leftVslot.classList
leg_pro_bar_empty.png
leg_pro_darka_available.png
leg_pro_darka_line.png
leg_pro_darka_locked.png
leg_pro_milestone_icon_holder.png
leg_pro_pip_milestone_done.png
leg_pro_pip_milestone_empty.png
leg_pro_pip_milestone_end.png
legacy.value
legacyCost.category
legacyCost.value
legacyData.category
legacyData.value
legacyIcon.classList
legacyIcon.src
legacyPath.EnabledByDefault
legacyPath.LegacyPathClassType
legacyPath.LegacyPathType
legacyPathDefinition.EnabledByDefault
legacyPathDefinition.LegacyPathClassType
legacyPathDefinition.Name
legacyPoint.category
legacyPoint.value
legacyPoints.find
legacyPoints.length
legacyPoints.value
legacyPointsCategories.map
legacyPointsContent.appendChild
legacyPointsContent.classList
legacyPointsContent.id
legacyPointsContent.setAttribute
legacyPointsLeft.find
legacyPointsRewards.map
legacyRewards.forEach
legacyScore.appendChild
legacyScore.attributeStyleMap
legacyScore.classList
legal.css
legal.html
legal.js
legal.ts
legalButton.addEventListener
legalContinue.addEventListener
legalContinue.setAttribute
legalDocuments.forEach
legalDocuments.length
legalOptions.viewOnly
legend.adjustHitBoxes
legend.buildLabels
legend.chart
legend.options
legendButtonContainer.appendChild
legendFoundationList.appendChild
legendItem.borderRadius
legendItem.datasetIndex
legendItem.fillStyle
legendItem.fontColor
legendItem.hidden
legendItem.index
legendItem.lineCap
legendItem.lineDash
legendItem.lineDashOffset
legendItem.lineJoin
legendItem.lineWidth
legendItem.pointStyle
legendItem.rotation
legendItem.strokeStyle
legendItem.text
legendItem.textAlign
legendItems.filter
legendItems.reverse
legendItems.sort
legendLeaderList.appendChild
legendPath.leaderId
legendPathItems.find
legendPathItems.length
legendPathItems.push
legendProgress.classList
legendProgress.setAttribute
legendReward.classList
legendReward.setAttribute
legendWrapper.appendChild
legendWrapper.classList
legendsData.completedFoundationChallenge
legendsData.completedLeaderChallenge
legendsData.progressItems
legendsData.unlockedFoundationRewards
legendsData.unlockedLeaderRewards
legendsPaths.find
lens.activeLayers
lens.js
lens.lastEnabledLayers
lens.ts
lensButton.getAttribute
lensButton.setAttribute
lensPanelContent.appendChild
lensPanelContent.classList
lensPanelHeader.classList
lensPanelHeader.setAttribute
level.toString
levelLines.filter
lg.graph
lg.node
lh.length
limitContainer.classList
limitContainer.setAttribute
limits.b
limits.l
limits.r
limits.t
line._chart
line._datasetIndex
line._decimated
line._fullLoop
line._loop
line._path
line.appendChild
line.attributeStyleMap
line.classList
line.collisionOffset
line.direction
line.dummy
line.from
line.interpolate
line.js
line.level
line.locked
line.match
line.options
line.path
line.pathSegment
line.points
line.position
line.segments
line.setAttribute
line.style
line.to
line.ts
lineDiv.classList
lineOpts.backgroundColor
lineOpts.fill
lineStyle.conditional
lineStyle.styleName
lineWidths.length
lines.length
lines.push
linesBelow.length
linesBelow.push
linesContainer.appendChild
linesContainer.classList
linesContainer.style
link.ToNarrativeStoryType
linkButton.addEventListener
linkDef.NarrativeStoryType
list.css
list.js
list.length
list.ts
listContainer.appendChild
listIndex.toString
listItems.join
listeners.forEach
listeners.indexOf
listeners.length
listeners.push
listeners.splice
liveEventDBRow.Value
liveEventReasonType.length
liveOpsStats.numPlotsRevealed
liveops.js
liveops.ts
load.css
load.js
load.ts
loadButton.addEventListener
loadButton.classList
loadButton.setAttribute
loadCard.addEventListener
loadCard.getAttribute
loadCard.setAttribute
loadCardContainer.getAttribute
loadCardList.appendChild
loadCardList.firstChild
loadCardList.getAttribute
loadCardList.removeChild
loadConfigButton.addEventListener
loadConfigButton.classList
loadConfigButton.setAttribute
loadEvent.addEventListener
loadGame.Directory
loadGame.FileName
loadGame.IsAutosave
loadGame.IsQuicksave
loadGame.Location
loadGame.Type
loadParams.Directory
loadParams.FileName
loadParams.FileType
loadParams.IsAutosave
loadParams.IsQuicksave
loadParams.Location
loadParams.Name
loadParams.Type
loading.ani
loading.appendChild
loading.classList
loading.css
loading.js
loading.ts
loadingBarProgress.classList
loadingBarProgress.style
loadingContainerElement.appendChild
loadingContainerElement.classList
loadingInfos.length
loadingInfos.sort
loadingNavHelpIcon.classList
loadingNavHelpIcon.setAttribute
lobbyErrorTypeToErrorBody.get
loc.x
loc.y
locKey.locKey
locStrings.push
local.length
localButtonBgImg.classList
localPlayer.AdvancedStart
localPlayer.Cities
localPlayer.Culture
localPlayer.Diplomacy
localPlayer.DiplomacyTreasury
localPlayer.Happiness
localPlayer.Identity
localPlayer.Religion
localPlayer.Resources
localPlayer.Techs
localPlayer.Trade
localPlayer.canUnreadyTurn
localPlayer.civilizationAdjective
localPlayer.civilizationType
localPlayer.id
localPlayer.isAlive
localPlayer.isDistantLands
localPlayer.isTurnActive
localPlayerAdvancedStart.getPlacementComplete
localPlayerCulture.getActiveTraditions
localPlayerCulture.getGoldenAgeChoices
localPlayerCulture.getGovernmentType
localPlayerCulture.getUnlockedTraditions
localPlayerCulture.isTraditionActive
localPlayerCulture.numCrisisTraditionSlots
localPlayerCulture.numNormalTraditionSlots
localPlayerCulture.numTraditionSlots
localPlayerDiplomacy.getRelationshipEnum
localPlayerDiplomacy.hasAllied
localPlayerDiplomacy.hasMet
localPlayerDiplomacy.isAtWarWith
localPlayerDiplomacy.isValidLandClaimLocation
localPlayerHappiness.getGoldenAgeDuration
localPlayerHappiness.getGoldenAgeTurnsLeft
localPlayerHappiness.isInGoldenAge
localPlayerHappiness.nextGoldenAgeThreshold
localPlayerIdentity.getAvailableAttributePoints
localPlayerInfluence.diplomacyBalance
localPlayerLibrary.civilizationAdjective
localPlayerLibrary.civilizationType
localPlayerLibrary.id
localPlayerLibrary.leaderName
localPlayerPortrait.appendChild
localPlayerReceivesIconWrapper.appendChild
localPlayerReceivesTitleWrapper.style
localPlayerStats.getLifetimeYield
localPlayerStats.getNetYield
localResource.uniqueResource
localResource.value
localResourceDefinition.Name
localResourceDefinition.ResourceClassType
localResourceDefinition.ResourceType
localResourceDefinition.Tooltip
location.x
location.y
locationA.x
locationA.y
locationB.x
locationB.y
locationCache.get
locationCache.set
locationRoot.querySelector
locationRoot.removeChild
locations.length
locator.indexOf
locator.slice
lock.png
lockElement.classList
lockIcon.classList
lockImage.classList
lockImageBg.classList
lockText.classList
lockText.setAttribute
lock_image.classList
locked.classList
lockedNodes.includes
lockedNodes.push
lockedSlot.componentCreatedEvent
logButton.addEventListener
logButton.setAttribute
logLines.forEach
logedOut.childNodes
logedOut.firstChild
logedOut.getAttribute
logedOut.innerHTML
logic.js
logic.ts
lookup.push
loopable.length
loss.css
loss.html
loss.js
loss.ts
lowerName.includes
 
Spoiler Page 5 :

Code:
m.Locale
m.MovieType
m.Resolution
m.allowance
m.component
m.handle
m.mediaQuery
m.mementoTypeId
m.official
m.prefix
m.value
m3.replace
mVolTitle.classList
mVolTitle.innerHTML
machiavelli.css
machiavelli.html
machiavelli.js
machiavelli.ts
mainActions.sort
mainBonusLeftPattern.appendChild
mainBonusLeftPattern.classList
mainBonusRightPattern.appendChild
mainBonusRightPattern.classList
mainBox.appendChild
mainBox.classList
mainCard.appendChild
mainCard.classList
mainCardHitbox.classList
mainContainer.appendChild
mainContainer.classList
mainContainer.firstChild
mainContainer.firstElementChild
mainContainer.id
mainContainer.removeChild
mainContentHslot.appendChild
mainContentHslot.classList
mainDepth.isCompleted
mainDepth.isLocked
mainDiv.addEventListener
mainDiv.appendChild
mainDiv.classList
mainDiv.setAttribute
mainEntries.forEach
mainHighlight.classList
mainMenu.setAttribute
mainScrollable.setEngineInputProxy
mainTab.classList
mainTitleLoc.includes
mainTitleLoc.length
mainTitleLoc.substring
mainVslot.classList
mainVslot.innerHTML
mainmenu.html
maintenance.Amount
maintenance.ConstructibleType
maintenance.YieldType
maintenance.name
maintenanceContainer.appendChild
maintenanceContainer.classList
maintenanceData.icon
maintenanceData.iconContext
maintenanceData.value
maintenanceEntry.appendChild
maintenanceEntry.ariaLabel
maintenanceEntry.classList
maintenanceEntry.className
maintenanceIcon.classList
maintenanceIcon.setAttribute
maintenanceLabel.className
maintenanceLabel.setAttribute
maintenanceText.classList
maintenanceText.innerHTML
maintenanceText.textContent
maintenanceValue.classList
maintenanceValue.textContent
maintenances.forEach
maintenances.length
maintenances.push
maintenancesToAdd.forEach
maintenancesToAdd.length
maintenancesToAdd.push
majapahit.css
majapahit.html
majapahit.js
majapahit.ts
majorGroup.length
majorIndices.length
maker.getComponentName
maker.isMatch
makerInstance.getComponentName
makerInstance.initialize
manager.addChildForTracking
manager.css
manager.js
manager.removeChildFromTracking
manager.ts
map.css
map.delete
map.get
map.js
map.set
map.ts
mapActionelement.getAttribute
mapActionelement.setAttribute
mapConfig.mapName
mapConfig.minMajorPlayers
mapConfiguration.script
mapInfo.LakeGenerationFrequency
mapInfo.NumNaturalWonders
mapInfo.OceanWidth
mapInfo.PlayersLandmass1
mapInfo.PlayersLandmass2
mapInfo.StartSectorCols
mapInfo.StartSectorRows
mapping.css
mapping.js
mapping.ts
margins.bottom
margins.height
margins.left
margins.right
margins.top
margins.width
markAllButton.addEventListener
markAllButton.classList
markAllButton.setAttribute
markAllDiv.appendChild
markAllDiv.classList
marker.appendChild
marker.classList
marker.style
markerContainer.appendChild
markerText.classList
markerText.setAttribute
mask.js
masterVolume.component
masterVolume.initialize
masterVolume.setAttribute
masterVolumeContainer.appendChild
masterVolumeContainer.classList
match.invalidReason
match.replace
matches.forEach
matches.length
matches.push
matchingMemento.component
max.toString
maxAgeProgress.toString
maxMoves.toString
maxPadding.bottom
maxPadding.left
maxPadding.right
maxPadding.top
maya.css
maya.html
maya.js
maya.ts
mediaQuery.fontSizes
mediaQuery.prefix
melee.js
melee.ts
mem_min_leader.png
memberAttributes.push
memento.addEventListener
memento.component
memento.componentCreatedEvent
memento.functionalTextDesc
memento.isMajorTier
memento.maybeComponent
memento.mementoName
memento.value
mementoComponent.slotData
mementoData.mementoTypeId
mementoData.push
mementoItem.appendChild
mementoItem.classList
mementoItem.role
mementoSlot.addEventListener
mementoSlot.componentCreatedEvent
mementoSlotEle.addEventListener
mementoSlotEle.componentCreatedEvent
mementoSlotMetadata.find
mementoSlotParam.ID
mementoSlotParam.domain
mementoSlotParam.hidden
mementoSlotParam.invalidReason
mementoSlotParam.value
mementoSlotsContainer.appendChild
mementoSlotsContainer.classList
mementos.length
mementosButton.addEventListener
mementosButton.classList
mementosButton.setAttribute
mementosContainer.appendChild
mementosContainer.classList
mementosData.forEach
mementosData.length
mementosHeader.classList
mementosHeader.innerHTML
mementosHeader.setAttribute
menu.classList
menu.css
menu.html
menu.items
menu.js
menu.ts
menuList.appendChild
menuList.hasChildNodes
menuList.lastChild
menuList.removeChild
menuSubtitle.setAttribute
menuTitle.setAttribute
menus.map
merchantDef.UnitType
message.classList
message.firstChild
message.js
message.role
message.setAttribute
message.trim
message.ts
messageArguments.splice
messageContent.split
messagefirstchild.classList
messagefirstchild.removeAttribute
messagesOnPlot.toString
metCityStates.forEach
metCityStates.length
metCityStates.push
metIndependents.forEach
metIndependents.length
metIndependents.push
meta._clip
meta._dataset
meta._parsed
meta._scaleRanges
meta._sorted
meta._stacked
meta.controller
meta.data
meta.dataset
meta.hidden
meta.iAxisID
meta.iScale
meta.index
meta.indexAxis
meta.label
meta.order
meta.rAxisID
meta.rScale
meta.stack
meta.total
meta.type
meta.vAxisID
meta.vScale
meta.visible
meta.xAxisID
meta.xScale
meta.yAxisID
meta.yScale
metaData.length
metadata.content
metadata.displayType
metadata.unlockTitle
metadataContainer.appendChild
metadataContainer.classList
metaprogression.js
metas.length
metasets.filter
metasets.forEach
metasets.length
metasets.push
metasets.slice
metasets.sort
metasets.splice
meter.js
meter.ts
metrics.actualBoundingBoxAscent
metrics.actualBoundingBoxDescent
metrics.actualBoundingBoxLeft
metrics.actualBoundingBoxRight
mexico.css
mexico.html
mexico.js
mexico.ts
mgr.css
mgr.html
mgr.js
mgr.ts
midDiv.appendChild
midDiv.classList
middle.center
middle.left
middle.right
middleDecor.classList
middleDecor.style
mileStonePercentage.push
milestone.AgeProgressionAmount
milestone.AgeProgressionMilestoneType
milestone.FinalMilestone
milestone.LegacyPathType
milestone.RequiredPathPoints
milestoneRewards.length
militaryUnitDef.UnitType
min.toString
minRangeDef.Value
minSize.height
minSize.width
ming.css
ming.html
ming.js
ming.ts
miniMapBG.classList
miniMapButton.addEventListener
miniMapButton.appendChild
miniMapButton.classList
miniMapButton.setAttribute
miniMapButtonIcon.classList
miniMapRightContainer.appendChild
miniMapRightContainer.classList
miniTabBar.setAttribute
minimapRect.height
minimapRect.left
minimapRect.top
minimapRect.width
minmax.js
minorReward.classList
minorReward.innerHTML
minorRewardWrapper.appendChild
minorRewardWrapper.classList
missingMods.length
missingService.childNodes
missingService.firstChild
missingService.getAttribute
missingService.innerHTML
missionaryDef.Name
missionaryDef.UnitType
mississippian.css
mississippian.html
mississippian.js
mississippian.ts
mobile.css
mobile.html
mobile.js
mock.apply
mock.name
mock.toString
mod.ID
mod.classList
mod.enabled
mod.handle
mod.id
mod.innerHTML
mod.modID
mod.name
mod.title
modActivatable.addEventListener
modActivatable.appendChild
modActivatable.classList
modActivatable.setAttribute
modAuthor.textContent
modContainer.appendChild
modContainer.childNodes
modContainer.classList
modEnabled.classList
modEnabled.setAttribute
modEnrty.getAttribute
modEnrty.querySelector
modHoverOverlay.classList
modInfo.ModifierId
modInfo.allowance
modInfo.appendChild
modInfo.enabled
modInfo.hasChildNodes
modInfo.lastChild
modInfo.name
modInfo.removeChild
modList.appendChild
modList.lastChild
modList.removeChild
modName.classList
modName.textContent
modTextContainer.appendChild
modTextContainer.classList
modTitlesToList.push
modTitlesToList.sort
modalFrame.appendChild
modalWindow.setAttribute
modal_bg.png
mode.css
mode.html
mode.js
mode.ts
model.js
model.ts
modelGroup.addModelAtPlot
modelGroup.addVFXAtPlot
modelGroup.clear
modelName.length
modern.css
modern.html
modern.js
modern.ts
modes.js
modes.ts
modifier.ModifierId
modifier.TraditionType
modifier.steps
modifierData.childData
modifierDefinition.ModifierType
modifierNode.children
modifierNode.name
modifierStringInfo.Text
modifierText.classList
modifierText.innerHTML
modifiers.canDeliver
modifiers.version
mods.appendChild
mods.filter
mods.length
mods.map
mods.push
mods.sort
modsButton.addEventListener
modsButton.remove
modsContent.classList
modsContentEmpty.classList
modsFragment.appendChild
modsToExclude.has
module.exports
mongols.css
mongols.html
mongols.js
mongols.ts
more.css
more.js
more.ts
mouseAreaRect.height
mouseAreaRect.width
mouseAreaRect.x
mouseAreaRect.y
mouseGuard.classList
movable.filter
movable.map
moveButton.hasAttribute
movePlots.length
moveUpButton.addEventListener
moveUpButton.classList
movementIcon.classList
movementMovesRemaining.toString
movementRow.appendChild
movementRow.classList
movementText.classList
movementText.innerHTML
movesMax.toString
movesRemaining.toString
movie.Audio
movie.MovieType
movie.Subtitles
movie.addEventListener
movie.classList
movie.js
movie.setAttribute
movie.ts
movieContainer.appendChild
movieContainer.childNodes
movieContainer.classList
movieContainer.removeChild
movieState.subtitles
movieState.timeouts
movieToShow.MovieType
movieVariants.push
movieVariants.sort
mp_connected.png
mp_console_crossplay.png
mp_console_epic.png
mp_console_mac.png
mp_console_pc.png
mp_console_playstation.png
mp_console_steam.png
mp_console_switch.png
mp_console_xbox.png
mp_disconnected.png
mp_locked.png
mp_player_detail.png
mpicon_host.png
mpicon_localplayer.png
mpicon_playerstatus_green.png
mpicon_playerstatus_orange.png
mpicon_playerstatus_red.png
mpicon_ready.png
mr.js
mr.ts
multiPlayer.addEventListener
multiple.classList
multiple.innerHTML
mutationList.forEach
mutationList.some
mutationRecord.addedNodes
mutationRecord.removedNodes
mutationRecord.type
mutePlayerConfig.slotName
my2k_connecting.png
my2k_incomplete.png
my2k_loggedin.png
my2k_loggedout.png
myActions.forEach
myActions.length
myActionsHeader.classList
myActionsHeader.innerHTML
myCity.Constructibles
myCity.id
myCity.isTown
myCity.name
myCity.population
myMapFeatures.length
myRoutePayload.resourceValues
n.ProgressionTreeNodeType
n.id
n.type
name.classList
name.indexOf
name.innerHTML
name.length
name.startsWith
name.style
name.substr
name.substring
name.textContent
name.toLowerCase
name.toUpperCase
nameBox.appendChild
nameBox.classList
nameContainer.append
nameContainer.appendChild
nameContainer.classList
nameDiv.removeEventListener
nameDiv.textContent
nameElement.classList
nameElement.setAttribute
nameHslot.appendChild
nameHslot.classList
nameText.classList
nameText.innerHTML
nameText.textContent
nameWrapper.appendChild
nameWrapper.className
names.transparent
nar_quest_indicator.png
nar_reg_negative.png
narrativeScreen.appendChild
naturalDisasterBaseAnnouncementBase.appendChild
naturalDisasterBaseAnnouncementBase.classList
naturalDisasterBaseAnnouncementDropShadow.classList
naturalDisasterBaseAnnouncementHighlightAndShadow.classList
naturalDisasterBaseAnnouncementText.classList
naturalDisasterBaseAnnouncementText.innerHTML
naturalDisasterBaseAnnouncementWoodTexture.classList
naturalDisasterBaseAnnouncementWrapper.appendChild
naturalDisasterBaseAnnouncementWrapper.classList
naturalDisasterBaseTitlePlateBase.appendChild
naturalDisasterBaseTitlePlateBase.classList
naturalDisasterBaseTitlePlateDropShadow.classList
naturalDisasterBaseTitlePlateFlavorImage.classList
naturalDisasterBaseTitlePlateFrame.appendChild
naturalDisasterBaseTitlePlateFrame.classList
naturalDisasterBaseTitlePlateHighlightAndShadow.classList
naturalDisasterBaseTitlePlateText.classList
naturalDisasterBaseTitlePlateText.innerHTML
naturalDisasterBaseTitlePlateWoodTexture.classList
naturalDisasterBaseTitlePlateWrapper.appendChild
naturalDisasterBaseTitlePlateWrapper.classList
naturalDisasterCinematicData.plot
naturalDisasterLowerThirdButtonShadow.appendChild
naturalDisasterLowerThirdButtonShadow.classList
naturalDisasterLowerThirdButtonWrapper.classList
naturalDisasterLowerThirdButtonWrapper.setAttribute
naturalDisasterLowerThirdWrapper.appendChild
naturalDisasterLowerThirdWrapper.classList
naturalWonderBaseAnnouncementPlateBase.appendChild
naturalWonderBaseAnnouncementPlateBase.classList
naturalWonderBaseAnnouncementPlateDropShadow.classList
naturalWonderBaseAnnouncementPlateHighlightAndShadow.classList
naturalWonderBaseAnnouncementPlateText.classList
naturalWonderBaseAnnouncementPlateText.innerHTML
naturalWonderBaseAnnouncementPlateWoodTexture.classList
naturalWonderBaseAnnouncementPlateWrapper.appendChild
naturalWonderBaseAnnouncementPlateWrapper.classList
naturalWonderBaseTitlePlateBase.appendChild
naturalWonderBaseTitlePlateBase.classList
naturalWonderBaseTitlePlateDropShadow.classList
naturalWonderBaseTitlePlateFlavorImage.classList
naturalWonderBaseTitlePlateHighlightAndShadow.classList
naturalWonderBaseTitlePlateText.classList
naturalWonderBaseTitlePlateText.innerHTML
naturalWonderBaseTitlePlateWoodTexture.classList
naturalWonderBaseTitlePlateWrapper.appendChild
naturalWonderBaseTitlePlateWrapper.classList
naturalWonderLowerThirdButtonShadow.appendChild
naturalWonderLowerThirdButtonShadow.classList
naturalWonderLowerThirdButtonWrapper.classList
naturalWonderLowerThirdButtonWrapper.setAttribute
naturalWonderLowerThirdWrapper.appendChild
naturalWonderLowerThirdWrapper.classList
naturalWonderPlots.push
navButton.addEventListener
navButton.classList
navButton.innerHTML
navButton.setAttribute
navControlEle.classList
navEvent.detail
navEvent.preventDefault
navEvent.stopPropagation
navHelp.classList
navHelp.setAttribute
navHelpClassName.split
navHelpContainer.appendChild
navHelpContainer.classList
navHelpExt.classList
navHelpLeft.classList
navHelpLeft.setAttribute
navHelpLeftClassName.split
navHelpRight.classList
navHelpRight.setAttribute
navHelpRightClassName.split
navHelper.classList
navHelper.setAttribute
navLeftButton.classList
navLeftButton.setAttribute
navRightButton.classList
navRightButton.setAttribute
navTab.removeAttribute
navTab.setAttribute
navTarget.getBoundingClientRect
navalAttack.Success
navigableElements.push
navigateInput.getDirection
navigateInput.preventDefault
navigateInput.stopPropagation
navigation.js
navigationChains.get
navigationEvent.defaultPrevented
navigationEvent.detail
navigationEvent.getDirection
navigationEvent.preventDefault
navigationEvent.stopImmediatePropagation
navigationEvent.stopPropagation
navigationEvent.type
navigationInputEvent.detail
navigationInputEvent.preventDefault
navigationInputEvent.stopPropagation
navigationResult.forEach
nearestElement.tooltipPosition
neighbors.forEach
neighbors.push
network.js
neutralDescription.classList
neutralDescription.innerHTML
neutralGreetingTitle.classList
neutralGreetingTitle.setAttribute
new.css
new.html
new.js
new.ts
newActivatable.setAttribute
newButton.addEventListener
newButton.appendChild
newButton.classList
newButton.innerHTML
newButton.querySelector
newButton.setAttribute
newCivicName.startsWith
newCivicName.substring
newConnectionButton.classList
newConnectionButton.id
newConnectionButton.setAttribute
newConnectionButton.style
newControllers.indexOf
newControllers.push
newCoord.x
newCoord.y
newCrumb.addEventListener
newCrumb.classList
newCrumb.setAttribute
newDivider.classList
newEntry.appendChild
newEntry.barycenter
newEntry.classList
newEntry.innerHTML
newEntry.setAttribute
newEntry.weight
newEntryIcon.appendChild
newEntryIcon.classList
newEntryIcon.style
newEntryText.classList
newEntryText.setAttribute
newHealth.setAttribute
newIndex.toString
newInfo.includes
newItem.querySelector
newItem.setAttribute
newItems.forEach
newItems.length
newItemsSet.has
newLeftOffset.toString
newLevel.classList
newLevel.innerHTML
newListItem.appendChild
newListItem.classList
newListItem.innerHTML
newListItem.role
newListItem.setAttribute
newOverlay.setPlotGroups
newPromotionElement.setAttribute
newReplaceableSlot.addEventListener
newReplaceableSlot.setAttribute
newSize.height
newSize.width
newStat.appendChild
newStat.classList
newStat.role
newString.length
newTicks.push
newTooltip.classList
newUnitButton.innerHTML
newUnitButton.querySelector
newUnitButton.setAttribute
newValue.split
newValue.toLowerCase
newValue.toString
newWidth.toString
newXP.classList
newXP.style
newbutton.addEventListener
newbutton.appendChild
newbutton.setAttribute
next.get
next.x
next.y
nextAllResources.filter
nextAllResources.find
nextAllResources.forEach
nextArrow.addEventListener
nextArrow.appendChild
nextArrow.classList
nextArrow.setAttribute
nextArrowBackground.classList
nextArrowContainer.appendChild
nextArrowContainer.classList
nextButton.addEventListener
nextCityButtonArrow.classList
nextGreatWorks.map
nextGreatWorks.push
nextGreatWorksDetails.filter
nextGreatWorksDetails.map
nextItem.ID
nextItem.category
nextItem.nextID
nextLensLayers.has
nextLevel.classList
nextLevel.innerHTML
nextLevelUnlockHeader.classList
nextLevelUnlockHeader.setAttribute
nextLevelXp.toString
nextNavhelp.setAttribute
nextPositionLine.collisionOffset
nextQuestItem.id
nextRowCards.length
nextSelect.classList
nextSelect.getAttribute
nextSelect.setAttribute
nextTarget.toString
nextTarget.x
nextTarget.y
nextTree.querySelectorAll
nile.css
nile.html
nile.js
nile.ts
nk.replace
noAvailableProjectsElement.classList
noAvailableProjectsElement.innerHTML
noChallengeWarning.classList
noLocalResources.textContent
noPartners.textContent
noRewardWarning.classList
node.ID
node.ProgressionTreeNodeType
node.TargetType
node.addEventListener
node.ariaHidden
node.ariaLabel
node.borderLeft
node.borderRight
node.childNodes
node.children
node.classList
node.contains
node.currentDepthUnlocked
node.depthUnlocked
node.description
node.dummy
node.edgeObj
node.getAttribute
node.hasOwnProperty
node.icon
node.iconType
node.id
node.isCrisis
node.isLocked
node.isPlaceable
node.isSelectable
node.isSwappable
node.length
node.maxDepth
node.maxRank
node.minRank
node.name
node.nodeType
node.notification
node.order
node.parentNode
node.percentComplete
node.percentCompleteLabel
node.primaryIcon
node.progressPercentage
node.rank
node.recommendations
node.repeatedDepth
node.reqStatuses
node.style
node.textContent
node.toString
node.traitType
node.treeType
node.turnDuration
node.turns
node.unlocksByDepth
node.unlocksByDepthString
nodeA.rank
nodeB.rank
nodeData.depthUnlocked
nodeData.maxDepth
nodeData.nodeType
nodeData.progress
nodeData.repeatedDepth
nodeData.unlockIndices
nodeDef.ProgressionTreeNodeType
nodeDefinitions.push
nodeEdges.forEach
nodeIcon.classList
nodeIcon.style
nodeIndex.toString
nodeInfo.Cost
nodeInfo.Description
nodeInfo.IconString
nodeInfo.Name
nodeInfo.ProgressionTree
nodeInfo.ProgressionTreeNodeType
nodeInfo.UILayoutColumn
nodeInfo.UILayoutRow
nodeName.toLocaleLowerCase
nodeType.toString
nodeU.order
node_hover.png
node_inactive.png
node_selected.png
node_selected_hover.png
nodes.forEach
nodes.length
nodesAtDepth.forEach
nodesAtDepth.length
nodesAtDepth.push
nodesToSearch.length
nodesToSearch.pop
nodesToSearch.push
noise.length
normalState.classList
normalize.js
normalize.run
normalize.ts
normalizedProgress.toString
normans.css
normans.html
normans.js
normans.ts
northLayer.map
notice.css
notice.description
notice.js
notice.liveNoticeType
notice.score
notice.title
notice.ts
notification.GroupType
notification.Location
notification.Player
notification.Target
notification.Type
notification.friendID1P
notification.friendIDT2gp
notification.id
notification.invitee
notification.is1PBlocked
notification.platform
notification.playerName1P
notification.playerNameT2gp
notification.type
notificationBadge.classList
notificationBadge.style
notificationCard.removeEventListener
notificationChooserItem.addEventListener
notificationChooserItem.classList
notificationChooserItem.componentCreatedEvent
notificationChooserItem.setAttribute
notificationContainer.appendChild
notificationContainer.childElementCount
notificationContainer.children
notificationContainer.classList
notificationContainer.setAttribute
notificationContainerInfo.notificationContainer
notificationContainerInfo.viewItem
notificationDB.Priority
notificationGroup.setAttribute
notificationID.id
notificationID.toString
notificationIconActive.classList
notificationIconHover.classList
notificationId.id
notificationId.owner
notificationInfo.id
notificationInfos.length
notificationJoin.friendID1P
notificationJoin.friendIDT2gp
notificationJoin.invitee
notificationJoin.is1PBlocked
notificationJoin.playerName1P
notificationJoin.playerNameT2gp
notificationJoins.length
notificationTabItem.appendChild
notificationTrainDecor.appendChild
notificationTrainDecor.classList
notifications.forEach
notifications.length
ntf_next_turn.png
ntf_pleasewait_anim.png
nukeBaseTitlePlateBase.appendChild
nukeBaseTitlePlateBase.classList
nukeBaseTitlePlateDropShadow.classList
nukeBaseTitlePlateFlavorImage.classList
nukeBaseTitlePlateFrame.appendChild
nukeBaseTitlePlateFrame.classList
nukeBaseTitlePlateHighlightAndShadow.classList
nukeBaseTitlePlateText.classList
nukeBaseTitlePlateText.innerHTML
nukeBaseTitlePlateWoodTexture.classList
nukeBaseTitlePlateWrapper.appendChild
nukeBaseTitlePlateWrapper.classList
nukeCivIcon.classList
nukeCivIconBase.appendChild
nukeCivIconBase.classList
nukeCivIconDropShadow.classList
nukeCivIconFrame.classList
nukeCivIconHighlightAndShadow.classList
nukeCivIconPlayerColors.classList
nukeCivIconWoodTexture.classList
nukeCivIconWrapper.appendChild
nukeCivIconWrapper.classList
nukeLeaderHexBase.appendChild
nukeLeaderHexBase.classList
nukeLeaderHexDropShadow.classList
nukeLeaderHexHighlightAndShadow.classList
nukeLeaderHexLeaderPortrait.classList
nukeLeaderHexPlayerColors.classList
nukeLeaderHexWoodTexture.classList
nukeLeaderHexWrapper.appendChild
nukeLeaderHexWrapper.classList
nukeLowerThirdButtonShadow.appendChild
nukeLowerThirdButtonShadow.classList
nukeLowerThirdButtonWrapper.classList
nukeLowerThirdButtonWrapper.setAttribute
nukeLowerThirdWrapper.appendChild
nukeLowerThirdWrapper.classList
numAvailableAttributes.toString
numNotifs.toString
numOpenCrisisSlots.toString
numOpenNormalSlots.toString
numPromotions.toString
numSettlements.toString
numVotesElement.classList
numVotesElement.setAttribute
number.classList
number.innerHTML
nwDef.Direction
nwDef.FeatureType
nwDef.PlaceFirst
nwDef.PlacementPercentage
o.ConstructibleType
o.Context
o.DiplomacyActionType
o.ID
o.ItemType
o.ModifierId
o.ProjectType
o.ReplacesUnitType
o.TraditionType
o.UnitType
o.bottom
o.bottomLeft
o.bottomRight
o.id
o.innerEnd
o.innerStart
o.left
o.outerEnd
o.outerStart
o.right
o.top
o.topLeft
o.topRight
o.x
o.y
obj.bottom
obj.height
obj.left
obj.read
obj.right
obj.top
obj.width
obj.write
objLoc.x
objLoc.y
object.componentID
object.events
object.getKeys
object.name
object.ownerPlayer
object.read
object.type
object.write
objectMap.get
objectMap.set
objects.forEach
observer.disconnect
observer.observe
off.png
offset.x
offset.y
offset.z
offsets.end
offsets.factor
offsets.push
offsets.start
offshore.css
offshore.html
offshore.js
offshore.ts
okButton.addEventListener
okButton.setAttribute
oldBonus.remove
oldButton.remove
oldCivEle.remove
oldEvent.detail
oldMemento.component
oldMessage.length
oldMessage.slice
oldPosition.length
oldPromotionElement.parentElement
oldQuest.state
oldSelection.classList
oldTreeElement.querySelector
oldUnlock.remove
oldUnlockItemEle.remove
on.png
onNavigatePage.off
onNavigatePage.on
ongoingActionElement.addEventListener
ongoingActionElement.appendChild
ongoingActionElement.classList
ongoingActionElement.setAttribute
ongoingActionItem.addEventListener
ongoingActionItem.appendChild
ongoingActionItem.classList
ongoingActionItem.setAttribute
ongoingActions.filter
ongoingActions.forEach
ongoingActions.length
ongoingActions.sort
ongoingActionsScrollable.classList
ongoingDiplomaticActions.length
ongoingProjectContainer.appendChild
ongoingProjectContainer.hasChildNodes
ongoingProjectContainer.lastChild
ongoingProjectContainer.removeChild
online.js
oobeContainer.classList
oodle_logo.png
openChatNavHelp.setAttribute
openDiploDescription.classList
openDiploDescription.innerHTML
openDiploIconWrapper.appendChild
openDiploIconWrapper.classList
openPolicyCard.appendChild
openPolicyCard.classList
openPolicyCard.setAttribute
openPolicyCardBG.appendChild
openPolicyCardBG.classList
openPolicyCardBGLeft.classList
openPolicyCardBGRight.classList
openPolicyCardCrisisBorder.classList
openPolicyCardImageBG.classList
openPolicyCardImageBG.style
openPolicyCardText.classList
openPolicyCardText.setAttribute
openSearchButton.addEventListener
openSearchButton.setAttribute
openSlot.addEventListener
openSlot.componentCreatedEvent
openSlot.setAttribute
opener.css
opener.js
opener.ts
operation.CategoryInUI
operation.Description
operation.Icon
operation.Name
operation.OperationType
operation.PriorityInUI
operation.VisibleInUI
operationArgs.X
operationArgs.Y
operationResult.AlreadyExists
operationResult.Cost
operationResult.ExpandUrbanPlots
operationResult.InQueue
operationResult.InsufficientFunds
operationResult.MoveToNewLocation
operationResult.NeededUnlock
operationResult.Plots
operationResult.RepairDamaged
operationResult.Success
operations.js
opposingPledgeGroup.classList
option.actions
option.activateListener
option.appendChild
option.callback
option.category
option.className
option.currentValue
option.description
option.disabled
option.dropdownItems
option.editorTagName
option.forceRender
option.formattedValue
option.group
option.id
option.initListener
option.isDisabled
option.isHidden
option.label
option.pushProperties
option.restoreListener
option.selectedItemIndex
option.sliderValue
option.title
option.tooltip
option.type
option.updateListener
option.valueCallback
option1.actionKey
option2.actionKey
option3.actionKey
optionButton.addEventListener
optionButton.appendChild
optionButton.classList
optionButton.removeAttribute
optionButton.setAttribute
optionDef.closes
optionDef.nextID
optionDef.pathDesc
optionDef.questID
optionDef.text
optionEle.addEventListener
optionEle.classList
optionEle.setAttribute
optionElement.classList
optionElement.component
optionElement.initialize
optionElement.setAttribute
optionInfo.caption
optionInfo.currentValue
optionInfo.dropdownItems
optionInfo.forceRender
optionInfo.formattedValue
optionInfo.id
optionInfo.isHidden
optionInfo.label
optionInfo.max
optionInfo.min
optionInfo.optionName
optionInfo.optionSet
optionInfo.optionType
optionInfo.originalValue
optionInfo.selectedItemIndex
optionInfo.steps
optionInfo.type
optionItem.appendChild
optionItem.classList
optionItem.setAttribute
optionLabel.classList
optionLabel.className
optionLabel.setAttribute
optionLimitedByWarBackground.classList
optionLimitedByWarColumn.appendChild
optionLimitedByWarColumn.classList
optionLimitedByWarColumn.cloneNode
optionLimitedByWarText.classList
optionLimitedByWarText.setAttribute
optionNumber.classList
optionNumberWrapper.appendChild
optionNumberWrapper.classList
optionRadio.setAttribute
optionRow.addEventListener
optionRow.appendChild
optionRow.classList
optionTicks.autoSkipPadding
optionTicks.display
optionTicks.labelOffset
optionTicks.setContext
optionValue.appendChild
optionValue.classList
optionValue.setAttribute
optionValueInner.appendChild
optionValueInner.classList
options._cacheable
options.algorithm
options.align
options.all
options.animation
options.animations
options.aspectRatio
options.axis
options.backgroundColor
options.barPercentage
options.barThickness
options.bodyColor
options.bodyFont
options.bodySpacing
options.borderAlign
options.borderCapStyle
options.borderColor
options.borderDash
options.borderDashOffset
options.borderJoinStyle
options.borderSkipped
options.borderWidth
options.bounds
options.boxPadding
options.callbacks
options.capBezierPoints
options.caretPadding
options.caretSize
options.category
options.categoryPercentage
options.chartHint
options.circular
options.color
options.cornerRadius
options.css
options.cubicInterpolationMode
options.dataPointID
options.dataSetID
options.datasets
options.devicePixelRatio
options.display
options.displayColors
options.drawTicks
options.drawTime
options.enabled
options.eventHandler
options.events
options.external
options.family
options.fill
options.filter
options.font
options.footerAlign
options.footerColor
options.footerFont
options.footerMarginTop
options.footerSpacing
options.fullSize
options.grid
options.grouped
options.hideLegend
options.hitRadius
options.hoverBorderWidth
options.hoverOffset
options.hoverRadius
options.html
options.includeInvisible
options.indexAxis
options.intersect
options.isActive
options.itemSort
options.js
options.labels
options.layout
options.lineHeight
options.lineWidth
options.locale
options.maintainAspectRatio
options.map
options.max
options.maxBarThickness
options.maxHeight
options.maxWidth
options.merger
options.min
options.mode
options.multiKeyBackground
options.navigateToPage
options.offset
options.onClick
options.onHover
options.onResize
options.ownerPlayerFilter
options.ownerTypeFilter
options.padding
options.plugins
options.pointStyle
options.position
options.propagate
options.radius
options.reason
options.resizeDelay
options.responsive
options.reverse
options.rotation
options.rtl
options.samples
options.scales
options.segment
options.setContext
options.size
options.skipNull
options.spacing
options.spanGaps
options.stepped
options.style
options.subTitle
options.suggestedMax
options.suggestedMin
options.tension
options.text
options.textDirection
options.threshold
options.tickLength
options.ticks
options.time
options.title
options.titleAlign
options.titleColor
options.titleFont
options.titleMarginBottom
options.titleSpacing
options.ts
options.usePointStyle
options.weight
options.xAlign
options.xAxisLabel
options.yAlign
options.yAxisLabel
optionsActionKeys.length
optionsActionKeys.push
opts._cacheable
opts.align
opts.animation
opts.barPercentage
opts.barThickness
opts.bodyFont
opts.borderDash
opts.bounds
opts.categoryPercentage
opts.color
opts.compound
opts.cubicInterpolationMode
opts.cutoutPercentage
opts.decorationWidth
opts.directed
opts.display
opts.font
opts.grid
opts.grouped
opts.labels
opts.lineWidth
opts.max
opts.maxWidth
opts.min
opts.multigraph
opts.normalized
opts.onClick
opts.onHover
opts.onLeave
opts.padding
opts.pointLabels
opts.radius
opts.reverse
opts.rotation
opts.rtl
opts.skip
opts.stepped
opts.strikethrough
opts.strokeColor
opts.strokeWidth
opts.tension
opts.text
opts.textAlign
opts.textBaseline
opts.textDirection
opts.ticks
opts.title
opts.translation
opts.underline
opts.x
opts.y
optsAtIndex.backdropColor
optsAtIndex.backdropPadding
optsAtIndex.borderDash
optsAtIndex.borderDashOffset
optsAtIndex.borderRadius
optsAtIndex.color
optsAtIndex.font
optsAtIndex.lineWidth
optsAtIndex.showLabelBackdrop
optsAtIndex.textStrokeColor
optsAtIndex.textStrokeWidth
optsAtIndex.tickBorderDash
optsAtIndex.tickBorderDashOffset
optsAtIndex.tickColor
optsAtIndex.tickWidth
order.js
order.run
order.ts
orderList.length
orderedVs.forEach
orig.b
orig.l
orig.r
orig.t
origin.x
origin.y
originCard.closest
originCard.parentElement
originCity.isBeingRazed
originElement.classList
originElement.closest
originItem.getBoundingClientRect
originPoint.x
originPoint.y
originRect.height
originRect.width
originRect.x
originRect.y
originTree.parentNode
originTree.querySelector
originTree.querySelectorAll
original.indexOf
original.slice
originalfragment.appendChild
ornaments.js
ornaments.ts
ornate.js
ornate.ts
other.barycenter
other.id
other.owner
other.type
other.weight
otherActions.length
otherBarRow.appendChild
otherBarRow.classList
otherButtons.forEach
otherCompletionData.turnsToCompletion
otherConfiguration.leaderName
otherConfiguration.leaderTypeName
otherIcon.classList
otherIcon.setAttribute
otherLeader.LeaderType
otherLeaderLibrary.name
otherPlaceText.classList
otherPlaceText.innerHTML
otherPlayer.Diplomacy
otherPlayer.id
otherPlayer.isIndependent
otherPlayer.isMajor
otherPlayer.isMinor
otherPlayer.leaderName
otherPlayer.leaderType
otherPlayer.name
otherPlayerData.id
otherPlayerLibrary.civilizationAdjective
otherPlayerLibrary.civilizationType
otherPlayerLibrary.id
otherPlayerLibrary.isHuman
otherPlayerLibrary.leaderName
otherPlayerLibrary.name
otherPlayerReceivesIconWrapper.appendChild
otherPlayerReceivesIconWrapper.hasChildNodes
otherPlayerReceivesIconWrapper.lastChild
otherPlayerReceivesIconWrapper.removeChild
otherPlayerReceivesTitleWrapper.style
otherProgressBar.classList
otherProgressBar.maybeComponent
otherProgressBar.setAttribute
otherRelationsContainer.classList
otherRelationshipData.allied
otherRelationshipData.atWar
otherRelationships.forEach
otherRelationships.push
otherRelationshipsContainer.appendChild
otherRelationshipsContainer.hasChildNodes
otherRelationshipsContainer.lastChild
otherRelationshipsContainer.removeChild
otherRelationshipsHeader.innerHTML
otherRelationshipsHeader.role
otherScale.axis
others.length
others.some
ourActions.length
ourConfiguration.leaderName
ourConfiguration.leaderTypeName
ourIcon.classList
ourIcon.setAttribute
ourPathItem.currentLevel
ourPathItem.currentXP
ourPathItem.mainTitleLoc
ourPathItem.nextLevelXP
ourPathItem.rewards
ourPlaceText.classList
ourPlaceText.innerHTML
ourPlayer.leaderTypeName
ourReceivesIcon.classList
ourReceivesIcon.setAttribute
out.js
out.ts
outEdges.map
outOfRangePlots.push
outer.h
outer.radius
outer.w
outerBox.appendChild
outerBox.classList
outerBox.setAttribute
outerContainer.appendChild
outerContainer.classList
outerDiv.append
outerDiv.appendChild
outerDiv.classList
outerDiv.firstChild
outerDiv.innerHTML
outerDiv.insertBefore
outerFrame.appendChild
outerFrame.classList
outerFrame.setAttribute
outerHslot.appendChild
outerHslot.classList
outerHslot.style
outerRing.appendChild
outerRing.classList
outerSlot.appendChild
outerSlot.classList
outerVSlot.appendChild
outerVSlot.classList
outerVslot.appendChild
outerVslot.classList
outerfill.main
outermostVslot.appendChild
outline.classList
output.push
output.unshift
overViewMilstoneProgress.classList
overlay.addPlotOverlay
overlay.classList
overlay.js
overlay.ts
overlayGroup.addPlotOverlay
override.body
override.headerKey
overrun.js
overrun.ts
overviewContent.appendChild
overviewContent.classList
overviewContent.id
overviewContent.setAttribute
overwrite.ID
overwriteItem.quest
overwriteItem.version
ownedPlots.push
owner.id
owner.isIndependent
owner.isMajor
owner.toString
ownerObject.ownerPlayer
ownerObject.type
ownershipEntry.Action
ownershipErrors.length
owningCity.location
owningCityId.owner
owningPlayer.isIndependent
p.Component
p.Diplomacy
p.ID
p.SessionID
p.Text
p.UnitPromotionDisciplineType
p.UnitPromotionType
p.actionType
p.category
p.civilizationType
p.current
p.group
p.hidden
p.id
p.invalidReason
p.isHuman
p.isMajor
p.leaderType
p.panel
p.px
p.requirementSetId
p.state
p.team
p.textKey
p.toLowerCase
p.total
p.victory
p0.x
p0.y
p1.cp2x
p1.cp2y
p1.x
p1.y
p2.cp1x
p2.cp1y
p2.x
p2.y
p4.x
p4.y
p8.x
p8.y
pAdjacentPlot.x
pAdjacentPlot.y
pCapital.location
pCenter.x
pCenter.y
pCities.getCityIds
pLib.Religion
pLib.id
pPlayer.Cities
pPlayer.Units
pPlayerCities.getCapital
pPlayerConfig.civilizationName
pPlayerConfig.civilizationTypeID
pPlayerConfig.civilizationTypeName
pPlayerUnits.getUnits
pRel.getReligionType
pUnit.isDead
pUnit.location
pachacuti.css
pachacuti.html
pachacuti.js
pachacuti.ts
packageIds.includes
packageIds.push
packageNames.includes
packageNames.push
packages.length
packedUnits.length
padding.bottom
padding.height
padding.left
padding.right
padding.top
padding.width
paddings.height
paddings.left
paddings.top
paddings.width
page.backgroundImages
page.body
page.css
page.html
page.images
page.js
page.nameKey
page.pageGroupID
page.pageID
page.pageLayoutID
page.sectionID
page.subTitleText
page.subtitle
page.tabText
page.textKeyPrefix
page.title
page.titleText
page.ts
pageDetails.nameKey
pageDetails.pageGroupID
pageDetails.pageID
pageElement.appendChild
pageElement.setAttribute
pageGroup.pageGroupID
pageGroup.sectionID
pageGroups.push
pageGroupsBySection.get
pageGroupsBySection.set
pages.forEach
pages.length
pages.push
pages.sort
pagesBySection.get
pagesBySection.set
pagesByUUID.set
pagesElement.appendChild
panAmount.x
panAmount.y
panel.PageID
panel.SectionID
panel.category
panel.component
panel.css
panel.dispatchEvent
panel.getPanelContent
panel.html
panel.id
panel.inputContext
panel.js
panel.setPanelOptions
panel.ts
panelAction.id
panelAgeRanking.classList
panelAgeRanking.id
panelAgeRanking.setAttribute
panelCategoryContainer.classList
panelCategoryContainer.id
panelCategoryContainer.setAttribute
panelDiploRibbon.id
panelDiplomacyMainContainer.appendChild
panelHandler.onActionA
panelHandler.onActionB
panelMinimap.id
panelNotificationTrain.id
panelOptions.noAge
panelOptions.openTab
panelPlayerRewards.id
panelSystemBar.id
panel_unitframe.png
panels.forEach
panels.js
panels.length
panels.push
panels.sort
pantheon.BeliefClassType
pantheon.BeliefType
pantheon.Description
pantheon.Name
pantheonDef.BeliefType
pantheonDef.Description
pantheonDef.Name
pantheonDescription.classList
pantheonDescription.innerHTML
pantheonDescription.role
pantheonIcon.classList
pantheonIcon.src
pantheonIcon.style
pantheonIconContainer.appendChild
pantheonIconContainer.classList
pantheonIconContainer.src
pantheonInfoContainer.appendChild
pantheonInfoContainer.classList
pantheonItem.appendChild
pantheonItem.classList
pantheonItem.componentCreatedEvent
pantheonItem.setAttribute
pantheonListContainer.appendChild
pantheonListContainerItem.appendChild
pantheonListContainerItem.classList
pantheonListDescription.classList
pantheonListDescription.role
pantheonListDescription.setAttribute
pantheonListTitle.classList
pantheonListTitle.setAttribute
pantheonTitle.classList
pantheonTitle.innerHTML
pantheonTitle.role
pantheonToAdd.toString
paragraphElement.classList
paragraphElement.setAttribute
paramEle.classList
paramEle.setAttribute
paramListScroll.appendChild
paramListScroll.classList
paramListScroll.setAttribute
parameter.ID
parameter.description
parameter.domain
parameter.name
parameter.readOnly
parameter.value
parameterContainer.appendChild
parameterContainer.classList
parameterContainer.setAttribute
parameters.Modifiers
parameters.Type
parameters.UnitAbilityType
parameters.X
parameters.Y
parameters.analogStickThreshold
parameters.cameraZoomMultiplier
parameters.entries
parameters.maxAccumulateToMove
params.addToFront
params.availableHeight
params.availableWidth
params.body
params.callback
params.canClose
params.containerElement
params.custom
params.customOptions
params.dialogId
params.dialogSource
params.displayHourGlass
params.displayQueue
params.end
params.expirationDelay
params.extensions
params.fixedPosition
params.force
params.forceRemove
params.initiatingPlayer
params.inputRootElement
params.layout
params.modelGroup
params.name
params.nextID
params.options
params.outerHeight
params.outerWidth
params.padding
params.player1
params.player2
params.plotIndex
params.plotTurn
params.pointerOffsetX
params.pointerOffsetY
params.resetDelay
params.sequenceType
params.shouldDarken
params.showDelay
params.start
params.styles
params.text
params.title
params.tooltipContentElement
params.tooltipRootElement
params.transitionDelay
params.valueCallback
parent.appendChild
parent.classList
parent.firstElementChild
parent.getAttribute
parent.host
parent.innerHTML
parent.insertAdjacentElement
parent.insertBefore
parent.lastElementChild
parent.maybeComponent
parent.offsetHeight
parent.parentElement
parent.removeChild
parent.setAttribute
parent.toString
parentCard.column
parentCard.row
parentElement.querySelector
parentSlot.getAttribute
parentSlot.hasAttribute
parentSlot.parentElement
parse.apply
parsed._custom
parsed._stacks
parsed.length
parsed.push
parsed.x
parsed.y
parsedRecommendations.map
partnerCity.name
partnerName.classList
partnerName.textContent
partnersSubheader.classList
partnersSubheader.textContent
parts.join
parts.lhs
parts.pop
parts.push
parts.rhs
pastCivAnimColorAdjustment.classList
pastCivAnimMarbleOverlay.classList
pastCivAnimTopGradient.classList
pastCivAnimVignette.classList
path.EnabledByDefault
path.closePath
pathTo.plots
pathToCommander.plots
pathToCommander.turns
pattern.classList
pauseOptions.time
pauseTime.toString
payload.ResourceClassType
payload.ResourceType
payload.cityID
payloadIcon.appendChild
payloadIcon.classList
payloadIcon.setAttribute
payloadInfo.appendChild
payloadInfo.classList
payloadType.classList
payloadType.setAttribute
peaceDealItems.forEach
peaceDealTitle.classList
peaceDealTitle.innerHTML
peaceDealToEndText.innerHTML
peaceQueryResults.FailureReasons
peaceQueryResults.Success
pedia_top_header.png
pendingResolve.contentType
pendingResolve.reject
pendingResolve.resolve
percentBar.appendChild
percentBar.classList
percentBarContainer.appendChild
percentBarContainer.classList
percentBarFill.classList
percentBarFill.style
percentLabel.classList
percentLabel.innerHTML
performance.now
perimeter.js
pickSidesButtonContainer.appendChild
pickSidesButtonContainer.classList
picker.css
picker.html
picker.js
picker.ts
pillOffset.x
pillOffset.y
pingAnim.classList
pip.addEventListener
pip.append
pip.attributeStyleMap
pip.classList
pip.remove
pip.removeAttribute
pip.setAttribute
pipArrow.attributeStyleMap
pipArrow.classList
pipArrow.style
pipElement.classList
pipElement.role
pipElement.setAttribute
pipsContainer.appendChild
pipsContainer.classList
pixel.x
pixel.y
pixels.length
pixels.push
plFont.lineHeight
placard.css
placard.html
placard.js
placard.ts
place.ani
place.toString
placeLabel.classList
placeLabel.setAttribute
placeWrapper.appendChild
placeWrapper.classList
placeWrapper.style
placedVictory.place
placedVictory.team
placedVictory.victory
placeholder.insertAdjacentElement
placeholder.parentElement
placeholder.setAttribute
placeholder.style
placement.js
placement.ts
placement.yieldChanges
placementLocation.x
placementLocation.y
placementPlotData.changeDetails
placementPlotData.yieldChanges
placementType.Biome
placementType.Building
placementType.Discovery
placementType.District
placementType.Feature
placementType.Fertility
placementType.Improvement
placementType.Resource
placementType.ResourceAmount
placementType.Route
placementType.Terrain
placementType.Unit
placementType.Wonder
placements.find
plains.js
plains.ts
platform.addEventListener
platform.getDevicePixelRatio
platform.isAttached
platform.removeEventListener
platformIcon.style
platformIcons.get
platformName.setAttribute
platformTooltips.get
player.AI
player.Ages
player.Armies
player.Cities
player.Constructibles
player.Culture
player.Diplomacy
player.DiplomacyTreasury
player.Districts
player.Happiness
player.Influence
player.LegacyPaths
player.LiveOpsStats
player.Religion
player.Resources
player.Stats
player.Stories
player.Techs
player.Trade
player.Treasury
player.Units
player.canBeKickedNow
player.canClick
player.canEverBeKicked
player.civName
player.civSymbol
player.civilizationAdjective
player.civilizationDropdown
player.civilizationFullName
player.civilizationName
player.civilizationType
player.currentScore
player.displayItems
player.getProperty
player.id
player.isAI
player.isAlive
player.isAtWar
player.isDistantLands
player.isHuman
player.isIndependent
player.isKickVoteTarget
player.isLocal
player.isLocalPlayer
player.isMajor
player.isMementoEnabled
player.isMinor
player.isParticipant
player.isPrimaryLighter
player.isReady
player.isRequestFulfilled
player.isRequestStillValid
player.isTurnActive
player.kickTooltip
player.leaderDropdown
player.leaderName
player.leaderPortrait
player.leaderType
player.maxScore
player.mementos
player.name
player.playerColors
player.playerID
player.playerInfoDropdown
player.playerName
player.portraitContext
player.relationshipIcon
player.selected
player.team
player.warSupport
player1.civilizationType
player1.leaderType
player2.Diplomacy
player2.civilizationFullName
player2.civilizationType
player2.leaderType
playerAdvancedStart.getAvailableCards
playerAdvancedStart.getCards
playerAdvancedStart.getLegacyPoints
playerAdvancedStart.getPlacementComplete
playerAge.AgeType
playerArmies.getUnitReinforcementCommanderId
playerArmies.getUnitReinforcementETA
playerArmies.getUnitReinforcementPath
playerArmies.getUnitReinforcementStartLocation
playerCard.classList
playerCard.className
playerCard.textContent
playerCities.findIndex
playerCities.forEach
playerCities.getCapital
playerCities.getCities
playerCities.getCityIds
playerCities.length
playerCiv.CivilizationType
playerCivilizations.domain
playerColor.b
playerColor.g
playerColor.r
playerColorVariants.isPrimaryLighter
playerColorVariants.primaryColor
playerColorVariants.secondaryColor
playerComponent.owner
playerConfig.canBeHuman
playerConfig.civilizationFullName
playerConfig.civilizationLevelTypeID
playerConfig.civilizationName
playerConfig.civilizationTypeName
playerConfig.hostIconStr
playerConfig.id
playerConfig.isAI
playerConfig.isAlive
playerConfig.isHuman
playerConfig.isLocked
playerConfig.isObserver
playerConfig.isParticipant
playerConfig.leaderName
playerConfig.leaderTypeName
playerConfig.nickName_1P
playerConfig.nickName_T2GP
playerConfig.setCivilizationTypeName
playerConfig.setLeaderTypeName
playerConfig.setSlotStatus
playerConfig.slotName
playerConfig.slotStatus
playerConfig.team
playerConstructibles.getConstructibles
playerContainer.appendChild
playerContainer.classList
playerContainer.setAttribute
playerCulture.canSwapCrisisTraditions
playerCulture.canSwapNormalTraditions
playerCulture.getArchivedGreatWork
playerCulture.getArtifactCulture
playerCulture.getGoldenAgeChoices
playerCulture.getIdeologyForTradition
playerCulture.getNumWorksInArchive
playerCulture.isArtifact
playerCulture.isNodeUnlocked
playerData.actionButtonLabel
playerData.civIcon
playerData.find
playerData.friendID1P
playerData.friendIDT2gp
playerData.gamertag1P
playerData.gamertagT2gp
playerData.id
playerData.invitee
playerData.isGameInvite
playerData.isHuman
playerData.isLocal
playerData.isLocalPlayer
playerData.leaderName
playerData.leaderPortrait
playerData.length
playerData.platform
playerData.playerID
playerData.playerInfoDropdown
playerData.primaryColor
playerData.rankString
playerData.relationshipIcon
playerData.score
playerData.secondaryColor
playerData.slice
playerData.statusDetails1P
playerData.statusDetailsT2gp
playerData.statusIcon1P
playerData.statusIconT2gp
playerDeadList.push
playerDeadList.sort
playerDiploTreasury.diplomacyBalance
playerDiplomacy.canDeclareWarOn
playerDiplomacy.canMakePeaceWith
playerDiplomacy.getFavorGrievanceEventTypeName
playerDiplomacy.getPlayerRelationshipHistory
playerDiplomacy.getRelationshipEnum
playerDiplomacy.getRelationshipLevel
playerDiplomacy.getRelationshipLevelName
playerDiplomacy.getTotalWarSupportBonusForPlayer
playerDiplomacy.getTotalWarSupportBonusForTarget
playerDiplomacy.getWarInfluenceBonusTarget
playerDiplomacy.hasAllied
playerDiplomacy.hasMet
playerDiplomacy.isAtWarWith
playerDiplomacy.isValidLandClaimLocation
playerDiplomacy.willMoveStartWar
playerDiplomacyTreasury.diplomacyBalance
playerDistricts.getDistrictHealth
playerDistricts.getDistrictIds
playerDistricts.getDistrictIsBesieged
playerDistricts.getDistrictMaxHealth
playerEntry.addGroup
playerEntry.addType
playerEntry.findType
playerEntry.getTypesBy
playerEntry.isBarbarian
playerEntry.isIndependent
playerEntry.isMinor
playerEntry.playerAchievedTime
playerEntry.playerCivilizationName
playerEntry.playerLeaderName
playerEntry.playerName
playerEntry.playerRanking
playerEntry.playerScore
playerEntry.remove
playerEntry.types
playerFirstPartyType.toString
playerFrom.id
playerFrom.playerName
playerHappiness.getGoldenAgeDuration
playerHeader.addEventListener
playerHeader.setAttribute
playerHeader.style
playerID.toString
playerID1.toString
playerID2.toString
playerId.classList
playerId.innerHTML
playerId.toString
playerInfo.BackgroundColor
playerInfo.BackgroundURL
playerInfo.BadgeURL
playerInfo.FoundationLevel
playerInfo.LeaderID
playerInfo.PortraitBorder
playerInfo.appendChild
playerInfo.civilizationTypeName
playerInfo.classList
playerInfo.firstPartyName
playerInfo.firstPartyType
playerInfo.playerTitle
playerInfo.twoKId
playerInfo.twoKName
playerInfoCard.classList
playerInfoCard.setAttribute
playerInfoContainer.appendChild
playerInfoContainer.classList
playerInfoDropdown.addEventListener
playerInfoDropdown.classList
playerInfoDropdown.setAttribute
playerInfoDropdownAndDivider.appendChild
playerInfoDropdownAndDivider.classList
playerInfoFrame.appendChild
playerInfoFrame.classList
playerInfoScrollable.appendChild
playerInfoScrollable.classList
playerInfoScrollable.component
playerInfoScrollable.setAttribute
playerLegacyPath.getRewards
playerLibrary.Diplomacy
playerLibrary.Stats
playerLibrary.Units
playerLibrary.id
playerLibrary.isMajor
playerLibrary.leaderName
playerLibrary.leaderType
playerLibrary.name
playerList.forEach
playerListItem.addEventListener
playerListItem.appendChild
playerListItem.classList
playerListItem.setAttribute
playerLocalPosition.x
playerLocalPosition.y
playerLocalPosition.z
playerMerchantDef.Name
playerName.toLowerCase
playerObject.Cities
playerObject.Culture
playerObject.Diplomacy
playerObject.Happiness
playerObject.Religion
playerObject.civilizationAdjective
playerObject.civilizationName
playerObject.civilizationType
playerObject.id
playerObject.isMajor
playerObject.leaderName
playerObject.leaderType
playerObject.name
playerOptions.appendChild
playerOptions.classList
playerOptions.setAttribute
playerPantheons.forEach
playerParameter.domain
playerParameter.value
playerParamsData.find
playerParamsData.findIndex
playerParamsData.push
playerPos.x
playerPos.y
playerRegions.length
playerRegions.push
playerReligion.getNumPantheons
playerReligion.getNumPantheonsUnlocked
playerReligion.getPantheons
playerReligion.getReligionName
playerReligion.getReligionType
playerReligion.hasCreatedReligion
playerResourceList.length
playerResources.getCountResourcesToAssign
playerResources.getResources
playerResources.getUnassignedResourceYieldBonus
playerResources.isRessourceAssignmentLocked
playerRow.appendChild
playerRow.classList
playerRow.querySelector
playerScore.isAlive
playerScore.score
playerScore.scoreGoal
playerScore.scoreIcon
playerScore.victoryType
playerScoreData.victoryScoreData
playerScoreList.concat
playerScoreList.push
playerScoreList.sort
playerSettlements.length
playerSettlements.sort
playerStartPositions.push
playerStats.getHighestDistrictYield
playerStats.getNetYield
playerStats.getNumDistrictWithXValue
playerStats.getNumMyCitiesFollowingSpecificReligion
playerStats.hasNaturalWonderArtifact
playerStats.numSettlements
playerStats.settlementCap
playerStories.canAfford
playerStories.determineNarrativeInjection
playerStories.determineNarrativeInjectionComponentId
playerStories.determineNarrativeInjectionStoryType
playerStories.determineRequisiteLink
playerStories.find
playerStories.getActiveQuests
playerStories.getFirstPendingMetId
playerStories.getStoryPlotCoord
playerTechs.getNumTechsUnlocked
playerTechs.getTreeType
playerTo.id
playerTo.playerName
playerTreasury.getMaintenanceForAllUnitsOfType
playerTreasury.goldBalance
playerUnits.getNumUnitsOfType
playerUnits.getShadowIndexClosestToLocation
playerUnits.getUnitIds
playerUnits.getUnitShadows
playerUnits.getUnits
playerUnits.length
playerUnits.removeUnitShadowAtLocation
playerWonders.length
playercivDef.CivilizationType
playerculture.getLastCompletedNodeTreeType
playersAgelessConstructs.push
playersMatched.length
playersMatched.push
playerstandardcolors.xml
pledge.playerID
pledgeBarContainer.appendChild
pledgeBarContainer.classList
pledgeContainer.appendChild
pledgeContainer.classList
pledgeContainerRight.classList
pledgeGroup.appendChild
pledgeGroup.classList
pledgeGroupFrame.classList
pledgeGroupTotal.classList
pledgeGroupTotal.textContent
pledgeIconContainer.appendChild
pledgeIconContainer.classList
pledgeLeaderIcon.appendChild
pledgeSlot.classList
pledgeSlotContainer.appendChild
pledgeSlotContainer.classList
pledgeStatus.classList
pledgeStatus.setAttribute
pledgeTotal.classList
pledgeTotalNumber.appendChild
pledgeTotalNumber.classList
pledgeTotalPrefix.classList
pledgeTotalPrefix.textContent
pledgeTotalSpan.textContent
pledgeValuesContainer.appendChild
pledgeValuesContainer.classList
plot.js
plot.toString
plot.x
plot.y
plotCity.id
plotCity.owner
plotCoord.x
plotCoord.y
plotCoordinate.x
plotCoordinate.y
plotCoordinates.x
plotCoordinates.y
plotCoords.x
plotCoords.y
plotCursorModes.length
plotData.attributes
plotData.iconType
plotData.location
plotData.plotID
plotEffect.PlotEffectType
plotIcon.parentElement
plotIcon.setAttribute
plotIcon.style
plotIcons.forEach
plotIcons.setVisibility
plotIconsRoot.setAttribute
plotIndexSet.add
plotIndexSet.forEach
plotIndexes.concat
plotIndexes.length
plotIndexesToRemove.forEach
plotIndexesToRemove.push
plotLocation.x
plotLocation.y
plotOverlay.addPlots
plotToResource.plotCoord
plotTooltipConqueredCiv.classList
plotTooltipConqueredCiv.innerHTML
plotTooltipOwnerCiv.classList
plotTooltipOwnerCiv.innerHTML
plotTooltipOwnerLeader.classList
plotTooltipOwnerLeader.innerHTML
plotTooltipOwnerRelationship.classList
plotTooltipOwnerRelationship.innerHTML
plotUnits.find
plotUnits.length
plotYieldGainPills.forEach
plotYieldGainPills.length
plotYieldGainPills.push
plotYieldLossPills.forEach
plotYieldLossPills.length
plotYieldLossPills.push
plotcoord.js
plotcoord.ts
plotkey.js
plots.js
plots.length
plots.push
plotsForPlayer.length
plotsToCheck.push
plugin.additionalOptionScopes
plugin.defaults
plugin.id
plugin.options
plugins.indexOf
plugins.push
plus.js
plus.png
plus.ts
plusIcon.classList
point.active
point.angle
point.cp1x
point.cp1y
point.cp2x
point.cp2y
point.skip
point.x
point.y
pointLabelOpts.centerPointLabels
pointLabelOpts.setContext
pointLabelPosition.angle
pointLabelPosition.x
pointLabelPosition.y
pointLabels.callback
pointLabels.color
pointLabels.length
pointLabels.setContext
pointPosition.angle
pointPosition.x
pointPosition.y
points.appendChild
points.classList
points.filter
points.js
points.length
points.push
points.ts
pointsCaption.classList
pointsContainer.appendChild
pointsContainer.classList
pointsIcon.classList
pointsIcon.setAttribute
pointsIcon.style
pointsNumber.classList
pointsNumberElement.innerHTML
pointsText.classList
pointsText.innerHTML
policies.css
policies.html
policies.js
policies.ts
policy.Description
policy.IsCrisis
policy.Name
policy.TraditionType
policy.TraitType
policyCard.addEventListener
policyCard.setAttribute
policyDef.IsCrisis
policyInfo.IsCrisis
policyItem.componentCreatedEvent
policyItem.setAttribute
policySection.classList
popCount.textContent
population.css
population.js
population.toString
population.ts
populationBackground.classList
populationText.classList
populationText.innerHTML
popup.css
popup.html
popup.js
popup.setAttribute
popup.ts
popupButtonContainer.appendChild
popupButtonContainer.children
popupButtonContainer.removeChild
popupOuter.classList
popupTitle.setAttribute
popupTop.classList
popup_middle_decor.png
portrait.appendChild
portrait.classList
portrait.css
portrait.js
portrait.setAttribute
portrait.style
portrait.ts
portraitBG.classList
portraitBGInner.classList
portraitIcon.classList
portraitIcon.style
portraitImage.style
pos.x
pos.y
posInnerBox.appendChild
posInnerBox.classList
position.classList
position.innerHTML
position.x
position.y
positionBox.appendChild
positionBox.classList
positions.forEach
possibleItem.ID
possibleLocations.length
possibleLocations.push
possibleNode.ID
possibleValue.value
possibleValues.entries
possibleValues.find
possibleValues.length
possibleValues.map
postDeclareWarOptions.appendChild
postDeclareWarWrapper.appendChild
postponed.unshift
potentialPlots.set
powered_by_wwise.png
powers.js
powers.ts
preSelect.appendChild
preSelect.classList
predecessors.length
preds.forEach
prefixes.filter
prefixes.join
preloaded.finally
preloaded.then
preloadedHourglass.then
preselect.deckID
preselectText.classList
preselectText.innerHTML
press.png
prev.saveTime
prev.skip
prevButton.addEventListener
prevCityButtonArrow.classList
prevContainer.classList
prevHandler.canLeaveMode
prevLens.lastEnabledLayers
prevLevelXp.toString
prevRule.getBoundingClientRect
prevSelect.classList
prevSelect.setAttribute
prevSelected.classList
prevState.isGamepadActive
prevUnit.id
prevUnit.owner
preview.addEventListener
preview.appendChild
preview.css
preview.html
preview.innerHTML
preview.insertAdjacentHTML
preview.js
previewGroup.addModelAtPlot
previewGroup.addVFXAtPlot
previous.cp1x
previous.cp1y
previous.cp2x
previous.cp2y
previous.x
previous.y
previousArrow.addEventListener
previousArrow.appendChild
previousArrow.classList
previousArrow.setAttribute
previousArrowBackground.classList
previousArrowContainer.appendChild
previousArrowContainer.classList
previousCivs.add
previousCivs.has
previousNavhelp.setAttribute
previousOverlay.clearPlotGroups
previousPlot.x
previousPlot.y
previousSelection.classList
priColor.a
priColor.b
priColor.g
priColor.r
priHSL.l
primaryDropdown.querySelector
primaryDropdown.setAttribute
primaryDropdownContent.querySelectorAll
primaryDropdownContent.removeChild
primaryIcon.classList
primaryIcon.setAttribute
primaryWindow.appendChild
prior.ID
priorities.length
priorities.pop
privacyInstructions.classList
processedLine.replace
prod_generic.png
producedResourcesContainer.appendChild
producedResourcesContainer.classList
production.js
production.ts
productionChooserHSlot.appendChild
productionChooserHSlot.classList
productionQueue.classList
productionQueue.setAttribute
productionQueueIcon.classList
productionQueueIcon.style
productionQueueMeter.setAttribute
productionQueueTurns.textContent
prof_2k_logo.png
prof_banner.png
prof_btn_bk.png
prof_locked.png
prof_lvl_bk.png
prof_new.png
profile.Status
profileItems.push
profileOptions.focusTab
profileOptions.noCustomize
profileOptions.onlyChallenges
profileOptions.onlyLeaderboards
profileOptions.profile
profiles.length
profiles.userProfiles
progHeader.classList
progHeader.setAttribute
progHeader.whenComponentCreated
progress.css
progress.current
progress.find
progress.html
progress.js
progress.playCount
progress.playerData
progress.state
progress.team
progress.toString
progress.total
progress.ts
progress.victory
progressArrow.appendChild
progressArrow.classList
progressBacking.appendChild
progressBacking.classList
progressBar.appendChild
progressBar.classList
progressBar.component
progressBar.maybeComponent
progressBar.setAttribute
progressBar.style
progressBarBG.classList
progressBarComponent.stepData
progressBarContainer.appendChild
progressBarContainer.classList
progressBarFill.classList
progressBarFill.style
progressBarWrapper.appendChild
progressBarWrapper.classList
progressButton.addEventListener
progressButton.setAttribute
progressCaption.appendChild
progressContainer.appendChild
progressContainer.classList
progressContainer.style
progressData.find
progressFrame.classList
progressHighlight.classList
progressItem.points
progressItem.rewards
progressLeaderStats.classList
progressLeaderStats.setAttribute
progressMask.classList
progressMask.style
progressMetWrapper.appendChild
progressMeter.classList
progressMeter.style
progressMileStones.find
progressPercent.toString
progressRequirements.push
progressRightColumn.appendChild
progressRightColumn.classList
progressShadow.classList
progressString.trim
progressText.classList
progressText.setAttribute
progressTurnsContainer.appendChild
progressTurnsContainer.classList
progressVslot.appendChild
progressVslot.classList
progressionBadgeBg.addEventListener
progressionBadgeBg.appendChild
progressionBadgeBg.classList
progressionBadgeBg.innerHTML
progressionBadgeNavHelp.classList
progressionBadgeNavHelp.setAttribute
progressionCard.classList
progressionCard.setAttribute
progressionContent.appendChild
progressionContent.classList
progressionHeader.appendChild
progressionHeader.classList
progressionNode.depthUnlocked
progressionNode.maxDepth
progressionNode.state
progressionNode.unlockIndices
progressionPortrait.className
progressionPortrait.setAttribute
progressionTitle.classList
progressionTitle.setAttribute
progressionTree.SystemType
progressionTreeNode.IconString
projDef.ProjectType
project.CanPurchase
project.CityOnly
project.Description
project.Name
project.PrereqConstructible
project.PrereqPopulation
project.ProjectType
project.TownOnly
project.UpgradeToCity
project.actionGroup
project.actionID
project.actionType
project.playerTarget
project.projectStatus
projectData.actionDisplayName
projectData.actionGroup
projectData.actionType
projectData.actionTypeName
projectData.lastStageDuration
projectData.operationType
projectData.projectDescription
projectData.projectStatus
projectData.resultData
projectData.targetList1
projectData.targetList2
projectDefinition.BaseDuration
projectDefinition.ProjectType
projectDefinition.RandomInitialProgress
projectDefinition.RevealChance
projectDefinition.SuccessChance
projectDescription.innerHTML
projectDescriptionContainer.classList
projectDescriptionContainer.setAttribute
projectDetailsContainer.appendChild
projectDetailsContainer.classList
projectDialogContainer.innerHTML
projectInfo.Description
projectInfo.Name
projectInfo.ProjectType
projectLeaderNameContainer.setAttribute
projectName.classList
projectName.setAttribute
projectType.toString
projects.push
projects.unshift
promises.length
promises.push
promo.autoRedeemOnShow
promo.contentDescription
promo.contentID
promo.contentPrice
promo.contentTitle
promo.imageUrl
promo.isBootPromo
promo.isBootShown
promo.isInteractable
promo.localizedCarouselTitle
promo.localizedContent
promo.localizedTitle
promo.metadata
promo.owned
promo.primaryImageUrl
promo.promoID
promo.promoLayout
promo.secondaryImageUrl
promotion.Commendation
promotion.Description
promotion.Name
promotion.UnitPromotionType
promotion.css
promotion.html
promotion.js
promotion.ts
promotionCard.column
promotionCard.discipline
promotionCard.iconClass
promotionCard.promotion
promotionCard.row
promotionClass.PromotionClass
promotionContainer.appendChild
promotionContainer.hasChildNodes
promotionContainer.lastChild
promotionContainer.removeChild
promotionDiscipline.Name
promotionDiscipline.UnitPromotionDisciplineType
promotionElement.addEventListener
promotionElement.appendChild
promotionElement.classList
promotionElement.setAttribute
promotionNumber.classList
promotionNumber.innerHTML
promotionPanel.dispatchEvent
promotionPrereq.PrereqUnitPromotion
promotionPrereq.UnitPromotionType
promotionTree.cards
promotionTree.discipline
promotionTree.layoutData
promotionTree.layoutGraph
promotionTreeContainer.appendChild
promotionTrees.length
promotiondiscipline.UnitPromotionDisciplineType
promotions.forEach
promotions.length
promotions.ts
prompt.actionName
prompt.gamepad
prompt.kbm
prompts.length
prompts.slice
prop.attributes
prop.callback
prop.charAt
prop.createMouseGuard
prop.dontDetach
prop.mustExist
prop.panelOptions
prop.singleton
prop.targetParent
prop.viewChangeMethod
properties.altPlayerId
properties.base
properties.borderSkipped
properties.className
properties.content
properties.enableBorderRadius
properties.event
properties.eventName
properties.every
properties.horizontal
properties.icon
properties.inflateAmount
properties.isLocalPlayerTurn
properties.noPlus
properties.options
properties.parsed
properties.playerId
properties.raw
properties.skip
properties.stop
properties.tabbed
properties.x
properties.y
property.split
propertyParts.pop
props.altPlayerId
props.direction
props.eventName
props.forEach
props.isDisableFocusAllowed
props.length
props.playerId
props.splice
proxy.override
pt.skip
pt.x
pt.y
pt1.x
pt1.y
pt2.x
pt2.y
purchase.js
purchase.ts
push.apply
pv.name
pv.sortIndex
pv.value
q.LeaderType
q.SQL
q.length
q.quote
qing.css
qing.html
qing.js
qing.ts
qrCode.length
qrCode.replace
qrCodeImage.appendChild
qrCodeImage.innerHTML
qrCodeImage.style
qrCodeText.addEventListener
qrCodeText.innerHTML
qualifiedNode.nodeType
qualityContainer.appendChild
qualityContainer.classList
qualityTitle.classList
qualityTitle.innerHTML
quarter.js
quarterDefinition.TraitType
queryAction.toUpperCase
queryCompleteTimestamp.getTime
quest.appendChild
quest.classList
quest.endTurn
quest.goal
quest.id
quest.progress
quest.story
quest.storyId
quest.victory
questBullet.className
questBullet.src
questIcon.classList
questInfo.appendChild
questInfo.className
questInfo.firstChild
questInfo.insertBefore
questInfoText.className
questInfoText.innerHTML
questItem.classList
questItem.getAttribute
questItemElement.addEventListener
questItemElement.classList
questItemElement.setAttribute
questPanel.getAttribute
questPanelDefine.actionPrompts
questPanelDefine.description
questPanels.length
questTitle.classList
questTitle.textContent
questToCheck.id
questToCheck.system
questTurnsRemaining.textContent
queue.css
queue.currentProductionTypeHash
queue.getPercentComplete
queue.getQueue
queue.getTurnsLeft
queue.js
queue.ts
queueData.constructibleType
queueData.orderType
queueData.projectType
queueData.type
queueData.unitType
queueFrontNode.type
queueFrontUnitInfo.Name
queueItem.id
queueNodes.forEach
queuedItem.ID
queuedItem.properties
queuedTitle.classList
queuedTitle.setAttribute
quitButton.addEventListener
quote.Quote
quote.QuoteAudio
quote.QuoteAuthor
quoteAuthorElement.setAttribute
quoteBackgroundGradient.appendChild
quoteBackgroundGradient.classList
quoteContainer.innerHTML
quoteContainerElement.classList
quoteOverTitleElement.setAttribute
quoteSubtitleElement.setAttribute
quoteTextElement.setAttribute
quoteTitleElement.setAttribute
quoteWindowBase.appendChild
quoteWindowBase.classList
quoteWindowDropShadow.classList
quoteWindowFlavorImage.classList
quoteWindowFrame.appendChild
quoteWindowFrame.classList
quoteWindowFrameWrapper.appendChild
quoteWindowFrameWrapper.classList
quoteWindowHighlightAndShadow.classList
quoteWindowText.classList
quoteWindowText.innerHTML
quoteWindowWoodTexture.classList
quoteWindowWrapper.appendChild
quoteWindowWrapper.classList
quotes.length
quotes.push
r.Description
r.GroupID
r.Name
r.PageGroupID
r.PageID
r.PageLayoutID
r.RequirementSetId
r.Reward
r.SortIndex
r.TextKeyPrefix
r.VisibleIfEmpty
r.dnaID
r.dnaItemID
r.element
r.target
r.unitID
radialActionNavHelp.setAttribute
radialBG.classList
radialBGHover.classList
radialBGWar.classList
radialBGWarHover.classList
radial_tech.png
radioButton.addEventListener
radioButton.classList
radioButton.setAttribute
radioButtonContainer.appendChild
radioButtonContainer.classList
radioButtonLabelContainer.appendChild
radioButtonLabelContainer.className
radioWrapper.appendChild
radioWrapper.classList
radius.bottomLeft
radius.bottomRight
radius.topLeft
radius.topRight
raid.js
raid.ts
rail.js
rail.ts
randomButton.addEventListener
randomButton.classList
randomButton.setAttribute
randomEvent.RandomEventType
range.chunk
range.indexOf
range.js
range.length
range.max
range.min
range.push
range.ratio
range.start
range.ts
ranged.ani
ranged.js
ranker.js
ranker.networkSimplex
ranker.ts
rankings.css
rankings.js
rankings.ts
ranks.map
razeOperationResult.AdditionalDescription
razeOperationResult.FailureReasons
razeOperationResult.Success
razedCityName.classList
razedOverlay.appendChild
razedOverlay.classList
razedText.innerHTML
razedTurns.innerHTML
reactingPlayer.id
reactingPlayer.isAtWar
reactingPlayer.relationshipIcon
reaction.css
reaction.html
reaction.js
reaction.ts
reactionContainer.classList
readyButton.caption
readyIndicator.addEventListener
readyIndicator.appendChild
readyIndicator.classList
readyIndicator.setAttribute
readyIndicatorContainer.appendChild
readyIndicatorContainer.classList
readyIndicatorContainerHighlight.classList
readyIndicatorNotReady.classList
readyIndicatorNotReadyHover.classList
readyIndicatorReady.classList
reason.classList
reason.innerHTML
reason.stack
reasonOptions.push
reasons.length
rebase.js
rebase.ts
rec.class
recentlyCompletedActions.forEach
recentlyCompletedActions.length
recentlyCompletedData.independentTarget
recentlyCompletedData.playerTarget
recentlyCompletedData.playerTarget2
recentlyCompletedData.targetSettlement
recentlyCompletedData.targetUnit
recentlyMetPlayer.friendID1P
recentlyMetPlayer.friendIDT2gp
recentlyMetPlayer.is1PBlocked
recentlyMetPlayer.platform
recentlyMetPlayer.playerName1P
recentlyMetPlayer.playerNameT2gp
recentlyMetPlayers.length
recomendationElement.appendChild
recomendationElement.classList
recommendation.class
recommendation.factors
recommendation.location
recommendation.recommendedType
recommendation.subject
recommendation.whichAdvisors
recommendationTooltipContent.classList
recommendations.map
recon.js
recon.ts
reconUnitDef.UnitType
rect.bottom
rect.center
rect.element
rect.h
rect.height
rect.left
rect.radius
rect.right
rect.top
rect.w
rect.width
rect.x
rect.y
rectangularGrid.appendChild
rectangularGrid.classList
rectangularGrid.querySelector
rectangularGrid.removeChild
rects.length
rects.push
redemption.css
redemption.html
redemption.js
redemption.ts
refRect.h
refRect.w
refRect.x
refRect.y
reference.js
reference.ts
refitBoxes.length
refitBoxes.push
reg.code
reg.context
reg.isForType
region.claimedPlots
region.continent
region.east
region.js
region.north
region.player
region.potentialPlots
region.south
region.startPlot
region.west
registry.add
registry.controllers
registry.getController
registry.getElement
registry.getPlugin
registry.getScale
registry.plugins
registry.remove
regressedCities.push
reinforcement.js
reinforcement.ts
reinforcementItems.forEach
rel_bel_enhancer.png
rel_bel_founder.png
rel_bel_reliquary.png
relationContainer.appendChild
relationContainer.classList
relationship.allied
relationship.atWar
relationship.leaderID
relationship.portraitIcon
relationship.relationshipLevel
relationshipAmountValue.toString
relationshipBreakdown.root
relationshipBreakdown.update
relationshipButton.querySelector
relationshipButtonImg.appendChild
relationshipButtonImg.classList
relationshipButtonNumber.classList
relationshipButtonNumber.innerHTML
relationshipButtonNumber.setAttribute
relationshipContainer.appendChild
relationshipContainer.hasChildNodes
relationshipContainer.lastChild
relationshipContainer.removeChild
relationshipData.relationshipTooltip
relationshipData.relationshipType
relationshipEvent.amount
relationshipEvent.eventType
relationshipEventAmount.classList
relationshipEventAmount.innerHTML
relationshipEventContainer.appendChild
relationshipEventContainer.hasChildNodes
relationshipEventContainer.lastChild
relationshipEventContainer.removeChild
relationshipEventLine.append
relationshipEventLine.classList
relationshipEventText.classList
relationshipEventText.innerHTML
relationshipHeader.append
relationshipHeader.appendChild
relationshipHeader.classList
relationshipIcon.classList
relationshipIcon.setAttribute
relationshipIcon.src
relationshipIcon.style
relationshipIconContainer.appendChild
relationshipIconContainer.classList
relationshipInfo.append
relationshipInfo.classList
relationshipName.classList
relationshipName.innerHTML
relationshipRow.appendChild
relationshipRow.classList
relationshipRow.role
relationshipRow.setAttribute
relationshipTitle.classList
relationshipTitle.innerHTML
relationshipTitle.setAttribute
relicContainer.hasChildNodes
relicContainer.lastChild
relicContainer.removeChild
religion.Name
religion.ReligionType
religion.RequiresCustomName
religionButtonContainer.classList
religionData.IconString
religionDef.IconString
religionDef.Name
religionDef.ReligionType
religionIcon.parentElement
religionIcon.style
religionIconGlow.classList
religionInfoFounderName.setAttribute
religionPercent.toString
religionPercentString.toString
religionSelectedBorder.classList
religionSelectedGlow.classList
religionSubsystemFrame.addEventListener
religionTitle.classList
religionTitle.setAttribute
religioninfoHolyCityName.setAttribute
remainderProfileBackground.appendChild
remainderProfileBackground.classList
remainderProfileIcon.classList
remainderProfileIcon.style
remainderProfileLabel.classList
remainderProfileLabel.setAttribute
remainderProfilePortraitBG.appendChild
remainderProfilePortraitBG.classList
remainderProfilePortraitBG.style
remainderProfilePortraitFrame.appendChild
remainderProfilePortraitFrame.classList
remainderProfilePortraitLeaderImage.classList
remainderProfilePortraitLeaderImage.style
remainderProfileScore.classList
remainderProfileScore.innerHTML
remainderProfileScoreAndIconWrapper.appendChild
remainderProfileScoreAndIconWrapper.classList
remainingSlot.classList
remainingSlotContainer.appendChild
remainingSlotContainer.classList
remainingUnrest.toString
removableUnlocks.includes
removed.length
removed.push
removedGreatWorkDetails.length
removedGreatWorkDetails.pop
removedResources.length
removedResources.pop
rename.css
rename.html
rename.js
rename.ts
renew.png
repeatIcon.src
repeatedContainer.appendChild
repeatedContainer.classList
repeatedIcon.classList
report.css
report.html
report.js
report.ts
reportButton.classList
reportButton.getAttribute
reportButton.setAttribute
req.UnlockType
reqStatuses.classList
reqStatuses.innerHTML
request.ID
request.SessionID
request.activateHighlights
request.addToFront
request.blockClose
request.callout
request.category
request.cinematicType
request.customOptions
request.data
request.deactivateHighlights
request.dialog
request.disablesPausing
request.forceShow
request.highlights
request.id
request.lang
request.onabort
request.onerror
request.onload
request.open
request.options
request.priority
request.properties
request.questPanel
request.responseText
request.send
request.speed
request.status
request.statusText
request.subpriority
request.text
request.treeType
request.type
request.victoryType
request.volume
requestAnimFrame.call
requestHandler.canHide
requestHandler.hide
requestHandler.setRequestIdAndPriority
requestedNaturalWonders.push
requestedWonders.includes
requests.indexOf
requests.push
requiredComponents.length
requiredLoadingComponents.reduce
requirement.header
requirement.icon
requirement.name
requirementHeader.classList
requirementHeader.innerHTML
requirementIcon.classList
requirementIcon.style
requirementMet.description
requirementRow.appendChild
requirementRow.classList
requirementText.classList
requirementText.innerHTML
requirementTextContainer.appendChild
requirementTextContainer.classList
requirementTextContainer.innerHTML
requirements.forEach
requirements.length
requirements.local
requirements.previousID
requirements.push
requirements.revealed
requirementsTitle.classList
requirementsTitle.innerHTML
requirment.Description
requirment.NarrativeText
requirment.RequirementSetId
res.i
res.j
resItemList.push
researchPlots.push
researchedNodes.forEach
resetButton.addEventListener
resetButton.setAttribute
resetDefaultsButton.addEventListener
resetDefaultsButton.classList
resetDefaultsButton.setAttribute
resetDisconnectionPopup.bind
resizeThumb.NONE
resizer.classList
resolution.i
resolution.j
resolutions.length
resolver._fallback
resolver._getTarget
resolver._rootScopes
resolverCache.get
resolverCache.set
resource.bonus
resource.classType
resource.classTypeIcon
resource.count
resource.disabled
resource.id
resource.isInTradeNetwork
resource.js
resource.selected
resource.toString
resource.tooltip
resource.type
resource.uniqueResource
resource.value
resourceActivatable.addEventListener
resourceActivatable.appendChild
resourceActivatable.classList
resourceActivatable.setAttribute
resourceArray.filter
resourceContainer.appendChild
resourceContainer.classList
resourceCount.classList
resourceCount.setAttribute
resourceDef.ResourceClassType
resourceDefinition.BonusResourceSlots
resourceDefinition.Name
resourceDefinition.ResourceClassType
resourceDefinition.ResourceType
resourceDefinition.Tooltip
resourceEntry.addEventListener
resourceEntry.appendChild
resourceEntry.classList
resourceEntry.setAttribute
resourceEntry.uniqueResource
resourceEntry.value
resourceIcon.classList
resourceIcon.setAttribute
resourceIconWrapper.appendChild
resourceInfo.Hemispheres
resourceInfo.Name
resourceInfo.ResourceClassType
resourceInfo.ResourceType
resourceInfo.Tooltip
resourceInfo.Tradeable
resourceInfo.Weight
resourceInternal.appendChild
resourceInternal.classList
resourceItemWrapper.appendChild
resourceNameElem.classList
resourceNameElem.textContent
resourcePlotIndexes.length
resourcePlotIndexes.push
resourceToCount.type
resourceToCount.value
resourceToFind.type
resourceTypeIcon.classList
resourceTypeIcon.setAttribute
resources.length
resources.push
resourcesTimerElement.innerHTML
resourcesTimerElement.style
responseButton.addEventListener
responseButton.appendChild
responseButton.classList
responseButton.setAttribute
responseContainer.appendChild
responseContainer.classList
responseContainer.innerHTML
responseCostWrapper.appendChild
responseCostWrapper.classList
responseCostWrapper.setAttribute
responseData.cost
responseData.responseDescription
responseData.responseName
responseData.responseType
responseDescription.appendChild
responseDescription.classList
responseItem.appendChild
responseItem.classList
responseItem.setAttribute
responseList.forEach
responseText.classList
responseText.setAttribute
responseTitle.classList
responseTitle.setAttribute
restartButton.setAttribute
result.AlreadyExists
result.ConstructibleTypes
result.FailureReasons
result.ID
result.InProgress
result.InQueue
result.InsufficientFunds
result.Modifiers
result.Player2
result.Plots
result.RepairDamaged
result.Requirements
result.Success
result.Units
result.barycenter
result.bottom
result.edge
result.hasOwnProperty
result.height
result.left
result.length
result.lhs
result.networkResult
result.options
result.plots
result.push
result.result
result.rhs
result.right
result.setEdge
result.setNode
result.setParent
result.sort
result.sum
result.top
result.type
result.vs
result.wasErrorDisplayedOnFirstParty
result.weight
result.width
resultArguments.shift
resultItem.addEventListener
resultItem.dataset
resultItem.setAttribute
results.Attacker
results.CombatType
results.Defender
results.FailureReasons
results.Location
results.Success
results.css
results.find
results.js
results.length
results.plots
results.push
results.some
results.sort
results.statusText
results.statusTooltip
results.statusTooltipReason
results.ts
results.turns
resultsTax.Projects
ret.textAlign
ret.x
retVal.id
retVal.owner
retVal.type
retVal.x
retVal.y
retireButton.classList
retireButton.removeAttribute
retireButton.setAttribute
returnPopup.body
returnPopup.title
revealChance.classList
revealChance.innerHTML
revealedPlots.length
revealedPlots.push
revolution.css
revolution.html
revolution.js
revolution.ts
reward.AgeProgressionMilestoneType
reward.AgeProgressionRewardType
reward.Description
reward.DescriptionFinalAge
reward.Icon
reward.LegacyPathType
reward.Name
reward.UnlockType
reward.desc
reward.description
reward.dnaID
reward.dnaItemID
reward.gameItemID
reward.iconName
reward.isLocked
reward.level
reward.locVariants
reward.locked
reward.name
reward.reward
reward.rgb
reward.title
reward.type
reward.unlockCondition
rewardArea.appendChild
rewardArea.children
rewardArea.removeChild
rewardContainer.appendChild
rewardContainer.classList
rewardCurrencyText.classList
rewardCurrencyText.innerHTML
rewardCurrencyWrapper.appendChild
rewardCurrencyWrapper.classList
rewardData.length
rewardDef.push
rewardDescription.classList
rewardDescription.innerHTML
rewardDisplay.appendChild
rewardDisplay.classList
rewardDiv.innerHTML
rewardHolder.appendChild
rewardHolder.classList
rewardIcon.classList
rewardIcon.height
rewardIcon.src
rewardIcon.style
rewardIconArrange.appendChild
rewardIconArrange.classList
rewardIconContainer.appendChild
rewardIconContainer.classList
rewardIconHolder.appendChild
rewardIconHolder.classList
rewardIconHolder.src
rewardItem.unlockCondition
rewardListText.classList
rewardListText.innerHTML
rewardListWrapper.appendChild
rewardListWrapper.classList
rewardName.classList
rewardName.innerHTML
rewardPoint.category
rewardPoints.find
rewardScrollable.appendChild
rewardScrollable.classList
rewardScrollable.setAttribute
rewardText.appendChild
rewardText.classList
rewardWrapper.appendChild
rewardWrapper.classList
rewardWrapper.role
rewardWrapper.setAttribute
rewardWrapper.style
rewards.find
rewards.forEach
rewards.js
rewards.ts
rewardsContainer.appendChild
rewardsContainer.classList
rewardsItem.appendChild
rewardsItem.classList
rewardsItem.setAttribute
rewardsList.appendChild
rewardsList.children
rewardsList.removeChild
rewardsPage.appendChild
rewardsPage.classList
rewardsScrollable.appendChild
rewardsScrollable.classList
rewardsScrollableBox.appendChild
rewardsScrollableBox.classList
rewardsScrollableBoxBG.classList
rgb.a
rgb.b
rgb.g
rgb.r
rgb1.a
rgb1.b
rgb1.g
rgb1.r
rgb2.a
rgb2.b
rgb2.g
rgb2.r
ribbon.css
ribbon.js
ribbon.ts
ribbon__portrait.local
right.concat
rightArea.classList
rightArrow.addEventListener
rightArrow.classList
rightArrow.removeAttribute
rightArrow.setAttribute
rightArrowBG.appendChild
rightArrowBG.classList
rightArrowDom.addEventListener
rightArrowDom.appendChild
rightArrowDom.classList
rightArrowDom.setAttribute
rightArrowbutton.addEventListener
rightArrowbutton.classList
rightBorder.classList
rightBumper.forEach
rightBumpers.forEach
rightCol.classList
rightColContentVslot.classList
rightColGradientBox.appendChild
rightColGradientBox.classList
rightColumn.appendChild
rightColumn.classList
rightContainer.appendChild
rightContainer.classList
rightDisabled.toString
rightDiv.classList
rightGradientBox.appendChild
rightGradientBox.classList
rightHalf.classList
rightHslot.appendChild
rightHslot.className
rightInfo.appendChild
rightInfo.classList
rightLeftSort.addEventListener
rightLeftSort.classList
rightNav.classList
rightNav.setAttribute
rightNavHelp.classList
rightNavHelp.setAttribute
rightNavHelper.classList
rightNavHelper.setAttribute
rightPlayer.Diplomacy
rightPlayer.id
rightPlayerData.id
rightPlayerLibrary.id
rightPlayerLibrary.name
rightPledgeBottomBar.classList
rightPledgeGroup.appendChild
rightPledgeGroup.classList
rightPledgeRemainingSlotsContainer.appendChild
rightPledgeTotal.classList
rightPledgeTotals.findIndex
rightPledgeTotals.forEach
rightPledgeTotals.push
rightRightSort.addEventListener
rightRightSort.classList
rightScrollable.appendChild
rightScrollable.classList
rightScrollableContainer.appendChild
rightScrollableContainer.classList
rightScrollableContainer.className
rightSort.addEventListener
rightSort.classList
rightSort.setAttribute
rightSortHslot.appendChild
rightSortHslot.classList
rightSortHslot.setAttribute
rightSortText.classList
rightSortText.innerHTML
rightSortText.setAttribute
rightVSlot.insertAdjacentElement
rightVSlot.insertAdjacentHTML
rightVslot.appendChild
rightVslot.classList
ring.classList
ringAndButton.button
ringAndButton.ring
ringAndButton.turnCounter
ringContainer.appendChild
ringContainer.classList
ringMeter.appendChild
ringMeter.classList
ringMeter.setAttribute
rizal.css
rizal.html
rizal.js
rizal.ts
road.js
road.ts
root.addEventListener
root.append
root.appendChild
root.childData
root.classList
root.dispatchEvent
root.getAttribute
root.getBoundingClientRect
root.isConnected
root.isModifier
root.js
root.label
root.lastChild
root.push
root.querySelector
root.querySelectorAll
root.remove
root.removeChild
root.removeEventListener
root.setAttribute
root.showIcon
root.style
root.ts
root.typeName
root.value
root.valueNum
root.valueType
rootDefinition.attributes
rootElement.appendChild
rootElement.removeChild
rootElement.style
rootLabel.lim
rootLabel.low
rootLoadingRequiredLoadingComponentIds.includes
rootRect.bottom
rootRect.top
rootRect.width
rootRect.x
rootStyle.leftPX
rootStyle.setProperty
rootStyle.topPX
rootStyle.widthPX
route.Name
route.city
route.cityPlotIndex
route.element
route.js
route.leftCityID
route.leftPayload
route.rightCityID
route.rightPayload
route.status
route.ts
routeEle.addEventListener
routeEle.appendChild
routeEle.classList
routeEle.setAttribute
routeIcon.classList
routeIcon.setAttribute
routeInfo.RequiredConstructible
routeType.appendChild
routeType.classList
routeTypeReason.classList
routeTypeReason.innerHTML
routeTypeText.classList
routeTypeText.innerHTML
routes.length
row.ChapterID
row.ChoiceType
row.CivilizationDomain
row.CivilizationType
row.Header
row.Icon
row.LeaderDomain
row.LeaderType
row.Name
row.PageGroupID
row.PageID
row.PageLayoutID
row.Paragraph
row.ReasonDescription
row.ReasonType
row.SQL
row.SectionID
row.SortIndex
row.TextKeyPrefix
row.VisibleIfEmpty
row.appendChild
row.classList
row.setAttribute
row.style
row.toString
rowContainer.appendChild
rowContainer.classList
rowContent.appendChild
rowContent.classList
rowElements.item
rowElements.length
rowFragment.appendChild
rowGroups.push
rowOfTiles.appendChild
rowOfTiles.classList
rowOfTiles.push
rows.forEach
rtlHelper.leftForLtr
rtlHelper.setWidth
rtlHelper.textAlign
rtlHelper.x
rtlHelper.xPlus
ruinsPlots.push
rule.name
rule.selectable
rule.style
rule.type
rule.visible
ruleLabel.classList
ruleLabel.setAttribute
ruleList.cssRules
ruleList.deleteRule
ruleList.insertRule
ruleRow.appendChild
ruleRow.classList
ruleValue.classList
ruleValue.setAttribute
ruler.end
ruler.grouped
ruler.min
ruler.pixels
ruler.ratio
ruler.scale
ruler.stackCount
ruler.start
rules.css
rules.get
rules.html
rules.join
rules.js
rules.push
rules.setAttribute
rules.ts
running.push
ruralReligion.ReligionType
ruralReligionSymbol.style
ruralReligionSymbolBackground.style
 
Spoiler Page 6 :

Code:
s.addDecorator
s.component
s.definition
s.getDecorators
s.isModule
s.nameKey
s.notificationType
s.onerror
s.onload
s.sectionID
s.src
s.tabText
s.type
s.url
s.whenInitialized
sadvisor.js
safeAreaMargins.bottom
safeAreaMargins.left
safeAreaMargins.right
safeAreaMargins.top
safeAreaMargins.useDeviceDefinedMargins
salamis.css
salamis.html
salamis.js
salamis.ts
sameDirectionLines.find
samples.forEach
samples.length
samples.reduce
sanctionsHeader.appendChild
sanctionsHeader.classList
sanctionsInfo.classList
sanctionsInfo.innerHTML
sanctionsTitle.classList
sanctionsTitle.innerHTML
sandbox.css
sandbox.js
sankore.css
sankore.html
sankore.js
sankore.ts
save.civBackgroundColor
save.civForegroundColor
save.civIconUrl
save.currentTurn
save.currentTurnDate
save.gameName
save.hostAgeName
save.leaderIconUrl
save.saveActionName
save.saveTime
save.saveTimeDayName
save.saveTimeHourName
saveButton.addEventListener
saveButton.classList
saveButton.setAttribute
saveCardContainer.appendChild
saveCardContainer.firstChild
saveCardContainer.removeChild
saveChangesButton.addEventListener
saveChangesButton.classList
saveChangesButton.setAttribute
saveConfigButton.addEventListener
saveConfigButton.classList
saveConfigButton.setAttribute
saveGame.ContentType
saveGame.FileName
saveGame.Location
saveGame.LocationCategories
saveGame.Type
saveGameInfo.isLiveEventGame
saveGameInfos.push
savegames.sort
saves.length
saves.reduce
scale._adapter
scale._cache
scale._endPixel
scale._length
scale._maxLength
scale._padding
scale._parseOpts
scale._pointLabelItems
scale._pointLabels
scale._startPixel
scale._tickSize
scale.axis
scale.bottom
scale.chart
scale.css
scale.ctx
scale.drawingArea
scale.getBasePixel
scale.getBaseValue
scale.getDistanceFromCenterForValue
scale.getIndexAngle
scale.getLabels
scale.getMatchingVisibleMetas
scale.getPixelForTick
scale.getPixelForValue
scale.getPointLabelContext
scale.getPointPosition
scale.getPointPositionForValue
scale.getUserBounds
scale.grid
scale.id
scale.init
scale.isHorizontal
scale.js
scale.left
scale.max
scale.min
scale.options
scale.right
scale.setCenterPoint
scale.ticks
scale.title
scale.top
scale.type
scale.xCenter
scale.yCenter
scaleConf._proxy
scaleOptions.axis
scaleOptions.id
scaleOptions.position
scaleOptions.type
scaleOpts.adapters
scaleOpts.time
scaling.js
scaling.ts
scene.build3DPaintingScene
scene.build3DScene
science.css
science.html
science.js
science.ts
scienceYieldElement.addEventListener
scienceYieldElement.classList
scienceYieldElement.dataset
scope._fallback
scoped.afterLabel
scoped.beforeLabel
scoped.label
scoped.labelColor
scoped.labelPointStyle
scoped.labelTextColor
scopes.add
scopes.push
score.classList
score.innerHTML
score.ts
scoreBacking.appendChild
scoreBacking.classList
scoreBox.appendChild
scoreBox.classList
scoreContainer.appendChild
scoreContainer.classList
scoreText.classList
scoreText.textContent
scoreTextContainer.appendChild
scoreTextContainer.classList
scoreVslot.appendChild
scoreVslot.classList
scoreYouText.classList
scoreYouText.setAttribute
scores.css
scores.html
scores.js
scores.length
scores.sort
scores.ts
scoresData.push
scoresData.sort
screen.classList
screen.component
screen.css
screen.dispatchEvent
screen.height
screen.html
screen.js
screen.traditions
screen.ts
screens.length
screenshot.js
screenshot.ts
scroll.css
scrollAreaRect.bottom
scrollAreaRect.left
scrollAreaRect.right
scrollAreaRect.top
scrollComponentRoot.component
scrollVslot.classList
scrollable.appendChild
scrollable.childNodes
scrollable.classList
scrollable.getAttribute
scrollable.js
scrollable.removeChild
scrollable.setAttribute
scrollable.setEngineInputProxy
scrollable.ts
scrollableContainer.appendChild
scrollableContainer.classList
scrollableContainer.setAttribute
scrollableContent.appendChild
scrollableContent.classList
scrollableContent.innerHTML
scrollbar.appendChild
scrollbar.classList
search.css
search.html
search.js
search.length
search.ts
searchBox.oninput
searchBox.value
searchQuery.length
searchResult.friendIDT2gp
searchResult.is1PBlocked
searchResult.page
searchResult.platform
searchResult.playerNameT2gp
searchResults.length
searchTerm.PageID
searchTerm.SectionID
searchTerm.Term
secColor.a
secColor.b
secColor.g
secColor.r
secHSL.l
secLeaderName.classList
secLeaderName.setAttribute
secNameHslot.appendChild
secNameHslot.classList
second.gameSpeed
second.mapDisplayName
second.mods
second.numPlayers
second.ruleSetName
second.serverNameOriginal
secondPlace.isLocalPlayer
section.icon
section.js
section.nameKey
section.root
section.sectionID
section.selector
section.tabIndexIgnoreList
section.ts
sectionSet.add
sectionSet.has
sectionTitle.classList
sectionTitle.setAttribute
sectionTitleWrapper.appendChild
sectionTitleWrapper.classList
sections.entries
sections.push
sectors.length
seed.toString
segment.end
segment.loop
segment.start
segment.style
segmentOptions.setContext
segments.length
sel_antiquity_desat.png
sel_exploration_desat.png
sel_modern_desat.png
select.css
select.html
select.js
select.png
select.ts
selectFiligree.classList
selectTargetButton.addEventListener
selectTargetButton.classList
selectTargetButton.removeAttribute
selectTargetButton.setAttribute
selected.classList
selected.getAttribute
selected.js
selected.toString
selected.ts
selectedAction.active
selectedCard.component
selectedCard.getAttribute
selectedCardEntry.addEventListener
selectedCardEntry.setAttribute
selectedCards.classList
selectedCards.querySelector
selectedCardsContainer.classList
selectedCarousel.content
selectedCarousel.layout
selectedCarousel.modalImageUrl
selectedCarousel.textContent
selectedCarousel.title
selectedChallengeLists.challenges
selectedCity.Religion
selectedCity.Yields
selectedCity.getPurchasedPlots
selectedCity.getTurnsUntilRazed
selectedCity.name
selectedCiv.abilityText
selectedCiv.abilityTitle
selectedCiv.bonuses
selectedCiv.civID
selectedCiv.historicalChoiceReason
selectedCiv.historicalChoiceType
selectedCiv.isHistoricalChoice
selectedCiv.isLocked
selectedCiv.name
selectedCiv.tags
selectedCiv.unlocks
selectedCommand.commandConfig
selectedCommandConfig.commandArguments
selectedCommandConfig.commandHandler
selectedDistrict.getConstructibleIds
selectedDistrict.isUrbanCore
selectedElement.classList
selectedElement.remove
selectedElement.setAttribute
selectedElement.textContent
selectedInfo.image
selectedInfo.label
selectedItem.getAttribute
selectedItem.getBoundingClientRect
selectedItem.headerText
selectedItem.id
selectedItem.label
selectedItem.offsetHeight
selectedItem.offsetTop
selectedList.appendChild
selectedMemento.value
selectedMod.handle
selectedPip.setAttribute
selectedPlacementData.overbuiltConstructibleID
selectedPromo.autoRedeemOnShow
selectedPromo.promoId
selectedSettlement.owner
selectedSlot.setActiveMemento
selectedSlot.slotData
selectedTab.getBoundingClientRect
selectedTabIndex.toString
selectedUnit.Combat
selectedUnit.Movement
selectedUnit.id
selectedUnit.isOnMap
selectedUnit.location
selectedUnit.owner
selection.Key
selection.Text
selection.js
selection.nextElementSibling
selection.previousElementSibling
selection.ts
selections.appendChild
selections.classList
selections.forEach
selections.sort
selector.addEventListener
selector.charAt
selector.classList
selector.indexOf
selector.js
selector.length
selector.nodeType
selector.setAttribute
selector.substr
selector.ts
self.updateAll
self.updateQueued
sendingFoodData.find
sendingFoodData.push
separator.classList
seperator.classList
serialize.js
serialize.ts
serverTypeToGameModeType.get
set.PromotionClassType
set.UnitPromotionDisciplineType
set.add
set.size
sett_difficulty_full.png
sett_size_full.png
sett_speed_full.png
sett_type_full.png
setting3dBrightness.appendChild
setting3dBrightness.classList
settingContrast.appendChild
settingContrast.classList
settingUiBrightness.appendChild
settingUiBrightness.classList
settlement.Trade
settlement.changeHasBuildQueue
settlement.classList
settlement.getAttribute
settlement.hasAttribute
settlement.id
settlement.isCapital
settlement.isTown
settlement.js
settlement.name
settlementCap.toString
settlementData.amount
settlementData.name
settlementIcon.appendChild
settlementIcon.classList
settlementIcon.setAttribute
settlementIcon.style
settlementIconBG.classList
settlementIconBG.style
settlementIconBGInner.classList
settlementIconBGInner.style
settlementIconBGOuter.appendChild
settlementIconBGOuter.classList
settlementIconBGOuter.style
settlementInfo.classList
settlementInfo.innerHTML
settlementInfo.setAttribute
settlementInfoWrapper.appendChild
settlementInfoWrapper.classList
settlementInfoWrapper.setAttribute
settlementPopulation.classList
settlementPopulation.setAttribute
settlementStatus.classList
settlementStatus.style
settlementStatusWonders.appendChild
settlementStatusWonders.classList
settlementTypeBox.appendChild
settlementTypeName.classList
settlementTypeName.setAttribute
settlementTypeString.toUpperCase
settlementWonders.classList
settlementWonders.style
settlements.length
settlerTooltip.classList
settlerTooltip.innerHTML
setup.ts
setupParam.ID
setupParam.description
setupParam.domain
setupParam.hidden
setupParam.invalidReason
setupParam.name
setupParam.readOnly
setupParam.value
seurats.js
seurats.ts
shadow.classList
shadow.coreClassHash
shadow.domainHash
shadow.png
shadow.style
shadow.tagHash
shadowOption.CoreClass
shadowOption.Domain
shadowOption.Tag
shadowOption.UnitType
shadows.length
sheet.ownerNode
shell.js
shell.ts
shellButton.addEventListener
shellButton.setAttribute
shieldImage.classList
shouldDisabledConfirm.toString
shouldHide.toString
showCities.addEventListener
showCities.setAttribute
showCityDetailsIcon.classList
showDefaultLabel.toString
showDisconnectionPopup.bind
showFactories.addEventListener
showFactories.setAttribute
showFactoriesCheckboxContainer.classList
showRequirementsNavHelp.classList
showRequirementsNavHelp.setAttribute
showRequirementsWrapper.appendChild
showRequirementsWrapper.classList
showTreeButton.addEventListener
showTreeButton.classList
showTreeButton.setAttribute
showYields.addEventListener
showYields.setAttribute
shuffle.js
shuffle.ts
siam.css
siam.html
siam.js
siam.ts
sideButtonOne.addEventListener
sideButtonOne.classList
sideButtonOne.setAttribute
sideButtonTwo.addEventListener
sideButtonTwo.classList
sideButtonTwo.setAttribute
sidepanel.left_panel
sidepanel.right_panel
sightIcon.classList
sightIcon.style
sightRow.appendChild
sightRow.classList
sightText.classList
sightText.innerHTML
simple.png
simpleFiligree.appendChild
simpleFiligree.classList
simpleFiligreeImage.classList
simpleLabel.minlength
simpleLabel.weight
simpleNodes.map
simpleNodes.sort
simplified.edge
simplified.setEdge
simplified.setNode
singlePlayer.addEventListener
size.concat
size.h
size.height
size.toString
size.w
size.width
size.xAlign
size.yAlign
skip.bottom
skip.left
skip.right
skip.top
skipDialogText.classList
skipDialogText.innerHTML
slice.call
slice1.slice
slice2.toLowerCase
slider.appendChild
slider.classList
slider.js
slider.setAttribute
slider.ts
sliderContainer.appendChild
sliderContainer.classList
sliderEvent.detail
sliderEvent.target
sliderLabel.classList
sliderLabel.innerHTML
sliderValue.classList
sliderValue.innerHTML
slot.appendChild
slot.beliefDef
slot.bgEle
slot.classList
slot.component
slot.css
slot.disconnect
slot.greatWorkIndex
slot.iconEle
slot.id
slot.innerHTML
slot.js
slot.notificationId
slot.notificationType
slot.parentEle
slot.setAttribute
slot.state
slot.toAddIndex
slot.ts
slotActionData.actionType
slotActionData.slotStatus
slotActionsData.push
slotData.currentMemento
slotData.gameParameter
slotDropdowns.push
slotGroup.getAttribute
slotGroup.setAttribute
slotItem.completion
slotItem.totalChallenges
slotOneButton.setAttribute
slotTwoButton.setAttribute
slotsBoxCityHeader.appendChild
slotsBoxCityHeader.classList
slotsBoxCityHeaderName.classList
slotsBoxCityHeaderName.setAttribute
slotsBoxCityHeaderText.classList
slotsBoxCityHeaderText.setAttribute
slotsBoxCityPillagedNotification.classList
slotsBoxCityPillagedNotification.innerHTML
slotsBoxEntryDescription.appendChild
slotsBoxEntryDescription.classList
slotsBoxEntryDescriptionText.classList
slotsBoxEntryDescriptionTitle.classList
slotsBoxGreatWorkEntryContainer.appendChild
slotsBoxGreatWorkEntryContainer.classList
slotsDivider.classList
slotsToShow.entries
slotsToShow.push
smallCivIcon.style
smallContainer.innerHTML
smallIconsBox.classList
smallLeaderIcon.style
smallParent.appendChild
smallScreenUniques.classList
snowLatitudeEnd.toString
soc_friends.png
sortOption.getAttribute
sortOptions.length
sortOptions.map
sortText.classList
sortText.innerHTML
sortText.setAttribute
sortable.forEach
sortable.sort
sorted.vs
sortedAges.entries
sortedMajorIndices.sort
source.axis
source.barycenter
source.clientX
source.clientY
source.fill
source.i
source.line
source.map
source.merged
source.scale
source.vs
source.weight
sourceCSV.split
sourceSet.length
sourceSet.pop
sourceSet.push
sourceTreeTypes.forEach
source_position.x
source_position.y
source_position.z
sources.length
sources.push
southEntries.forEach
southLayer.length
southLayer.map
sp.css
sp.js
sp.ts
spacer.appendChild
spacer.classList
spain.css
spain.html
spain.js
spain.ts
spatialSlot.appendChild
spatialSlot.classList
spatial_navigation.js
specialistInfoFrame.appendChild
specialistInfoFrame.classList
specialistInfoFrame.setAttribute
specialistInfoFrameCanAddText.classList
specialistInfoFrameHeader.classList
specialistInfoFrameHeader.setAttribute
specialistText.classList
specialistText.innerHTML
specialistsIcon.classList
specialistsInfoContainer.appendChild
specialistsInfoContainer.classList
specialistsTextContainer.appendChild
specialistsTextContainer.classList
speechapi.cancel
speechapi.isSpeaking
speechapi.speak
speed.toFixed
speedSortName.innerHTML
splitMessage.slice
sprite.height
sprite.width
square.png
srgb.b
srgb.g
srgb.r
ssb__element.tut
st.setAttribute
stack.Root
stack._bottom
stack._top
stack.count
stack.keys
stack.placed
stack.size
stack.start
stack.values
stack.weight
stacks.indexOf
stacks.length
stacks.push
stage1MaxTurns.toString
stageData.stageType
stages.length
start.css
start.html
start.js
start.lo
start.ts
startActionItem.addEventListener
startActionItem.appendChild
startActionItem.classList
startActionItem.setAttribute
startBiasNWDef.CivilizationType
startBiasNWDef.LeaderType
startBiasNWDef.Score
startBiasTerrainDef.CivilizationType
startBiasTerrainDef.LeaderType
startBiasTerrainDef.Score
startBiasTerrainDef.TerrainType
startBiomeDef.BiomeType
startBiomeDef.CivilizationType
startBiomeDef.LeaderType
startBiomeDef.Score
startContainer.appendChild
startContainer.style
startGameButton.addEventListener
startGameButton.classList
startGameButton.setAttribute
startLocation.x
startLocation.y
startPositions.length
startRegions.length
startTextElement.classList
startTextElement.setAttribute
startingGovernmentDef.GovernmentType
startingPositions.length
stat.amount
stat.icon
stat.label
stat.name
stat.type
stat.value
statDiv.classList
statIcon.classList
statIcon.style
statItem.classList
statItem.innerHTML
statItem.setAttribute
statRow.appendChild
statRow.classList
statText.classList
statText.innerHTML
statValue.toString
state._banners
state.cameraChangedUpdateQueued
state.cityInitializedHandle
state.constructibleState
state.container
state.debugWidgetUpdatedHandle
state.enabled
state.fixedWorldAnchorUpdateQueued
state.fixedWorldAnchorsChangedHandle
state.get
state.has
state.initialized
state.isCompleted
state.isCurrent
state.isLocked
state.revealedState
state.set
state.yields
stateText.classList
stateText.textContent
statementFrame.Selections
statementFrame.Text
statementFrame.Type
states.includes
stats.Bombard
stats.Combat
stats.Range
stats.RangedCombat
stats.UnitType
stats.forEach
stats.length
stats.numSettlements
stats.push
stats.settlementCap
statsContainer.appendChild
statsContainer.classList
statsContainer.setAttribute
statsDefinition.Combat
statsDefinition.Range
statsDefinition.RangedCombat
statsHeader.setAttribute
statsSlotGroup.appendChild
statsSlotGroup.setAttribute
status.js
status.requirementSetId
statusContainer.appendChild
statusIcon.classList
statusIcon.src
statusIcon.style
statusStringElement.classList
statusStringElement.innerHTML
statusTexts.statusText
statusTexts.statusTooltip
statusTexts.statusTooltipReason
statusrow.appendChild
statusrow.classList
step.base
step.classList
step.description
step.id
step.modifier
step.steps
step.type
step.value
stepData.classes
stepData.description
stepData.icon
stepData.progressAmount
stepData.progressUntilThisStep
stepData.push
stepIcon.classList
stepIcon.setAttribute
stepIcon.style
stepIconBg.appendChild
stepIconBg.classList
stepIconBg.setAttribute
stepIconBg.style
stepIconInnerBg.classList
stepIconOuterBg.classList
stepIconShadow.classList
stepTurnContainer.appendChild
stepTurnContainer.classList
stepTurnIcon.classList
stepTurnNumber.classList
stepTurnNumber.innerHTML
stepper.addEventListener
stepper.classList
stepper.js
stepper.push
stepper.setAttribute
stepper.ts
stepperData.id
stepperData.stepperMaxValue
stepperData.stepperMinValue
stepperData.stepperValue
steps.length
stone.AgeProgressionAmount
stone.AgeProgressionMilestoneType
stone.FinalMilestone
stone.RequiredPathPoints
storeCardActivatable.addEventListener
storeCardActivatable.appendChild
storeCardActivatable.classList
storeCardActivatable.setAttribute
storeCardActivatable.style
storeCardDescriptionContainer.classList
storeCardLabelContainer.appendChild
storeCardLabelContainer.classList
storeCardLabelText.classList
storeCardLabelText.textContent
storeCardLockIcon.classList
storeCardLockIconContainer.appendChild
storeCardLockIconContainer.classList
storeCardPriceContainer.appendChild
storeCardPriceContainer.classList
storeCardPriceText.classList
storeCardPriceText.innerHTML
stormInfo.currentPlot
stormInfo.type
story.id
story.type
storyDef.Completion
storyDef.Imperative
storyDef.Name
storyDef.NarrativeStoryType
storyDef.StoryTitle
storyDef.UIActivation
storyLinks.forEach
storyLinks.length
str.charAt
str.indexOf
str.length
str.slice
str.split
str.toLowerCase
stressTestUnits.push
strike.js
strike.ts
strings.push
strs.length
structureNodeData.connectedNodeTypes
structureNodeData.nodeType
structureNodeData.treeDepth
stub.listeners
style.animationDelay
style.animationDuration
style.animationName
style.backgroundColor
style.backgroundImage
style.backgroundPosition
style.backgroundPositionX
style.backgroundPositionY
style.backgroundRepeat
style.backgroundSize
style.borderCapStyle
style.borderColor
style.borderDash
style.borderDashOffset
style.borderJoinStyle
style.borderWidth
style.boxSizing
style.color
style.display
style.filter
style.flexDirection
style.flexShrink
style.fontSize
style.fxsBackgroundImageTint
style.getPropertyPriority
style.getPropertyValue
style.height
style.heightPERCENT
style.left
style.leftPX
style.marginTop
style.maxHeight
style.maxWidth
style.minWidth
style.onerror
style.onload
style.opacity
style.overflowY
style.pointStyle
style.pointerEvents
style.position
style.removeProperty
style.rotation
style.setAttribute
style.setProperty
style.setTranslate2D
style.textAlign
style.toString
style.top
style.topPERCENT
style.topPX
style.transform
style.visibility
style.width
style.widthPERCENT
style.zIndex
styleValue.indexOf
stylechecker.js
sub.length
subHeaderElement.setAttribute
subItems.forEach
subItems.length
subString.indexOf
subString.slice
subTitle.setAttribute
sub_agetimer.png
sub_civics.png
sub_govt.png
sub_greatworks.png
sub_religion.png
sub_resource.png
sub_tech.png
subbyRoot.classList
subgraphResult.hasOwnProperty
subheader.setAttribute
subheader.textContent
subscreenList.forEach
subsystemDock.id
subsystemPanel.addEventListener
subsystemPanel.appendChild
subsystemPanel.setAttribute
subtextContainer.appendChild
subtextContainer.classList
subtitlesContainer.appendChild
subtitlesContainer.classList
subtitlesTitle.classList
subtitlesTitle.innerHTML
succ.forEach
successChance.classList
successChance.innerHTML
suggestion.factors
suggestions.forEach
summary.classList
summary.setAttribute
summaryContainer.appendChild
summaryFragment.appendChild
super.activate
super.add
super.addDisplayRequest
super.addElements
super.addOrRemoveNavHelpElement
super.beforeLayout
super.close
super.configure
super.dismiss
super.draw
super.init
super.initOffsets
super.initialize
super.isArrowElementVisibile
super.lookAt
super.on
super.onActivatableBlur
super.onActivatableEngineInput
super.onActivatableFocus
super.onActiveDeviceTypeChanged
super.onAttach
super.onAttributeChanged
super.onContinue
super.onDetach
super.onEngineInput
super.onInitialize
super.onLoseFocus
super.onNavigateInput
super.onPlotCursorCoordsUpdated
super.onReceiveFocus
super.onSelectedPlayerChanged
super.onSupportChanged
super.onTurnEnd
super.parseArrayData
super.parseObjectData
super.parsePrimitiveData
super.playAnimateInSound
super.playAnimateOutSound
super.postOnAttach
super.render
super.renderChooserItem
super.resolveDataElementOptions
super.setRequestIdAndPriority
super.stop
super.transitionFrom
super.transitionTo
super.trigger
super.update
super.updateExistingElement
super.updateOpenArrowElement
super.updateRangeFromParsed
support.js
support.ts
supportAmount.classList
supportAmount.innerHTML
supportBar.appendChild
supportBar.classList
supportBarBorder.classList
supportButton.addEventListener
supportButton.appendChild
supportButton.classList
supportButton.setAttribute
supportContainer.appendChild
supportContainer.classList
supportContainer.hasChildNodes
supportContainer.lastChild
supportContainer.removeChild
supportContainer.style
supportDelta.toString
supportDeltaElement.classList
supportDeltaElement.innerHTML
supportGroupContainer.appendChild
supportGroupContainer.classList
supportIconContainer.appendChild
supportIconContainer.classList
supportIconImage.classList
supportLeaderIcon.classList
supportPledgeGroup.classList
supportResult.FailureReasons
supportResult.Success
supportString.classList
supportString.id
supportString.innerHTML
supportStringContainer.appendChild
supportStringContainer.classList
supportTitle.classList
supportTitle.innerHTML
supportTracker.classList
supportTracker.style
supportWarButton.addEventListener
supportWarButton.setAttribute
supportWarButtonIcon.classList
supportWarButtonIconContainer.appendChild
supportWarButtonTitle.setAttribute
supportYourselfIcon.classList
supportedOptions.canChangeAAUpscale
supportedOptions.canChangeAssetQuality
supportedOptions.canChangeBloom
supportedOptions.canChangeImageSharpness
supportedOptions.canChangeParticleQuality
supportedOptions.canChangeSSAOQuality
supportedOptions.canChangeSSOverlay
supportedOptions.canChangeSSR
supportedOptions.canChangeSSShadows
supportedOptions.canChangeScreenMode
supportedOptions.canChangeShadowQuality
supportedOptions.canChangeTextureDetail
supportedOptions.canChangeVSync
supportedOptions.canChangeWaterQuality
supportedOptions.canDisableHDR
supportedOptions.gpus
supportedOptions.hdr
supportedOptions.intelXefgSupported
supportedOptions.intelXellSupported
supportedOptions.profiles
supportedOptions.resolutions
surpriseWarResults.FailureReasons
surpriseWarResults.Success
suzerain.id
suzerain.leaderTypeName
suzerainIcon.classList
suzerainIcon.setAttribute
suzerainPlayer.id
suzerainPlayer.leaderType
suzerainPlayer.name
suzerainSubsystemFrame.addEventListener
sw.setAttribute
switch.js
switch.ts
symbol.religion
szName.length
 
Spoiler Page 7 :

Code:
t.BiomeType
t.FeatureType
t.Name
t.ProgressionTreeType
t.TerrainType
t.category
t.content
t.edge
t.getAttribute
t.hasNode
t.id
t.name
t.node
t.nodeCount
t.nodeType
t.nodes
t.promotion
t.removeEdge
t.setEdge
t.setNode
t.value
tValue.base
tValue.description
tValue.id
tValue.modifier
tValue.steps
tValue.value
tab.addEventListener
tab.appendChild
tab.categories
tab.classList
tab.className
tab.disabled
tab.highlight
tab.icon
tab.iconClass
tab.iconText
tab.id
tab.label
tab.labelClass
tab.setAttribute
tabBG.classList
tabBar.setAttribute
tabButton.addEventListener
tabButton.appendChild
tabButton.classList
tabButton.setAttribute
tabClass.indexOf
tabClass.slice
tabContainer.appendChild
tabControl.addEventListener
tabControl.classList
tabControl.setAttribute
tabData.icon
tabData.label
tabElement.addEventListener
tabElement.classList
tabElement.setAttribute
tabElements.forEach
tabFragment.appendChild
tabFrame.classList
tabHeaderWrapper.appendChild
tabHeaderWrapper.classList
tabHighlight.classList
tabIndex.toString
tabItemClassName.split
tabItems.push
tabLabel.appendChild
tabLabel.classList
tabLabel.setAttribute
tabLabel.style
tabLabelHighlight.classList
tabLabelHighlight.setAttribute
tabLabelHighlight.style
tabNum.toString
tabPanel.classList
tabPanel.setAttribute
tabRect.width
tabRect.x
tabWrapper.appendChild
tabWrapper.classList
tabcontrol.js
tabcontrol.ts
table.length
table.push
tabsContainer.addEventListener
tabsContainer.setAttribute
tag.CivilizationDomain
tag.CivilizationType
tag.HideInDetails
tag.LeaderDomain
tag.LeaderType
tag.Name
tag.Tag
tagName.toLowerCase
tags.filter
tags.join
target._descriptors
target._keys
target._scopes
target._storage
target.appendChild
target.barycenter
target.blur
target.category
target.children
target.classList
target.className
target.closest
target.component
target.costYieldD
target.cp1x
target.cp1y
target.cp2x
target.cp2y
target.destroy
target.dispatchEvent
target.fill
target.first
target.focus
target.getAttribute
target.getBoundingClientRect
target.hasAttribute
target.i
target.id
target.interpolate
target.isInitialized
target.isSameNode
target.leaderName
target.leaderTypeName
target.loseFocus
target.max
target.min
target.nodeName
target.options
target.parameterName
target.parentElement
target.pathSegment
target.points
target.push
target.querySelector
target.receiveFocus
target.segments
target.setAttribute
target.shadowRoot
target.style
target.tagName
target.targetID
target.targetName
target.targetPlot
target.targetType
target.toUpperCase
target.visible
target.vs
target.weight
target.x
target.y
targetArray.length
targetArray.push
targetAttributes.length
targetAttributes.slice
targetButton.setAttribute
targetCity.id
targetCity.location
targetCity.name
targetCity.owner
targetCityPlots.sort
targetConfig.slotName
targetConnectedTile.column
targetConnectedTile.row
targetCurrency.appendChild
targetCurrency.classList
targetCurrency.innerHTML
targetCurrency.querySelector
targetData.costYieldD
targetData.currentHealth
targetData.damage
targetData.maxHitPoints
targetData.name
targetData.owner
targetData.targetID
targetDistrict.owner
targetElement.appendChild
targetElement.className
targetElement.component
targetElement.contains
targetElement.dispatchEvent
targetElement.getAttribute
targetElement.getBoundingClientRect
targetElement.id
targetElement.parentElement
targetElement.querySelector
targetElement.tagName
targetHealthPercentage.toString
targetIcon.classList
targetIcon.setAttribute
targetItem.ID
targetItem.addEventListener
targetItem.appendChild
targetItem.classList
targetItem.getBoundingClientRect
targetItem.setAttribute
targetLocation.x
targetLocation.y
targetName.toLowerCase
targetName.toUpperCase
targetNameElement.classList
targetNameElement.innerHTML
targetParent.appendChild
targetParent.parentNode
targetPlayer.civilizationFullName
targetPlayer.id
targetPlayer.isIndependent
targetPlayer.leaderType
targetPlayer.name
targetPlayerConfig.canBeHuman
targetPlayerConfig.isHuman
targetPlayerConfig.isLocked
targetPlayerConfig.isParticipant
targetPlayerConfig.slotStatus
targetPlayerIcon.style
targetPoint.y
targetProductionItem.dataset
targetQueue.push
targetRect.bottom
targetRect.center
targetRect.height
targetRect.left
targetRect.right
targetRect.top
targetRect.width
targetRect.x
targetRect.y
targetRelationshipIcon.style
targetSimulatedHealthPercentage.toString
targetTabs.forEach
targetTile.activateLine_BottomLeft
targetTile.activateLine_BottomRight
targetTile.activateLine_DiagonalTLBR
targetTile.activateLine_DiagonalTRBL
targetTile.activateLine_HorizontalBottom
targetTile.activateLine_HorizontalTop
targetTile.activateLine_TopLeft
targetTile.activateLine_TopRight
targetTile.activateLine_VerticalCenter
targetTile.activateLine_VerticalLeft
targetTile.activateLine_VerticalRight
targetTile.activatedPoints
targetTree.cards
targetTree.tiles
targetTree.treeGrid
targetType.toString
targetUnit.Health
targetUnit.name
targetUnit.owner
targetUnit.type
targetUnitDefinition.UnitType
targetValue.includes
target_position.x
target_position.y
target_position.z
teamsData.findIndex
tech.getLastCompletedNodeType
techElements.button
techElements.ring
techElements.turnCounter
techItem.addEventListener
techItem.classList
techItem.componentCreatedEvent
techItem.setAttribute
techListTop.appendChild
techName.split
techTimer.toString
techTree.nodes
techs.getLastCompletedNodeType
techs.getNodeCost
techs.getResearching
techs.getTreeType
techs.getTurnsLeft
tempPlayers.length
tempPlayers.push
tempPromises.push
tempString.indexOf
tempString.slice
tempString.toLocaleUpperCase
template.content
template.innerHTML
terms.push
terrain.Name
terrain.TerrainType
terrainType.toString
test.css
test.js
test.ts
testParams.Test
test_components.css
test_components.js
test_currentFocus.classList
test_currentFocus.getBoundingClientRect
test_currentFocus.querySelector
test_currentPendingFocus.classList
test_currentPendingFocus.querySelector
test_radialContainer.classList
test_radialIndicator.style
test_subItemAngles.length
test_subItemAngles.map
test_subItemAngles.push
test_subItemAngles.sort
test_subItemAngles.splice
test_subItems.forEach
test_subsystemContainers.forEach
testsToLoop.length
text.charAt
text.classList
text.css
text.data
text.indexOf
text.innerHTML
text.js
text.length
text.push
text.replace
text.replaceAll
text.setAttribute
text.startsWith
text.ts
textBox.appendChild
textBox.classList
textBoxValue.length
textContainer.appendChild
textContainer.classList
textContainer.innerHTML
textDiv.addEventListener
textDiv.classList
textDiv.setAttribute
textDiv.style
textElement.innerHTML
textElement.setAttribute
textField.innerHTML
textMinusPlusContainer.appendChild
textMinusPlusContainer.classList
textSize.h
textSize.w
textTitle.innerHTML
textWrapper.appendChild
textWrapper.classList
textbox.addEventListener
textbox.classList
textbox.className
textbox.js
textbox.setAttribute
textbox.ts
textboxData.classname
textboxData.editStopClose
textboxData.enabled
textboxData.id
textboxData.label
textboxData.maxLength
textboxData.placeholder
textboxData.showKeyboardOnActivate
textboxData.value
textik.com
textprovider.js
textprovider.ts
tgt.end
tgt.loop
tgt.start
theChooserButton.addEventListener
theChooserButton.setAttribute
theResources.getAssignedResources
theSelectedPlayer.isIndependent
theSelectedPlayer.isMinor
theirActions.forEach
theirActions.length
theirActionsHeader.classList
theirActionsHeader.innerHTML
theirIcon.classList
theirIcon.setAttribute
theirPlayer.leaderTypeName
theirReceivesIcon.classList
theirReceivesIcon.setAttribute
theirWars.forEach
thermoEndcap.classList
thermoFill.appendChild
thermoFill.classList
thermoFill.style
thermoIcon.classList
thermoIcon.style
thermoTrack.classList
thermoValue.classList
thermoValue.innerHTML
thing.hasOwnProperty
thing.length
thirdPlace.isLocalPlayer
thisBadge.isLocked
thisBadge.url
thisBanner.isLocked
thisBanner.url
thisBorder.isLocked
thisBorder.url
thisCity.Constructibles
thisCity.Districts
thisCity.location
thisCity.name
thisCity.owner
thisCityInfo.name
thisColor.color
thisColor.isLocked
thisConstructibleInfo.ConstructibleType
thisConstructibleInfo.Name
thisNotification.Target
thisNotification.Type
thisPlayer.id
thisPlayer.isAlive
thisPlayer.isMajor
thisQuarter.BuildingType1
thisQuarter.BuildingType2
thisQuarter.Description
thisQuarter.Name
thisQuarter.Tooltip
thisQuarter.TraitType
thisTitle.isLocked
thisTitle.locKey
thisUnit.Movement
thisUnit.location
thisUnit.name
thisUnit.originCityId
thisUnit.type
thisUnitDef.Name
thisWonder.ConstructibleType
thisWonder.Name
thiscity.owner
thumbActive.classList
thumbHighlight.classList
thumbInner.classList
thumbRect.x
thumbRect.y
tick.label
tick.major
tick.value
tickFont.lineHeight
tickFont.size
tickFont.string
tickOpts.autoSkip
tickOpts.backdropPadding
tickOpts.callback
tickOpts.count
tickOpts.display
tickOpts.font
tickOpts.includeBounds
tickOpts.major
tickOpts.maxRotation
tickOpts.maxTicksLimit
tickOpts.minRotation
tickOpts.mirror
tickOpts.padding
tickOpts.precision
tickOpts.sampleSize
tickOpts.setContext
tickOpts.source
tickOpts.stepSize
ticks.align
ticks.color
ticks.findIndex
ticks.format
ticks.length
ticks.minRotation
ticks.mirror
ticks.push
ticks.reverse
ticks.sampleSize
ticks.setContext
ticks.splice
ticks.stepSize
ticksOpts.maxRotation
ticksOpts.minRotation
tier.appendChild
tier.classList
tier1.classList
tier2.classList
tierBG.classList
tierBonuses.appendChild
tierBonuses.classList
tierContainer.appendChild
tierContainer.classList
tierDarkGradient.classList
tierGradient.classList
tierHighlight.classList
tierHitbox.classList
tierLeftPattern.appendChild
tierLeftPattern.classList
tierLightGradient.classList
tierOuterContainer.appendChild
tierOuterContainer.classList
tierRightPattern.appendChild
tierRightPattern.classList
tierShadow.classList
tierThickFrame.classList
tierThinFrame.classList
tigerEar.classList
tile.css
tile.hasData
tile.icon
tile.isAvailable
tile.isCompleted
tile.isCurrentlyActive
tile.isLocked
tile.js
tile.name
tile.nodeType
tile.style
tile.ts
tiles.forEach
time.displayFormats
time.isoWeekday
time.parser
time.round
timeContainer.appendChild
timeContainer.classList
timeOpts.displayFormats
timeOpts.isoWeekday
timeOpts.minUnit
timeOpts.stepSize
timeOpts.tooltipFormat
timeOpts.unit
timeSeparator.classList
timeSeparator.innerHTML
timeouts.push
timer.png
timerIcon.classList
timestamps.concat
timestamps.length
timestamps.push
tipRect.height
tipRect.width
title.align
title.appendChild
title.classList
title.color
title.display
title.font
title.gameItemId
title.getAttribute
title.includes
title.innerHTML
title.length
title.options
title.padding
title.replace
title.search
title.setAttribute
title.text
titleBar.appendChild
titleBar.classList
titleContainer.appendChild
titleContainer.classList
titleContainer.innerHTML
titleContainer.parentElement
titleContainer.style
titleDiv.className
titleDiv.textContent
titleElement.classList
titleElement.setAttribute
titleFont.lineHeight
titleFont.size
titleFont.string
titleFrame.setAttribute
titleItem.gameItemId
titleItem.unlockCondition
titleOpts.color
titleOpts.display
titleOpts.font
titleOpts.padding
titleOpts.position
titleOpts.text
titlePadding.height
titlePadding.top
titleText.classList
titleText.setAttribute
titleWrapper.appendChild
titleWrapper.classList
titles.forEach
titles.length
tkeys.length
tmp.barycenter
tmp.endsWith
tmp.slice
tmp.weight
to.getAttribute
to.js
to.offsetHeight
to.offsetLeft
to.offsetTop
to.offsetWidth
to.ts
toCorner.appendChild
toCorner.classList
toCorner.style
toDummyLine.collisionOffset
toDummyLine.direction
toDummyLine.position
toElement.classList
toElement.offsetHeight
toElement.offsetLeft
toElement.offsetTop
toElement.offsetWidth
toElement.querySelector
toElement.setAttribute
toElementParentNode.offsetHeight
toLine.classList
toLine.dummy
toLine.from
toLine.id
toLine.style
toLine.to
toString.call
toggle.addEventListener
toggle.setAttribute
toggleButton.addEventListener
toggleButton.classList
toggleButton.setAttribute
toggleEnableButton.addEventListener
toggleEnableButton.setAttribute
toggleNavHelp.classList
toggleNavHelp.setAttribute
toggleNavHelpBackground.classList
toolTipDebugPlotCoord.classList
toolTipDebugPlotCoord.innerHTML
toolTipDebugPlotIndex.classList
toolTipDebugPlotIndex.innerHTML
toolTipDebugPlotTag.classList
toolTipDebugPlotTag.innerHTML
toolTipDebugTitle.classList
toolTipDebugTitle.innerHTML
toolTipIndividualYieldValues.classList
toolTipIndividualYieldValues.innerHTML
toolTipIndividualYieldValues.textContent
toolTipPlotEffectsText.classList
toolTipPlotEffectsText.setAttribute
toolTipRouteInfo.classList
toolTipRouteInfo.innerHTML
toolTipUnitCiv.classList
toolTipUnitCiv.innerHTML
toolTipUnitInfo.classList
toolTipUnitInfo.innerHTML
toolTipUnitOwner.classList
toolTipUnitOwner.innerHTML
toolTipUnitRelationship.classList
toolTipUnitRelationship.innerHTML
tooltip._willRender
tooltip.afterBody
tooltip.beforeBody
tooltip.callbacks
tooltip.chart
tooltip.draw
tooltip.footer
tooltip.js
tooltip.title
tooltip.ts
tooltip.width
tooltip.x
tooltipArea.appendChild
tooltipChild.getAttribute
tooltipCityBonusInfo.classList
tooltipCityBonusInfo.innerHTML
tooltipDebugFlexbox.appendChild
tooltipDebugFlexbox.classList
tooltipDiv.setAttribute
tooltipElement.setAttribute
tooltipFirstLine.classList
tooltipFirstLine.setAttribute
tooltipIndividualYieldFlex.appendChild
tooltipIndividualYieldFlex.ariaLabel
tooltipIndividualYieldFlex.classList
tooltipItem.chart
tooltipItem.dataIndex
tooltipItem.dataset
tooltipItem.datasetIndex
tooltipItem.formattedValue
tooltipItem.label
tooltipItems.filter
tooltipItems.length
tooltipItems.push
tooltipItems.sort
tooltipLocationArchive.innerHTML
tooltipLocationSlotsbox.innerHTML
tooltipSecondLine.classList
tooltipSecondLine.setAttribute
tooltipTargetButton.setAttribute
tooltipThirdLine.classList
tooltipThirdLine.setAttribute
tooltips.insertAdjacentElement
tooltips.js
tooltipsDiv.appendChild
top.center
top.concat
top.left
top.right
topBadgeRow.appendChild
topBadgeRow.classList
topBorder.classList
topDiv.appendChild
topDiv.classList
topFiligree.classList
topFiligree.style
topInfo.appendChild
topInfo.classList
topLevelItems.push
topLevelItems.sort
topLineSplit.classList
topLineSplit.style
topLineSplitStyle.heightPX
topLineSplitStyle.leftPX
topLineSplitStyle.topPX
topPanel.appendChild
topPanel.classList
topPlayerCard.classList
topRow.appendChild
topRowFiligree.classList
topSpacer.classList
topUnit.id
topUnit.name
topUnit.owner
total.numVotes
total.playerID
totalArguments.join
totalArguments.push
totalScore.classList
totalScore.textContent
totalSlotsContainer.appendChild
totalSlotsContainer.classList
touches.length
town.Growth
town.getConnectedCities
town.getSentFoodPerCity
town.isTown
townData.amount
townData.town
townsInReligion.toString
tp.x
tp.y
trac.css
trac.html
trac.js
trac.ts
track.png
trackQuestWrapper.appendChild
trackQuestWrapper.classList
track_h.png
trackedPaths.every
trackedPaths.push
tracker.js
tracker.ts
trackerBorder.classList
trackerText.classList
trackerText.setAttribute
trade.css
trade.html
trade.js
trade.ts
tradeAction.classList
tradeAction.innerHTML
tradePartnersContainer.appendChild
tradePartnersContainer.classList
tradeRoute.city
tradeRoute.cityPlotIndex
tradeRoute.domain
tradeRoute.exportYields
tradeRoute.exportYieldsString
tradeRoute.importPayloads
tradeRoute.index
tradeRoute.leaderIcon
tradeRoute.pathPlots
tradeRoute.status
tradeRoute.statusIcon
tradeRoute.statusText
tradeRoute.statusTooltip
tradeRoute.statusTooltipReason
tradeRoute.targetCityId
tradition.Description
tradition.Name
tradition.TraitType
traditionDefinition.TraditionType
traditionImage.appendChild
traditionImage.classList
traditionInfo.Description
traditionInfo.Name
traditionInfo.TraditionType
traditionInfo.TraitType
traditionSymbol.classList
traditionSymbol.style
traditionsOptions.openTab
traditionsWrapper.appendChild
traditionsWrapper.classList
train.css
train.js
train.ts
trainableUnits.filter
trait.CivilizationType
trait.TraitType
trait.header
trait.icon
trait.name
traitDefinition.TraitType
traitHeader.classList
traitHeader.setAttribute
traitIcon.classList
traitIcon.style
traitName.classList
traitName.innerHTML
traitRow.appendChild
traitRow.classList
traitText.classList
traitText.innerHTML
traitTypes.includes
traitsTitle.classList
traitsTitle.innerHTML
transition.js
transition.ts
transitionButton.addEventListener
transitionButton.setAttribute
translation.message
translation.title
tray.css
tray.js
tray.ts
treasureResources.push
treasureVictoryPointsContainer.appendChild
treasureVictoryPointsContainer.classList
tree.cards
tree.classList
tree.discipline
tree.edge
tree.edges
tree.getAttribute
tree.hasEdge
tree.html
tree.js
tree.layoutGraph
tree.neighbors
tree.node
tree.nodes
tree.querySelectorAll
tree.setAttribute
tree.treeGrid
tree.ts
tree.type
treeContainer.addEventListener
treeContainer.appendChild
treeContainer.children
treeContainer.classList
treeContent.append
treeContent.classList
treeData.columns
treeData.dataHeight
treeData.dataWidth
treeData.nodesAtDepth
treeData.originColumn
treeData.originRow
treeData.rows
treeData.tiles
treeDetails.append
treeDetails.classList
treeElement.querySelector
treeGrid.canAddChooseNotification
treeGrid.grid
treeGrid.initialize
treeGrid.lines
treeGrid.queueCardItems
treeInfo.layoutGraph
treeNode.ProgressionTreeNodeType
treeObject.Name
treeObject.activeNodeIndex
treeObject.nodes
treeRevealProgressData.current
treeRevealProgressData.hideOverride
treeRevealProgressData.reqStatuses
treeRevealProgressData.total
treeRevealProgressData.treeType
treeStructureNodes.filter
treeStructureNodes.forEach
trees.css
trees.html
trees.js
trees.ts
treesParent.children
ttInstance.connect
ttInstance.isBlank
ttInstance.isUpdateNeeded
ttInstance.reset
ttInstance.update
ttType.getHTML
ttType.isBlank
ttType.isUpdateNeeded
ttType.reset
ttType.update
tubman.css
tubman.html
tubman.js
tubman.ts
tuner.js
turnAgeElement.textContent
turnContainer.appendChild
turnContainer.classList
turnCount.classList
turnCount.innerHTML
turnCounter.appendChild
turnCounter.classList
turnCounter.setAttribute
turnCounterContent.classList
turnCounterFrame.classList
turnCounterNumber.classList
turnCounterNumber.setAttribute
turnCounterOuterBG.classList
turnCounterOverlay.classList
turnCounterShadow.classList
turnInfoJoinCode.appendChild
turnInfoJoinCode.classList
turnInfoJoinCode.id
turnLabel.classList
turnLabel.innerHTML
turnLabel.setAttribute
turnLabel.textContent
turnNumberElement.textContent
turnText.classList
turnText.innerHTML
turnTimer.classList
turnTimer.innerHTML
turnValue.textContent
turns.appendChild
turns.classList
turns.innerHTML
turns.toString
turnsClock.classList
turnsClockIcon.classList
turnsInfo.appendChild
turnsInfo.classList
turnsLeft.toString
turnsOfUnrest.toString
turnsToCompletion.toString
turnsToRaze.toString
turnsUntilTreasureGenerated.classList
tutorialHighlight.classList
tutorialHighlight.setAttribute
twoKIcon.style
twoKName.setAttribute
type.notifications
type.prototype
type.slice
type.toString
typeContainer.appendChild
typeContainer.classList
typeEntry.add
typeEntry.notifications
typeIDs.forEach
typeIDs.push
typeInfo.Hash
typeInfo.Kind
typeTag.Type
typedRegistry.get
types.js
types.ts
 
Spoiler Page 8 :

Code:
u.AgeDomain
u.AgeType
u.CanTrain
u.CoreClass
u.Domain
u.FormationClass
u.Name
u.Owner
u.UnitMovementClass
u.UnitType
u.id
u.owner
uEntry.barycenter
uEntry.merged
ui.js
ui.ts
uiBrightnessTitle.classList
uiBrightnessTitle.setAttribute
unassignActivatable.addEventListener
unassignActivatable.appendChild
unassignActivatable.classList
unassignActivatable.setAttribute
unassignSlot.classList
unassignSlot.getAttribute
unavailablePlots.push
unavailableText.classList
unavailableText.setAttribute
uniqueBuildings.push
uniqueData.name
uniqueData.type
uniqueData.value
uniqueDistrictDef.BuildingType1
uniqueDistrictDef.BuildingType2
uniqueIconsArea.classList
uniqueImprovements.push
uniqueItem.Description
uniqueItem.Kind
uniqueItem.Name
uniqueItem.Type
uniqueQuarterContainer.appendChild
uniqueQuarterContainer.classList
uniqueQuarterDef.BuildingType1
uniqueQuarterDef.BuildingType2
uniqueQuarterDef.Name
uniqueQuarterDefinition.BuildingType1
uniqueQuarterDefinition.BuildingType2
uniqueQuarterDefinition.Description
uniqueQuarterDefinition.Name
uniqueQuarterIcon.classList
uniqueQuarterIcon.setAttribute
uniqueQuarterTextContainer.appendChild
uniqueQuarterTextContainer.classList
uniqueResourceArray.find
uniqueResourceArray.push
uniqueUnits.findIndex
uniqueUnits.length
uniqueUnits.push
unit.Combat
unit.CoreClass
unit.Description
unit.Experience
unit.GreatPerson
unit.Health
unit.Movement
unit.Name
unit.TraitType
unit.UnitType
unit.armyId
unit.buildCharges
unit.hasMoved
unit.id
unit.isAerodromeCommander
unit.isArmyCommander
unit.isAutomated
unit.isCommanderUnit
unit.isEmbarked
unit.isFleetCommander
unit.isOnMap
unit.isSquadronCommander
unit.js
unit.location
unit.name
unit.owner
unit.setProperty
unit.ts
unit.type
unitAbilities.length
unitAbility.CommandType
unitAbility.Description
unitAbility.KeywordAbilityType
unitAbility.KeywordAbilityValue
unitAbility.Name
unitAbility.OperationType
unitAction.callback
unitActionHandlers.get
unitActionHandlers.set
unitCombat.attacksRemaining
unitCosts.push
unitCycleNavHelp.classList
unitCycleNavHelp.setAttribute
unitCycleNavHelp.style
unitDef.CoreClass
unitDef.Description
unitDef.ExtractsArtifacts
unitDef.FormationClass
unitDef.FoundCity
unitDef.Maintenance
unitDef.MakeTradeRoute
unitDef.Name
unitDef.PromotionClass
unitDef.TraitType
unitDef.UnitMovementClass
unitDef.UnitType
unitDefinition.BaseMoves
unitDefinition.BaseSightRange
unitDefinition.CanEarnExperience
unitDefinition.CoreClass
unitDefinition.Domain
unitDefinition.Name
unitDefinition.Tier
unitDefinition.UnitMovementClass
unitDefinition.UnitType
unitFlag.Destroy
unitFlag.setVisibility
unitFlag.updateArmy
unitFlag.updateHealth
unitFlag.updateMovement
unitFlag.updatePromotions
unitFlag.updateTooltip
unitFlag.updateTop
unitFlagArmyContainer.childNodes
unitFlagArmyContainer.insertBefore
unitFlagArmyStats.classList
unitFlagContainer.appendChild
unitFlagContainer.classList
unitFlagHealthbar.appendChild
unitFlagHealthbar.classList
unitFlagHealthbarContainer.appendChild
unitFlagHealthbarContainer.classList
unitFlagHealthbarInner.classList
unitFlagHighlight.classList
unitFlagIcon.classList
unitFlagIcon.style
unitFlagInnerShape.classList
unitFlagInnerShape.style
unitFlagOuterShape.classList
unitFlagOuterShape.style
unitFlagOutterStackShape.classList
unitFlagOutterStackShape.style
unitFlagPromotionContainer.classList
unitFlagPromotionNumber.classList
unitFlagPromotionNumber.style
unitFlagShadow.classList
unitFlagTierGraphic.classList
unitFlagTierGraphic.style
unitID.id
unitIds.filter
unitIds.forEach
unitIds.length
unitIds.push
unitIds.sort
unitInfo.Description
unitInfo.Name
unitInfo.UnitType
unitInfoPanel.dispatchEvent
unitList.forEach
unitList.length
unitMovement.movementMovesRemaining
unitNameText.classList
unitNameText.innerHTML
unitPromotionsPrereq.forEach
unitReplace.CivUniqueUnitType
unitRequirements.push
unitResults.CombatStrength
unitResults.CombatStrengthType
unitResults.PreviewTextAntiAir
unitResults.PreviewTextAssist
unitResults.PreviewTextDefenses
unitResults.PreviewTextHealth
unitResults.PreviewTextInterceptor
unitResults.PreviewTextModifier
unitResults.PreviewTextOpponent
unitResults.PreviewTextPromotion
unitResults.PreviewTextResources
unitResults.PreviewTextTerrain
unitSelectedContext.UnitID
unitStats.Bombard
unitStats.RangedCombat
unitStats.push
unitTypeNames.some
unitTypeNames.toString
unitUpgrades.push
unitflag_missingicon.png
units.filter
units.findIndex
units.forEach
units.length
units.push
units.some
unitsList.filter
unitsList.length
unitsMap.hasOwnProperty
unitsSamePosition.filter
unitsTypesParsed.includes
unitsTypesParsed.push
unknown_complete.png
unlock.AgeDomain
unlock.AgeType
unlock.CivilizationDomain
unlock.CivilizationType
unlock.LeaderDomain
unlock.LeaderType
unlock.Name
unlock.TargetKind
unlock.TargetType
unlock.Type
unlock.UnlockType
unlock.classList
unlock.depth
unlock.description
unlock.icon
unlock.name
unlock.style
unlock.title
unlock.url
unlockBy.text
unlockByInfo.classList
unlockByInfo.innerHTML
unlockByPanel.appendChild
unlockByPanel.classList
unlockByReason.isUnlocked
unlockByReason.text
unlockContent.appendChild
unlockContent.classList
unlockDepth.isCompleted
unlockDepth.isCurrent
unlockDepth.unlocks
unlockDescription.classList
unlockDescription.innerHTML
unlockDescriptions.unshift
unlockDetailWrapper.appendChild
unlockDetailWrapper.classList
unlockEle.appendChild
unlockEle.classList
unlockEle.innerHTML
unlockGlow.classList
unlockGlow.style
unlockIcon.classList
unlockIcon.src
unlockIcon.style
unlockIcons.appendChild
unlockIcons.classList
unlockInfo.Hidden
unlockInfo.TargetKind
unlockInfo.TargetType
unlockInfo.UnlockDepth
unlockItem.appendChild
unlockItem.classList
unlockItem.icon
unlockItem.style
unlockItemContent.appendChild
unlockItemContent.classList
unlockItemDesc.innerHTML
unlockItemDescription.classList
unlockItemDescription.innerHTML
unlockItemDescription.setAttribute
unlockItemEle.appendChild
unlockItemEle.classList
unlockItemEle.innerHTML
unlockItemIcon.appendChild
unlockItemIcon.classList
unlockItemIcon.setAttribute
unlockItemIconBG.classList
unlockItemIconImg.classList
unlockItemIconImg.setAttribute
unlockItemIconImg.src
unlockItemName.classList
unlockItemName.innerHTML
unlockItemsContainerSlot.appendChild
unlockItemsContainerSlot.classList
unlockName.classList
unlockName.length
unlockName.textContent
unlockNameContainer.appendChild
unlockNameContainer.classList
unlockNameFiligree.classList
unlockNameText.classList
unlockNameText.setAttribute
unlockNode.LeaderType
unlockRewardData.requirements
unlockRewards.push
unlockText.classList
unlockTextWrapper.appendChild
unlockTextWrapper.classList
unlockTitles.appendChild
unlocked.css
unlocked.js
unlocked.ts
unlockedCivWrapper.appendChild
unlockedCivWrapper.classList
unlockedCivWrapper.style
unlockedItem.addEventListener
unlockedItem.appendChild
unlockedItem.classList
unlockedItem.setAttribute
unlockedItem.style
unlockedItemsSlot.appendChild
unlockedItemsSlot.classList
unlockedItemsTitle.classList
unlockedItemsTitle.textContent
unlockedReward.CivUnlock
unlockedReward.Icon
unlockedReward.Name
unlockedReward.UnlockType
unlockedRewardWrapper.appendChild
unlockedRewardWrapper.classList
unlockedTraditions.push
unlocks.css
unlocks.filter
unlocks.html
unlocks.js
unlocks.length
unlocks.push
unlocks.ts
unlocksByDepth.length
unlocksByDepth.push
unlocksContainer.appendChild
unlocksContainer.classList
unlocksContainer.innerHTML
unlocksData.push
unlocksItem.addEventListener
unlocksItem.appendChild
unlocksItem.classList
unlocksItem.role
unlocksItem.setAttribute
unlocksItem.style
unlocksItemName.classList
unlocksItemName.innerHTML
unlocksItemNameContainer.appendChild
unlocksItemNameContainer.classList
unlocksItemRequirements.appendChild
unlocksItemRequirements.classList
unlocksItemTitle.appendChild
unlocksItemTitle.classList
unlocksItemTitle.setAttribute
unlocksTitle.innerHTML
unrest.ts
unrestTurns.innerHTML
unsortable.length
unsortable.pop
upArrow.addEventListener
upArrow.classList
update.isCancelled
updateData.currentMeasurement
updateData.durationS
upgrade.Unit
upgrade.UpgradeUnit
upgrade.header
upgrade.icon
upgrade.name
upgradeCost.toString
upgradeIcon.classList
upgradeIcon.style
upgradeName.classList
upgradeName.innerHTML
upgradeRow.appendChild
upgradeRow.classList
upgradeToCityButton.appendChild
upgradeToCityButton.classList
upgradeToCityButton.dataset
upgradeToCityButton.removeAttribute
upgradeToCityButton.setAttribute
upgradeToCityButtonContent.appendChild
upgradeToCityButtonContent.classList
upgradeToCityButtonLabel.classList
upgradeToCityButtonLabel.setAttribute
upgradeUnitName.classList
upgradeUnitName.innerHTML
upgrades.forEach
upgrades.length
upperInfo.appendChild
upperInfo.classList
upscaleItemList.find
uq.BuildingType1
uq.BuildingType2
uq.TraitType
uq.uniqueQuarterDef
uqBarDecor.className
uqBuildingOneResult.AlreadyExists
uqBuildingTwoResult.AlreadyExists
uqCol1.className
uqCol1.setAttribute
uqDivider.className
uqInfo.buildingOneDef
uqInfo.buildingTwoDef
uqNameLabelContainer.append
uqNameLabelContainer.className
urbanReligion.ReligionType
urbanReligionSymbol.style
userArea.appendChild
userArea.childNodes
userArea.classList
userArea.removeChild
userConfig.adaptiveTriggersEnabled
userConfig.cameraPanningSpeed
userConfig.firstTimeTutorialEnabled
userConfig.saveCheckpoint
userConfig.setAdaptiveTriggersEnabled
userConfig.setCameraPanningSpeed
userConfig.setFirstTimeTutorialEnabled
userConfig.setTutorialLevel
userNotif.Dismissed
userNotif.Type
userPadding.bottom
userPadding.left
userPadding.right
userPadding.top
utilities.addLandmassPlotTags
utilities.addPlotTags
utilities.addWaterPlotTags
utilities.adjustOceanPlotTags
utilities.clearContinent
utilities.createIslands
utilities.createOrganicLandmasses
utilities.getHeightAdjustingForStartSector
utilities.getSector
utilities.isAdjacentToLand
utilities.isAdjacentToNaturalWonder
utilities.isCliff
utilities.js
utilities.needHumanNearEquator
utilities.shuffle
utils.addDummyNode
utils.asNonCompoundGraph
utils.buildLayerMatrix
utils.clamp
utils.cloneSimpleArray
utils.constant
utils.edgeAttrs
utils.edgeDefaults
utils.edgeNumAttrs
utils.flatten
utils.graphAttrs
utils.graphDefaults
utils.graphNumAttrs
utils.isEmpty
utils.js
utils.maxOrder
utils.maxRank
utils.nodeDefaults
utils.nodeNumAttrs
utils.partition
utils.range
utils.ts
utils.uniqueId
utils.zipObject
v.Frame
v.ResourceType
v.Type
v.YieldChange
v.YieldType
v.a
v.b
v.box
v.description
v.g
v.icon
v.id
v.innerHTML
v.invalidReason
v.name
v.originDomain
v.playerData
v.pos
v.r
v.toString
v.value
v.y
v0.datasetIndex
v0.index
v0.weight
v1.datasetIndex
v1.index
v1.weight
vEntry.barycenter
vLabel.lim
vLimits.end
vLimits.start
vScale.axis
vScale.getBasePixel
vScale.getLabelForValue
vScale.getLabels
vScale.getLineWidthForValue
vScale.getMatchingVisibleMetas
vScale.getPixelForDecimal
vScale.getPixelForValue
vScale.isHorizontal
vScale.min
vScale.parse
validConfigs1.length
validConfigs2.length
validNotifications.find
validNotifications.length
validNotifications.push
validNotifications.some
validPlots.length
validation.js
validation.ts
value.Description
value.Name
value.addEventListener
value.additionalProperties
value.bottom
value.city
value.classList
value.constructor
value.description
value.endsWith
value.icon
value.left
value.length
value.match
value.name
value.notifications
value.place
value.push
value.remove
value.right
value.setAttribute
value.slice
value.substring
value.team
value.toString
value.toUpperCase
value.top
value.topID
value.trim
value.value
value.victory
valueBonusItems.filter
valueBonusItems.find
valueElement.classList
valueElement.setAttribute
valueScale.id
valueTags.length
valueTags.map
valueUnlocks.filter
valueUnlocks.length
valueUnlocks.map
values.appendChild
values.classList
values.concat
values.forEach
values.length
values.map
values.options
values.push
values.radius
values.slice
values.sort
valuesAndGraph.appendChild
valuesAndGraph.classList
valuesByOwner.forEach
valuesByOwner.get
valuesByOwner.set
valuesByOwner.size
verificationUrl.length
verticalBoxes.concat
verticalBoxes.reduce
verticalDivider.classList
vfx.js
victReqBaseIcon.classList
victReqBaseIcon.style
victReqBaseIconWrapper.classList
victReqBaseOrnamentBottom.classList
victReqBaseOrnamentTop.classList
victReqBaseRectTextureOverlay.classList
victReqBaseRectangle.appendChild
victReqBaseRectangle.classList
victReqInnerHexOutline.classList
victReqNumberValue.classList
victReqNumberValue.innerHTML
victReqOuterHexOutline.appendChild
victReqOuterHexOutline.classList
victorian.css
victorian.html
victorian.js
victorian.ts
victories.forEach
victories.length
victories.push
victoriesContentWrapper.appendChild
victory.ClassType
victory.Description
victory.Icon
victory.Name
victory.Type
victory.css
victory.js
victory.name
victory.place
victory.playerData
victory.team
victory.ts
victory.turns
victory.victory
victoryContainer.appendChild
victoryContainer.classList
victoryContainer.setAttribute
victoryContent.appendChild
victoryContent.classList
victoryContent.id
victoryContent.setAttribute
victoryData.find
victoryData.localPlayerPercent
victoryData.playerData
victoryData.scoreNeeded
victoryData.victoryBackground
victoryData.victoryDescription
victoryData.victoryIcon
victoryData.victoryName
victoryDefinition.Description
victoryDefinition.Name
victoryDefinition.VictoryClassType
victoryDefinition.VictoryType
victoryDescription.classList
victoryDescription.setAttribute
victoryFrame.setAttribute
victoryIcon.classList
victoryIcon.style
victoryItems.length
victoryLinkWrapper.appendChild
victoryLinkWrapper.classList
victoryList.innerHTML
victoryList.insertAdjacentElement
victoryList.insertAdjacentHTML
victoryManager.getConfiguration
victoryManager.getLatestPlayerDefeat
victoryManager.getVictories
victoryManager.getVictoryEnabledPlayers
victoryManager.getVictoryProgress
victoryName.classList
victoryName.setAttribute
victoryName.toLowerCase
victoryPoints.classList
victoryPointsIcon.classList
victoryPointsIcon.setAttribute
victoryProgress.find
victoryProgression.toString
victorySlot.appendChild
victorySlot.classList
victoryText.classList
victoryText.innerHTML
victoryText.setAttribute
victoryTextContainer.addEventListener
victoryTextContainer.appendChild
victoryTextContainer.classList
victoryTitle.setAttribute
victoryTitleContainer.appendChild
victoryTitleContainer.classList
victoryTitleElement.setAttribute
victory_cultural_icon.png
victory_economic_icon.png
victory_militaristic_icon.png
victory_scientific_icon.png
videoElement.play
view.classList
view.enterView
view.getHarnessTemplate
view.getName
view.getRules
view.js
view.setAttribute
view.ts
viewControls.appendChild
viewControls.classList
viewHiddenCheckboxLabel.classList
viewHiddenCheckboxLabel.setAttribute
viewHiddenContainer.appendChild
viewHiddenContainer.classList
viewItem.button
viewItem.root
viewMapButton.addEventListener
viewMapButton.classList
viewMapButton.setAttribute
viewer.html
viewer.js
viewer.ts
viewingReligion.getBeliefs
viewingReligion.getHolyCityName
viewingReligion.getNumBeliefsEarned
viewingReligion.getReligionName
viewingReligion.getReligionType
viewingReligion.hasCreatedReligion
village.name
visibilityDivider.classList
visibilityPanelContent.appendChild
visibilityPanelContent.classList
visibleMetas.length
visibleResources.push
visibleResources.some
visited.indexOf
visited.push
vpixels.base
vpixels.head
vpixels.size
vs.forEach
vs.length
vs.push
vs.slice
vsyncOption.currentValue
vsyncOption.forceRender
w.uniqueID
wEntry.indegree
wLabel.lim
war.css
war.initialPlayer
war.targetPlayer
war.uniqueID
warChooserItem.addEventListener
warChooserItem.componentCreatedEvent
warCost.classList
warCost.setAttribute
warCostWrapper.appendChild
warCostWrapper.classList
warData.opposingEnvoys
warData.supportingEnvoys
warData.warName
warDeclarationTarget.independentIndex
warDeclarationTarget.player
warDetailsButton.addEventListener
warDetailsButton.classList
warDetailsContainer.appendChild
warDetailsContainer.classList
warEventHeader.initialPlayer
warEventHeader.uniqueID
warInfo.classList
warInfo.innerHTML
warNameElement.classList
warNameElement.innerHTML
warNameText.classList
warNameText.innerHTML
warQueryResults.FailureReasons
warQueryResults.Success
warSupport.classList
warSupport.setAttribute
warSupport.toString
warehouseBonuse.change
warehouseBonuse.yieldType
warehouseBonuses.forEach
warehouseBonuses.get
warehouseBonuses.set
warehouseData.forEach
warehouseData.push
warning.classList
wars.find
wars.forEach
wars.length
wars.push
waterTotals.push
weakElement.deref
west.east
west.west
westContinent.east
westContinent.north
westContinent.south
westContinent.west
westContinent2.east
westContinent2.west
whenReadyToTransition.then
white.png
widest.width
widget.id
widgets.js
widgets.ts
widths.indexOf
widths.push
wildcardElement.classList
winTypeCardBase.appendChild
winTypeCardBase.classList
winTypeCardContentWrapper.appendChild
winTypeCardContentWrapper.classList
winTypeCardDropShadow.appendChild
winTypeCardDropShadow.classList
winTypeCardFlavorImage.classList
winTypeCardFlavorImage.style
winTypeCardFlavorImageGradientOverlay.appendChild
winTypeCardFlavorImageGradientOverlay.classList
winTypeCardFrame.appendChild
winTypeCardFrame.classList
winTypeCardRemainderWrapper.appendChild
winTypeCardRemainderWrapper.classList
winTypeCardRemainderWrapperLineOne.appendChild
winTypeCardRemainderWrapperLineOne.classList
winTypeCardTitleHorizontalRule.classList
winTypeCardTitleText.classList
winTypeCardTitleText.setAttribute
winTypeCardTitleWrapper.appendChild
winTypeCardTitleWrapper.classList
winTypeCardTopThreeWrapper.appendChild
winTypeCardTopThreeWrapper.classList
winTypeCardVictoryRequirementWrapper.appendChild
winTypeCardVictoryRequirementWrapper.classList
winTypeCardVictoryRequirementWrapper.setAttribute
winTypeCardWrapper.appendChild
winTypeCardWrapper.classList
winTypeTitleHorizontalRule.classList
wind.js
wind.ts
window.Chart
window.SpatialNavigation
window.addEventListener
window.banners
window.cancelAnimationFrame
window.clearTimeout
window.devicePixelRatio
window.dispatchEvent
window.fxs
window.getComputedStyle
window.innerHeight
window.innerWidth
window.jQuery
window.location
window.removeEventListener
window.requestAnimationFrame
window.setTimeout
wlanButtonBgImg.classList
wonder.ConstructibleType
wonder.Description
wonder.Name
wonderDefinition.ConstructibleType
wonderItem.appendChild
wonderItemIcon.classList
wonderItemIcon.setAttribute
wonderMovieCivIcon.classList
wonderMovieCivIconBase.classList
wonderMovieCivIconDropShadow.classList
wonderMovieCivIconFrame.classList
wonderMovieCivIconHighlightAndShadow.classList
wonderMovieCivIconPlayerColors.classList
wonderMovieCivIconWoodTexture.classList
wonderMovieLocationDropShadow.classList
wonderMovieLocationLineBase.classList
wonderMovieLocationLineHighlightAndShadow.classList
wonderMovieLocationLineText.classList
wonderMovieLocationLineText.innerHTML
wonderMovieLocationLineWoodTexture.classList
wonderMovieLowerThirdButtonShadow.appendChild
wonderMovieLowerThirdButtonShadow.classList
wonderMovieLowerThirdButtonWrapper.classList
wonderMovieLowerThirdButtonWrapper.setAttribute
wonderMovieLowerThirdCivIconWrapper.appendChild
wonderMovieLowerThirdCivIconWrapper.classList
wonderMovieLowerThirdHexBase.appendChild
wonderMovieLowerThirdHexBase.classList
wonderMovieLowerThirdHexDropShadow.classList
wonderMovieLowerThirdHexHighlightAndShadow.classList
wonderMovieLowerThirdHexPlayerColors.classList
wonderMovieLowerThirdHexWoodTexture.classList
wonderMovieLowerThirdHexWrapper.appendChild
wonderMovieLowerThirdHexWrapper.classList
wonderMovieLowerThirdLeaderPortrait.classList
wonderMovieLowerThirdLocationWrapper.appendChild
wonderMovieLowerThirdLocationWrapper.classList
wonderMovieLowerThirdWonderTitleWrapper.appendChild
wonderMovieLowerThirdWonderTitleWrapper.classList
wonderMovieLowerThirdWrapper.appendChild
wonderMovieLowerThirdWrapper.classList
wonderMovieLowerThirdYearBuiltWrapper.appendChild
wonderMovieLowerThirdYearBuiltWrapper.classList
wonderMovieTitleBoxBase.appendChild
wonderMovieTitleBoxBase.classList
wonderMovieTitleBoxDropShadow.classList
wonderMovieTitleBoxFlavorImage.classList
wonderMovieTitleBoxFrame.appendChild
wonderMovieTitleBoxFrame.classList
wonderMovieTitleBoxFrameWrapper.appendChild
wonderMovieTitleBoxFrameWrapper.classList
wonderMovieTitleBoxHighlightAndShadow.classList
wonderMovieTitleBoxText.classList
wonderMovieTitleBoxText.innerHTML
wonderMovieTitleBoxWoodTexture.classList
wonderMovieYearBuiltDropShadow.classList
wonderMovieYearBuiltLineBase.classList
wonderMovieYearBuiltLineHighlightAndShadow.classList
wonderMovieYearBuiltLineText.classList
wonderMovieYearBuiltLineText.innerHTML
wonderMovieYearBuiltLineWoodTexture.classList
wonderQuote.Quote
wonderQuote.QuoteAuthor
wondersWrapper.appendChild
wondersWrapper.classList
workerInfo.IsBlocked
workerInfo.NumWorkers
workerPlacementInfo.CurrentMaintenance
workerPlacementInfo.CurrentYields
works.css
works.html
works.js
works.ts
world.js
world.ts
worldAnchoredText.setAttribute
worldInputRule.selectable
worldLocation.x
worldLocation.y
worldPos.x
worldPos.y
worldui_test.html
worldui_test.js
wrap.box
wrapper.appendChild
wrapper.classList
wrapper.js
wrapper.ts
www.chartjs
www.w3
x._dataset
x.datasetIndex
x.end
x.friendID1P
x.friendIDT2gp
x.id
x.index
x.leaderId
x.legendPathLoc
x.mainTitleLoc
x.name
x.plugin
x.progressItemType
x.start
x.toFixed
x.toString
xAxis.type
xScale.getLabelForValue
xScale.max
xScale.min
xScale.parse
xellOption.currentValue
xellOption.forceRender
xellOption.isDisabled
xerxes.css
xerxes.html
xerxes.js
xerxes.ts
xp.classList
xp.innerHTML
xpDiv.className
xpDiv.setAttribute
xr.js
xr.ts
xyContainer.appendChild
xyContainer.classList
xyContainerText.appendChild
xyContainerText.classList
xyContainerTextFraction.classList
xyContainerTextFraction.textContent
xyContainerTextShown.classList
xyContainerTextShown.setAttribute
y.YieldType
y.base
y.datasetIndex
y.details
y.end
y.index
y.label
y.plugin
y.start
y.toFixed
y.toString
y.value
yAxis.display
yScale.getLabelForValue
yScale.max
yScale.min
yScale.parse
yieldAdjacencies.forEach
yieldAdjacencies.length
yieldAmount.amount
yieldAmount.toString
yieldAmount.yieldType
yieldAttributes.length
yieldBarRow.appendChild
yieldBarRow.classList
yieldBarRow.dataset
yieldBarRow.insertAdjacentHTML
yieldButton.addEventListener
yieldButton.appendChild
yieldButton.classList
yieldButton.setAttribute
yieldChange.ConstructibleType
yieldChange.YieldChange
yieldChange.YieldType
yieldChangeData.text
yieldChangeData.yieldChange
yieldChangeDef.ID
yieldChangeInfo.isMainYield
yieldChangeInfo.push
yieldChangeInfo.yieldChange
yieldChangeInfo.yieldType
yieldContainer.appendChild
yieldContainer.classList
yieldData.amount
yieldData.childData
yieldData.children
yieldData.details
yieldData.icon
yieldData.iconContext
yieldData.img
yieldData.label
yieldData.name
yieldData.type
yieldData.value
yieldDef.Name
yieldDef.YieldType
yieldDefinition.IconString
yieldDefinition.Name
yieldDefinition.YieldType
yieldDiv.appendChild
yieldDiv.classList
yieldElem.classList
yieldElem.textContent
yieldElement.classList
yieldElement.innerHTML
yieldElements.text
yieldEntry.appendChild
yieldEntry.classList
yieldEntry.type
yieldEntry.valueNum
yieldIcon.classList
yieldIcon.setAttribute
yieldIcon.style
yieldIconShadow.appendChild
yieldIconShadow.classList
yieldIconShadow.style
yieldIconWrapper.appendChild
yieldIconWrapper.classList
yieldInfo.Name
yieldInfo.YieldType
yieldInfo.classList
yieldInfo.innerHTML
yieldItem.addEventListener
yieldItem.appendChild
yieldItem.classList
yieldItem.setAttribute
yieldItemContainer.appendChild
yieldItemContainer.classList
yieldLabel.classList
yieldLabel.innerHTML
yieldName.classList
yieldName.textContent
yieldName.toLowerCase
yieldNumber.classList
yieldNumber.setAttribute
yieldPillData.iconURL
yieldPillData.yieldDelta
yieldRow.isTitle
yieldRow.rowIcon
yieldRow.rowLabel
yieldRow.rowLabelTabbed
yieldRow.yieldNumbers
yieldRowContainer.appendChild
yieldRowContainer.classList
yieldRowTreasuryContainer.appendChild
yieldRowTreasuryContainer.classList
yieldSettlements.toString
yieldSlot.amount
yieldSlot.iconURL
yieldText.classList
yieldText.innerHTML
yieldTotalItem.amount
yieldType.toLowerCase
yieldUnitTitleContainer.appendChild
yieldUnitTitleContainer.classList
yieldValue.classList
yieldValue.setAttribute
yieldValue.textContent
yieldValueElem.classList
yieldValueElem.innerHTML
yieldWrapper.appendChild
yieldWrapper.classList
yield_amount.toString
yield_angry.png
yield_define.Name
yield_define.YieldType
yield_influence_5.png
yields.concat
yields.entries
yields.forEach
yields.js
yields.length
yields.map
yields.push
yields.sort
yields.ts
yieldsContainer.appendChild
yieldsContainer.classList
yieldsToAdd.forEach
yieldsToAdd.length
yieldsToAdd.push
youText.classList
youText.setAttribute
yourWarActionsContainer.appendChild
yourWarActionsContainer.classList
yourWarContent.setAttribute
zocPlots.length
zones.js
zones.ts
zoomInButton.addEventListener
zoomInButton.setAttribute
zoomOutButton.addEventListener
zoomOutButton.setAttribute
zoomer.js
zoomer.ts
 
These were "this.methods" but although they have no context, the methods might be interesting.

Spoiler this.methods page 1 :

Code:
this.ARROW_SIZE
this.AgeStringHandle
this.BOTTOM_MEASURE_OFFSET
this.BUILD_SLOT_SPRITE_PADDING
this.CENTER_DUMMY
this.CORNER_SIZE
this.CalibrateHDRSceneModels
this.ChallengeCompletedListener
this.CinematicScreenVfx3DMarker
this.CinematicVFXModelGroup
this.CityID
this.Context
this.DEFAULT_HOLD_SECS
this.DKEntries
this.Destroy
this.DisplayOnlineError
this.ExpandPlotDataUpdatedEvent
this.FIRST_MEET_DELAY
this.FOCUS_DURATION
this.GAP_SIZE
this.GameList
this.GameSpeedsStringHandle
this.GetMPLobbyPlayerConnectionStatus
this.GreatWorkBuildings
this.GreatWorks
this.HIGHLIGHT_BORDER_STYLE
this.HORIZONTAL_OFFSET
this.HostMPGameListener
this.ID
this.InProgressNodes
this.Items
this.LANDMARK_BORDER_STYLE
this.LEADER_EXIT_DURATION
this.LEFT_CORNER
this.LEFT_LINE
this.LINE_OUTSET_OFFSET
this.LINE_PROPORTION
this.LINE_WIDTH
this.LOW_HEALTH_THRESHHOLD
this.LTEntries
this.LatestGreatWorkDetails
this.LegendPathUpdatedListener
this.LoadLatestSaveGameListener
this.LocalPlayer
this.MAX_CALLOUT_CHECKBOX
this.MAX_CHARACTER_INPUT
this.MAX_CHAT_MESSAGES
this.MAX_LENGTH_OF_ANIMATION_EXIT
this.MAX_ROTATION_VALUE
this.MAX_SCALE
this.MDEntries
this.MEDIUM_HEALTH_THRESHHOLD
this.MEMENTO_CONFIGURATION
this.MIN_LINE_WIDTH
this.MIN_SCALE
this.MLEntries
this.MainMenuSceneModels
this.MapSizeStringHandle
this.NAVIGATION_THRESHOLD
this.Narrative3DModel
this.NarrativeBookSceneModelGroup
this.Nodes
this.ORIGIN_COLUMN
this.ORIGIN_ROW
this.OUTER_REGION_OVERLAY_FILTER
this.OnUpdate
this.OnlineErrorListener
this.Options
this.PediaSearchCloseListener
this.PlayerCivilizationStringHandle
this.PlayerLeaderStringHandle
this.PlayerMementoMajorSlotStringHandle
this.PlayerMementoMinorSlot1StringHandle
this.QrCompletedListener
this.QrLinkCompletedListener
this.REFRESH_BUFFER_TIME_MS
this.RIBBON_DISPLAY_OPTION_SET
this.RIBBON_DISPLAY_OPTION_TYPE
this.Report
this.ResearchedNodes
this.RewardReceivedListener
this.Root
this.RulesetStringHandle
this.SEPARATION_FROM_CENTER
this.SEQUENCE_DEBOUNCE_DURATION
this.SMALL_SCREEN_MODE_MAX_HEIGHT
this.SMALL_SCREEN_MODE_MAX_WIDTH
this.SRGBtoString
this.Search
this.Selected
this.SelectedCityID
this.TURN_TARGET
this.TotalGreatWorkSlots
this.TotalGreatWorks
this.TreeRevealData
this.TreeRevealNodes
this.TriggerEvent
this.UIElements
this.VERTICAL_OFFSET
this.VictoryAchievedScreenElement
this.WorksInArchive
this.YIELD_SPRITE_PADDING
this.YIELD_WRAPPED_ROW_OFFSET
this.YIELD_WRAP_AT
this.YieldTotals
this._CurrentHistoryIndex
this._CurrentPage
this._History
this._HomePage
this._MaxHistoricEntries
this._NavigatePageEvent
this._OnUpdate
this._OperationResult
this._Player
this._PlotCursorCoords
this._Tiles
this._Trees
this.__classPrivateFieldGet
this.__classPrivateFieldSet
this._action
this._activatingEvent
this._activatingEventName
this._active
this._activeChooser
this._activeCrisisPolicies
this._activeNormalPolicies
this._activePolicies
this._activeTree
this._activeTreeAttribute
this._adapter
this._added
this._addedLabels
this._alignToPixels
this._allAvailableResources
this._allWorkerPlotIndexes
this._allWorkerPlots
this._allYields
this._allowFilters
this._altPlayerId
this._animateOptions
this._animationsDisabled
this._aspectRatio
this._attributes
this._audioGroup
this._availableBonusResources
this._availableCards
this._availableCities
this._availableCrisisPolicies
this._availableEndeavors
this._availableEsionage
this._availableFactoryResources
this._availableNormalPolicies
this._availablePolicies
this._availableProjects
this._availableReinforcements
this._availableResources
this._availableSanctions
this._availableTreaties
this._backSubcategoryPriority
this._banners
this._blockedPlayersData
this._blockedPlotIndexes
this._blockedPlots
this._borderValue
this._buildingListItems
this._buttonNode
this._cache
this._cachedAnimations
this._cachedDataOpts
this._cachedImages
this._cachedMeta
this._cachedScopes
this._calculateBarIndexPixels
this._calculateBarValuePixels
this._calculatePadding
this._callHooks
this._calloutAdvisorParams
this._calloutBodyParams
this._cancelSpeaking
this._cardsToAddOnRemoval
this._categories
this._category
this._categoryPriority
this._channels
this._chart
this._charts
this._checkEventBindings
this._checkIsSpeaking
this._children
this._chooserNode
this._circumference
this._cityID
this._cityWorkerCap
this._civData
this._collisionOffsetPX
this._commanderActions
this._commendationPoints
this._commendations
this._commendationsLabel
this._comparator
this._component
this._componentData
this._componentID
this._componentInitialized
this._computeAngle
this._computeGridLineItems
this._computeLabelArea
this._computeLabelItems
this._computeLabelSizes
this._computeTitleHeight
this._config
this._content
this._contentName
this._contentPack
this._context
this._convertTicksToLabels
this._createAnimations
this._createClear
this._createDescriptors
this._createItems
this._ctx
this._curGoldBalance
this._curInfluenceBalance
this._current
this._currentArmyCommander
this._currentCardScale
this._currentCohtmlSpeechRequest
this._currentConstructible
this._currentScale
this._currentState
this._data
this._dataChanges
this._dataCheck
this._dataLimitsCached
this._dataUpdated
this._datasetIndex
this._decimated
this._decorators
this._decoratorsAdded
this._defaultEdgeLabelFn
this._defaultNodeLabelFn
this._definition
this._descriptors
this._destroyDatasetMeta
this._developedPlots
this._deviceLayout
this._deviceType
this._diploStatementPlayerData
this._diplomacyActions
this._direction
this._doResize
this._draw
this._drawArgs
this._drawColorBox
this._drawCount
this._drawDataset
this._drawDatasets
this._drawStart
this._duration
this._durration
this._each
this._easing
this._edgeCount
this._edgeLabels
this._edgeObjs
this._empireResources
this._enabled
this._endPixel
this._endValue
this._eventHandler
this._eventNotificationAdd
this._eventNotificationDoFX
this._eventNotificationHide
this._eventNotificationHighlight
this._eventNotificationRebuild
this._eventNotificationRefresh
this._eventNotificationRemove
this._eventNotificationUnHighlight
this._eventNotificationUpdate
this._eventPosition
this._exec
this._expandablePlots
this._experience
this._experienceCaption
this._experienceCurrent
this._experienceMax
this._extraColumns
this._extraRows
this._filterForCards
this._fitCols
this._fitRows
this._fn
this._friendsData
this._from
this._frontSubcategoryPriority
this._fullLoop
this._gameHandler
this._generate
this._get
this._getActiveElements
this._getAnims
this._getCircumference
this._getLabelBounds
this._getLabelCapacity
this._getLabelSize
this._getLabelSizes
this._getLegendItemAt
this._getNextPrioritizedRequest
this._getOtherScale
this._getRegistryForType
this._getRingWeight
this._getRingWeightOffset
this._getRotation
this._getRotationExtents
this._getRuler
this._getSharedOptions
this._getSortedDatasetMetas
this._getStackCount
this._getStackIndex
this._getStacks
this._getTimestampsForTable
this._getUniformDataChanges
this._getVisibleDatasetWeightTotal
this._getXAxisLabelAlignment
this._getYAxisLabelAlignment
this._grid
this._gridLineItems
this._groupBy
this._groups
this._handleEvent
this._handleMargins
this._hasActions
this._hasData
this._hasExperience
this._hasPackedUnits
this._hasSearched
this._hasSelectedAssignedResource
this._hiddenIndices
this._highResolutionTicks
this._hoveredItem
this._hoveredPlotIndex
this._iconCallback
this._ignoreReplayEvents
this._imageCache
this._in
this._index
this._init
this._initialize
this._initialized_reject
this._initialized_resolve
this._insertElements
this._isBeingRazed
this._isChecked
this._isCompound
this._isDeclareWarDiplomacyOpen
this._isDirected
this._isExpanded
this._isFirstMeetDiplomacyOpen
this._isFirstTimeCreateGame
this._isInitialized
this._isJustConqueredFrom
this._isLocked
this._isManagerTracked
this._isMultigraph
this._isMutator
this._isOpen
this._isPurchase
this._isRandomLeader
this._isResourceAssignmentLocked
this._isSearching
this._isSelected
this._isShelfOpen
this._isSpeaking
this._isSuspended
this._isTextToSpeechOnChatEnabled
this._isTextToSpeechOnHoverEnabled
this._isTtsSupported
this._isVisible
this._isWorldInputAllowed
this._items
this._label
this._labelElement
this._labelIndex
this._labelItems
this._labelSizes
this._last
this._lastDate
this._lastEvent
this._latestResource
this._layers
this._leaderData
this._legacyCurrency
this._length
this._level
this._lines
this._listSelectedQuest
this._listeners
this._listings
this._localPlayer
this._localPlayerStats
this._longestTextCache
this._loop
this._majorUnit
this._margins
this._maxDigits
this._maxLength
this._mementoData
this._metasets
this._minPadding
this._minPos
this._mockImpl
this._mocks
this._modelRegister
this._myGovernment
this._name
this._netGoldFromUnits
this._node
this._nodeCount
this._nodes
this._normalized
this._notifications
this._notificationsData
this._notify
this._notifyAboutRequest
this._notifyStateChanges
this._numCrisisSlots
this._numLocalResources
this._numNormalSlots
this._numSlots
this._numWonders
this._objectData
this._offsets
this._oldCache
this._options
this._originColumn
this._originRow
this._out
this._owner
this._padding
this._parent
this._parseOpts
this._parsing
this._path
this._percent
this._placeableCardEffects
this._player
this._playerData
this._playerFilter
this._playerGoldBalance
this._playerId
this._playerScores
this._plugins
this._pointLabelItems
this._pointLabels
this._points
this._pointsUpdated
this._positionChanged
this._preSelectList
this._predecessors
this._preselectIndex
this._prioritizedChannelIds
this._priority
this._processed
this._promises
this._promotionPoints
this._promotionTrees
this._promotionsLabel
this._prop
this._properties
this._range
this._reason
this._recentlyMetPlayersData
this._recommendations
this._refresh
this._registeredComponents
this._removeElements
this._removeUnreferencedMetasets
this._request
this._requests
this._resetElements
this._resize
this._resizeBeforeDraw
this._resolveAnimations
this._resolveElementOptions
this._resolveTickFontOptions
this._resolverCache
this._resourceYields
this._responsiveListeners
this._resyncElements
this._reversePixels
this._rgb
this._ribbonDisplayTypes
this._routeInfo
this._running
this._sampleIndexes
this._saves
this._scopeCache
this._search
this._searchResultsData
this._segments
this._selected
this._selectedAge
this._selectedCards
this._selectedCityResources
this._selectedCiv
this._selectedLeader
this._selectedMod
this._selectedPlayerID
this._selectedPlotIndex
this._selectedProjectData
this._selectedResource
this._selectedResourceClass
this._setStyle
this._sharedOptions
this._shellHandler
this._shouldBlockZoom
this._showDesiredDestination
this._showLockedCivics
this._showRewards
this._size
this._skip
this._slotData
this._slottedMemento
this._softCursorEnabled
this._sortBy
this._sortedMetasets
this._sourceProgressionTree
this._sourceProgressionTrees
this._sourceTrees
this._sources
this._stacks
this._start
this._startPixel
this._startValue
this._stepData
this._stop
this._subject
this._successors
this._suggestedMax
this._suggestedMin
this._sync
this._syncList
this._table
this._tableRange
this._target
this._targetCityID
this._tickFormatFunction
this._ticksLength
this._to
this._tooltip
this._tooltipItems
this._total
this._totalPromotions
this._tradeYields
this._treasureResources
this._tree
this._treeChooserNode
this._treeData
this._treeDetail
this._trees
this._trigger
this._type
this._typeName
this._typedRegistries
this._types
this._uniqueEmpireResources
this._unit
this._update
this._updateAnimationTarget
this._updateDataset
this._updateDatasets
this._updateHiddenIndices
this._updateHoverStyles
this._updateLayout
this._updateMetasets
this._updateOnEachFrame
this._updateOnEachFrameBinded
this._updateOnInterval
this._updateOnIntervalBinded
this._updateRadius
this._updateScales
this._updateVisibility
this._urbanPlots
this._userMax
this._userMin
this._valid
this._value
this._valueRange
this._victories
this._viewHidden
this._warChooserData
this._whenInitialized
this._wildCardPoints
this._workablePlotIndexes
this._workablePlots
this._worldAnchor
this._worldAnchorHandle
this._yieldCityRows
this._yieldOtherRows
this._yieldSummaryRows
this._yieldTotalRows
this._yieldUnitRows
this._zero
this.abilityTitle
this.accentOffset
this.acceptBtn
this.acceptButton
this.acceptCallToArms
this.acceptDeal
this.acceptDocument
this.acceptListener
this.acceptProposePlotCallback
this.accessibility
this.accountIcon
this.accountIconActivatable
this.accountIconListener
this.accountLoggedOutListener
this.accountNotLinkedDialogBoxID
this.accountStatus
this.accountStatusNavHelp
this.accountUnlinkedListener
this.accountUpdatedListener
this.actionActivate
this.actionActivateEventListener
this.actionActivateNotificationListener
this.actionButton
this.actionButtonsContainer
this.actionCancel
this.actionCanceledListener
this.actionContainer
this.actionContentColumn
this.actionDescriptionDiv
this.actionDetailsClosedListener
this.actionElement
this.actionKey
this.actionListContainer
this.actionListDivs
this.actionMouseRightButton
this.actionNameDiv
this.actionText
this.actionVisDivs
this.actions
this.activate
this.activateBlockingNotification
this.activateBuilding
this.activateBuildingListener
this.activateCounter
this.activateHighlights
this.activateInternal
this.activateLateItems
this.activateLeaderSelectCamera
this.activateListener
this.activateMainMenu
this.activateNotification
this.activateNotificationListener
this.activateQueueItems
this.activatingEventsToString
this.activationCustomEvents
this.activationEngineEventNames
this.activationEngineEvents
this.active
this.activeContextChangedListener
this.activeCrisisPolicyScrollable
this.activeDeviceChangeListener
this.activeDeviceChangedEventListener
this.activeDeviceChangedListener
this.activeDeviceTypeChangeListener
this.activeDeviceTypeChangedEventListener
this.activeDeviceTypeChangedListener
this.activeDeviceTypeListener
this.activeHandler
this.activeItems
this.activeLayers
this.activeLens
this.activeLensChangedListener
this.activeLiveEventListener
this.activeNavCallback
this.activeNormalPolicyScrollable
this.activePanel
this.activeQuest
this.activeRequests
this.activeSlot
this.activeTree
this.addActionsForContext
this.addAllBeliefs
this.addAutoFillButton
this.addAvailableCard
this.addBefriendIndependentProgressSteps
this.addBuildingHighlight
this.addButton
this.addButtonTo
this.addChallenge
this.addChildYieldButton
this.addCityToUpdate
this.addConnectedToEntry
this.addConstructibleData
this.addConstructibleInformation
this.addContestedPlot
this.addContinentInfoRow
this.addCssRules
this.addDealCloseBlocker
this.addDisplayRequest
this.addDistrictData
this.addDivider
this.addElements
this.addEntry
this.addEventListeners
this.addFriend
this.addFunctionButtons
this.addHandler
this.addIDToViewItem
this.addIconListener
this.addImprovementIcon
this.addImprovementText
this.addLeftSupport
this.addLockStyling
this.addModifierText
this.addMovePathVFX
this.addNextBelief
this.addNextLine
this.addNextPantheon
this.addOrRemoveNavHelpElement
this.addOrRemoveWarning
this.addOrUpdateAccept
this.addOrUpdateCancel
this.addOrUpdateEntry
this.addOwnerInfo
this.addPlayer
this.addPlayerButton
this.addPlotDistrictInformation
this.addPlotEffectNames
this.addPlotIconToDataMap
this.addPlotYields
this.addQuest
this.addResourceSprites
this.addRightSupport
this.addRingButton
this.addRow
this.addRule
this.addStat
this.addStatDivider
this.addSubtitleElement
this.addTab
this.addTopYieldButton
this.addTurnCounterVFX
this.addUnitCycleNavHelp
this.addUnitInfo
this.addVideoElement
this.addViewItemByType
this.addVoteDialogBox
this.addYieldAndGetIconForConstructible
this.addYieldNumbers
this.addYieldSteps
this.additionalCivInfo
this.additionalContentButtonListener
this.additionalLeaderInfo
this.adjacenciesSpriteGrid
this.adjacencyBonuses
this.adjustItems
this.adjustLine
this.advanceAcceptPeaceSequence
this.advanceAcknowledgeNegativeOtherSequence
this.advanceAcknowledgeOtherSequence
this.advanceAcknowledgePlayerSequence
this.advanceAcknowledgePositiveOtherSequence
this.advanceDeclareWarPlayerSequence
this.advanceDefeatSequence
this.advanceFirstMeetSequence
this.advanceHostileAcknowledgePlayerSequence
this.advanceLeaderSelectedSequence
this.advanceLeadersIndependentSequence
this.advancePlayerProposeSequence
this.advanceRejectPeaceSequence
this.advancedParamContainer
this.advancedStartClosed
this.advancedStartEffectUsedListener
this.advisorPanels
this.advisorType
this.affinityUpdate
this.afterAutoSkip
this.afterBody
this.afterBuildTicks
this.afterCalculateLabelRotation
this.afterDataLimits
this.afterFit
this.afterSetDimensions
this.afterTickToLabelConversion
this.afterUpdate
this.ageButtonListener
this.ageButtons
this.ageChronology
this.ageData
this.ageFocusListener
this.ageInfoList
this.ageMap
this.ageName
this.ageOverListener
this.ageRankTabBar
this.ageRankTabIndex
this.ageRankTabItems
this.ageRing
this.ageScoresContainer
this.ageScoresContainerClass
this.ageSelector
this.ageTurnCounter
this.ageUnlockItems
this.ageUnlockPanel
this.agelessBackgroundContainer
this.agelessBackgroundImage
this.agelessContainer
this.agesScrollable
this.agesSlot
this.aggregateYieldAttributes
this.allPlacementData
this.allPlayerReligions
this.allReadyCountdownIntervalHandle
this.allReadyCountdownRemainingPercentage
this.allReadyCountdownRemainingSeconds
this.allResources
this.allSectionIds
this.allSectionsAreCollapsed
this.allStartingZones
this.allowFilters
this.allowMousePan
this.allowScroll
this.allowScrollOnResizeWhenBottom
this.allowSkip
this.allowedLayers
this.alreadyDisabledElements
this.alsoActivateID
this.alsoItemActivate
this.altActionKey
this.altPlayerId
this.alwaysShowYields
this.ambientVfxModelGroup
this.analogNavigationThreshold
this.anchorText
this.animTimer
this.animate
this.animateACost
this.animateIn
this.animateInType
this.animateOut
this.animateOutType
this.animated
this.animation
this.animationDuration
this.animationEndListener
this.animationMode
this.animationTimeElapsed
this.animationTimeout
this.appealOverlay
this.appealOverlayGroup
this.appendChild
this.appendDivider
this.appendPromoToCarousel
this.appendTooltipInformation
this.applyChanges
this.applyDefaultAnimateIn
this.applyDefaultAnimateOut
this.applyInputFilters
this.applyInstanceEffects
this.applyLayer
this.applyNextPolicy
this.applyOrientationIndex
this.applyRules
this.applySelections
this.applySort
this.applyStack
this.applyYieldChanges
this.areAllPlayersReady
this.areLegalDocsAccepted
this.armyActionButtons
this.armyActionContainer
this.armyActions
this.armyButtons
this.armyCommanders
this.armyFlags
this.arrowButtonListener
this.arrowElement
this.arrowIcon
this.arrowIsUp
this.arrows
this.aspectRatio
this.assignedResourceActivateListener
this.assignedResourceEngineInputListener
this.assignedResourceFocusListener
this.atlas
this.atlasIndex
this.attachAdditionalInfo
this.attachAttributeButton
this.attachChildEventListeners
this.attachFunctionButtons
this.attachNodeToScrollable
this.attached
this.attackPlots
this.attackerHealth
this.attackerLeaderIcon
this.attackerModifierContainer
this.attackerModifierInfo
this.attackerSimulatedHealth
this.attackerStatsIcon
this.attackerStatsString
this.attackerUnitIcon
this.attribute
this.attributeButton
this.attributePointsUpdatedListener
this.attributeSlotGroup
this.attributeTabBar
this.attributesHotkeyListener
this.audioContainer
this.audioContinue
this.audioGroup
this.audioList
this.autoFillListener
this.autoListen
this.autoPlayAgeTransitionListener
this.autoPlayEndListener
this.autoScale
this.autoSelectSinglePlots
this.autofillDeck
this.automatchButton
this.automatchCardListener
this.automationAppInitCompleteListener
this.automationCompleteListener
this.automationGameStartedListener
this.automationMainMenuStartedListener
this.automationPostGameInitializationListener
this.automationRunTestListener
this.automationStartListener
this.automationStopTestListener
this.automationTestBenchmarkAIListener
this.automationTestBenchmarkGraphicsListener
this.automationTestCompleteListener
this.automationTestEndListener
this.automationTestFailedListener
this.automationTestLoadGameFixedViewListener
this.automationTestLoadGameListener
this.automationTestLoopTestsListener
this.automationTestMenuBenchmarkListener
this.automationTestMultiplayerHostListener
this.automationTestMultiplayerJoinListener
this.automationTestPassedListener
this.automationTestPauseGameListener
this.automationTestPlayGameFixedViewListener
this.automationTestPlayGameFixedViewMRListener
this.automationTestPlayGameListener
this.automationTestProductionListener
this.automationTestQuitAppListener
this.automationTestQuitGameListener
this.automationTestSaveRuntimeDatabaseListener
this.automationTestTransitionListener
this.automationTestUIListener
this.automationTestXRScreenshotAllSeuratsListener
this.automationTestXRTeleportZonesListener
this.autoplayEndListener
this.autoplayStartedListener
this.availableBonusResourceList
this.availableBonusResourceListScrollable
this.availableBonusResources
this.availableCardActivateListener
this.availableCities
this.availableCrisisPolicyScrollable
this.availableFactoryResourceList
this.availableFactoryResourceListScrollable
this.availableFactoryResources
this.availableNormalPolicyScrollable
this.availableReinforcementIDs
this.availableReinforcements
this.availableResourceActivateListener
this.availableResourceCol
this.availableResourceFocusListener
this.availableResourceList
this.availableResourceListScrollable
this.availableResources
this.availableTreeTypes
this.availableUnlockItems
this.average
this.awaitCinematic
this.awaitCinematicListener
this.axis
this.backArrow
this.backButton
this.backButtonActionActivateListener
this.backButtonActivateListener
this.backButtonListener
this.backButtons
this.backContainer
this.background
this.backgroundColor
this.backgroundEle
this.backgroundImages
this.badgeComponent
this.badgeContainer
this.badgeProgressionLevel
this.badgeRewardItems
this.badgeSelectListener
this.badgeSize
this.badgeURL
this.ballElement
this.banner
this.bannerContainer
this.bannerRewardItems
this.bannerSelectListener
this.banners
this.bar
this.base
this.baseYield
this.baseYieldValue
this.beforeBody
this.beforeBuildTicks
this.beforeCalculateLabelRotation
this.beforeDataLimits
this.beforeFit
this.beforeSetDimensions
this.beforeTickToLabelConversion
this.beforeUnloadListener
this.beforeUpdate
this.beginAcceptPeaceSequence
this.beginDeclareWarPlayerSequence
this.beginDefeatSequence
this.beginFirstMeetSequence
this.beginLeaderSelectedSequence
this.beginLeadersIndependentSequence
this.beginPreloadingForNextLeader
this.beginRejectPeaceSequence
this.beingRazedContainer
this.beliefChoiceMenu
this.beliefChoiceMenuClose
this.beliefChoiceMenuCloseListener
this.beliefConfirmButton
this.beliefConfirmButtonListener
this.beliefOptionButtons
this.beliefOptionIndices
this.beliefOptionVSlot
this.beliefPickerChooserNode
this.beliefsToAdd
this.benchEndedListener
this.benchUpdateListener
this.benchmarkCooledListener
this.benchmarkEndedListener
this.benchmarkStartedListener
this.benchmarkSwappedListener
this.benchmarkTerminatedListener
this.benchmarkUpdatedListener
this.benchmarkWarmedListener
this.bestDownTarget
this.bestLeftTarget
this.bestPlots
this.bestRightTarget
this.bestUpTarget
this.bgColor
this.bgContainer
this.bgImageUrl
this.bgQuestext
this.bindEvents
this.bindResponsiveEvents
this.bindUserEvents
this.blackColor
this.blockButton
this.blockButtonListener
this.blockedPlayerRowEngineInputListener
this.blockedPlayersData
this.blockedPlots
this.blockedSpecialistSpriteOffset
this.blurListener
this.body
this.bonusData
this.bonusEntryContainer
this.bonusGrantedMessage
this.bonusList
this.bootLoaded
this.borderColor
this.borderOverlayMap
this.borderRewardItems
this.borderSelectListener
this.borderURL
this.botLeftAngle
this.botRightAngle
this.botSection
this.bottom
this.bottomBarEle
this.boundOnNavigate
this.boundOnNavigateBack
this.boundOnNavigateForward
this.boundOnNavigateHome
this.boundOnSelectedAgeChanged
this.boundRefresh
this.boundRender
this.boxes
this.brightness3dBar
this.browserCallbackMock
this.browserExitError
this.bubbleDown
this.bubbleUp
this.build3DPaintingScene
this.build3DScene
this.buildAgeEndTransitionSummaryScreen
this.buildAgeRankingsContent
this.buildAgelessHeader
this.buildAgelessItem
this.buildAgelessPage
this.buildArchivedGreatWorks
this.buildAvailableCard
this.buildAvailableResources
this.buildBackgroundVignette
this.buildBanner
this.buildBeliefIdentity
this.buildBeliefSlots
this.buildBeliefTabs
this.buildBeliefWindow
this.buildBottomNavBar
this.buildBuildingList
this.buildButtonBar
this.buildCardEntry
this.buildChallengesContainer
this.buildCinematicInfo
this.buildCityData
this.buildCityResources
this.buildCivUnlocksPage
this.buildCrisisWindow
this.buildCurrentChallengeToShowList
this.buildDialogData
this.buildEarnedProgressItem
this.buildEmpireResources
this.buildEmptySlots
this.buildFilterButtons
this.buildFocusChain
this.buildFoundationItem
this.buildGraphsContent
this.buildHeader
this.buildImprovementInfo
this.buildInfo
this.buildLabels
this.buildLastSeenDateAndTimeHTML
this.buildLayoutGraph
this.buildLeaderBox
this.buildLeaderItem
this.buildLobbyPlayerRow
this.buildLookupTable
this.buildMainPanel
this.buildMessageString
this.buildNavButton
this.buildOrUpdateControllers
this.buildOrUpdateScales
this.buildOther
this.buildOverviewWindow
this.buildPlayerCard
this.buildPlayerRow
this.buildPolicyWindow
this.buildPopulationPlacementInfo
this.buildPreselectedContainer
this.buildProgressBar
this.buildPromotionCards
this.buildPromotionTree
this.buildPromotionTrees
this.buildPromotionsLayoutGraph
this.buildQueue
this.buildReligionContainer
this.buildResourceElement
this.buildRewardsPage
this.buildSelectedCard
this.buildSendingFoodData
this.buildSettlementTabBar
this.buildSlotsBox
this.buildSpecialistInfo
this.buildSummary
this.buildTicks
this.buildTreasureResources
this.buildTreeRevealInfo
this.buildUINodeInfo
this.buildUnitData
this.buildVictoryPointsContent
this.buildVictoryProgress
this.buildView
this.buildingContainer
this.buildingElementOne
this.buildingElementTwo
this.buildingPlacementPlotChangedListener
this.buildings
this.buildingsCategory
this.buildingsList
this.button
this.buttonBox
this.buttonCloseListener
this.buttonContainer
this.buttonElements
this.buttonList
this.buttonListener
this.buttonNtfAmt
this.buttonSlot
this.buttons
this.buttonsContainer
this.buyPromo
this.cacheIcons
this.cacheLeaderCivilizationBias
this.cachedCivilizationTooltipFragments
this.cachedLeaderTooltips
this.cachedTarget
this.calculateAdjacencyDirectionOffsetLocation
this.calculateBasis
this.calculateCircumference
this.calculateConstructibleState
this.calculateEasedRingFill
this.calculateLabelRotation
this.calculateReligionPercentage
this.calculateRingFillPercentage
this.calculateTotal
this.calculateTotalGridNeeded
this.calculateZoom
this.calibrateHDRClosedListener
this.calibrateHDROpenedListener
this.callers
this.callout
this.calloutAdvisorParams
this.calloutBodyParams
this.calloutElement
this.calloutMaximizeButton
this.calloutMinimizeButton
this.callouts
this.cameraAnimationDelayDuration
this.cameraChangedListener
this.cameraDollyDelayed
this.cameraDollyQueued
this.cameraDollyRequestStartTime
this.cameraPushes
this.cameraRotate
this.cameraWasDragging
this.cameraZoomIn
this.cameraZoomOut
this.campaignSetupId
this.campaignSetupTimestamp
this.canActivateItem
this.canAddCards
this.canAddSpecialistMessage
this.canBegin
this.canBuyAttributeTreeNode
this.canChangeSlotStatus
this.canCitySelect
this.canClick
this.canClose
this.canConfirm
this.canContinue
this.canEndTurn
this.canFocusOnDisabled
this.canNavigateBackwards
this.canNavigateForward
this.canNotAffordLegacy
this.canPerformInputs
this.canPurchaseNode
this.canReplay
this.canSupportSide
this.canSwap
this.canSwapCrisisPolicies
this.canSwapNormalPolicies
this.canSwapPolicy
this.canUnitSelect
this.canUnreadyTurn
this.canUseRadialMenu
this.cancelAllPendingAddsAndUpdates
this.cancelBtn
this.cancelButton
this.cancelButtonListener
this.cancelDeal
this.cancelItem
this.cancelListener
this.cancelPendingAdd
this.cancelPendingUpdate
this.cancelRewardsUpdate
this.cancelSelections
this.canvas
this.capitalCityChangedListener
this.caption
this.captionText
this.captionsList
this.cardActivateListener
this.cardAddedListener
this.cardClass
this.cardConfirmListener
this.cardContainer
this.cardDescription
this.cardDetailContainer
this.cardEngineInputListener
this.cardFocusListener
this.cardInfo
this.cardName
this.cardRemovedListener
this.cardStyle
this.cardsPanel
this.caretX
this.caretY
this.carousel
this.carouselAction
this.carouselBackButton
this.carouselBase
this.carouselBaseLayout
this.carouselBaseLayoutImage
this.carouselBaseLayoutText
this.carouselBreadcrumbs
this.carouselContent
this.carouselContentText
this.carouselEngineInputListener
this.carouselHourGlass
this.carouselImageContainer
this.carouselIndex
this.carouselInteractButton
this.carouselItems
this.carouselMain
this.carouselNext
this.carouselPrevious
this.carouselScrollable
this.carouselSliderId
this.carouselStandardTextScrollable
this.carouselText
this.carouselTextScrollable
this.catalog
this.category
this.celebrationChooserNode
this.centerArea
this.centerButtonAnimEnd
this.centerButtonAnimListener
this.challengeGroups
this.challengeLeaderSelectedListener
this.challengeRightScrollable
this.challengeSortHslot
this.challengeSortLeft
this.challengeSortLeftListener
this.challengeSortRight
this.challengeSortRightListener
this.challengeTabItems
this.challengeTabSelectedListener
this.challengesContainerList
this.challengesSlotGroup
this.changeRefCount
this.changeSelectionHighlight
this.changeSlotStatusShowCheckCallback
this.changeSupportWarButton
this.channelId
this.chapterBodyQueries
this.chapterOverrides
this.chaptersByLayout
this.chart
this.chartArea
this.chartData
this.chat
this.chatCommandConfigs
this.chatCommandManager
this.chatCommands
this.chatComponent
this.chatEngineInputListener
this.chatFocusListener
this.chatFrame
this.chatList
this.chatNavHelp
this.chatPanel
this.chatPanelNavHelp
this.chatPanelState
this.chatScreen
this.checkAndStartTradeRoute
this.checkBoundaries
this.checkCityVis
this.checkDeclareWarAt
this.checkFlagRebuild
this.checkForError
this.checkForLegalDocs
this.checkForSanctionAndWarUpdate
this.checkParams
this.checkPrimaryAccount
this.checkRefesh
this.checkShouldShowPanel
this.checkUnitPosition
this.checkUpdates
this.childNoPermissionsDialogListener
this.children
this.childrenIDs
this.chooseCivButton
this.chooseTransitionMovie
this.chooserContainer
this.chooserItem
this.chooserItemActivateListener
this.chooserItemFocusListener
this.chooserItemHoverListener
this.chooserItems
this.chooserNode
this.chosenBelief
this.chosenReligion
this.cinemaPanel
this.circumference
this.cities
this.citiesIcon
this.citiesNotFullyCreated
this.citiesToUpdate
this.citiesValue
this.city
this.cityActivateListener
this.cityAddedToMapListener
this.cityDataContainer
this.cityDetailsSlot
this.cityEngineInputListener
this.cityFocusListener
this.cityGovernmentLevelChangedListener
this.cityID
this.cityInitializedListener
this.cityIntegratedListener
this.cityList
this.cityListScrollable
this.cityName
this.cityNameChangedListener
this.cityNameElement
this.cityOverlay
this.cityOverlayGroup
this.cityOwner
this.cityPopulationChangedListener
this.cityProductionChangedListener
this.cityProductionCompletedListener
this.cityProductionQueueChangedListener
this.cityProductionUpdatedListener
this.cityReligionChangedListener
this.cityRemovedFromMapListener
this.cityRemovedRemovedMapListener
this.cityResourceContainerFocusListener
this.citySelectionChangedListener
this.cityStateBonusChosenListener
this.cityStatusContainerElement
this.cityStatusIconElement
this.cityStatusTextElement
this.cityUnfocusListener
this.cityYieldChangedListener
this.cityYieldGrantedListener
this.cityYields
this.civAbilityText
this.civAbilityTitle
this.civBonuses
this.civBonusesContainer
this.civBonusesScroll
this.civCards
this.civCardsEle
this.civData
this.civEles
this.civFlagFlexboxPartOne
this.civFocusListener
this.civHexInner
this.civHexOuter
this.civHistoricalChoice
this.civIcon
this.civIconURLGetter
this.civIconUrl
this.civIndex
this.civItemListener
this.civLeaderIcon
this.civLockIcon
this.civName
this.civPatternElements
this.civSelectListEle
this.civShowDetailsListener
this.civStepper
this.civStepperButtons
this.civSymbol
this.civSymbols
this.civTags
this.civTraits
this.civUnlockScrollSlots
this.civUnlocks
this.civUnlocksContainer
this.civUnlocksHeader
this.civilizationData
this.civilizationOptions
this.civilopediaButtonListener
this.civilopediaHotkeyListener
this.civilopediaListener
this.claimedPlots
this.claimedVictories
this.classList
this.classToggle
this.classesToAnchor
this.cleanPreviousSelectedNode
this.cleanup
this.cleanupEventListeners
this.cleanupStats
this.clear
this.clear3DScene
this.clearArmyActions
this.clearArmyUnits
this.clearBeliefOptions
this.clearButtons
this.clearCache
this.clearCssRuleList
this.clearDecorations
this.clearEnvironmentProperties
this.clearEventsListeners
this.clearFocus
this.clearHighlights
this.clearInputFilters
this.clearLeaderModels
this.clearList
this.clearListeners
this.clearModifiers
this.clearMovie
this.clearOverlay
this.clearQueries
this.clearReplaying
this.clearResourceSpritesFromPlot
this.clearSelectedGreatWork
this.clearSelectedPlacementEffect
this.clearSelectedResource
this.clearTabItems
this.clearVirtualKeyboardCallbacks
this.clearVisualizations
this.clickAttributeButton
this.clickOngoingAction
this.clickProposeButton
this.clickQuickStartActionItem
this.clickRejectButton
this.clickStartActionItem
this.clientJoiningGameDialogBoxID
this.clientMatchmakingGameDialogBoxId
this.close
this.closeActive
this.closeAdditionalInfoPanel
this.closeBeliefOptions
this.closeBenchmark
this.closeBtn
this.closeButton
this.closeButtonActivateListener
this.closeButtonEventListener
this.closeButtonListener
this.closeCinematicListener
this.closeCurrentDeal
this.closeCurrentDiplomacyDialog
this.closeDealWithoutResponse
this.closeListener
this.closeOnNextMove
this.closeOrCloseButtonListener
this.closePanel
this.closePopup
this.closeScaleEditor
this.closeStartTime
this.closebutton
this.closing
this.cloudSavesEnabled
this.code
this.codeTextbox
this.collapseAgelessSection
this.collapseIcon
this.collapseToggleActivatedListener
this.collapseToggleButton
this.collapseToggleText
this.collectionContent
this.collisionOffset
this.color
this.colorEntries
this.colorRewardItems
this.colorSelectListener
this.column
this.columnSizes
this.commandActionElements
this.commandActions
this.commandError
this.commandName
this.commandRadiusOverlay
this.commandRadiusOverlayGroup
this.commanderActions
this.commanderBannerContainer
this.commanderButton
this.commanderContainer
this.commanderLevelValue
this.commanderNameDiv
this.commanderNameEditButton
this.commanderRenameElement
this.commanderXPMeter
this.commands
this.commitOnApply
this.commitPlot
this.complete
this.completed
this.completedItems
this.completionCustomEvents
this.completionEngineEventNames
this.completionEngineEvents
this.completionStatusText
this.component
this.componentID
this.computeAverage
this.computeTickLimit
this.computeValueFromCursor
this.config
this.configure
this.configureNextTeleport
this.confirmAddFriend
this.confirmButton
this.confirmButtonContainer
this.confirmButtonListener
this.confirmChooseGovernment
this.confirmDeckButtonListener
this.confirmDeclareWar
this.confirmForceComplete
this.confirmInviteToJoin
this.confirmListener
this.confirmSelection
this.confirmSelections
this.confirmTargetSelection
this.connIcon
this.connStatus
this.connectNodes
this.connectTiles
this.connectedCallback
this.connectedSettlementFood
this.connectedToContainer
this.connectionStatusChangedListener
this.constrainTipToRect
this.constructAllPlayerReligionInfo
this.constructCityData
this.constructOtherData
this.constructTotalData
this.constructUnitData
this.constructYieldSummary
this.constructibleBonusContainer
this.constructibleInfo
this.constructibleName
this.constructibleSlot
this.constructibleStates
this.constructibleToBeBuiltOnExpand
this.constructor
this.container
this.containerElement
this.containerHide
this.containerType
this.content
this.contentAs
this.contentClass
this.contentContainer
this.contentDirection
this.contentList
this.contentName
this.contentPack
this.contentPackLookup
this.contentToCardLookup
this.contesetedAlpha
this.contestedPlotMap
this.contestedZOffset
this.context
this.contextNameDiv
this.continentCoords
this.continentListContainer
this.continentOverlay
this.continentOverlayGroup
this.continueButton
this.continueButtonListener
this.continueButtonState
this.continueButtonType
this.continueListener
this.continueSave
this.continuousCheckForInitialFocus
this.continuousCheckForInitialFocusHelpCallback
this.continuousCheckForInitialFocusHelper
this.contrastBar
this.controlList
this.controller
this.controllerContainer
this.controllerIconDiv
this.controllerMapActionElementNode
this.controllerSection
this.controllers
this.convertActivePointsToLines
this.convertCurrencyText
this.costAmountElement
this.costContainer
this.costIconElement
this.countVisibleElements
this.counter
this.createActionEntry
this.createAgeButton
this.createAgeSelector
this.createAllBanners
this.createAllDistrictHealth
this.createAllFlags
this.createArmyActionButton
this.createArmyUnitButton
this.createAttemptListener
this.createBanner
this.createBeliefChoice
this.createBeliefChoiceNode
this.createBeliefOption
this.createBlankMap
this.createBooleanOption
this.createBorderOverlay
this.createBorderedIcon
this.createBottomNav
this.createButton
this.createButtons
this.createCallToArmsOption
this.createCard
this.createCards
this.createCarousel
this.createCelebrationNode
this.createCell
this.createChallengeEntry
this.createChallenges
this.createChartData
this.createChooserIcon
this.createCityDealItem
this.createCivilopediaText
this.createCloseButton
this.createCommandHelpLine
this.createCommendationElement
this.createCompleteListener
this.createContents
this.createCultureItem
this.createDebugNotificationItem
this.createDebugViewItem
this.createDeleteConfirmationDialog
this.createDialog_MultiOption
this.createDistrictHealth
this.createDivider
this.createDummyCivDropdown
this.createDummyLeaderDropdown
this.createDummySlotActionsDropdown
this.createDummyTeamDropdown
this.createEmptyCrisisSlot
this.createEmptyNormalSlot
this.createEntries
this.createEspionageStatusRow
this.createFailListener
this.createFiligreeFragment
this.createFilledBeliefPickerNode
this.createFilledSlotElement
this.createFirstMeetGreetingButton
this.createFirstPlace
this.createFlag
this.createFlipbook
this.createGameButton
this.createGameButtonActivateListener
this.createGameCardListener
this.createGameRoot
this.createGameSetupPanel
this.createGenericDeleteErrorConfirm
this.createGenericLoadErrorConfirm
this.createGenericQueryErrorConfirm
this.createGenericSaveErrorConfirm
this.createGroupHeader
this.createHeader
this.createHistoricalChoiceIcon
this.createHistoryCard
this.createHorizontalLine
this.createIcon
this.createInfoElement
this.createItemCard
this.createLabelOption
this.createLayerCheckbox
this.createLayoutFragment
this.createLeaderButtons
this.createLeaderboard
this.createLeaderboardHeader
this.createLensButton
this.createLines
this.createListItem
this.createListItemElement
this.createListItems
this.createLoadCards
this.createLoadConfirmationDialog
this.createLoadingAnimation
this.createLocationFullConfirm
this.createLockedBeliefPickerNode
this.createLockedSlotElement
this.createMessage
this.createMinimapChatButton
this.createMinimapLensButton
this.createMinimapRadialButton
this.createMinorPlayerListItem
this.createNavControls
this.createNotificationChooserNode
this.createNotificationContainerDom
this.createNotificationItem
this.createNotificationMessage
this.createNumericOption
this.createOngoingActionItem
this.createOngoingActionListItem
this.createOpenBeliefPickerNode
this.createOpenSlotElement
this.createOption
this.createOrUpdateYieldEntry
this.createOtherPlace
this.createOverwriteConfirmationDialog
this.createPanelBackground
this.createPanelContent
this.createPantheonNode
this.createParamEleLabel
this.createPipElement
this.createPlayerData
this.createPlayerOptions
this.createPlayerParamDropdown
this.createPlayerScoreData
this.createPlayerSetupPanel
this.createPlayerSizeData
this.createPlayerYieldsData
this.createPledgeButton
this.createPledgeGroup
this.createPledgeGroupLocalTotal
this.createPledgeGroupStatus
this.createPledgeGroupValues
this.createPledgeGroups
this.createPledgeLeaderIcon
this.createPolicyCard
this.createPolicyNode
this.createPromotionElement
this.createPromotionTreeContainer
this.createQuestCarousel
this.createQuickSaveIndicator
this.createQuotaExceededConfirm
this.createRecommendationElements
this.createReligionButton
this.createReligionEntries
this.createReportDialog
this.createResolver
this.createResponseItem
this.createRewardEntry
this.createRewards
this.createRing
this.createSaveCard
this.createSaveInvalidCharactersConfirm
this.createSaveLoadConfig
this.createScoreData
this.createSearchDialog
this.createSecondPlace
this.createSelectorOption
this.createShowMinimapCheckbox
this.createSlider
this.createSlotActionsDropdown
this.createSlotsBoxBuildingSubHeader
this.createSlotsBoxCityHeader
this.createSlotsBoxGreatWorkEntry
this.createStandardRow
this.createStartActionListItem
this.createStressTestFlags
this.createStylesheets
this.createSupportWarItem
this.createSupportYourselfItem
this.createTab
this.createTabControl
this.createTeamsDropdown
this.createTechItem
this.createThirdPlace
this.createTierCard
this.createTopNav
this.createTradeRouteChooserItem
this.createUniqueResourceArray
this.createUnlockedItem
this.createVersionMismatchLoadErrorConfirm
this.createVerticalLine
this.createVictoryCivilopediaLink
this.createViewItem
this.createWinConditionCard
this.createXYShownElement
this.creatingOptions
this.creditsClosedListener
this.creditsListener
this.creditsModelGroup
this.creditsOpenedListener
this.crisisEventMarkers
this.crisisWindow
this.crossplay
this.crumbClicked
this.crumbsContainer
this.ctx
this.cultureBorderOverlay
this.cultureButton
this.cultureHotkeyListener
this.cultureItemListener
this.cultureList
this.cultureNodeCompletedListener
this.cultureOverlayGroup
this.cultureRing
this.cultureTurnCounter
this.curActionIndex
this.curAgeChrono
this.curDebounceStall
this.current
this.currentActionID
this.currentActiveBeliefClass
this.currentAllyWarData
this.currentArmyCommander
this.currentAudioIdx
this.currentBackground
this.currentBeliefsContainer
this.currentCardScale
this.currentChallengeGroup
this.currentChallengesToShow
this.currentChatTargets
this.currentCinematic
this.currentCinematicData
this.currentCitizenCount
this.currentCitizens
this.currentConstructible
this.currentContext
this.currentDevicePixelRatio
this.currentDiplomacyDealData
this.currentDiplomacyDialogData
this.currentDisplayIdx
this.currentDocument
this.currentDocumentId
this.currentDragType
this.currentEspionageData
this.currentFocus
this.currentFocusIndex
this.currentFocusListener
this.currentGrid
this.currentHOFGroup
this.currentHistoryIndex
this.currentHitbox
this.currentIndex
this.currentIsToggleOn
this.currentItems
this.currentLeaderAnimationState
this.currentLeaderAssetName
this.currentLeft
this.currentMenuIndex
this.currentMovie
this.currentMovieState
this.currentMovieType
this.currentNarrativeData
this.currentPage
this.currentPageID
this.currentPanel
this.currentPanelID
this.currentPanelIndex
this.currentPanelOperation
this.currentPlatformButton
this.currentPlatformProfile
this.currentPlayer
this.currentPreloadingAsset
this.currentPrimaryButton
this.currentPrimaryProfile
this.currentProduction
this.currentProductionDescription
this.currentProductionPrompt
this.currentProductionTurns
this.currentProductionTurnsLabel
this.currentProfile
this.currentProjectReactionData
this.currentProjectReactionRequest
this.currentPromotionElement
this.currentResearchDivider
this.currentResearching
this.currentRight
this.currentScale
this.currentScalePx
this.currentScreenPosition
this.currentScrollOffset
this.currentScrollOnScrollAreaInPixels
this.currentSectionID
this.currentSelection
this.currentSequenceType
this.currentSortOption
this.currentSortType
this.currentState
this.currentSystemMessage
this.currentTab
this.currentTarget
this.currentTechCivicPopupData
this.currentTurnTimerDisplay
this.currentTutorialPopupData
this.currentUnlockedRewardData
this.currentVFXUnitID
this.currentViewID
this.currentWatchOutPopupData
this.currentWindow
this.currentWorkingDealID
this.currentlySelectedBeliefSlot
this.currentlySelectedChoice
this.currentlySelectedCustomizeTab
this.currentlySelectedMainTab
this.currentlySelectedWork
this.cursorParameters
this.cursorTooltipCheck
this.cursorTransform
this.cursorTranslate
this.cursorUpdateListener
this.cursorUpdatedListener
this.customDialog
this.customEventNames
this.customOptions
this.customReligionName
this.cycleNotification
this.darkCardsModelGroup
this.darkTintOffset
this.data
this.dataElementType
this.dataPoints
this.dataUpdateListener
this.dataVersion
this.datasetElementType
this.datasets
this.ddProfileItems
this.deactivateHighlights
this.deactivateLeaderSelectCamera
this.dealHasBeenModified
this.dealSessionID
this.debounceStallLeft
this.deckConfirmed
this.declareWarCameraActive
this.declineButton
this.declineCallToArms
this.decorate
this.decorateHover
this.decorationMode
this.decorators
this.decreaseUiScale
this.decrementOrRemoveEntry
this.defaultFocus
this.defaultHandler
this.defaultImage
this.defaultLabelElement
this.defaultPlotSelectionHandler
this.defaultSort
this.defaultTab
this.defaultTimeToWait
this.defaultsButton
this.definition
this.delayExecute
this.delegateCostForNode
this.delegateGetIconPath
this.delegateTurnForNode
this.deleteButton
this.deleteButtonActionActivateListener
this.deleteButtonListener
this.describe
this.description
this.description1
this.description2
this.descriptionColumn
this.descriptionContainer
this.descriptionContent
this.descriptionElement
this.descriptionHeader
this.descriptionMapDetailTextDifficulty
this.descriptionMapDetailTextMaptype
this.descriptionMapDetailTextRuleset
this.descriptionMapDetailTextSaveType
this.descriptionMapDetailTextSpeed
this.descriptionMapDetailTextVersion
this.descriptionRequiredMods
this.descriptionRequiredModsContainer
this.descriptionSaveType
this.descriptionScrollable
this.descriptionText
this.descriptionThumnail
this.descriptionThumnailContainer
this.descriptionTitle
this.desiredDestination
this.destroy
this.destroyWorldAnchor
this.detachListeners
this.detail
this.detailContent
this.detailed
this.detailsPanel
this.detailsPanelBg
this.determineChartType
this.determineDataLimits
this.determineEnableButtonState
this.determineInitialFocus
this.determineLeftPlayer
this.determineLocalPlayerSupport
this.determinePledgeStatus
this.determineRightPlayer
this.determineShowAvailableResources
this.detroyEventListener
this.developedPlots
this.deviceLayout
this.devicePixelRatio
this.deviceType
this.deviceTypeChangedListener
this.dialog
this.dialogData
this.dialogHide
this.dialogId
this.didChangeUserProfile
this.difficultyFilter
this.diploContainer
this.diploEventResponseTimeoutCallback
this.diploRibbons
this.diploTint
this.diplomacyAnimationFinishedListener
this.diplomacyDealProposalResponseListener
this.diplomacyDialogNextListener
this.diplomacyDialogRequestCloseListener
this.diplomacyDialogUpdateResponseListener
this.diplomacyEventEndedListener
this.diplomacyEventResponseListener
this.diplomacyEventStartedListener
this.diplomacyEventSupportChangedListener
this.diplomacyQueueChanged
this.diplomacyQueueChangedListener
this.diplomacySessionClosedListener
this.diplomacyStatementListener
this.diplomacyWarPeaceListener
this.directEdit
this.direction
this.directionMap
this.dirty
this.disable
this.disableButton
this.disableLayer
this.disableNavigation
this.disablePledgeButtons
this.disableSystems
this.disabled
this.disabledCursorAllowed
this.disabledDiv
this.disabledOverlay
this.disabledPlaceholder
this.disablesPausing
this.discardChannel
this.disconnect
this.discoveryHashes
this.dismiss
this.dismissAllNotifications
this.dismissButton
this.dismissButtonListener
this.dismissNotification
this.dispatchEvent
this.displayActiveCrisisPolicies
this.displayActiveNormalPolicies
this.displayAvailableCrisisPolicies
this.displayAvailableNormalPolicies
this.displayCityInspector
this.displayContainer
this.displayContinue
this.displayList
this.displayLocale
this.displayMessage
this.displayResolution
this.displayRewards
this.displayRibbonDetails
this.distance
this.districtAddedToMapHandle
this.div
this.dlcs
this.doActionOnPlot
this.doAddIDToViewItem
this.doAttach
this.doAudioSettings
this.doAutosaveIndicator
this.doBuildsUpdate
this.doDetach
this.doDisplaySettings
this.doForegroundCameraDolly
this.doFrame
this.doHOFCivSelected
this.doHighlights
this.doLegalDocs
this.doLogoTrain
this.doNameUpdate
this.doNavigate
this.doNextLogo
this.doOrConfirmConstruction
this.doRefresh
this.doRemoveIDFromViewItem
this.doSelect
this.doSelectorPositionUpdate
this.doSequenceSharedAdvance
this.doUnselect
this.document
this.documentClosePanelListener
this.documents
this.doughnutMode
this.dragInProgress
this.dragMouse
this.dragMouseEnd
this.dragMouseStart
this.dragMouseSwipe
this.dragMoveEventListener
this.dragStopEventListener
this.draw
this.drawActiveElementsOnTop
this.drawBackground
this.drawBody
this.drawBorder
this.drawCaret
this.drawDistributionGraph
this.drawFooter
this.drawFrame
this.drawGrid
this.drawLabels
this.drawTitle
this.drawerOut
this.drawingArea
this.driver
this.dropGamepadFocus
this.dropdownCallbacks
this.dropdownElements
this.dropdownItemSlot
this.dropdownItems
this.dropdownSlotItemFocusInListener
this.dropdownSlotItemFocusOutListener
this.dummy
this.dummyElement
this.dummyNotificationId
this.durationMs
this.dynRange
this.dynamicHighlights
this.eState
this.edgeArgsToId
this.edgeArgsToObj
this.edgeObjToId
this.editBox
this.editBoxAttributeMutateListener
this.editBoxGamepadText
this.editBoxObserver
this.editBoxValueChangeListener
this.editButtonBG
this.editButtonHoverBG
this.editableTextBox
this.editorControllerChooserNode
this.editorInputBindingPanelNode
this.editorKeybardBindingPanelNode
this.effectActivateListener
this.effectUsedListener
this.elapsed
this.element
this.elementToScrollTo
this.elements
this.emoticonButton
this.emoticonButtonActivateListener
this.emoticonButtonIcon
this.emoticonSelectListener
this.empireResourceFocusListener
this.emptyResourceFocusListener
this.emptySlotSelectedListener
this.enableButton
this.enableCloseSound
this.enableCollapseAllButton
this.enableExpandAllButton
this.enableLayer
this.enableLayers
this.enableMainMenuButtonbyName
this.enableNavigation
this.enableOpenSound
this.enableOptionSharing
this.enableShellNavControls
this.enableSystems
this.enabled2d
this.enabledLayers
this.enabledLegacyPathDefinitions
this.end
this.endAngle
this.endGameScreenElement
this.endGameTabs
this.endGameTabsFinalAge
this.endResultsFinishedListener
this.engineInputCaptureListener
this.engineInputEventHandlers
this.engineInputEventListener
this.engineInputListener
this.engineInputProxy
this.enhancerAmount
this.enhancerButton
this.enhancerDescription
this.enhancerIcon
this.enhancerIndex
this.enhancerName
this.enhancerTitle
this.ensurePanelContent
this.ensureScalesHaveIDs
this.enteredAdditionalContent
this.entries
this.entryListener
this.entrySelected
this.envRefCount
this.error
this.errorMessagesCodes
this.errorTextElement
this.event
this.eventAnimationListener
this.eventData
this.eventDescription
this.eventItems
this.eventQueue
this.eventReference
this.events
this.eventsGoContinueListener
this.eventsGoLoadListener
this.eventsGoMultiPlayerListener
this.eventsGoSinglePlayerListener
this.executeCodeRedemption
this.executeInEnvironment
this.executeReport
this.executeSearch
this.exists
this.exitBrowserDialogBoxID
this.exitGameErrorDialogBoxID
this.exitMPGame
this.exitSimpleDiplomacyScene
this.exitToDesktop
this.exitToMainMenu
this.expandButtonActivateListener
this.expandButtonFocusListener
this.expandButtonHoverListener
this.expandButtons
this.expandCollapseListener
this.expandIcon
this.expandPlotDataUpdatedEventListener
this.expandPlots
this.expandablePlots
this.experienceRing
this.expiration
this.expirationDelay
this.expirationHandler
this.expirationTimeout
this.extensions
this.extensionsContainer
this.extraRequirements
this.extractPlayers
this.fadeIn
this.fadeOutTimeoutCallback
this.fallbackCloseStartTime
this.fastForwardButton
this.fastForwardListener
this.fetchCredits
this.fetchSubtitles
this.fgColor
this.filePath
this.filigreeStyle
this.fill
this.filterAvailableCardsListener
this.filterButtonActivateListener
this.filterButtonBlurListener
this.filterButtonFocusListener
this.filterButtonIndex
this.filterButtons
this.filterCards
this.filterContainer
this.filterMementos
this.filterMenuItems
this.filterOut
this.filterPlayers
this.filterSettlementByType
this.findAll
this.findAngleDifference
this.findAngleFromCenter
this.findChapterTextKey
this.findCityCenterIndexForPlotIndex
this.findGameParameter
this.findHandler
this.findNearestValidElement
this.findNextTab
this.findNormalisedAngleDifference
this.findOrCreateRelationshipRow
this.findPageTextKey
this.findPlayer
this.findPlayerParameter
this.findPlotsForIndependent
this.findPlotsForPlayerOrCityState
this.findPointAngleFromCenter
this.findPreviousTab
this.findSectionTextKey
this.findSelectedUnitAction
this.findTarget
this.findText
this.findVariantSRGBColor
this.findViewItemByID
this.findViewItemByType
this.findWorst
this.find_angle
this.firstConstructibleSlot
this.firstFocus
this.firstLaunchTutorialPending
this.firstLeaderIndex
this.firstMeetOpenReactionsListener
this.firstMeetPlayerID
this.firstMeetReactionClosedListener
this.firstVisibleUnlockedItemIndex
this.fit
this.fixedPosition
this.fixedWorldAnchorsChangedListener
this.flagOffset
this.flagOffsetUpdateGate
this.flagRoots
this.flags
this.flashCostAnimationListener
this.focusActiveCrisisContainer
this.focusActivePolicyContainer
this.focusArea
this.focusAvailableCrisisContainer
this.focusAvailablePolicyContainer
this.focusBorder
this.focusBuildingListener
this.focusChain
this.focusCityList
this.focusCityState
this.focusCiv
this.focusCrisisWindow
this.focusDeg
this.focusGameList
this.focusInListener
this.focusItem
this.focusItemListElement
this.focusItems
this.focusLeaderHandler
this.focusListener
this.focusNotificationsListener
this.focusOutBuildingListener
this.focusOutListener
this.focusOutline
this.focusOverriden
this.focusOverviewWindow
this.focusPoliciesWindow
this.focusRing
this.focusSet
this.focusSlotGroup
this.focusState
this.focusSubsystemListener
this.focusTab
this.focusTime
this.focusUnitCityList
this.focusUnitCityListener
this.focusWorld
this.focusableElements
this.focusedPanel
this.font
this.fontData
this.fontFitClassName
this.fontMinSize
this.fontScale
this.fontScales
this.fontSizes
this.fontSizesCssRulesList
this.fontSizesStyleNode
this.foodNeededToGrow
this.foodPerTurn
this.foodQueueOrCityGrowthModeListener
this.foodToGrow
this.footer
this.for
this.forceCompleteButtonListener
this.forceCompleteNextPersistent
this.forceNextItemState
this.forcedUnread
this.formatDateToMinutes
this.formatNumber
this.forwardArrow
this.forwardContainer
this.foundReligion
this.foundationChallengesScrollable
this.foundationMeter
this.foundationRewardsScrollable
this.founderAmount
this.founderButtons
this.founderDescriptions
this.founderIcons
this.founderIndices
this.founderNames
this.founderTitle
this.fps
this.fragment
this.frame
this.frameAccumulated
this.frameElement
this.frameEngineInputListener
this.frameHandler
this.frameValues
this.friendId1p
this.friendIdT2gp
this.friendRowEngineInputListener
this.from
this.fromThisPlotYields
this.fullCircles
this.fullSize
this.fxsInDatabindAnchor
this.gameAbandonedListener
this.gameAgeEndedListener
this.gameCardActivateListener
this.gameCardConfirmListener
this.gameCardFocusListener
this.gameCards
this.gameCoreEventPlaybackCompleteListener
this.gameCreatorClosedListener
this.gameCreatorOpenedListener
this.gameName
this.gameParamContainer
this.gameParamEles
this.gameParameterCache
this.gameReportButtons
this.gameSetupPanel
this.gameSetupRevision
this.gameSpeed
this.gameStarted
this.gamepad
this.gamepadCameraPan
this.gamepadPanAnimationCallback
this.gamepadPanAnimationId
this.gamepadPanX
this.gamepadPanY
this.gamepadTooltip
this.gameplaySeuratIndex
this.gameplaySeuratPopulation
this.gameplayState
this.gamertag1p
this.gamertagT2gp
this.gemsContainer
this.generalNavTrayUpdate
this.generate
this.generateCivButtons
this.generateCivInfo
this.generateCollisionData
this.generateControlList
this.generateData
this.generateFontSizeRule
this.generateFontSizeRules
this.generateGrid
this.generateHexField
this.generateLayoutData
this.generateLeaderInfo
this.generateLinesData
this.generateNodeData
this.generateRewardsList
this.generateText
this.generateTickLabels
this.generateTiles
this.gestureIcon
this.gestureIconContainer
this.gestureIconText
this.gestureString
this.get
this.getAccountLinkPromptMsg
this.getActionStateButtonLabel
this.getActivatedNode
this.getActiveDimension
this.getAdjacencyBonuses
this.getAdvisorMileStones
this.getAdvisorStringByAdvisorType
this.getAdvisorTypeName
this.getAfterBody
this.getAgeClassName
this.getAgeSelectorBgName
this.getAgelessPageBackground
this.getAnalogJoystickPercentOutward
this.getAnchorPos
this.getAnimationByInspectingClasses
this.getAttribute
this.getBackdropByVictoryClass
this.getBaseValue
this.getBeforeBody
this.getBiomeLabel
this.getBody
this.getBoolAttribute
this.getBorderOverlay
this.getCard
this.getCardCategoryColor
this.getCardCategoryIconURL
this.getCaretPosition
this.getCategory
this.getCenterPoint
this.getChartOptions
this.getChoices
this.getCinematicDynamicCameraParams
this.getCinematicHeightFogParams
this.getCinematicPlotVFXAssetName
this.getCinematicScreenVFXAssetName
this.getCityCenterYields
this.getCityDistrictTypeYields
this.getCivBannerName
this.getCivName
this.getCivSidebarTraits
this.getCivilizationName
this.getCivilizationTooltip
this.getCompletedNode
this.getComponentIDAttribute
this.getComponentRoot
this.getConfigurationTabArray
this.getConquerorInfo
this.getConstructibleInfoByComponentID
this.getContent
this.getContentData
this.getContext
this.getContinentName
this.getContinentResearchState
this.getControllerMapActionElement
this.getCoordsFromTarget
this.getCostFromTargetList
this.getCosts
this.getCurrentPanels
this.getCurrentQuest
this.getCurrentSaveGameInfo
this.getCurrentScreens
this.getCurrentTarget
this.getCurrentTestDisplayName
this.getCurrentTestName
this.getDataTimestamps
this.getDataset
this.getDatasetMeta
this.getDebugLocation
this.getDecimalForPixel
this.getDecimalForValue
this.getDeckIdLoc
this.getDirectionNumberFromDirectionType
this.getDirectionString
this.getDirectionsFromPath
this.getDisplayName1PFromElement
this.getDisplayNameT2gpFromElement
this.getDistanceFromCenterForValue
this.getDistrictYields
this.getEditorControllerChooserItem
this.getElementInnerText
this.getElementParentPanel
this.getElements
this.getElementsAtEventForMode
this.getErrorMessageLocString
this.getExpandConstructibleForPlot
this.getFallbackAssetName
this.getFallbackBannerAssetName
this.getFallbackCinematicPlotVFXAssetName
this.getFallbackCinematicScreenVFXAssetName
this.getFallbackNarrativeGameAssetName
this.getFeatureLabel
this.getFirstIndexOfMinValue
this.getFlag
this.getFlagRoot
this.getFontSizeInScreenPixels
this.getFooter
this.getFoundationLevel
this.getFriendID
this.getFriendID1PFromElement
this.getFriendIDFromElement
this.getFriendIDT2gpFromElement
this.getGameValueDisplayItems
this.getGameValueDisplayItemsTree
this.getGamerTag
this.getGreatWorkDescription
this.getGroupRoot
this.getHTMLAttributeNumber
this.getHandler
this.getHarness
this.getHasFinishedLoop
this.getHolyCityName
this.getHorizontalOffsets
this.getIconClassByDisciplineName
this.getImg
this.getImprovementName
this.getIndBannerAssetName
this.getIndLeaderAssetName
this.getIndPrimaryColor
this.getIndSecondaryColor
this.getIndependentLightingAssetName
this.getIndexAngle
this.getIndexByEventName
this.getIndexWithinLoop
this.getIndyName
this.getInfoFromConstructible
this.getIsAtMaxSaveCount
this.getKickDecision
this.getLabel
this.getLabelTimestamps
this.getLabels
this.getLastSaveLeaderID
this.getLayoutGraph
this.getLeaderAssetName
this.getLeaderTooltip
this.getLeftLightingAssetName
this.getLegacyPathFromAdvisor
this.getLighitngGameAssetName
this.getLoopIndex
this.getMaintenances
this.getMatchingVisibleMetas
this.getMaxBorderWidth
this.getMaxOffset
this.getMaxOverflow
this.getMaxScoreForAdvisorType
this.getMementoSlotIcon
this.getMeta
this.getMinMax
this.getModName
this.getModifiedPanSpeed
this.getModifierStepLabel
this.getMovieVariants
this.getMuteLocString
this.getNameFromElement
this.getNarrativeGameAssetName
this.getNavigationHandler
this.getNewSaveNameDefault
this.getNextAnchorFromDirection
this.getNextCardFromRow
this.getNotificationIdFromEvent
this.getNotificationInfo
this.getNumFounderSlots
this.getNumOpenCrisisSlots
this.getNumOpenNormalSlots
this.getObjectColors
this.getObjectName
this.getOperationDefinition
this.getOptionReferenceNode
this.getOrCreateCategoryTab
this.getPage
this.getPageChapters
this.getPanelActionComponent
this.getParameterImage
this.getParsed
this.getPathVFXforPlot
this.getPersistentNode
this.getPixelForDecimal
this.getPixelForTick
this.getPixelForValue
this.getPlacementPlotData
this.getPlayerIDAttribute
this.getPlayerName
this.getPlotRoot
this.getPointLabelContext
this.getPointPosition
this.getPointPositionForValue
this.getPreviewModelGroup
this.getProjectType
this.getProps
this.getQuestsByAdvisor
this.getQuickJoinItemsData
this.getQuotes
this.getRandomColor
this.getReadyStatus
this.getRelationship
this.getRelationshipRow
this.getRemainingGlobalCountdown
this.getRequirements
this.getRequirementsText
this.getResource
this.getResponseTypeName
this.getRibbonDisplayTypesFromUserOptions
this.getRightLightingAssetName
this.getRiverLabel
this.getRouteName
this.getRow
this.getRule
this.getRulesMap
this.getScaleForId
this.getSelectedSaveGameInfo
this.getSharedOptions
this.getShowMutedIcon
this.getSlotByAnchors
this.getSortIndexByUserOption
this.getSortedVisibleDatasetMetas
this.getSpecialistDescription
this.getStateString
this.getStatementFrame
this.getStatusIconPath
this.getStepData
this.getStepValue
this.getStyle
this.getStyleHtml
this.getStylizedDisabledContentTooltipContent
this.getStylizedModsTooltipContent
this.getT2GPFriendId
this.getTabItems
this.getTarget
this.getTargetAtCursor
this.getTargetIndex
this.getTerrainLabel
this.getTests
this.getThumnail
this.getTickLimit
this.getTitle
this.getToolTip
this.getTooltip
this.getTooltipTypeName
this.getTopUnit
this.getTotalRatioOfItems
this.getTradeActionText
this.getTradeRouteStatusIcon
this.getTurnsUntilRazed
this.getTutorialDisplay
this.getUniqueQuarterDefinition
this.getUnitAbilitiesForOperationOrCommand
this.getUnitActionCategory
this.getUnitActions
this.getUnitCityID
this.getUnitCosts
this.getUnitRequirements
this.getUnitStats
this.getUnitUpgrades
this.getUnseenNode
this.getUserBounds
this.getUserProfileId
this.getValidUnitSelection
this.getValueDisplayString
this.getValueName
this.getVerticalOffsets
this.getVictoryCinematicAssetName
this.getVisibility
this.getWarehouseBonuses
this.getXYOffsetForPill
this.getYieldData
this.getYieldMap
this.getYields
this.gfxQuality
this.giftboxButton
this.giftboxButtonActivateListener
this.giftboxButtonContainer
this.giftboxButtonName
this.globalChatCommandHandler
this.globalChatIndex
this.globalCountdownIntervalHandle
this.globalCountdownRemainingSeconds
this.globalCssRulesList
this.globalHidden
this.globalHide
this.globalHideListener
this.globalPlotTooltipHideListener
this.globalPlotTooltipShowListener
this.globalScale
this.globalScaleStyleNode
this.globalShowListener
this.goContinue
this.goToBeliefChooser
this.goToEndGameOnClose
this.goToMainMenu
this.goToMainMenuListener
this.goToNewWindow
this.gotMOTD
this.graph
this.graphCanvas
this.graphConfig
this.graphData
this.graphicsOptions
this.greatWorkArchivedListener
this.greatWorkCreatedListener
this.greatWorkMovedListener
this.greatWorkSelectedListener
this.greatWorksHotkeyListener
this.gridButtonListener
this.group
this.groupBy
this.groupHeaders
this.groupNames
this.groupTag
this.groups
this.growthSlot
this.handleAccountLogin
this.handleAction
this.handleActiveDeviceChange
this.handleCardEngineInput
this.handleCardSelected
this.handleChatEngineInput
this.handleCivilizationSelection
this.handleClose
this.handleContentChange
this.handleDealStatement
this.handleDoubleClick
this.handleEngineInput
this.handleEvent
this.handleFocusAge
this.handleFocusIn
this.handleForceRenderOptions
this.handleForegroundCameraAnimationComplete
this.handleFrameEngineInput
this.handleGameCardFocus
this.handleHover
this.handleInputFilters
this.handleLeaderSelection
this.handleLoseFocus
this.handleMementoSelected
this.handleModToggle
this.handleMouseLeave
this.handleMove
this.handleNavNext
this.handleNavPrev
this.handleNavTo
this.handleNavigation
this.handlePlayerInfoNavigation
this.handleResize
this.handleResizeEventListener
this.handleScrollIntoView
this.handleSelectAge
this.handleSelectedPlot
this.handleSelectedPlotCity
this.handleSelectedPlotUnit
this.handleSelection
this.handleSlotGroupEngineInput
this.handleSlotSelected
this.handleSoftCursorInput
this.handleSpeakRequest
this.handleSwipe
this.handleTickRangeOptions
this.handleTouchPan
this.handleTouchPress
this.handleTouchTap
this.handleTradeRouteSelected
this.handleTriggerCallback
this.handleTunerAction
this.handleUnitSelectionChanged
this.handleUpdateSettings
this.handleYield
this.handlers
this.happinessIcon
this.happinessPerTurn
this.happinessStatusText
this.harness
this.hasAction
this.hasAttribute
this.hasCrisisPolicies
this.hasGraphicsOptions
this.hasHoveredWorkerPlot
this.hasInstanceOf
this.hasNormalPolicies
this.hasOptions
this.hasPreloadingBegun
this.hasQuote
this.hasSelectedCustomReligion
this.hasSelectedGreatWork
this.hasSelectedPlot
this.hasSelectedResource
this.hasShownEndGameScreen
this.hasSkipped
this.hasTownFocus
this.hasUnrest
this.hashPreamble
this.hdrSliderChangedListener
this.header
this.headerAllAvailable
this.headerContainer
this.headerElement
this.headerSpacings
this.headerText
this.headerTreeProgressContainer
this.healthValueDiv
this.height
this.helpCommandHandler
this.hidden
this.hiddenActionElements
this.hiddenActions
this.hiddenContainer
this.hide
this.hide2d
this.hideArrowElement
this.hideBlockerIcon
this.hideGift
this.hideHarness
this.hideHighlightListener
this.hideInspector
this.hideMultiplayerStatus
this.hideOnlineFeaturesUI
this.hideParentMenu
this.hidePlotVFX
this.hidePlotVFXListener
this.hidePromoLoadingSpinner
this.hideRibbonDetails
this.hideShowDialog
this.hideTimeout
this.hideTooltip
this.hideTooltips
this.hideUI
this.hiders
this.highestActiveUnrestDuration
this.highestScore
this.highlight
this.highlightDiv
this.highlightElement
this.highlightItem
this.highlightOverlay
this.highlightPlots
this.highlighters
this.highlights
this.historicalChoiceIcon
this.historicalChoiceIconLeader
this.historicalChoiceInfo
this.historicalChoiceReason
this.historicalChoiceText
this.historicalCivs
this.historicalReason
this.history
this.hofAgeSelectedListener
this.hofChart
this.hofCivSelectedListener
this.hofDifficultyDownListener
this.hofDifficultyUpListener
this.hofLeaderClickedListener
this.hofSpeedDownListener
this.hofSpeedUpListener
this.homeElement
this.homePage
this.horizontal
this.hostCreatingGameDialogBoxID
this.hostElement
this.hostIcon
this.hostLobbyButton
this.hotLinkToCivilopedia
this.hour
this.hover
this.hoverBackgroundColor
this.hoverBorderColor
this.hoverColor
this.hoverInfo
this.hoverNewPlot
this.hoveredElement
this.hoveredNodeID
this.hoveredPlayerID
this.hoveredPlotIndex
this.hoveredPlotWorkerIndex
this.hoveredPlotWorkerPlacementInfo
this.hoveredX
this.hoveredY
this.icon
this.iconActivatables
this.iconActivateListener
this.iconCallback
this.iconClassMap
this.iconColumn
this.iconContainer
this.iconContent
this.iconEle
this.iconElement
this.iconGroupElement
this.iconHeight
this.iconLockToggleFuncs
this.iconRoot
this.iconStartText
this.iconUrl
this.iconWidth
this.iconZOffset
this.iconsPayload
this.id
this.identifierRow
this.idle
this.idleElement
this.ignoreCursorTargetDueToDragging
this.ignoreParameters
this.imagePath
this.immediatelyHideTooltip
this.immediatelyShowTooltip
this.improvementSpriteGrid
this.improvements
this.improvementsCategory
this.improvementsList
this.inEdges
this.inNetwork
this.inSubScreen
this.inactiveHandler
this.inactiveRequests
this.includeOptions
this.increaseUiScale
this.incrementOrInitEntry
this.incrementOrientationIndex
this.independentID
this.index
this.indexAxis
this.inflateAmount
this.influenceContainer
this.influenceContainerImg
this.influenceDiplomacyBalanceContainer
this.infoContainer
this.init
this.initBordersForIndependent
this.initBordersForPlayer
this.initCities
this.initDataPopulationTimerHandle
this.initGraph
this.initOffsets
this.initPanel
this.initScrolling
this.initialFocus
this.initialLoadComplete
this.initialScale
 
Spoiler this.methods page 2 :

Code:
this.initialSetupDone
this.initialise
this.initialize
this.initializeActiveNarrativeQuests
this.initializeAiBuildingQueue
this.initializeAttributes
this.initializeCampaignSetupId
this.initializeListeners
this.initializePages
this.innerHTML
this.innerRadius
this.inputContainer
this.inputContext
this.inputControllerIcon
this.inputFilters
this.inputGraph
this.inputHandler
this.inputLayoutPrefix
this.inputSelector
this.insertAdjacentHTML
this.insertCivButtons
this.inspectCurrentDeal
this.inspector
this.inspectorContainer
this.installedInputHandler
this.installedMods
this.interactUnitHideListener
this.interactUnitShowListener
this.interactWithPromo
this.interactWithSelectedPromo
this.interaction
this.interfaceModeChangedListener
this.internetButton
this.internetButtonListener
this.intervalActive
this.intervalHandle
this.intervalHandler
this.intervalId
this.intervalLeft
this.invertCheckbox
this.invertCheckboxActivateListener
this.invertCheckboxFocusListener
this.invertCheckboxHoverListener
this.invitePlayer
this.ipflags
this.is1stParty
this.isACurrency
this.isAI
this.isAccountLoginPending
this.isActionButtonDisabled
this.isActive
this.isAdvancedStart
this.isAllResourcesInit
this.isAnimating
this.isArrowElementVisibile
this.isAtLeastOneCity
this.isAtWarWithPlayer
this.isAvailable
this.isBannerAlreadyCreated
this.isBeingRazed
this.isBodyCentered
this.isBusy
this.isCameraDynamic
this.isCarouselExpanded
this.isCarouselVisible
this.isChecked
this.isCityCenter
this.isClosed
this.isClosing
this.isClosingActionsPanel
this.isClosingFallback
this.isCommander
this.isCompleted
this.isConnected
this.isConnectedIcon
this.isConnectedIcon2
this.isContentEmpty
this.isCreated
this.isCrossplayReady
this.isCurrentClass
this.isCursorShowing
this.isCyclable
this.isDatasetVisible
this.isDeclareWarDiplomacyOpen
this.isDefined
this.isDisableFocusAllowed
this.isDisabled
this.isDistrictSelectable
this.isDraggingScroll
this.isEditing
this.isElement
this.isEmpty
this.isEntrySupportSelectingResource
this.isExplorationAge
this.isFOWNavigationAllowed
this.isFeedbackEnabled
this.isFilterUp
this.isFirstBoot
this.isFirstCivic
this.isFirstMeetDiplomacyOpen
this.isFirstTech
this.isFirstTimeCreateGame
this.isFocusLocked
this.isFogChanged
this.isFullAccountLinked
this.isFullAccountLinkedAndConnected
this.isFullAccountLinkedOnline
this.isGameInvite
this.isGamepadActive
this.isGraphicsBenchmark
this.isGreatWorksInit
this.isHandleGamepadPan
this.isHarnessHidden
this.isHidden
this.isHorizontal
this.isInArmy
this.isInDetails
this.isInactive
this.isInitialLoadComplete
this.isInitialRefreshDone
this.isItemExist
this.isLastPlayerInMPTurn
this.isLaunchToHostMP
this.isLeaderCameraActive
this.isLeaderShowing
this.isLocalCrossplayEnabled
this.isLocalPlayerInitiator
this.isLocalPlayerReady
this.isLocalPlayerTurn
this.isLocked
this.isLoggedIn
this.isManagerActive
this.isMinimizeDisabled
this.isMinimized
this.isMissingMods
this.isModern
this.isModernAge
this.isMouse
this.isMouseOver
this.isNaturalWonder
this.isNavigationEnabled
this.isNewDeal
this.isNoSelection
this.isNotificationPanelRaised
this.isNotificationVisible
this.isOnUI
this.isOpen
this.isPanning
this.isPersistent
this.isPlaceholderActive
this.isPlotIndexSelectable
this.isPlotProposed
this.isPointInArea
this.isProgressionShown
this.isPurchase
this.isPurchasing
this.isRadialOpened
this.isRangedAttacking
this.isRepairing
this.isReplaying
this.isRightHostile
this.isRunning
this.isScreenSmallMode
this.isScrollAtBottom
this.isScrollAtEnd
this.isSearchingChangeCallbacks
this.isSelectHighlight
this.isSelected
this.isSelectedPromoInteractable
this.isSessionStartup
this.isShowing
this.isShowingActionResponse
this.isShowingDebug
this.isShownByTimeout
this.isSkipAllowed
this.isSmallCard
this.isSmallScreen
this.isSoundDisabled
this.isSoundEnabled
this.isSpeakingRequest
this.isSubscribed
this.isSuspended
this.isT2GP
this.isTargetDistrict
this.isTargetPlotOperation
this.isTargetProfileHidden
this.isTargetSendToPanelTrayHidden
this.isText
this.isTextContentElement
this.isTextToSpeechOnHoverEnabled
this.isTiny
this.isToggledOn
this.isTopFocused
this.isTouchTooltip
this.isTown
this.isTracked
this.isTrayRequired
this.isUIReloadRequired
this.isUnitInArmy
this.isUnitSelected
this.isUnseen
this.isUserInitiatedLogout
this.isUsingGlobalCountdown
this.isValidState
this.isVertical
this.isWaitingForStatement
this.isWorldFocused
this.itemActionActivateListener
this.itemBlurListener
this.itemContainer
this.itemElementMap
this.itemEngineInputListener
this.itemFocusListener
this.itemID
this.itemList
this.itemName
this.itemNameElement
this.items
this.joinButton
this.joinButtonActivateListener
this.joinCode
this.joinCodeButton
this.joinCodeButtonActivateListener
this.joinCodeShowing
this.joinCodeShown
this.joinCompleteListener
this.joinFailListener
this.joinGameName
this.joinPrompts
this.keepButton
this.keepSettlementSelected
this.keepSettlementSelectedListener
this.keyDownListener
this.keyPressListener
this.keyboardCameraModifierActive
this.keyboardPanDirection
this.keyboardPanDown
this.keyboardPanLeft
this.keyboardPanRight
this.keyboardPanUp
this.kick
this.kickHeader
this.kickTimerExpired
this.kickTimerListener
this.kickTimerReference
this.kickVoteLockout
this.label
this.labelColors
this.labelEle
this.labelElement
this.labelPointStyles
this.labelRotation
this.labelTextColors
this.landClaimFlagGroup
this.landClaimPlotMap
this.landClaimTextMap
this.landmarkOverlay
this.landmarkOverlayGroup
this.lang
this.last
this.lastActivatedComponent
this.lastAgeChrono
this.lastAgeTabItems
this.lastAnimationTime
this.lastAnimationTurn
this.lastChangedParameter
this.lastCursorPos
this.lastEventTimeStamp
this.lastFocusedPanel
this.lastFocusedTree
this.lastFrameTime
this.lastHoveredPlot
this.lastItemID
this.lastMinimapPos
this.lastMouseDragPos
this.lastMoveCoordX
this.lastMoveNavDirection
this.lastPage
this.lastPanTimestamp
this.lastPlayerMessageContainer
this.lastPlayerMessageHide
this.lastPlayerMessageShow
this.lastPlayerMessageVisibility
this.lastPosition
this.lastRequest
this.lastSelectedElementId
this.lastSelectedTarget
this.lastTime
this.lastValue
this.lastZoomLevel
this.latestResource
this.launchSubScreen
this.layerCheckboxContainer
this.layerElementMap
this.layers
this.layoutGraph
this.leader
this.leader3DBannerLeft
this.leader3DBannerRight
this.leader3DMarkerCenter
this.leader3DMarkerLeft
this.leader3DMarkerRight
this.leader3DModel
this.leader3DModelLeft
this.leader3DModelRight
this.leader3DRevealFlagMarker
this.leader3dMarker
this.leaderAnimationJustStarted
this.leaderBox
this.leaderBoxAge
this.leaderBoxCiv
this.leaderBoxLeader
this.leaderBoxLeaderToAge
this.leaderBoxLeaderToCiv
this.leaderButtonListener
this.leaderButtons
this.leaderCameraOffset
this.leaderChallengesScrollable
this.leaderCiv
this.leaderCivChoice
this.leaderData
this.leaderFocusListener
this.leaderIcon
this.leaderIconURLGetter
this.leaderIndexToPreload
this.leaderLeftAnimationJustStarted
this.leaderLevel
this.leaderList
this.leaderMeter
this.leaderModelGroup
this.leaderNameElement
this.leaderNames
this.leaderOptions
this.leaderPedestalModelGroup
this.leaderRewardsScrollable
this.leaderRightAnimationJustStarted
this.leaderSelectModelGroup
this.leaderSequenceGate
this.leaderSequenceStepID
this.leaderSort
this.leaderboardFetchedListener
this.leadersLeftListener
this.leadersRightListener
this.leadersTestModelGroup
this.learnMore
this.leavingSubScreen
this.left
this.leftAnimState
this.leftAnimationStartTime
this.leftArea
this.leftArrow
this.leftArrowClickEventListener
this.leftMask
this.leftNavHelp
this.leftPledgeButton
this.leftPledgePlayers
this.leftRing
this.leftScrollArrow
this.leftSectionContent
this.leftSectionHeader
this.leftSectionTop
this.leftStepperArrow
this.leftValue
this.legacyPathClass
this.legalContainer
this.legalDocsEngineInputListener
this.legalDocumentAcceptedResultListener
this.legalListener
this.legalScrollableView
this.legalTimeoutListener
this.legendHitBoxes
this.legendItems
this.legendPath
this.legendsData
this.lensElementMap
this.lensPanel
this.lensPanelComponent
this.lensPanelState
this.lensRadioButtonContainer
this.lensRadioButtons
this.lenses
this.lessOffset
this.lessThan
this.level
this.lightGraph
this.lightTintOffset
this.lineStyles
this.lineWidths
this.lines
this.linkButtonActivateListener
this.linkButtons
this.linkScales
this.list
this.listContainer
this.listScrollable
this.listVisibilityToggle
this.listVisibilityToggleListener
this.listings
this.liveEventsSettingsChangeListener
this.loadButton
this.loadButtonActionActivateListener
this.loadCardLists
this.loadCards
this.loadGameButton
this.loadGameButtonActivateListener
this.loadGameButtonListener
this.loadGameByName
this.loadLastGame
this.loadListener
this.loadSave
this.loadStyle
this.loadUpdateCity
this.loadViewTemplate
this.loadingAnimationContainer
this.loadingContainer
this.loadingDescription
this.lobbyPlayerId
this.lobbyRowEngineInputListener
this.lobbyShutdownListener
this.lobbyUpdateListener
this.localButton
this.localButtonListener
this.localPlayer
this.localPlayerData
this.localPlayerDealContainer
this.localPlayerFilligree
this.localPlayerReceivesTitle
this.localPlayerReceivesTitleWrapper
this.localPlayerTurnBeginListener
this.location
this.lock2d
this.lockIcon
this.locked
this.lockedInfo
this.logedOuts
this.logoTrainEngineInputListener
this.logoTrainMovie
this.logoTrainVideoEndedListener
this.lookAt
this.loseFocusEvent
this.loseFocusEventListener
this.lowerCallout
this.lowerDialog
this.lowerEvent
this.lowerQuestPanel
this.lowerShroud
this.lowerTutorialCalloutListener
this.lowerTutorialDialogListener
this.lowerTutorialQuestPanelListener
this.lowerUnitSelectionListener
this.lvlEle
this.lvlRingEle
this.madeRankString
this.mainCard
this.mainContainer
this.mainContent
this.mainMenuActivated
this.mainMenuButtons
this.mainMenuNotificationBadge
this.mainPledgeContainer
this.mainSlot
this.mainText
this.mainTextContainer
this.mainYieldWrapper
this.maintainAspectRatio
this.maintenance
this.maintenanceContainer
this.maintenanceCostText
this.maintenanceEntriesContainer
this.majorActionsSlot
this.makeAnchorWithStoryCoordinates
this.makeCardEntryFromAgeCardInfo
this.makeCommandList
this.makeCosts
this.makeHash
this.makeInputs
this.makeNextInput
this.makeWorldAnchor
this.mapActionelements
this.mapBottomBorderTiles
this.mapFocused
this.mapHeight
this.mapHighlight
this.mapImage
this.mapLastCursor
this.mapTopBorderTiles
this.mapType
this.mapWidth
this.mappingDataMap
this.markAllAsSeenListener
this.markupMessage
this.masteryIconPath
this.matchmakeCompleteListener
this.matchmakeFailListener
this.max
this.maxCameraDistance
this.maxCrisisPoliciesOnOverview
this.maxHeight
this.maxNormalPoliciesOnOverview
this.maxScroll
this.maxScrollLeft
this.maxScrollOnScrollAreaInPixels
this.maxScrollTop
this.maxSlotsMessage
this.maxThumbPosition
this.maxValue
this.maxWidth
this.maximumPlacesToShow
this.mediaFontSizesCssRulesList
this.mediaFontSizesStyleNode
this.mediaQueryFontSizes
this.mementoContainer
this.mementoDisplayData
this.mementoElements
this.mementoEles
this.mementoSlotEles
this.mementosButtonActivateListener
this.mementosData
this.mementosHeaderElement
this.mementosSection
this.menuState
this.menuZoneIndex
this.menuZones
this.menus
this.mileStoneData
this.milestoneDefinition
this.min
this.minValue
this.miniMapButtonRow
this.miniMapChatButton
this.miniMapLensButton
this.miniMapLensDisplayOptionName
this.miniMapRadialButton
this.miniMapTopContainer
this.minimapImageEngineInputListener
this.minimized
this.minusBg
this.minusBgHighlight
this.minusButton
this.minusContainer
this.missingServices
this.modAuthorText
this.modDateText
this.modDependenciesContent
this.modDescriptionText
this.modEntries
this.modNameHeader
this.modToggledActivateListener
this.modalFrame
this.modalStyle
this.mode
this.model
this.model3D
this.modelGroup
this.mods
this.modsContent
this.modulesToExclude
this.moreOffset
this.motdCompletedListener
this.motdDisplay
this.mouse
this.mouseCoordinatesToScroll
this.mouseDownListener
this.mouseEnterEventListener
this.mouseEnterListener
this.mouseLeaveEventListener
this.mouseLeaveListener
this.mouseLeaveTimeout
this.mouseMoveDeadzone
this.mouseMoveEventListener
this.mouseMoveListener
this.mouseOutBuildingListener
this.mouseOverBuildingListener
this.mouseOverListener
this.mouseUpListener
this.moveCursorListener
this.moveDealItem
this.moveFocus
this.moveItemLast
this.moveItemUp
this.movePathModelMap
this.movePlotCursor
this.moveSoftCursorEventListener
this.moveThroughItemIndex
this.moveValueDiv
this.movementCounterLastVisibleHeight
this.movementModelGroup
this.movementPathColor
this.movementPathLastVisibleHeight
this.movieCanPlayListener
this.movieContainer
this.movieEndedListener
this.movieErrorListener
this.movieInProgress
this.moviePlayingListener
this.movieSkipListener
this.movieSort
this.movieVariants
this.mpBrowserChooserNode
this.mpGameListCompleteListener
this.mpGameListUpdatedListener
this.multiPlayerListener
this.multiplayerGameAbandonedListener
this.multiplayerGameLastPlayerListener
this.multiplayerStringCode
this.musicIndex
this.mustAddPantheons
this.mustCreateReligion
this.mutateRepositionHandle
this.mute
this.mutiplayerCodeButtonListener
this.nFrames
this.name
this.nameContainer
this.nameEditCloseButton
this.nameEditConfirmButton
this.nameEditTextBox
this.nameElement
this.narrativeQuestCompleteListener
this.narrativeQuestUpdateListener
this.narrativeSceneModelGroup
this.naturalWonderCoords
this.naturalWonderRevealedListener
this.navComponent
this.navContainer
this.navControlTabs
this.navControls
this.navHandler
this.navHelp
this.navHelpContainer
this.navHelpLeftElement
this.navHelpRightElement
this.navRepeat
this.navigate
this.navigateCommendations
this.navigateFilters
this.navigateInputEventListener
this.navigateInputListener
this.navigateListener
this.navigateSearch
this.navigateTo
this.navigateTree
this.navigationInputListener
this.needKickDecision
this.needRebuild
this.needReloadRefCount
this.needRestartRefCount
this.needUpdate
this.needsUpdate
this.negativeReactionPlayed
this.networkFriendID
this.networkSimplexRanker
this.nextAction
this.nextActionHotKeyListener
this.nextArrow
this.nextButton
this.nextCityButton
this.nextDocument
this.nextID
this.nextItemActivate
this.nextLevelUnlockEle
this.nextListener
this.nextPromoAdded
this.nextSubScreen
this.noChildPermissionDialogBoxID
this.noCustomize
this.noPremiumDialogBoxID
this.noSelectionCaption
this.noSelectionElement
this.node
this.nodeDefinition
this.nodeIcon
this.nodes
this.nonLockedFocus
this.normalize
this.normalizeRanks
this.noticeQueue
this.notificationActivatedListener
this.notificationAddedEventListener
this.notificationAddedListener
this.notificationButton
this.notificationCards
this.notificationChooserNode
this.notificationCount
this.notificationEngineInputListener
this.notificationHideEventListener
this.notificationHighlightEventListener
this.notificationID
this.notificationIcon
this.notificationList
this.notificationRebuildEventListener
this.notificationRebuildListener
this.notificationRemovedEventListener
this.notificationRemovedListener
this.notificationSlots
this.notificationUnHighlightEventListener
this.notificationUpdateEventListener
this.notificationUpdateListener
this.notifications
this.notificationsData
this.notificationsInputListener
this.notifyIsSearchingChange
this.notifyPlugins
this.numAnimatingNotifs
this.numLeadersToShow
this.numPantheonsToAdd
this.numSpecialistsMessage
this.numTabs
this.numberOfFramesWithoutChildFocus
this.observe
this.observer
this.observerCallback
this.observerConfig
this.occupied
this.occupiedIcon
this.occupiedText
this.occupiedWrapper
this.offStateElements
this.offsetX
this.offsetY
this.okayPlots
this.onAbandonedConfirm
this.onAcceptButtonPressed
this.onAcceptChanges
this.onAcceptGameInvite
this.onAcceptRequest
this.onAccountLoggedOut
this.onAccountUpdated
this.onActionA
this.onActionActivate
this.onActionActivateNotification
this.onActionB
this.onActionButton
this.onActionCanceled
this.onActionChosen
this.onActionDetailsClosed
this.onActionMoveCursor
this.onActionPanelBlockerActivated
this.onActivatableBlur
this.onActivatableBlurEventListener
this.onActivatableEngineInput
this.onActivatableEngineInputEventListener
this.onActivatableFocus
this.onActivatableFocusEventListener
this.onActivatableMouseLeave
this.onActivatableMouseLeaveEventListener
this.onActivate
this.onActivateCheck
this.onActivateCultureListItem
this.onActivateCulturelistItem
this.onActivateEventListener
this.onActivateTechListItem
this.onActivateTechlistItem
this.onActiveContextChanged
this.onActiveDeviceChange
this.onActiveDeviceChanged
this.onActiveDeviceTypeChange
this.onActiveDeviceTypeChanged
this.onActiveLensChanged
this.onActiveLensChangedListener
this.onActiveLiveEvent
this.onActivePolicySelected
this.onActivityHostMPGame
this.onActivityLoadLastSaveGame
this.onAddFriend
this.onAddIcon
this.onAdditionalContentButtonPressed
this.onAdvancedStartEffectUsed
this.onAdvisorButtonSelected
this.onAffinityLevelChanged
this.onAgeButtonSelected
this.onAgeEnded
this.onAgeOver
this.onAgeRankingTabBarSelected
this.onAiBenchmark
this.onAnimationEnd
this.onArmyActionActivated
this.onArmyButtonActivated
this.onArrowButton
this.onAssignedResourceActivate
this.onAssignedResourceEngineInput
this.onAssignedResourceFocus
this.onAttributeChanged
this.onAttributePointsUpdated
this.onAttributesHotkey
this.onAudioLanguageChange
this.onAutoPlayEnd
this.onAutomatch
this.onAutomationAppInitComplete
this.onAutomationComplete
this.onAutomationEvent
this.onAutomationGameStarted
this.onAutomationMainMenuStarted
this.onAutomationPostGameInitialization
this.onAutomationRunTest
this.onAutomationStart
this.onAutomationStopTest
this.onAutomationTestComplete
this.onAutomationTestFailed
this.onAutomationTestPassed
this.onAutoplayEnd
this.onAutoplayStarted
this.onAvailableCardActivate
this.onAvailablePolicySelected
this.onAvailableResourceActivate
this.onAvailableResourceFocus
this.onBack
this.onBackButton
this.onBackButtonActionActivate
this.onBackButtonActivate
this.onBackButtonListener
this.onBackToMultiplayerMenu
this.onBannerFadedOut
this.onBeliefButtonActivated
this.onBeliefChoiceMade
this.onBeliefOptionActivated
this.onBenchmarkCooled
this.onBenchmarkEnded
this.onBenchmarkStarted
this.onBenchmarkSwapped
this.onBenchmarkTerminated
this.onBenchmarkUpdate
this.onBenchmarkUpdated
this.onBenchmarkWarmed
this.onBlock
this.onBlockedPlayerRowEngineInput
this.onBlur
this.onBlurEventListener
this.onBonusResourceListFocused
this.onBonusResourceListFocusedListener
this.onBuildingPlacementPlotChanged
this.onButtonActivated
this.onButtonFocused
this.onCalibrateHDRClosed
this.onCalibrateHDROpened
this.onCalloutMinimizeToggle
this.onCameraChanged
this.onCancel
this.onCancelButtonPressed
this.onCancelChanges
this.onCancelEdit
this.onCancelOptions
this.onCancelRequest
this.onCapitalCityChanged
this.onCardActivate
this.onCardActivateListener
this.onCardAdded
this.onCardConfirm
this.onCardEngineInput
this.onCardFocus
this.onCardHover
this.onCardHoverListener
this.onCardRemovedListener
this.onCardScale
this.onCarouselBack
this.onCarouselEngineInput
this.onCarouselInteract
this.onCarouselLeft
this.onCarouselRight
this.onChallengeCategorySelected
this.onChallengeTabSelected
this.onChallenges
this.onChangePolicies
this.onChatEngineInput
this.onChatFocus
this.onCheckReadyState
this.onChildHidden
this.onChildHiddenListener
this.onChildNoPermissionsDialog
this.onChildShown
this.onChildShownListener
this.onChildrenChanged
this.onChooserItemActivate
this.onChooserItemFocus
this.onChooserItemHover
this.onChooserItemSelected
this.onCityActivate
this.onCityAddedToMap
this.onCityDetailsActivated
this.onCityDetailsClosed
this.onCityDetailsClosedListener
this.onCityEngineInput
this.onCityFocus
this.onCityFoodQueueUpdated
this.onCityGovernmentLevelChanged
this.onCityGrowthModeChanged
this.onCityInitialized
this.onCityIntegrated
this.onCityListFocused
this.onCityListFocusedListener
this.onCityMadePurchase
this.onCityNameChanged
this.onCityPopulationChanged
this.onCityProductionChanged
this.onCityProductionQueueChanged
this.onCityProductionUpdated
this.onCityProjectCompleted
this.onCityReligionChanged
this.onCityRemovedFromMap
this.onCityResourceContainerFocus
this.onCitySelectionChanged
this.onCitySelectionChangedListener
this.onCityStateBonusChosen
this.onCityTransfered
this.onCityUnfocus
this.onCityYieldChanged
this.onCityYieldGranted
this.onCityYieldOrPopulationChanged
this.onCivilopediaButtonInput
this.onCivilopediaHotkey
this.onCleanUp
this.onClick
this.onClickDownArrow
this.onClickListener
this.onClickOutside
this.onClickOutsideEventListener
this.onClickUpArrow
this.onClickedAccount
this.onClickedBadge
this.onClickedBanner
this.onClickedBorder
this.onClickedColor
this.onClickedHOFDiffDown
this.onClickedHOFDiffUp
this.onClickedHOFLeader
this.onClickedHOFSpeedDown
this.onClickedHOFSpeedUp
this.onClickedMarkAllAsSeen
this.onClickedProgressLeaderButton
this.onClickedProgression
this.onClickedTitle
this.onClose
this.onCloseBeliefChoiceMenu
this.onCloseButton
this.onCloseButtonActivate
this.onCloseButtonListener
this.onCloseCinematic
this.onCloseFromPause
this.onCloseListener
this.onCloseRequest
this.onCloseTownFocusPanel
this.onCodesRedeemUpdate
this.onCollapseActionSection
this.onCollapseToggle
this.onCollapseToggleActivated
this.onCombat
this.onCommanderEditPressed
this.onCommanderEditPressedListener
this.onCommanderNameConfirmed
this.onCommanderNameConfirmedListener
this.onCompleteCheck
this.onConfirm
this.onConfirmButton
this.onConfirmChangeActivate
this.onConfirmDeck
this.onConfirmListener
this.onConfirmOptions
this.onConnectionStatusChanged
this.onConstructibleAddedToMap
this.onConstructibleChange
this.onConstructibleChanged
this.onConstructibleRemovedFromMap
this.onConstructibleVisibilityChanged
this.onContextChange
this.onContextClose
this.onContinue
this.onContinueButton
this.onContinueEvent
this.onCreateAttempt
this.onCreateComplete
this.onCreateFail
this.onCreateGame
this.onCreateGameButtonActivate
this.onCredits
this.onCreditsClosed
this.onCreditsOpened
this.onCultureHotkey
this.onCultureNodeCompleted
this.onCultureUpdated
this.onCultureYieldChanged
this.onCurrentFocusChanged
this.onCurrentFocusItemSelected
this.onCursorUpdated
this.onCustomEvent
this.onDataUpdate
this.onDealProposalResponse
this.onDebugWidgetUpdated
this.onDeclineGameInvite
this.onDeclineRequest
this.onDefaultOptions
this.onDeleteButtonActionActivate
this.onDeviceTypeChanged
this.onDiploEventResponse
this.onDiplomacyAnimationFinished
this.onDiplomacyDeclareWar
this.onDiplomacyEventEnded
this.onDiplomacyEventResponse
this.onDiplomacyEventStarted
this.onDiplomacyEventSupportChanged
this.onDiplomacyMakePeace
this.onDiplomacyMeet
this.onDiplomacyQueueChanged
this.onDiplomacyRelationshipChanged
this.onDiplomacySessionClosed
this.onDiplomacyStatement
this.onDiplomacyTreasuryChanged
this.onDiplomacyWarPeace
this.onDiplomacyWarUpdate
this.onDisableBanners
this.onDisableFlags
this.onDiscard
this.onDisconnection
this.onDismiss
this.onDismissNotification
this.onDisplayLanguageChange
this.onDistrictAddedToMap
this.onDistrictControlChanged
this.onDistrictDamageChanged
this.onDistrictRemovedFromMap
this.onDoubleClick
this.onDragMove
this.onDragStart
this.onDragStop
this.onDropdownSlotItemFocusIn
this.onDropdownSlotItemFocusOut
this.onEditBoxAttributeMutate
this.onEditBoxValueChange
this.onEditToggleActivated
this.onEditToggleActivatedListener
this.onEffectActivate
this.onEffectUsed
this.onElementUnfocused
this.onEmoticonButtonActivate
this.onEmoticonSelect
this.onEmpireResourceFocus
this.onEmptyResourceFocus
this.onEmptySlotSelected
this.onEnableBanners
this.onEnableFlags
this.onEndResultsFinished
this.onEngineEvent
this.onEngineInput
this.onEngineInputCapture
this.onEngineInputEventListener
this.onEngineInputListener
this.onEngineInputLogoTrain
this.onEngineInputMinimize
this.onError_SearchIsTakingALongTime
this.onEventPlaybackComplete
this.onEventRules
this.onEventsGoContinue
this.onEventsGoLoad
this.onEventsGoMP
this.onEventsGoSP
this.onExitToDesktopButton
this.onExitToMainMenuButton
this.onExpandButtonActivate
this.onExpandButtonFocus
this.onExpandButtonHover
this.onExtraContent
this.onExtraContentListener
this.onFactoryResourceListFocused
this.onFactoryResourceListFocusedListener
this.onFastForward
this.onFileListQueryResults
this.onFilterButtonActivate
this.onFilterButtonBlur
this.onFilterButtonFocus
this.onFirstMeetOpenReactions
this.onFirstMeetReactionClosed
this.onFixedWorldAnchorsChanged
this.onFlashAnimationEnd
this.onFocus
this.onFocusBuilding
this.onFocusCityViewEvent
this.onFocusIn
this.onFocusNotifications
this.onFocusOut
this.onFocusOutBuilding
this.onFocusPlotCursor
this.onFocusSubsystem
this.onFontScaleChange
this.onForceComplete
this.onFrameEngineInput
this.onFrameUpdate
this.onFriendRowEngineInput
this.onGameAbandoned
this.onGameAgeEndedListener
this.onGameBrowse
this.onGameCardActivate
this.onGameCardConfirm
this.onGameCardFocus
this.onGameCoreEventPlaybackCompleteListener
this.onGameCreatorClosed
this.onGameCreatorOpened
this.onGameQueryResult
this.onGameStarted
this.onGameSummaryTabBarSelected
this.onGamepadCameraPan
this.onGamepadPan
this.onGamepadPanUpdate
this.onGiftboxButtonActivate
this.onGlobalHide
this.onGlobalHideListener
this.onGlobalPlotTooltipHide
this.onGlobalPlotTooltipShow
this.onGlobalScaleChange
this.onGlobalShow
this.onGlobalShowListener
this.onGlobalTokensChanged
this.onGraphicsBenchmark
this.onGreatWorkArchived
this.onGreatWorkCreated
this.onGreatWorkMoved
this.onGreatWorkSelected
this.onGreatWorkUnhovered
this.onGreatWorksHotkey
this.onHdrOptionChanged
this.onHideHighlight
this.onHostLobby
this.onHostLobbyListener
this.onHotLinkToFullGrid
this.onHover
this.onIconActivate
this.onInitialize
this.onInputActionBinded
this.onInputGestureRecorded
this.onInteractUnitHide
this.onInteractUnitShow
this.onInterfaceModeChanged
this.onInternet
this.onInterval
this.onInvertCheckboxActivate
this.onInvertCheckboxFocus
this.onInvertCheckboxHover
this.onInviteAccepted
this.onInviteToJoin
this.onItemActionActivate
this.onItemBlur
this.onItemEngineInput
this.onItemFocus
this.onItemSelected
this.onJoinButtonActivate
this.onJoinCodeButton
this.onJoinCodeButtonActivate
this.onJoinCodeButtonActivated
this.onJoinCodeButtonActivatedListener
this.onJoinComplete
this.onJoinFail
this.onJoinSuccess
this.onJoiningFail
this.onJoiningInProgress
this.onKeyDown
this.onKeyPress
this.onKeyboardCameraModifier
this.onKick
this.onKickDirectComplete
this.onKickVoteComplete
this.onKickVoteStarted
this.onLaunchHostMPGameListener
this.onLaunchToHostMPGame
this.onLayerHotkey
this.onLayerHotkeyListener
this.onLeftArrowActivateListener
this.onLeftArrowClick
this.onLeftScrollArrow
this.onLegacyPathMilestoneCompleted
this.onLegal
this.onLegalDocsAccepted
this.onLegalDocsEngineInput
this.onLegalDocumentContentReceived
this.onLegalTimeout
this.onLensChange
this.onLensLayerDisabled
this.onLensLayerEnabled
this.onLinkButtonActivate
this.onLiveEventsSettingsChanged
this.onLoadButtonActionActivate
this.onLoadComplete
this.onLoadConfig
this.onLoadConfigListener
this.onLoadEvent
this.onLoadGame
this.onLoadGameButton
this.onLoadGameButtonActivate
this.onLobbyCreated
this.onLobbyError
this.onLobbyRowEngineInput
this.onLobbyShutdown
this.onLobbyUpdate
this.onLocal
this.onLocalPlayerChanged
this.onLocalPlayerTurnBegin
this.onLocalPlayerTurnEnd
this.onLogoutListener
this.onLogoutResults
this.onLoseFocus
this.onLowerArmyPanel
this.onLowerTutorialCallout
this.onLowerTutorialDialog
this.onLowerTutorialQuestPanel
this.onLowerUnitSelection
this.onMatchmakeComplete
this.onMatchmakeFail
this.onMementosButtonActivate
this.onMetagamingStatusChanged
this.onMinimapImageEngineInput
this.onModActivate
this.onModActivateListener
this.onModFocus
this.onModFocusListener
this.onModToggled
this.onModelUpdate
this.onMouseDown
this.onMouseDragEnd
this.onMouseDragStart
this.onMouseEnter
this.onMouseLeave
this.onMouseMove
this.onMouseOutBuilding
this.onMouseOverBuilding
this.onMouseUp
this.onMouseenter
this.onMovePlotCursor
this.onMoveSoftCursor
this.onMovieEnded
this.onMovieError
this.onMoviePlaying
this.onMovieReadyToPlay
this.onMultiPlayer
this.onMultiplayerChat
this.onMultiplayerGameAbandoned
this.onMultiplayerGameLastPlayer
this.onMultiplayerGameListClear
this.onMultiplayerGameListComplete
this.onMultiplayerGameListError
this.onMultiplayerGameListUpdated
this.onMultiplayerHostMigrated
this.onMultiplayerJoinRoomFailed
this.onMutate
this.onMute
this.onNameConfirmed
this.onNarrativeQuestComplete
this.onNarrativeQuestUpdate
this.onNaturalWonderRevealed
this.onNavigate
this.onNavigateBack
this.onNavigateForward
this.onNavigateHome
this.onNavigateInput
this.onNavigateListener
this.onNavigatePage
this.onNavigateToElement
this.onNavigationInput
this.onNetworkConnectionStatusChangedListener
this.onNewCampaignStart
this.onNewUserLogin
this.onNextArrow
this.onNextArrowListener
this.onNextCityButton
this.onNextCityButtonListener
this.onNextDiplomacyDialog
this.onNextPage
this.onNoButtonPressed
this.onNoMoreTurnsButton
this.onNotificationActivated
this.onNotificationAdded
this.onNotificationDismissed
this.onNotificationEngineInput
this.onNotificationHide
this.onNotificationHighlight
this.onNotificationRebuild
this.onNotificationRemoved
this.onNotificationUnHighlight
this.onNotificationUpdate
this.onNotificationUpdated
this.onNotificationsRowEngineInput
this.onObsoleteCheck
this.onOpenGreatWorks
this.onOpenMobileTrain
this.onOpenPlayerActions
this.onOpenPolicies
this.onOpenResourceAllocation
this.onOpenSearch
this.onOpenUnlocks
this.onOption
this.onOptionsButton
this.onOptionsTabSelected
this.onOverwriteButtonActionActivate
this.onPageReady
this.onPause
this.onPediaSearchClose
this.onPlaybackResumed
this.onPlaybackStalled
this.onPlayerAgeTransitionComplete
this.onPlayerConnected
this.onPlayerDefeated
this.onPlayerDisconnected
this.onPlayerInfoChanged
this.onPlayerInfoEngineInput
this.onPlayerInfoFocus
this.onPlayerInfoNavigateInput
this.onPlayerKicked
this.onPlayerParamDropdown
this.onPlayerPostDisconnected
this.onPlayerSettlementCapChanged
this.onPlayerTreasuryChanged
this.onPlayerTurnActivated
this.onPlayerTurnActivatedListener
this.onPlayerTurnBegin
this.onPlayerTurnDeactivated
this.onPlayerTurnEnd
this.onPlayerUnlockChanged
this.onPlayerUnlockProgressChanged
this.onPlayerYieldChanged
this.onPlayerYieldGranted
this.onPlayerYieldUpdated
this.onPlotChanged
this.onPlotCursorCoordsUpdated
this.onPlotCursorModeChange
this.onPlotCursorUpdated
this.onPlotEffectAddedToMap
this.onPlotEffectRemovedFromMap
this.onPlotOwnershipChanged
this.onPlotUpdated
this.onPlotVisibilityChanged
this.onPlotWorkerUpdate
this.onPlotYieldChanged
this.onPolicyChanged
this.onPolicyHotkey
this.onPolicySlotsAdded
this.onPolicyTabSelected
this.onPolicyTabSelectedListener
this.onPopulateInitialDataTimerFinished
this.onPreferencesLoaded
this.onPremiumServiceCheckComplete
this.onPreselectChange
this.onPrevArrow
this.onPrevArrowListener
this.onPrevCityButton
this.onPrevCityButtonListener
this.onPreviousPage
this.onPrivateSelect
this.onProductionPurchaseTabSelected
this.onProfileAccountLoggedOut
this.onProfileHeaderButtonClicked
this.onProgressionHeaderActivate
this.onQrAccountLinked
this.onQrLinkCompleted
this.onQueryComplete
this.onQueryDone
this.onQueryError
this.onQuickJoinButtonActivate
this.onQuickSave
this.onQuickSaveGameButton
this.onRadioButton
this.onRadioButtonGroupChange
this.onRadioButtonInput
this.onRadioButtonListener
this.onRaiseArmyPanel
this.onRaiseUnitSelection
this.onRandomEventOccurred
this.onRangedAttackFinished
this.onRangedAttackStarted
this.onRankingsHotkey
this.onReady
this.onReadyIndicatorActivate
this.onRebuildAgeScores
this.onRecalculateFlagOffsets
this.onReceiveFocus
this.onRecentlyMetPlayerRowEngineInput
this.onReconnection
this.onRectangularGridFocus
this.onRedeemButtonActivate
this.onRefresh
this.onRefreshButtonActivate
this.onRelationShipChanged
this.onRelationshipStatusChanged
this.onReligionButtonActivated
this.onReligionNameActivated
this.onReligionNameTextEntryStopped
this.onReligionNameTextEntryStoppedListener
this.onReligionTabSelected
this.onReligionTabSelectedListener
this.onRemoveComplete
this.onRemoveFriend
this.onRemoveIcon
this.onRemoveListener
this.onReplayCinematic
this.onReport
this.onReportButtonActivate
this.onReportButtonFocus
this.onRequestClose
this.onResearchYieldChanged
this.onResize
this.onResizeEvent
this.onResizeEventListener
this.onResolutionChange
this.onResourceAddedToMap
this.onResourceAssigned
this.onResourceCapChanged
this.onResourceListFocused
this.onResourceListFocusedListener
this.onResourceMoved
this.onResourceRemovedFromMap
this.onResourceUnassigned
this.onRestartGame
this.onRestoreDefaultActivate
this.onRetireButton
this.onRevertButton
this.onRewardReceived
this.onRewardUnlocked
this.onRightArrowActivateListener
this.onRightArrowClick
this.onRightScrollArrow
this.onRouteAddedToMap
this.onRuralReligionChanged
this.onSPoPComplete
this.onSPoPCompleteListener
this.onSPoPHeartBeatReceived
this.onSPoPHeartbeatListener
this.onSPoPKickPromptCheck
this.onSaveButtonActionActivate
this.onSaveComplete
this.onSaveConfig
this.onSaveConfigListener
this.onSaveDone
this.onSaveGameButton
this.onSaveLoadClosed
this.onSaveTextboxValidateVirtualKeyboard
this.onScaleCardListener
this.onScrollAtBottom
this.onScrollBarEngineInput
this.onScrollReady
this.onScrollWheel
this.onScrollWheelEventListener
this.onScrollableBlur
this.onScrollableFocus
this.onSearchResultsRowEngineInput
this.onSearchingStatusUpdate
this.onSectionTabSelectedListener
this.onSelectQuest
this.onSelectedAgeChanged
this.onSelectedCardActivate
this.onSelectedHOFAge
this.onSelectedHOFCiv
this.onSelectedPlayerChanged
this.onSelectedPlotChanged
this.onSelectorPositionUpdate
this.onSend
this.onSendButtonActivate
this.onSendToButtonActivate
this.onServerAcceptResults
this.onSetActivatedEvent
this.onSettlementNameChanged
this.onSettlementNameChangedListener
this.onSettlementTabBarSelected
this.onShelfFocused
this.onShelfFocusout
this.onShowCityDetailsEvent
this.onShowDetailActivate
this.onShowFactoriesChanged
this.onShowHighlight
this.onShowInvite
this.onShowJoinCode
this.onShowPauseMenu
this.onShowPlayerYieldReport
this.onShowTownsChanged
this.onShowYieldsChanged
this.onSinglePlayer
this.onSkipMovie
this.onSlotActionDropdown
this.onSlotDropdownSelectionChange
this.onSlotGroupEngineInput
this.onSocialButton
this.onSocialButtonActivate
this.onSocialPanel
this.onSocialPanelOpened
this.onSortDropdownActivate
this.onSortDropdownFocus
this.onSortDropdownSelectionChange
this.onStartGame
this.onStartSaveRequest
this.onStateElements
this.onSubScreenInput
this.onSupportChanged
this.onTabBarSelected
this.onTabSelected
this.onTargetActivate
this.onTargetFocusListener
this.onTargetMuteActivate
this.onTargetProfileActivate
this.onTeamDropdown
this.onTeamVictory
this.onTechHotkey
this.onTechNodeCompleted
this.onTechUpdated
this.onTechsUpdated
this.onTeleportCompleted
this.onTextBoxEditingStopped
this.onTextBoxEditingStoppedListener
this.onTextBoxTextChanged
this.onTextBoxTextChangedListener
this.onTextEditStopped
this.onTextEditStoppedListener
this.onTextEngineInput
this.onTextInput
this.onTextInputFocus
this.onTextboxEditStop
this.onTextboxKeyup
this.onTextboxValidateVirtualKeyboard
this.onTextboxValueChange
this.onToggleChatActivate
this.onToggleExpandCollapse
this.onToggleMiniMap
this.onToggleMouseEmulate
this.onToggleTooltip
this.onTooltipAnimationFinished
this.onTooltipAttributeMutated
this.onTopTabBarSelected
this.onTouchOrMousePan
this.onTouchPan
this.onTownFocusItemSelected
this.onTrackVictoryActivate
this.onTradeRouteAddedToMap
this.onTradeRouteChanged
this.onTradeRouteRemovedFromMap
this.onTradeRouteUpdate
this.onTreasuryChanged
this.onTreeProgressListItem
this.onTreesFocus
this.onTurnBegin
this.onTurnEnd
this.onTurnTimerUpdated
this.onUIHidePlotVFX
this.onUIShowPlotVFX
this.onUiScaleUpdate
this.onUnBlock
this.onUnMute
this.onUnassignActivated
this.onUnitAddedRemoved
this.onUnitArmyChange
this.onUnitBermudaTeleported
this.onUnitCommand
this.onUnitCommandStartedListener
this.onUnitDamageChanged
this.onUnitExperienceChanged
this.onUnitHotkey
this.onUnitHotkeyListener
this.onUnitMoveComplete
this.onUnitMoved
this.onUnitMovementPointsChanged
this.onUnitOperationDeactivated
this.onUnitOperationSegmentComplete
this.onUnitOperationUpdated
this.onUnitPromoted
this.onUnitRemovedFromMap
this.onUnitReselected
this.onUnitSelectionChanged
this.onUnitVisibilityChanged
this.onUnload
this.onUnlockedItemFocus
this.onUnpause
this.onUnpauseListenerHandle
this.onUnpaused
this.onUnreadButtonActivate
this.onUpdate
this.onUpdateFrame
this.onUpdateLinesEventListener
this.onUpdateOperationTarget
this.onUpdateOptionValue
this.onUpdateResponse
this.onUpdateRewards
this.onUpdateTutorialLevel
this.onUpgradeToCityButton
this.onUpgradeToCityButtonListener
this.onUrbanReligionChanged
this.onUserActionA
this.onUserActionB
this.onUserInfoUpdated
this.onUserProfileSelected
this.onVPChanged
this.onValidateVirtualKeyboard
this.onValueChange
this.onVictoriesButtonActivated
this.onVictoriesButtonActivatedListener
this.onVictoryBarSelected
this.onVictoryManagerUpdate
this.onVideoEnded
this.onViewAllRules
this.onViewChanged
this.onViewHiddenChanged
this.onViewLoseFocus
this.onViewProfile
this.onViewProgressionTree
this.onViewReceiveFocus
this.onViewReceiveFocusListener
this.onVirtualKeyboardTextEntered
this.onWLan
this.onWaitFor
this.onWindowEngineInput
this.onWindowResize
this.onWindowResizeListener
this.onWonderCompleted
this.onWorkerAdded
this.onWorkersHoveredPlotChanged
this.onWorldTextMessage
this.onYesButtonPressed
this.onZoomChange
this.onZoomIn
this.onZoomOut
this.onfilterContainerFocused
this.onfilterContainerFocusedListener
this.ongoingActionPageNumber
this.onlyChallenges
this.onlyLeaderboards
this.op
this.opacity
this.opacityStyle
this.open
this.openAdditionalInfoPanel
this.openArrowElement
this.openBeliefChooser
this.openChat
this.openChildMultiplayer
this.openCreateGame
this.openCultureChooser
this.openEvents
this.openExtras
this.openFullCultureTree
this.openFullTechTree
this.openGridView
this.openLoadGame
this.openMementoEditor
this.openMementos
this.openMultiplayer
this.openOptions
this.openPanel
this.openPlayerActionsButtonListener
this.openRankings
this.openReligionViewer
this.openSearchButtonListener
this.openStore
this.openTechChooser
this.operationArgs
this.operationName
this.operationResult
this.option1
this.option2
this.option3
this.options
this.optionsContainer
this.optionsInitCallbacks
this.optionsMenu
this.order
this.orderedPlotTooltipTypes
this.orientationIndex
this.orientations
this.origSetting
this.origin
this.otherDataContainer
this.otherPlayerDealContainer
this.otherPlayerReceivesTitle
this.otherPlayerReceivesTitleWrapper
this.ourCivNameText
this.ourLeaderAndCivContainer
this.ourLeaderNameContainer
this.ourLeaderNameText
this.ourPlayerCivIcon
this.ourPlayerPortrait
this.ourTheirDealItemsContainer
this.ourYourDealItemsContainer
this.outEdges
this.outcomeColorBottom
this.outcomeColorTop
this.outcomeLabel
this.outerRadius
this.outerSlot
this.overbuildConstructibleSlot
this.overbuildText
this.overlay
this.overlayGroup
this.override
this.overrideText
this.overviewScrollable
this.overviewWindow
this.overwriteButton
this.overwriteButtonActionActivateListener
this.overwriteItems
this.owned
this.ownedPlotMap
this.ownedResourceOverlay
this.paddingBottom
this.paddingLeft
this.paddingRight
this.paddingTop
this.page
this.pageCounter
this.pageGroupsBySection
this.pageID
this.pageItemContainer
this.pageTabs
this.pages
this.pagesBySection
this.pagesByUUID
this.pagesReady
this.panRate
this.panSpeed
this.panToCity
this.panToMouse
this.panelAction
this.panelContentElements
this.panelDecor
this.panelHide
this.panelList
this.panelOperationTimeout
this.panelOptions
this.panelProductionSlot
this.panels
this.pantheonButtonsMap
this.pantheonChooserNode
this.pantheonContainer
this.pantheonFrame
this.pantheonSubtitle
this.pantheonsToAdd
this.parent
this.parentNode
this.parentSlot
this.parentalPermissionListener
this.parse
this.parseAlignment
this.parseAnchor
this.parseArrayData
this.parseCardText
this.parseObjectData
this.parsePrimitiveData
this.parsed
this.parsing
this.participatingCount
this.passTargetAttributes
this.pause
this.pauseButton
this.pauseButtonListener
this.pauseListener
this.pauseMenu
this.pauseTimeAny
this.pauseTimeChangeVista
this.pauseTimeFreeze
this.pauseTimeGameplayTurnModal
this.pauseTimeStartDelay
this.pauseTimeTakeScreenshot
this.pauseTimeTeleport
this.peaceDealNavigationContainer
this.peaceDealOfferContainer
this.peaceDealOfferHeader
this.pedestal3DModel
this.peek
this.pendingAdds
this.pendingContentSelection
this.pendingDealAdditions
this.pendingDealRemovals
this.pendingFocus
this.pendingFocusFrameCount
this.pendingInviteInviterName
this.pendingInviteJoinCode
this.pendingResolves
this.pendingUpdates
this.perPlotMap
this.percentile99
this.performNextTeleport
this.permanantHighlight
this.persistentItems
this.pipElements
this.pipsContainer
this.pixelMargin
this.pixelsToRem
this.placeBuildingPanel
this.placeholder
this.placementCursorModelGroup
this.placementCursorOverlayGroup
this.placementHeaderText
this.placementModelGroup
this.placementOverlayGroup
this.platform
this.platformSpecificCancelButton
this.playActivateSound
this.playAnimateInSound
this.playAnimateOutSound
this.playAudio
this.playBlockerAnimation
this.playChangeSound
this.playErrorPressedSound
this.playFocusSound
this.playLeaderAnimation
this.playMouseOverSound
this.playMovie
this.playNextActionAnimation
this.playNextAnimation
this.playNextVariant
this.playPressSound
this.playPressedSound
this.playSound
this.playSoundListener
this.playTransitionPart1
this.playbackResumedListener
this.playbackStalledListener
this.player
this.playerAge
this.playerCivilization
this.playerConfigContainer
this.playerData
this.playerGlobalTokensUpdateQueue
this.playerGoldBalance
this.playerId
this.playerIdT2gp
this.playerInfo
this.playerInfoChangedListener
this.playerInfoSlot
this.playerObject
this.playerParameterCache
this.playerPrimaryColor
this.playerReligion
this.playerSanctionUpdateQueue
this.playerScoreUpdateQueue
this.playerScores
this.playerSecondaryColor
this.playerSetupPanel
this.playerSizeUpdateQueue
this.playerSorter
this.playerTurnActivatedListener
this.playerUnlockChangedListener
this.playerUnlockContent
this.playerUnlockProgressChangedListener
this.playerWarUpdateQueue
this.playerYieldUpdateQueue
this.players
this.playersData
this.pleaseWaitAnimation
this.plotCoord
this.plotCursorCoords
this.plotCursorCoordsUpdatedListener
this.plotCursorModelGroup
this.plotCursorUpdatedListener
this.plotIndex
this.plotIndicesToCheck
this.plotOverlay
this.plotOwner
this.plotRandomEvents
this.plotSelectionHandler
this.plotSpriteScale
this.plotStates
this.plotTooltipGlobalHidden
this.plotTooltipTutorialHidden
this.plotTooltipTypes
this.plotVFXHidden
this.plotVisibilityChangedListener
this.plotWorkerUpdatedListener
this.plotsNeedingUpdate
this.plugins
this.plusBg
this.plusBgHighlight
this.plusButton
this.plusContainer
this.pointerOffsetX
this.pointerOffsetY
this.points
this.policiesButton
this.policiesToAdd
this.policiesToRemove
this.policiesWindow
this.policyChooserNode
this.policyHotkeyListener
this.polyfillComponentCreatedEvent
this.pool
this.pop
this.popFocusEvent
this.popPanel
this.popUntil
this.populateActionDetails
this.populateActionsPanel
this.populateActiveCrisisPolicies
this.populateActiveNormalPolicies
this.populateAgeless
this.populateAvailableActions
this.populateAvailableCrisisPolicies
this.populateAvailableNormalPolicies
this.populateBefriendIndependentDetails
this.populateCallToArmsInfo
this.populateCallToArmsOptions
this.populateChallengesTab
this.populateCivList
this.populateCommendationElements
this.populateDialog
this.populateDiplomacyActions
this.populateEspionageDetails
this.populateFlags
this.populateGovernmentInfo
this.populateHOFCompletions
this.populateHOFLeaderVictory
this.populateHOFVictories
this.populateHarness
this.populateInitialData
this.populateInitialDataTimerListener
this.populateLeaderMenu
this.populateLeaderboardDropDownList
this.populateNavTray
this.populateNavtray
this.populateOngoingProjects
this.populatePeaceDeal
this.populatePlayerCivInfo
this.populatePlayerCurrency
this.populateProjectResponses
this.populatePromotionTreeElements
this.populateRelationshipInfo
this.populateRewardList
this.populateRewards
this.populateSearchData
this.populateSystemMessageContent
this.populateUnitPromotionPanel
this.populationValueWrapper
this.populationWrapper
this.popupData
this.portraitContainer
this.portraitImage
this.portraitLevel
this.portraitStatsRow
this.position
this.positiveReactionPlayed
this.postAttachTabNotification
this.postGameInitialization
this.potentialPlots
this.preSelectNavListener
this.predecessors
this.preloadImage
this.preloadLeaderModels
this.premiumWaitDialogBoxID
this.prepareForDisplay
this.prerequisiteQueue
this.pressedElement
this.prevArrow
this.prevCityButton
this.prevState
this.preview
this.previewModelGroup
this.previewTarget
this.previewTargetContainer
this.previewText
this.previousButton
this.previousContent
this.previousDisplayTypes
this.previousDocument
this.previousElement
this.previousElementTag
this.previousEventTarget
this.previousLens
this.previousListener
this.previousMode
this.previousModeContext
this.previousPromoAdded
this.previousSelectListener
this.previousSelectedNode
this.previousSubScreen
this.previousTarget
this.previousViewID
this.priorFocus
this.privateMessageCommandHandler
this.privateSelectListener
this.privateToLocalPlayer
this.process
this.processLegacyPoints
this.processScoreData
this.processSelectedPromo
this.processVictoryData
this.processedScoreData
this.processedVictoryData
this.produceTag
this.productionAccordion
this.productionCategorySlots
this.productionCost
this.productionPurchaseContainer
this.productionPurchaseTabBar
this.profileAccountLoggedOutListener
this.profileButtonListener
this.profileHeader
this.profileHeaderContainer
this.profileHeaderPopupDialogID
this.progress
this.progressBar
this.progressContainer
this.progressInk
this.progressLeaderSelectedListener
this.progressRightScrollable
this.progressionHeader
this.progressionHeaderActivateListener
this.progressionHeaderButtonName
this.progressionListener
this.projectCompletedListener
this.projectIconElement
this.projectedTradeRoutes
this.promosDataReceivedListener
this.promosRetrievalCompleteListener
this.promotionButtonContainer
this.promotionCommendationsContainer
this.promotionConfirmButton
this.promotionElements
this.promotionTreeContainer
this.promotionTrees
this.promotionsByDiscipline
this.properties
this.proposeButton
this.proposeCurrentDeal
this.proposePlot
this.proposedConstructible
this.proxyMouse
this.push
this.pushDummyData
this.pushDummyGameList
this.pushDummyPlayersData
this.pushElement
this.qrCompletedListener
this.queryCombatID
this.queryCompleteListener
this.queryDoneListener
this.queryErrorListener
this.queryIds
this.queryScanFromBody
this.quest
this.questCatalogName
this.questData
this.questItemContainer
this.questItemElements
this.questItemList
this.questPanel
this.questVisibilityNavHelp
this.questVisibilityToggle
this.queue
this.queueDataModelChanged
this.queueGlobalTokensUpdate
this.queueItems
this.queueRefresh
this.queueRender
this.queueSanctionUpdate
this.queueScoreUpdate
this.queueSizeUpdate
this.queueUpdate
this.queueUpdateIfLocalPlayer
this.queueWarUpdate
this.queueYieldUpdate
this.queued
this.queuedElements
this.queuedPathColor
this.queuedResources
this.quickJoinButtonActivateListener
this.quickJoinButtonBot
this.quickJoinButtonTop
this.quickLoad
this.quickSave
this.quickSaveButton
this.quitApplication
this.quoteSubtitles
this.radialContainer
this.radialIndicator
this.radialNavHelpContainer
this.radioButtonChangeEventListener
this.radioButtonListener
this.radioButtons
this.radius
this.rafCheckReadyState
this.rafID
this.raiseCallout
this.raiseDialog
this.raiseDiplomacyHub
this.raiseEvent
this.raiseQuestPanel
this.raiseShroud
this.raiseUnitSelectionListener
this.raiseWarTypePopup
this.randomEvent
this.randomEventOccurredListener
this.randomLeaderContent
this.range
this.rangedAttackFinishedEventListener
this.rangedAttackStartedEventListener
this.rank
this.rankedLayoutGraph
this.rankingsHotkeyListener
this.rawEntries
this.razeButton
this.razeSettlementSelected
this.razeSettlementSelectedListener
this.razeText
this.razedTurnsText
this.reactivate
this.readIDs
this.readQuestVictory
this.readRules
this.readValue
this.readyButton
this.readyButtonCaption
this.readyButtonContainer
this.readyButtonLoadingContainer
this.readyForFocus
this.readyIndicatorActivateListener
this.readyListener
this.readyStateListener
this.readyStatus
this.realize
this.realizeAffinity
this.realizeArmyInfo
this.realizeBlockedPlots
this.realizeBuidlingPlacementSprites
this.realizeBuildInfoString
this.realizeBuildSlots
this.realizeBuilds
this.realizeButtons
this.realizeCalloutPosition
this.realizeCategory
this.realizeCelebrationPanel
this.realizeCinematicQuote
this.realizeCinematicUI
this.realizeCityStateType
this.realizeCivHeraldry
this.realizeCombatPreview
this.realizeDimissAll
this.realizeExperience
this.realizeFocus
this.realizeFocusedPlot
this.realizeGrowthPlots
this.realizeHappiness
this.realizeIcon
this.realizeInitialFocus
this.realizeInputType
this.realizeNavTray
this.realizeNavtray
this.realizePlayerColors
this.realizePlayerVisuals
this.realizePopulation
this.realizePromotionTreeElements
this.realizePromotions
this.realizeReligion
this.realizeScreenPosition
this.realizeStepIcons
this.realizeTabs
this.realizeThumb
this.realizeTooltip
this.realizeUnitHealth
this.realizeVFX
this.realizeWorkablePlots
this.reasonElement
this.rebuild
this.rebuildAgeScores
this.rebuildAgeScoresListener
this.rebuildGreatWorksListener
this.rebuildGreatWorksPanel
this.rebuildPending
this.receiveFocusEvent
this.receiveFocusEventListener
this.recentlyMetPlayerRowEngineInputListener
this.recentlyMetPlayersData
this.recommendation
this.recommendations
this.recommendationsContainer
this.recurseDisableChildren
this.recurseEnableChildren
this.recurseEnableToRoot
this.recursiveGetTooltipContent
this.redeemButton
this.redeemButtonActivateListener
this.refDataModelChangedQueue
this.refStyle
this.refocusLastChangedParameter
this.refresh
this.refreshActionButton
this.refreshAfterFX
this.refreshAll
this.refreshBadge
this.refreshButton
this.refreshButtonActivateListener
this.refreshCallback
this.refreshChart
this.refreshCityID
this.refreshConfirmButton
this.refreshContainers
this.refreshCrisisWindow
this.refreshCurrentDocument
this.refreshDataListener
this.refreshDetailsPanel
this.refreshDocument
this.refreshFullData
this.refreshGameListFilters
this.refreshGameOptions
this.refreshGrid
this.refreshHOFGeneral
this.refreshHandle
this.refreshIcon
this.refreshId
this.refreshLeaderboard
this.refreshNavTray
this.refreshNotificationAmount
this.refreshOverviewPolicies
this.refreshPartialData
this.refreshPlayerCard
this.refreshPlayerOptions
this.refreshPolicyWindow
this.refreshPortrait
this.refreshProgressRewards
this.refreshProgressionTree
this.refreshPromos
this.refreshPromosListener
this.refreshRibbonVis
this.refreshScores
this.refreshSelection
this.refreshShowJoinCodeCaption
this.refreshStartTimestamp
this.refreshTabItems
this.refreshTooltipContents
this.refreshTurns
this.refreshUpdateGate
this.register
this.registerChatCommand
this.registeredHandlers
this.reinforcementPathColor
this.rejectButton
this.rejectDeal
this.relationshipAmount
this.relationshipChangedListener
this.relationshipIcon
this.relationshipItemsContainer
this.relationshipName
this.releaseCinematic
this.religionButtons
this.religionConfirmButton
this.religionConfirmButtonListener
this.religionFollowingPercentages
this.religionHeader
this.religionInfoNameContainer
this.religionInfoNameEditButton
this.religionInfoNameTextBox
this.religionName
this.religionNameActivatedListener
this.religionNameRegularContainer
this.reliquaryAmount
this.reliquaryButton
this.reliquaryDescription
this.reliquaryIcon
this.reliquaryIndex
this.reliquaryName
this.reliquaryTitle
this.remToScreenPixels
this.remainingTurnsElement
this.remindVisibility
this.remotePlayerTurnChanged
this.remove
this.removeAccept
this.removeAllChildren
this.removeAllFlags
this.removeAvailableCard
this.removeBlankChildren
this.removeBuildingHighlight
this.removeCancel
this.removeCardAnimationListener
this.removeCombatPreview
this.removeDraggable
this.removeEdge
this.removeEmptyRanks
this.removeEntry
this.removeEventListener
this.removeEventListeners
this.removeFromParentsChildList
this.removeIDFromViewItem
this.removeIconListener
this.removeIndex
this.removeLockStyling
this.removeMovePathVFX
this.removeNotificationItem
this.removePlayer
this.removeRedundantNodes
this.removeResizeable
this.removeRow
this.removeStressTestUnits
this.removeTurnCounterVFX
this.removeVideoElement
this.removeVoteDialogBox
this.render
this.renderBottomPanel
this.renderBuildingSlot
this.renderCards
this.renderChooserItem
this.renderDetails
this.renderDivision
this.renderGameCards
this.renderGrowthSlot
this.renderHeader
this.renderItems
this.renderLanguageOption
this.renderLogedOut
this.renderMenuStack
this.renderMissingService
this.renderModListContent
this.renderPlayer
this.renderPlayerData
this.renderQueued
this.renderReportButtons
this.renderRewardPip
this.renderStepper
this.renderTopPanel
this.renderTrackVictoryCheckBox
this.renderUnlockedItemsSection
this.renderUpgradeToCityButton
this.renderYieldsSlot
this.renderer
this.repeatThreshold
this.repeatable
this.repeated
this.repeatedCount
this.replaceCssRules
this.replaceOverwritesByCollection
this.replayAnimation
this.replayCinematicListener
this.reportButton
this.reportButtonActivateListener
this.reportButtonFocusListener
this.reportButtonListener
this.reportReason
this.reportRoomId
this.reportTextbox
this.reportUserGamertag
this.reportUserId
this.reposition
this.repositionAnchored
this.repositionFunction
this.repositionTooltipElement
this.requestClose
this.requestCloserListener
this.requestData
this.requestDelete
this.requestFlagsRebuild
this.requestMoveOperation
this.requestMoveUp
this.requestPlaceBuildingClose
this.requestedCityID
this.requests
this.requirementsContainer
this.requirementsText
this.reset
this.resetCarouselSlider
this.resetCurrentTarget
this.resetDelay
this.resetPanelOperation
this.resetRepeatThreshold
this.resetScale
this.resetState
this.resetStateHandler
this.resetTimeout
this.resetToDefaults
this.resetTutorialQueue
this.resize
this.resizeFonts
this.resizeListener
this.resizeObserver
this.resizeScrollThumb
this.resolveChallengeCompleted
this.resolveCriteria
this.resolveDataElementOptions
this.resolveDatasetElementOptions
this.resolveFocus
this.resolveIsScrollAtBottom
this.resolveIsScrollAtEnd
this.resolveItemsIsHidden
this.resolveItemsOnClickFunction
this.resolveItemsPositionDeg
this.resolveLegendPathUpdated
this.resolvePromoDataReceived
this.resolveRewardReceivedListener
this.resourceAddedToMapListener
this.resourceMovedListener
this.resourceOverlay
this.resourceRemovedFromMapListener
this.resourceSpriteGrid
this.resourceTypeSpriteGrid
this.resourcesButton
this.resourcesTitleWrapper
this.resourcesWrapper
this.respondCommandHandler
this.responseButtons
this.responseDialogBox
this.responsive
this.restart
this.restartButton
this.restoreButton
this.restoreButtonActivateListener
this.restoreUI
this.resultsContainer
this.resultsFrame
this.resultsScrollableContainer
this.resume
this.resumeGame
this.retireFromGame
this.returnToBaseToPanel
this.returnToMainMenuListener
this.returnedToMainMenu
this.revealedStates
this.reverseScanFromBody
this.revertButton
this.revertButtonListener
this.rewardElemends
this.rewardReceivedListener
this.rewardRequirementsCompleted
this.rewardText
this.rewardUnlockedListener
this.rewardsDefs
this.rewardsNotification
this.rewardsNotificationIndicator
this.rewardsScrollable
this.rewardsUpdateBusy
this.rgb
this.right
this.rightAnimState
this.rightAnimationStartTime
this.rightArrow
this.rightArrowClickEventListener
this.rightMask
this.rightNavHelp
this.rightPledgeButton
this.rightPledgePlayers
this.rightRing
this.rightScrollArrow
this.rightStepperArrow
this.ring
this.ringContent
this.ringElement
this.ringFill
this.ringFillEased
this.ringFillStart
this.ringMeter
this.root
this.rootSlot
this.rotateMenuArrow
this.rotation
this.routesListEl
this.row
this.ruleNameToRule
this.ruleSet
this.ruleStates
this.rules
this.rulesContainer
this.run
this.runAllTurns
this.runNotice
this.ruralReligionChangedListener
this.saveButton
this.saveButtonActionActivateListener
this.saveButtonActivateListener
this.saveCard
this.saveCardContainers
this.saveCompleteListener
this.saveLoadClosedListener
this.saveSelectedSortValueToUserOption
this.saveTextboxValidateVirtualKeyboardListener
this.saveloadChooserNode
this.savesRemaining
this.scale
this.scaleDisplay
this.scales
this.sceneIndex
this.sceneState
this.scope
this.scoreData
this.scratchContent
this.scratchElement
this.screenContext
this.screens
this.scroll
this.scrollArea
this.scrollAreaContainer
this.scrollAtBottom
this.scrollAtBottomListener
this.scrollBarContainer
this.scrollBarEngineInputListener
this.scrollIntoView
this.scrollIntoViewListener
this.scrollLeadersLeft
this.scrollLeadersRight
this.scrollPosition
this.scrollReadyListener
this.scrollToPercentage
this.scrollUnlockedItems
this.scrollable
this.scrollableAreaSize
this.scrollableBlurListener
this.scrollableContainer
this.scrollableContent
this.scrollableContentSize
this.scrollableElement
this.scrollableElementContent
this.scrollableFocusListener
this.scrollableMods
this.scrollables
this.scrollbarPrevVisibility
this.scrollbarThumb
this.scrollbarTrack
this.scroller
this.search
this.searchBar
this.searchButton
this.searchResultsData
this.searchResultsRowEngineInputListener
this.searchTextbox
this.searchTimeoutDialogBoxID
this.searchingCancelDialogBoxId
this.searchingStatusListener
this.secondConstructibleSlot
this.secondaryDetailsElement
this.sectionHeaderFocus
this.sectionID
this.sectionLineAbove
this.sectionLineBelow
this.sections
this.segments
this.selectAge
this.selectAgeType
this.selectCity
this.selectCityAndTryAllocateSelectedResource
this.selectCiv
this.selectCivButton
this.selectCivInfo
this.selectEle
this.selectElement
this.selectGameParamAge
this.selectGameParamCiv
this.selectGameParamHero
this.selectHighlight
this.selectLeader
this.selectLeaderHandler
this.selectNext
this.selectNextCity
this.selectNextSlot
this.selectOnActivate
this.selectOnFocus
this.selectOneMode
this.selectPlot
this.selectPlotMessage
this.selectPrevCity
this.selectPrevious
this.selectPreviousSlot
this.selectPromotion
this.selectResource
this.selectSlotOffset
this.selectTab
this.selectTargetByIndex
this.selectUnit
this.selectableWhenDisabled
this.selected
this.selectedAbilityTextEle
this.selectedAbilityTitleEle
this.selectedActionID
this.selectedAdvisor
this.selectedAdvisorQuestPath
this.selectedAgeButton
this.selectedAgeChangedEvent
this.selectedAgeType
this.selectedAttributeType
this.selectedAudioIdx
this.selectedBackgroundColor
this.selectedBadgeId
this.selectedBannerId
this.selectedBorder
this.selectedButton
this.selectedCard
this.selectedCardActivateListener
this.selectedCarouselItem
this.selectedCityID
this.selectedCivEle
this.selectedCivInfo
this.selectedConstructibleInfo
this.selectedDisplayIdx
this.selectedEl
this.selectedGameIndex
this.selectedGreatWork
this.selectedGreatWorkLocation
this.selectedHOFCiv
this.selectedIndex
this.selectedItemContainer
this.selectedLeaderActive
this.selectedLeaderEle
this.selectedMenuArrowContainer
this.selectedMenuItemDescriptions
this.selectedMenuItemElements
this.selectedMod
this.selectedModHandle
this.selectedModIndex
this.selectedNameEle
this.selectedNode
this.selectedOptionNum
this.selectedOverlay
this.selectedPlacementData
this.selectedPlacementEffectID
this.selectedPlayerChangedListener
this.selectedPlot
this.selectedPlotIndex
this.selectedPortraitBorder
this.selectedReligionEntry
this.selectedReligionType
this.selectedResource
this.selectedResourceClass
this.selectedRewardIndex
this.selectedRoute
this.selectedSaveIndex
this.selectedSortIndex
this.selectedTab
this.selectedTabIndex
this.selectedTagsListEle
this.selectedTarget
this.selectedTitleLocKey
this.selectedTreeType
this.selectedUnit
this.selectedUnitID
this.selectionCaption
this.selectionIndicatorElement
this.selectionIndicatorPositionValue
this.selectionRing
this.selectionVFXModelGroup
this.selector
this.selectorArrow
this.selectorElements
this.selectorIndicator
this.selectorItems
this.selectorLines
this.sendButton
this.sendButtonActivateListener
this.sendChoiceRequest
this.sendEndTurn
this.sendHotkeyEvent
this.sendLayerHotkeyEvent
this.sendPremiumCheckRequest
this.sendToButton
this.sendToButtonActivateListener
this.sendToButtonIcon
this.sendUnitHotkeyEvent
this.sendUnreadyTurn
this.sendValueChange
this.sequenceStartTime
this.serverType
this.setAccountIcon
this.setActionButtonData
this.setAdvisor
this.setAdvisors
this.setArmyCommander
this.setAttribute
this.setBackgroundImage
this.setBackgroundImageInDiv
this.setButtonActivate
this.setButtonContainerVisible
this.setButtonContents
this.setButtonData
this.setButtonVisible
this.setButtonWidth
this.setCardHeight
this.setCards
this.setCaretAtPosition
this.setCenterPoint
this.setChallengeSortType
this.setChartOption
this.setCityInfo
this.setCommonInfo
this.setConnectionIcon
this.setCurrentTarget
this.setDatasetVisibility
this.setDimensions
this.setElementToolTipCoords
this.setEndTurnWaiting
this.setEnvironmentProperties
this.setFilterAvailableCards
this.setFocus
this.setFood
this.setGamepadControlsVisible
this.setHTMLInDivClass
this.setHidden
this.setImages
this.setIsAttachedLayout
this.setLastActivatedComponent
this.setLocalPlayer
this.setLocation
this.setMainMenuButtonsEnabled
this.setMapFocused
this.setMovementPoints
this.setNewPrimaryAccount
this.setNewValue
this.setNode
this.setNotificationTypeAll
this.setNotificationVisibility
this.setOngoingActionsScrollablePosition
this.setParameterValue
this.setParent
this.setPathTracked
this.setPopulation
this.setPosition
this.setPresetLegacies
this.setProduction
this.setPromoBackButtonVisibility
this.setPromoInteractButtonVisibility
this.setQuestVictoryState
this.setRange
this.setReplaying
this.setResourceCount
this.setResourceSpritesVisible
this.setRowStyleForZoom
this.setScrollBoundaries
this.setScrollData
this.setScrollThumbPosition
this.setSteps
this.setStringInDivClass
this.setTarget
this.setText1
this.setText2
this.setTileStyleForZoom
this.setTipText
this.setTooltipStyle
this.setTransform
this.setUnitButtonData
this.setUnitLens
this.setValue
this.setVisibility
this.setWelcomeInstructions
this.setWorkingDealID
this.setYieldAndGetIcon
this.setZoomLevel
this.settlementCapElement
this.settlementFilter
this.settlementIcon
this.settlementName
this.settlementNameWrapper
this.settlementRecommendations
this.settlementTabBar
this.settlementTabBarListener
this.settlementTabData
this.setupArmy
this.setupArmyActions
this.setupAudioSettings
this.setupBannerText
this.setupButtonSections
this.setupChallengeUI
this.setupCommander
this.setupCustomizeUI
this.setupDeckLimitHeader
this.setupDisplaySettings
this.setupHallOfFameUI
this.setupLeaderboardUI
this.setupListeners
this.setupNavTray
this.setupOption
this.setupProgressUI
this.setupUnitInfo
this.shelfButton
this.shelfFocusInListener
this.shelfFocusoutListener
this.shelfToggleListener
this.shortDelayThreshold
this.shouldAllowCameraControls
this.shouldBlockZoom
this.shouldCalloutHide
this.shouldDisableConfirmButton
this.shouldPlayErrorSound
this.shouldQuickClose
this.shouldSendEventToCursor
this.shouldSetTarget
this.shouldShowAdjacencyBonuses
this.shouldShowAvailableResources
this.shouldShowEmpireResourcesDetailed
this.shouldShowFromThisPlot
this.shouldShowImprovement
this.shouldShowOverbuild
this.shouldShowSelectedCityResources
this.shouldShowUniqueQuarterText
this.shouldShowYieldType
this.shouldSwitchToCityView
this.show
this.show2d
this.showAllRequirements
this.showAllRequirementsCheckbox
this.showBefriendIndependentDetails
this.showBlockerIcon
this.showCityDetails
this.showCityDetailsButton
this.showDebugInfo
this.showDebugInformation
this.showDesiredDestination
this.showDetailsText
this.showDiplomacyAfterFirstMeet
this.showDiplomaticSceneEnvironment
this.showEndGameScreen
this.showEndResultsScreen
this.showFlagAtPlot
this.showFrameOnHover
this.showGameSetupPanel
this.showHarness
this.showHighlightListener
this.showInspector
this.showInviteListener
this.showInvitePopup
this.showJoinCode
this.showJoinCodeButtonBot
this.showJoinCodeButtonTop
this.showKeyboardOnActivate
this.showLeaderModel
this.showLeadersAcceptPeace
this.showLeadersDeclareWar
this.showLeadersDefeat
this.showLeadersFirstMeet
this.showLeadersRejectPeace
this.showLegalDocuments
this.showLine
this.showLoadScreen
this.showLoadingAnimation
this.showMapArea
this.showMapRegion
this.showMementoEditor
this.showMultiplayerStatus
this.showNextPanel
this.showNotOwnedContent
this.showNotice
this.showNotification
this.showOnlineFeaturesUI
this.showOtherLeaderReaction
this.showPanel
this.showPanelFor
this.showParentMenu
this.showPips
this.showPlayerSetupPanel
this.showPlotVFX
this.showPlotVFXListener
this.showProfilePage
this.showProgression
this.showPromoLoadingSpinner
this.showQuoteSubtitles
this.showRemainingMovesState
this.showSaveScreen
this.showScrollNavHelpElement
this.showStoreScreen
this.showSubtitles
this.showTimeout
this.showTooltip
this.showTooltipElement
this.showTradeRoutePathAndBanner
this.showUnlockLeaderScreen
this.showVictoryDetailsLink
this.showWarningPopUp
this.showcaseList
this.showing
this.showingHandle
this.showingId
this.shownByPlot
this.shroud
this.shutdown
this.sideMenuComponent
this.sidebar
this.simpleLeaderPopUpCameraAnimation
this.singlePlayerListener
this.singlePlotCoord
this.size
this.skip
this.skipDialog
this.skipToGameCreator
this.skipToMainMenu
this.sliderFillElement
this.slot
this.slotActionsData
this.slotDiv
this.slotGroup
this.slotGroupElement
this.slotGroupEngineInputListener
this.slotWrapper
this.slotsAvailableMessage
this.snUnfocusedListener
this.socialButton
this.socialButtonActivateListener
this.socialButtonListener
this.socialButtonName
this.socialButtons
this.socialNotification
this.socialOnFriendRequestReceived
this.socialOnFriendRequestReceivedListener
this.socialOnFriendRequestSent
this.socialOnFriendRequestSentListener
this.socialOnOnlineSaveDataLoaded
this.socialOnOnlineSaveDataLoadedListener
this.socialPanelNotificationBadge
this.socialPanelOpenedListener
this.softCursor
this.softCursorEnabled
this.softCursorRoot
this.softCursorSpeed
this.softCursorVelocity
this.sortActions
this.sortBy
this.sortChallengeCategories
this.sortChallengeList
this.sortContainer
this.sortDropdown
this.sortDropdownActivateListener
this.sortDropdownFocusListener
this.sortDropdownSelectionChangeListener
this.sortGames
this.sortMementos
this.sortMode
this.sortOptions
this.sortOrder
this.sortSaveGames
this.sortTextLocale
this.sortedGameList
this.source
this.sourceTrees
this.spawnInterval
this.speakElement
this.specialistContainer
this.specialistFontSize
this.specialistIconHeight
this.specialistIconXOffset
this.specialistPerTile
this.specialistText
this.speed
this.speedFilter
this.spoPCompleteListener
this.spoPKickPromptCheckListener
this.spopHeartBeatReceivedListener
this.spriteOffset
this.spriteScale
this.spriteSheet
this.standardActionElements
this.standardActions
this.standardContainer
this.standardParamContainer
this.start
this.startAngle
this.startAnimation
this.startAnimationTimer
this.startAutoPlay
this.startCinematic
this.startDWCameraAnimations
this.startDelete
this.startGame
this.startGameButtons
this.startGameCount
this.startGameRemainingTime
this.startGameSectionListener
this.startNewCampaignListener
this.startOperation
this.startOverwriting
this.startPanning
this.startPlot
this.startQuery
this.startSave
this.startSection
this.started
this.startup
this.statDividers
this.statInstances
this.state
this.stateText
this.staticText
this.stats
this.statusChangedLiteEvent
this.stepIconContainer
this.stepperSteps
this.steps
this.stickDirection
this.stickLength
this.stop
this.stopAnimation
this.stopDrag
this.stopMeterSounds
this.stopSpeaking
this.storage
this.storeCurrentTestParameters
this.stored
this.storyCoordinates
this.storyIdName
this.storyType
this.stressTestUnits
this.stressTestUnitsEnabled
this.stringRGBtoHSL
this.stringRGBtoRGB
this.style
this.styleMap
this.stylizeHelpListContent
this.stylizedMarkupMessage
this.subItemAngles
this.subItems
this.subPanelContainer
this.subScreenInputListener
this.subTitles
this.subscreenIndex
this.subsystemFrame
this.subsystemFrameCloseListener
this.subtitle
this.subtitleElement
this.subtitleLabel
this.subtractYieldNumbers
this.successors
this.summarySlot
this.supportChangedListener
this.supportConfirmation
this.supportSide
this.supportWarContentContainer
this.supportYourselfButton
this.supportedOptions
this.supportsDecimation
this.suspendedRequests
this.swap
this.swapCivInfo
this.swapLeaderInfo
this.swapPlotSelection
this.swapShowCheckCallback
this.swipeVelocity
this.switchToDefault
this.switchToNotification
this.switchView
this.syncronizeButtonWidths
this.systemDisabled
this.t2gpFriendID
this.tabBar
this.tabBarElement
this.tabBarListener
this.tabBarSelectedEventListener
this.tabBarSelectedListener
this.tabButtons
this.tabContainer
this.tabContainerElement
this.tabControl
this.tabData
this.tabElements
this.tabHeaderElement
this.tabInitialized
this.tabItems
this.tabList
this.tabPanels
this.tabSelected
this.tagEntry
this.target
this.targetActivateListener
this.targetChangeCount
this.targetChangeMax
this.targetColumns
this.targetElements
this.targetFocusListener
this.targetHealth
this.targetID
this.targetLeaderIcon
this.targetModifierContainer
this.targetModifierInfo
this.targetMouseLeaveListener
this.targetMuteActivateListener
this.targetMuteIcons
this.targetProfileActivateListener
this.targetProfileIcons
this.targetRows
this.targetSimulatedHealth
this.targetSlotPrefix
this.targetStatsIcon
this.targetStatsString
this.targetStoryId
this.targetUnitIcon
this.targets
this.targetsContainer
this.teamVictoryListener
this.techButton
this.techHotkeyListener
this.techItemListener
this.techList
this.techNodeCompletedListener
this.techRing
this.techTurnCounter
this.telemetryPromoAction
this.teleportToNextLocation
this.tellMainMenuWereBack
this.testMiniTabs
this.testName
this.testSelectionList
this.testSelfTeleportation
this.testTabs
this.testingHomeName
this.testingInnerIndex
this.testingIsMovingToNewLocation
this.testingOuterIndex
this.testingShouldReturnHome
this.testingZoneFromName
this.testingZoneToName
this.text
this.textBoxTextEditStopListener
this.textEditBegin
this.textEditEnd
this.textEditToggleButton
this.textEditToggleNavHelp
this.textElement
this.textField
this.textHelp
this.textInput
this.textInputFocusListener
this.textInputListener
this.textOffset
this.textOverlay
this.textTitle
this.textToSpeechOnHoverDelayHandle
this.textToSpeechOnHoverDelayMs
this.textToSpeechOnHoverTarget
this.textbox
this.textboxKeyupListener
this.textboxMaxLength
this.textboxValidateVirtualKeyboardListener
this.textboxValueChangeListener
this.theirCivNameText
this.theirLeaderAndCivContainer
this.theirLeaderNameContainer
this.theirLeaderNameText
this.theirPlayerCivIcon
this.theirPlayerPortrait
this.theirTheirDealItemsContainer
this.theirYourDealItemsContainer
this.thumb
this.thumbActive
this.thumbDelta
this.thumbHighlight
this.thumbMouseDownListener
this.thumbRect
this.thumbScrollPosition
this.thumbSize
this.tick
this.ticks
this.tiers
this.time
this.timeShowStart
this.timeoutCallback
this.timeoutID
this.title
this.title2Label
this.titleColumn
this.titleIcon
this.titleIcon2
this.titleImage
this.titleLabel
this.titleProgressBarContainer
this.titleRewardItems
this.titleRow
this.titleSelectListener
this.titleText
this.to
this.toAddIds
this.toLogString
this.toRemoveIds
this.toggle
this.toggleCarouselAdded
this.toggleCarouselMode
this.toggleChatActivateListener
this.toggleChatButton
this.toggleChatPanel
this.toggleCheckBox
this.toggleClose
this.toggleContinentPanel
this.toggleContinentPanelListener
this.toggleEdit
this.toggleEditReligionName
this.toggleEmoticonPanel
this.toggleExtraRequirements
this.toggleLensActionNavHelp
this.toggleLensPanel
this.toggleMiniMapListener
this.toggleNavArrows
this.toggleNavHelpContainer
this.toggleOpen
this.toggleRadial
this.toggleSendToPanel
this.toggleShelfOpen
this.toggleShowMultiplayerCode
this.toggleTooltip
this.toggleTooltips
this.toolTipText
this.tooltip
this.tooltipAlignment
this.tooltipAnchor
this.tooltipAnimationListener
this.tooltipAttributeUpdatedObserver
this.tooltipContent
this.tooltipContents
this.tooltipContext
this.tooltipElements
this.tooltipResizeObserver
this.tooltipType
this.tooltipX
this.tooltipY
this.tooltipsDisabled
this.tooltipsFocused
this.top
this.topBar
this.topContainer
this.topDisplay
this.topLeftAngle
this.topRightAngle
this.topTabBar
this.topTabBarListener
this.topTabData
this.topTabIndex
this.totalCompletedItems
this.totalDataContainer
this.totalDistance
this.totalLegacyPointsEarned
this.totalTime
this.totalYield
this.totalYieldCity
this.touchDragX
this.touchDragY
this.touchPosition
this.townFocusItem
this.townFocusPanel
this.townFocusPanelCloseButton
this.townFocusSection
this.townID
this.townPurchaseLabel
this.townUnrestDisplay
this.townsIcon
this.townsValue
this.trackVictoryActivateListener
this.trackerItemAddedLiteEvent
this.trackerItemRemovedLiteEvent
this.trackingID
this.tradeRangeOverlay
this.tradeRangeOverlayGroup
this.tradeRouteBanner
this.tradeRouteChangeListener
this.tradeRouteIndex
this.tradeRouteModelGroup
this.tradeRoutePathColor
this.tradeRoutes
this.transferNodeDataInToHexField
this.transitionDelay
this.transitionSave
this.transitionState
this.transitionToNextAge
this.transitionToShown
this.transitionToShownHandler
this.treasureCoords
this.treasureFleetContainer
this.treasureFleetText
this.treeDetail
this.treeElementsMap
this.treeRevealData
this.treeRevealItemListener
this.treeTitle
this.treeType
this.triggerSelection
this.truncate
this.truncateHistory
this.tryActivating
this.tryAddCards
this.tryAutoUnitCycle
this.tryEndTurn
this.tryFallbackOnPlaceholderValue
this.tryHandleInput
this.tryIssueMoveCommand
this.tryRemovePlaceholder
this.tryReshuffle
this.trySelectPlot
this.trySelectUnitID
this.tryShowNextQueueItem
this.trySkipMenuAnimations
this.trySupportBefriendIndependent
this.trySuspend
this.trySwitchToUnitSelectedMode
this.ttTypeName
this.turnBeginListener
this.turnContainer
this.turnCount
this.turnCounterModelMap
this.turnEndListener
this.turnTime
this.turnToNextCitizenText
this.turns
this.turnsOfUnrest
this.turnsToNextCitizen
this.turnsToRazeText
this.turnsUntilGrowth
this.turnsUntilGrowthLabel
this.tutorialDialog
this.tutorialDialogPageReadyListener
this.tutorialDisplay
this.tutorialLevel
this.tutorialPlotFxGroup
this.tutorialPopup
this.type
this.typeName
this.types
this.uiBrightnessBar
this.uiDisableCityBannersListener
this.uiDisableUnitFlagsListener
this.uiDisableWorldCityInputListener
this.uiDisableWorldInputListener
this.uiDisableWorldUnitInputListener
this.uiEnableCityBannersListener
this.uiEnableUnitFlagsListener
this.uiEnableWorldCityInputListener
this.uiEnableWorldInputListener
this.uiEnableWorldUnitInputListener
this.unassignActivateListener
this.unassignResource
this.unavailableResourceOverlay
this.unbindEvents
this.unblockPlayer
this.undecorate
this.uniqueQuarter
this.uniqueQuarterText
this.uniqueQuarterWarning
this.unit
this.unitAddedRemovedListener
this.unitContainer
this.unitCycleNavHelpContainer
this.unitDataContainer
this.unitFlagIcon
this.unitFlagZoomScale
this.unitHealthBar
this.unitHealthBarInner
this.unitHealthbar
this.unitID
this.unitId
this.unitLocation
this.unitMovementDynamicModelGroup
this.unitMovementStaticModelGroup
this.unitNameDiv
this.unitNameFiligreeContainer
this.unitNavHelpWorldAnchorHandle
this.unitReselectedListener
this.unitSelectedCommandRadiusStyle
this.unitSelectedModelGroup
this.unitSelectedOverlay
this.unitSelectedOverlayAttackStyle
this.unitSelectedOverlayDefaultStyle
this.unitSelectedOverlayGroup
this.unitSelectedOverlayPossibleMovementStyle
this.unitSelectedOverlayZoCStyle
this.unitSelectionChangedListener
this.unitStatsContainer
this.unlock2d
this.unlockByInfo
this.unlockEles
this.unlockItemsParentWrapper
this.unlockListEle
this.unlockedInfo
this.unlockedItemDefinitions
this.unlockedItemFocusListener
this.unlockedItems
this.unlockedItemsContainer
this.unlocksByDepth
this.unlocksContainer
this.unlocksHeader
this.unpauseListener
this.unreadButton
this.unreadButtonActivateListener
this.unreadButtonContainer
this.unsee
this.unseenItems
this.unselectPlot
this.upButtonListener
this.update
this.updateActionButton
this.updateActionButtonsContainer
this.updateActionDescriptionDiv
this.updateActionDetails
this.updateActionNameDiv
this.updateActionVisDivs
this.updateAffinity
this.updateAgeButtonTimer
this.updateAgeProgression
this.updateAll
this.updateAllScrollbarHandleGamepad
this.updateAllUnassignActivatable
this.updateAreLegalDocsAccepted
this.updateArmy
this.updateArmyData
this.updateArmyPanel
this.updateAttributeButton
this.updateAvailableResourceColDisabledState
this.updateBackButton
this.updateBackdrop
this.updateBackground
this.updateBadgeDisplay
this.updateBallPosition
this.updateBannerDisplay
this.updateBorderDisplay
this.updateBotSection
this.updateBuildsQueued
this.updateButtonIcon
this.updateButtonState
this.updateButtonStates
this.updateButtonTimers
this.updateButtonsAndEditor
this.updateByCurrentPanelOperationChange
this.updateCalloutMinimizedState
this.updateCardLines
this.updateCardSelection
this.updateCarousel
this.updateCategories
this.updateChatNavHelp
this.updateCheckboxElements
this.updateCity
this.updateCityDetailersListener
this.updateCityEntriesDisabledState
this.updateCityName
this.updateCityStatus
this.updateCivData
this.updateColorDisplay
this.updateCombatMods
this.updateConfirmButton
this.updateConqueredIcon
this.updateContainer
this.updateContentPacks
this.updateContentSpacing
this.updateControllerContainer
this.updateControllerIcon
this.updateControllerSection
this.updateControls
this.updateCostIconElement
this.updateCreateGameButton
this.updateCrossplay
this.updateCultureButtonTimer
this.updateCurrentMemento
this.updateData
this.updateDeckLimitHeader
this.updateDeleteButton
this.updateDescriptionContent
this.updateDetailImage
this.updateDetailImageUpdateGate
this.updateDetailed
this.updateDetailedUpdateGate
this.updateDetails
this.updateDiploRibbonListener
this.updateDiploStatementPlayerData
this.updateDisabled
this.updateDisabledStyle
this.updateDisplay
this.updateDlcs
this.updateDropdownItems
this.updateDropdownVisibility
this.updateDummy
this.updateEditBox
this.updateElement
this.updateElementSelections
this.updateElements
this.updateEmoticonButton
this.updateEvent
this.updateExistingElement
this.updateExpandCollapse
this.updateFlagTurnText
this.updateFlagTurnTextFromEvent
this.updateFlags
this.updateFocus
this.updateFocusGate
this.updateFocusState
this.updateFontSizes
this.updateFoundationLevel
this.updateFrame
this.updateFrameEventHandle
this.updateFrameListener
this.updateFriendItem
this.updateFriends
this.updateGameCards
this.updateGameList
this.updateGamepadTooltip
this.updateGameplay
this.updateGate
this.updateGestureIconContainer
this.updateGiftboxButton
this.updateGiftboxButtonContainer
this.updateGlobalCountdownRemainingSecondsData
this.updateGlobalScale
this.updateGlobalTokens
this.updateHandler
this.updateHandlerPriority
this.updateHeader
this.updateHeaderSpacing
this.updateHealth
this.updateHeight
this.updateHiddenOptions
this.updateHighlight
this.updateHoverStyle
this.updateIcon
this.updateIconEventListener
this.updateIconState
this.updateImage
this.updateImprovementIcons
this.updateInputDeviceType
this.updateInvertCheckbox
this.updateItemElementMap
this.updateItems
this.updateItemsUnlockedByNode
this.updateJoinButton
this.updateJoinCodeButton
this.updateLabel
this.updateLabelText
this.updateLandClaimFlags
this.updateLayout
this.updateLeaderBox
this.updateLeaderData
this.updateLeaderboardContent
this.updateLeftSection
this.updateLensActionNavHelp
this.updateLensButton
this.updateLines
this.updateListener
this.updateListings
this.updateLoadButton
this.updateLoadCardList
this.updateLoadGameButton
this.updateLoadingContainer
this.updateLoadingDescription
this.updateLockEquipStatus
this.updateMainMenu
this.updateMapActionElements
this.updateMediaQueryFontSizes
this.updateMementoData
this.updateMinimapCamera
this.updateModEntry
this.updateModListContent
this.updateMods
this.updateMovement
this.updateName
this.updateNameQueued
this.updateNavHelp
this.updateNavTray
this.updateNavTrayEntries
this.updateNavVisiblity
this.updateNoSelectionElement
this.updateNotificationItem
this.updateNotifications
this.updateOpenArrowElement
this.updateOperationTargetListener
this.updateOverwriteButton
this.updatePending
this.updatePendingSelection
this.updatePerms
this.updatePlayerFocus
this.updatePlayerGroups
this.updatePlayerInfoSlot
this.updatePlayerScores
this.updatePlayerSize
this.updatePlayerWarSupport
this.updatePlayerYields
this.updatePlot
this.updatePlotOverlay
this.updatePlotState
this.updatePoliciesTooltip
this.updatePreview
this.updatePreviewTarget
this.updatePreviewText
this.updatePreviousButtonState
this.updateProductionPurchaseBar
this.updateProfile
this.updateProfileHeader
this.updateProgress
this.updateProgressUpdateGate
this.updateProgressionHeader
this.updatePromoButtonsVisibility
this.updatePromoCarouselVisibility
this.updateQuestContainerVisibility
this.updateQuestList
this.updateQueuePriorities
this.updateQueued
this.updateQuickJoinButton
this.updateRadialButton
this.updateRadialNavHelpContainer
this.updateRadioButton
this.updateRadioButtonElements
this.updateRangeFromParsed
this.updateRanges
this.updateReadyButtonContainer
this.updateReadyButtonData
this.updateReadyStatus
this.updateReasonText
this.updateRecentlyMet
this.updateRefreshButton
this.updateReligionData
this.updateReportButtons
this.updateRequest
this.updateResourcesButton
this.updateRestartButton
this.updateRetireButton
this.updateRewardsListener
this.updateRewardsNotification
this.updateRoot
this.updateRootFrameClass
this.updateRules
this.updateSaveButton
this.updateSaveCard
this.updateSaveCardContainer
this.updateSavesWithFileQueryEntries
this.updateScales
this.updateScreenPosition
this.updateSearchResult
this.updateSelection
this.updateSelectorIndicator
this.updateSelectorItems
this.updateSendButton
this.updateSendToButton
this.updateSequenceWaitFromAnimationTrigger
this.updateSharedOptions
this.updateShelf
this.updateShowJoinCodeButton
this.updateSkipLabel
this.updateSocialButton
this.updateSocialNotification
this.updateSortDropdown
this.updateSortOptions
this.updateStartingGameReadyButtonData
this.updateStepperSteps
this.updateSubFrameDecorators
this.updateSubtitle
this.updateSwitchElements
this.updateTabBar
this.updateTabControl
this.updateTabItems
this.updateTabTypeLogedOut
this.updateTabTypeMissingService
this.updateTabTypeScrollable
this.updateTargetMuteIcons
this.updateTargetProfileIcons
this.updateTechButtonTimer
this.updateTestState
this.updateText
this.updateTime
this.updateTitleDisplay
this.updateToggleNavHelp
this.updateTooltip
this.updateTooltipPosition
this.updateTooltipType
this.updateTopBar
this.updateTownFocusSection
this.updateTreeCards
this.updateTreeDetail
this.updateTreeView
this.updateTrees
this.updateTurnCounter
this.updateTurnNumber
this.updateTurns
this.updateType
this.updateUniqueQuarterData
this.updateUnitCycleNavHelp
this.updateUnlockData
this.updateUnlockInfo
this.updateUnlocks
this.updateUnlocksUpdateGate
this.updateUnreadButtonContainer
this.updateUnrestDisplay
this.updateUnrestUi
this.updateUpgradeToCityButton
this.updateUserProfiles
this.updateValidPlotsFromCityID
this.updateValidPlotsFromUnitID
this.updateValue
this.updateValueAttribute
this.updateValueText
this.updateVictoryMeter
this.updateVictoryQuests
this.updateVirtualScreenPosition
this.updateVisualization
this.updateWorkablePlot
this.updateYields
this.upgradeToCityButton
this.upgradeToCityButtonCostElement
this.upscaleMultiplier
this.uqInfo
this.uqInfoCols
this.urbanPlots
this.urbanReligionChangedListener
this.useAltControls
this.useChooserItem
this.useStaticCamera
this.useTransitionDelay
this.userInfoUpdatedListener
this.userProfileReadyListener
this.validPlots
this.validateTeleport
this.validateVirtualKeyboardListener
this.value
this.valueChangeListener
this.valueText
this.verifyAlignment
this.version
this.versionChecks
this.victoryBarListener
this.victoryClassMap
this.victoryData
this.victoryEnabledPlayers
this.victoryManagerUpdateEvent
this.victoryPanels
this.victoryProgress
this.victoryQuests
this.victoryTabBar
this.victoryTabIndex
this.victoryTabItems
this.videoElement
this.viewAllRules
this.viewAllRulesButtonBot
this.viewAllRulesButtonTop
this.viewChangedListener
this.viewCultureProgressionTreeListener
this.viewFocusListener
this.viewHasFocus
this.viewHidden
this.viewHiddenActionText
this.viewHiddenCheckbox
this.viewItems
this.viewOnly
this.viewProfileCheckCallback
this.viewReceiveFocusListener
this.viewTechProgressionTreeListener
this.viewingReligion
this.views
this.villageLowerAffinityRange
this.visibleChildren
this.visibleQuests
this.visualize
this.visualizeMovePath
this.visualizeTurnCounter
this.voQueued
this.volume
this.voteDialogBoxIDPerKickPlayerID
this.wLanButtonListener
this.waitForListener
this.waitForListenerHandle
this.waitRewardsReady
this.waitUntilValue
this.waitingForForegroundCameraId
this.waitingForLeftAnimation
this.waitingForParentalPermissions
this.waitingForRightAnimation
this.waitingToRender
this.warHeader
this.warehouseBonuses
this.warnRepeatedActionKeys
this.wasCompact
this.wasOpenedUp
this.wasQueueInitiallyEmpty
this.wasSuspended
this.weHaveFocus
this.weight
this.welcomeInstructionsNode
this.whenComponentCreated
this.whenCreatedListeners
this.whenInitialized
this.whiteColor
this.whitespaceWrapClassName
this.whoLockedFocus
this.width
this.windowEngineInputListener
this.windowResizeListener
this.wlanButton
this.wonderCompletedListener
this.wonders
this.wondersCategory
this.wondersList
this.wondersTitleWrapper
this.wondersWrapper
this.worldAnchor
this.worldAnchorHandle
this.worldCamera
this.worldSpaceFocusOffset
this.wrapSelections
this.writeIDs
this.writeQuestVictory
this.writeValue
this.x
this.xAlign
this.xCenter
this.y
this.yAlign
this.yCenter
this.yieldBarUpdateEvent
this.yieldBarUpdateListener
this.yieldElementMap
this.yieldElements
this.yieldIcon
this.yieldIcons
this.yieldSpriteGrid
this.yieldSpritePadding
this.yields
this.yieldsContainer
this.yieldsFlexbox
this.yieldsItemListener
this.yieldsSlot
this.yieldsTitleWrapper
this.yourPantheonText
this.yourWarContentContainer
this.zoomCurrent
this.zoomInButtonListener
this.zoomInLeader
this.zoomInProgress
this.zoomLevel
this.zoomOutButtonListener
 
These are those that start with a capital letter, so I assume it is a static class? Not sure about java.

Spoiler Static classes? :

Code:
ADVANCED_PARAMETERS.some
AI.getProgressionTreePath
AUDIO_AppEvents.ast
ActionHandler.addInputFilter
ActionHandler.allowFilters
ActionHandler.deviceType
ActionHandler.isGamepadActive
ActionHandler.removeAllInputFilters
ActionHandler.removeInputFilter
ActionHandlerSingleton.Instance
ActionHandlerSingleton.getInstance
Action_Alert.png
Action_Attack.png
Action_Bombard.png
Action_Defend.png
Action_Delete.png
Action_Formation.png
Action_Heal.png
Action_Move.png
Action_Ranged.png
Activation.toUpperCase
AdvancedStart.addAvailableCard
AdvancedStart.advancedStartClosed
AdvancedStart.autoFillLegacies
AdvancedStart.changePresetLegacies
AdvancedStart.confirmDeck
AdvancedStart.deckConfirmed
AdvancedStart.filterForCards
AdvancedStart.forceComplete
AdvancedStart.getCardCategoryByColor
AdvancedStart.getCardCategoryColor
AdvancedStart.getCardCategoryIconURL
AdvancedStart.placePlacementEffect
AdvancedStart.placeableCardEffects
AdvancedStart.preSelectIndex
AdvancedStart.preSelectLoc
AdvancedStart.refreshCardList
AdvancedStart.removeAvailableCard
AdvancedStart.selectPlacementEffect
AdvancedStart.selectedCards
AdvancedStart.setFilter
AdvancedStart.tooltipText
AdvancedStart.unconfirmDeck
AdvancedStart.updateCallback
AdvisorLegacyPathClasses.get
AdvisorLegacyPathClasses.set
AdvisorProgress.getActiveQuest
AdvisorProgress.getAdvisorProgressBar
AdvisorProgress.getAdvisorStringByAdvisorType
AdvisorProgress.getAdvisorVictoryIcon
AdvisorProgress.getAdvisorVictoryLoc
AdvisorProgress.getCivilopediaVictorySearchByAdvisor
AdvisorProgress.getDarkAgeBarPercent
AdvisorProgress.getDarkAgeIcon
AdvisorProgress.getDarkAgeReward
AdvisorProgress.getLegacyPathClassTypeByAdvisorType
AdvisorProgress.getMilestoneProgressAmount
AdvisorProgress.getMilestoneRewards
AdvisorProgress.getPlayerProgress
AdvisorProgress.getQuestsByAdvisor
AdvisorProgress.isMilestoneComplete
AdvisorProgress.isQuestTracked
AdvisorProgress.isRewardMileStone
AdvisorProgress.updateCallback
AdvisorProgress.updateQuestTracking
AdvisorProgress.victoryData
AdvisorRecommendations.CULTURAL
AdvisorRecommendations.ECONOMIC
AdvisorRecommendations.MILITARY
AdvisorRecommendations.NO_ADVISOR
AdvisorRecommendations.SCIENTIFIC
AdvisorTypes.CULTURE
AdvisorTypes.ECONOMIC
AdvisorTypes.MILITARY
AdvisorTypes.NO_ADVISOR
AdvisorTypes.SCIENCE
AdvisorUtilities.createAdvisorRecommendation
AdvisorUtilities.createAdvisorRecommendationTooltip
AdvisorUtilities.getBuildRecommendationIcons
AdvisorUtilities.getTreeRecommendationIcons
AdvisorUtilities.getTreeRecommendations
AdvisorySubjectTypes.CHOOSE_CULTURE
AdvisorySubjectTypes.CHOOSE_TECH
AdvisorySubjectTypes.PRODUCTION
AgeRankings.getMaxMilestoneProgressionTotal
AgeRankings.getMilestoneBarPercentages
AgeRankings.getMilestonesCompleted
AgeRankings.updateCallback
AgeRankings.victoryData
AgeScores.updateCallback
AgeScores.victories
AgeStrings.get
AgeStrings.set
AgeSummary.selectAgeType
AgeSummary.selectCurrentAge
AgeSummary.selectedAgeChangedEvent
AgeSummary.updateCallback
AlignMode.Maximum
Alignment.BottomLeft
Alignment.BottomRight
Alignment.TopLeft
Alignment.TopRight
AllLeaderboardData.forEach
AnalogInput.deadzoneThreshold
Anchor.Bottom
Anchor.Left
Anchor.None
Anchor.Right
Anchor.Top
AnchorText.ANCHOR_OFFSET
AnchorType.Auto
AnchorType.Fade
AnchorType.None
AnchorType.RelativeToBottom
AnchorType.RelativeToBottomLeft
AnchorType.RelativeToBottomRight
AnchorType.RelativeToCenter
AnchorType.RelativeToLeft
AnchorType.RelativeToRight
AnchorType.RelativeToTop
AnchorType.RelativeToTopLeft
AnchorType.RelativeToTopRight
AnchorType.SidePanelLeft
AnchorType.SidePanelRight
Animations.cancelAllChainedAnimations
AppUI_TextFormatter.cpp
AppUI_ViewListener.cpp
ArcElement.defaultRoutes
ArcElement.defaults
ArcElement.id
Archipelago.ts
AreaBuilder.findBiggestArea
AreaBuilder.getAreaBoundary
AreaBuilder.getPlotCount
AreaBuilder.isAreaConnectedToOcean
AreaBuilder.recalculateAreas
Armies.get
Array.from
Array.isArray
Array.prototype
AssetQuality.HIGH
AssetQuality.LOW
AttributeTrees.activeTreeAttribute
AttributeTrees.attributes
AttributeTrees.buyAttributeTreeNode
AttributeTrees.canBuyAttributeTreeNode
AttributeTrees.getCard
AttributeTrees.getFirstAvailable
AttributeTrees.updateCallback
AttributeTrees.updateGate
Audio.getSoundTag
Audio.playSound
Automation.clearParameterSet
Automation.copyAutosave
Automation.generateSaveName
Automation.getLastGeneratedSaveName
Automation.getLocalParameter
Automation.getParameter
Automation.getStartupParameter
Automation.isActive
Automation.isPaused
Automation.log
Automation.logDivider
Automation.pause
Automation.sendTestComplete
Automation.setActive
Automation.setLocalParameter
Automation.setParameter
Automation.setParameterSet
Automation.setScriptHasLoaded
Automation.start
AutomationSupport.ApplyCommonNewGameParametersToConfiguration
AutomationSupport.FailTest
AutomationSupport.GetCurrentTestObserver
AutomationSupport.GetFloat3Param
AutomationSupport.GetFloatParam
AutomationSupport.LogCurrentPlayers
AutomationSupport.PassTest
AutomationSupport.ReadUserConfigOptions
AutomationSupport.RestoreUserConfigOptions
AutomationSupport.SharedGame_OnAutoPlayEnd
AutomationSupport.SharedGame_OnSaveComplete
AutomationSupport.Shared_OnAutomationEvent
AutomationSupport.StartupObserverCamera
AutomationTestTransitionHandler.register
AutomationTransitionSave.Civ7Save
Autoplay.isActive
Autoplay.setActive
Autoplay.setObserveAsPlayer
Autoplay.setPause
Autoplay.setReturnAsPlayer
Autoplay.setTurns
AutoplayState.PauseSettling
AutoplayState.Paused
AutoplayState.Playing
BODY_FONTS.join
BadgeURL.length
BannerType.city
BannerType.cityState
BannerType.custom
BannerType.town
BannerType.village
BarController.defaults
BarController.id
BarController.overrides
BarElement.defaultRoutes
BarElement.defaults
BarElement.id
BeliefPickerSlotState.FILLEDSWAPPABLE
BeliefPickerSlotState.FILLEDUNSWAPPABLE
BeliefPickerSlotState.LOCKED
BeliefPickerSlotState.OPEN
Benchmark.Automation
Benchmark.Game
Benchmark.Menu
BigInt.asIntN
BorderStyleTypes.CityStateClosed
BorderStyleTypes.CityStateOpen
BorderStyleTypes.Closed
BrowserFilterType.BROWSER_FILTER_EQUAL
BrowserFilterType.BROWSER_FILTER_IS_IN
BubbleController.defaults
BubbleController.id
BubbleController.overrides
BuildInfo.build
BuildInfo.graphics
BuildInfo.version
BuildQueue.cityID
BuildQueue.isEmpty
BuildQueue.items
BuildQueue.updateCallback
BuildingList.updateCallback
BuildingListModel.updateGate
BuildingPlacementManager.cityID
BuildingPlacementManager.currentConstructible
BuildingPlacementManager.developedPlots
BuildingPlacementManager.expandablePlots
BuildingPlacementManager.findExistingUniqueBuilding
BuildingPlacementManager.getAdjacencyYieldChanges
BuildingPlacementManager.getBestYieldForConstructible
BuildingPlacementManager.getCumulativeWarehouseBonuses
BuildingPlacementManager.getOverbuildConstructibleID
BuildingPlacementManager.getPlotYieldChanges
BuildingPlacementManager.getTotalYieldChanges
BuildingPlacementManager.getYieldPillIcon
BuildingPlacementManager.hoveredPlotIndex
BuildingPlacementManager.initializePlacementData
BuildingPlacementManager.isRepairing
BuildingPlacementManager.isValidPlacementPlot
BuildingPlacementManager.reset
BuildingPlacementManager.selectPlacementData
BuildingPlacementManager.selectedPlotIndex
BuildingPlacementManager.urbanPlots
BuildingPlacementManagerClass.instance
CM.pop
COHTML_SPEECH_API_LANGS.EN
CONTINENT_COLORS.length
CSS.number
CSS.percent
CSS.px
CSS.s
CalloutContentType.ADVISOR
CalloutContentType.BASE
CalloutContentType.TITLE
Camera.addKeyframe
Camera.calculateCameraFocusAndZoom
Camera.clearAnimation
Camera.dragFocus
Camera.findDynamicCameraSettings
Camera.getState
Camera.isWorldDragging
Camera.lookAt
Camera.lookAtPlot
Camera.panFocus
Camera.pickPlot
Camera.pickPlotFromPoint
Camera.popCamera
Camera.pushCamera
Camera.pushDynamicCamera
Camera.restoreCameraZoom
Camera.restoreDefaults
Camera.rotate
Camera.saveCameraZoom
Camera.setPreventMouseCameraMovement
Camera.zoom
CameraControllerSingleton.getInstance
CameraControllerSingleton.instance
CampaignSetupType.Abandon
CampaignSetupType.Complete
CampaignSetupType.Start
CanvasRenderingContext2D.prototype
CardCategories.CARD_CATEGORY_CULTURAL
CardCategories.CARD_CATEGORY_DARK_AGE
CardCategories.CARD_CATEGORY_ECONOMIC
CardCategories.CARD_CATEGORY_MILITARISTIC
CardCategories.CARD_CATEGORY_NONE
CardCategories.CARD_CATEGORY_SCIENTIFIC
CardCategories.CARD_CATEGORY_WILDCARD
CarouselActionTypes.NO_ACTION
CarouselActionTypes.PROCESS_PROMO
CategoryScale.defaults
CategoryScale.id
CategoryScale.prototype
CategoryType.Accessibility
CategoryType.Audio
CategoryType.Game
CategoryType.Graphics
CategoryType.Input
CategoryType.Interface
CategoryType.System
ChallengeClass.CHALLENGE_CLASS_FOUNDATION
ChallengeClass.CHALLENGE_CLASS_LEADER
ChallengeRewardType.CHALLENGE_REWARD_UNLOCKABLE
Chart.Animation
Chart.Animations
Chart.Chart
Chart.DatasetController
Chart.Element
Chart.Interaction
Chart.Scale
Chart.Ticks
Chart._adapters
Chart.animator
Chart.controllers
Chart.defaults
Chart.elements
Chart.helpers
Chart.instances
Chart.js
Chart.layouts
Chart.platforms
Chart.register
ChatTargetTypes.CHATTARGET_ALL
ChatTargetTypes.CHATTARGET_PLAYER
ChatTargetTypes.NO_CHATTARGET
Choices.forEach
Cinematic.isEmpty
CinematicManager.getCinematicAudio
CinematicManager.getCinematicLocation
CinematicManager.isMovieInProgress
CinematicManager.replayCinematic
CinematicManager.startEndOfGameCinematic
CinematicManager.stop
CinematicManagerImpl.CAMERA_HEIGHT
CinematicManagerImpl.FALLBACK_DYNAMIC_CAMERA_PARAMS
CinematicManagerImpl.FOCUS_HEIGHT
CinematicTypes.GAME_VICTORY
CinematicTypes.NATURAL_DISASTER
CinematicTypes.NATURAL_WONDER_DISCOVERED
CinematicTypes.WONDER_COMPLETE
Cities.get
Cities.getAtLocation
Cities.getCities
City.isQueueEmpty
City.isTown
CityBannerDebugWidget.id
CityBannerManager._instance
CityBannerManager.instance
CityBannersStressTest.Init
CityCaptureChooser.updateCallback
CityCaptureChooserModel.canDisplayPanel
CityCaptureChooserModel.cityID
CityCaptureChooserModel.getRazeCanStartResult
CityCaptureChooserModel.sendKeepRequest
CityCaptureChooserModel.sendRazeRequest
CityCommandTypes.CHANGE_GROWTH_MODE
CityCommandTypes.DESTROY
CityCommandTypes.EXPAND
CityCommandTypes.NAME_CITY
CityCommandTypes.PURCHASE
CityDecorationSupport.HighlightColors
CityDecorationSupport.manager
CityDetails.buildings
CityDetails.connectedSettlementFood
CityDetails.currentCitizens
CityDetails.foodPerTurn
CityDetails.foodToGrow
CityDetails.getTurnsUntilRazed
CityDetails.happinessPerTurn
CityDetails.hasTownFocus
CityDetails.hasUnrest
CityDetails.improvements
CityDetails.isBeingRazed
CityDetails.isTown
CityDetails.specialistPerTile
CityDetails.treasureFleetText
CityDetails.turnsToNextCitizen
CityDetails.updateCallback
CityDetails.wonders
CityDetails.yields
CityGovernmentLevels.CITY
CityGovernmentLevels.TOWN
CityHUD.updateCallback
CityHUDModel._Instance
CityHUDModel.getInstance
CityInspectorModel.targetCityID
CityInspectorModel.update
CityInspectorModel.updateCallback
CityOperationTypes.BUILD
CityOperationTypes.CONSIDER_TOWN_PROJECT
CityOperationsParametersValues.Exclusive
CityOperationsParametersValues.MoveTo
CityOperationsParametersValues.RemoveAt
CityOperationsParametersValues.Swap
CityProductionInterfaceMode.updateDisplay
CityQueryType.Constructible
CityQueryType.Unit
CityStatusType.angry
CityStatusType.happy
CityStatusType.plague
CityStatusType.unhappy
CityTradeData.cityID
CityTradeData.update
CityTradeData.updateCallback
CityTradeData.yields
CityTransferTypes.BY_COMBAT
CityYields.getCityYieldDetails
CityYieldsEngine.getCityYieldDetails
CityZoomer.resetZoom
CityZoomer.zoomToCity
CivilizationInfoTooltipModel.civData
CivilizationInfoTooltipModel.clear
CivilizationLevelTypes.CIVILIZATION_LEVEL_FULL_CIV
CivilizationTags.TagType
Civilopedia.DetailsType
Civilopedia.getPage
Civilopedia.instance
Civilopedia.navigateHome
Civilopedia.navigateTo
Civilopedia.search
CohtmlAriaUtils.normalizeWhiteSpaces
CohtmlSpeechAPI.abortCurrentRequest
CohtmlSpeechAPI.addSpeechRequest
CohtmlSpeechAPI.discardRequest
CohtmlSpeechAPI.isScheduledForSpeakingRequest
CohtmlSpeechAPI.run
CohtmlSpeechAPIImpl.SPEECH_EVENT_NAMES
CohtmlSpeechChannel.INVALID_CHANNEL_ID
CohtmlSpeechChannel.PRIORITIES
CohtmlSpeechRequest.NextRequestId
Color.convertToHSL
Color.convertToLinear
CombatStrengthTypes.STRENGTH_BOMBARD
CombatStrengthTypes.STRENGTH_MELEE
CombatStrengthTypes.STRENGTH_RANGED
CombatTypes.COMBAT_MELEE
CombatTypes.COMBAT_RANGED
CombatTypes.NO_COMBAT
CommanderInteract.updateCallback
CommanderInteractModel.availableReinforcements
CommanderInteractModel.currentArmyCommander
CommanderInteractModel.registerListener
CommanderInteractModel.unregisterListener
CommanderReinforcementInterfaceMode.updateDisplay
CommonTargetImageClass.DIRECT
CommonTargetImageClass.GLOBAL
Component.audio
ComponentID.UITypes
ComponentID.addToArray
ComponentID.cid_type
ComponentID.fromBitfield
ComponentID.fromPlot
ComponentID.fromString
ComponentID.getInvalidID
ComponentID.isInstanceOf
ComponentID.isInvalid
ComponentID.isMatch
ComponentID.isMatchInArray
ComponentID.isUI
ComponentID.isValid
ComponentID.make
ComponentID.removeFromArray
ComponentID.toBitfield
ComponentID.toLogString
ComponentID.toString
ComponentManager._instance
ComponentManager.getInstance
Configuration.editGame
Configuration.editMap
Configuration.editPlayer
Configuration.getGame
Configuration.getGameValue
Configuration.getMap
Configuration.getMapValue
Configuration.getPlayer
Configuration.getUser
Configuration.getXR
ConstructibleClass.IMPROVEMENT
ConstructibleIcons.ADD
ConstructibleIcons.EMPTY
ConstructibleYieldState.NOT_PRODUCING
ConstructibleYieldState.PRODUCING
Constructibles.getByComponentID
ContextManager.canOpenPauseMenu
ContextManager.canUseInput
ContextManager.clear
ContextManager.doesNotHaveInstanceOf
ContextManager.getCurrentTarget
ContextManager.getTarget
ContextManager.handleInput
ContextManager.handleNavigation
ContextManager.hasInstanceOf
ContextManager.isCurrentClass
ContextManager.isEmpty
ContextManager.pop
ContextManager.popIncluding
ContextManager.popUntil
ContextManager.push
ContextManager.pushElement
ContextManager.registerEngineInputHandler
ContextManager.unregisterEngineInputHandler
ContextManagerEvents.OnChanged
ContextManagerEvents.OnClose
ContextManagerEvents.OnOpen
ContextManagerSingleton._instance
ContextManagerSingleton.getInstance
ContinentLensLayer.instance
Continents.ts
ContinueButtonState.CONTINUE_AGE_TRANSTIION
ContinueButtonState.EXIT_TO_MAIN_MENU
ContinueButtonState.SHOW_REWARDS
ContinueButtonType.ContinueGame
ContinueButtonType.ExitToMainMenu
ContinueButtonType.TransitionAge
ControllerClass.prototype
Controls.componentInitialized
Controls.define
Controls.getDefinition
Controls.initializeComponents
Controls.preloadImage
Controls.whenInitialized
CreateAgeTransition.didDisplayBanner
CreateGameModel.activeCategory
CreateGameModel.categories
CreateGameModel.getAgeBackgroundName
CreateGameModel.getCivBackgroundName
CreateGameModel.isFirstTimeCreateGame
CreateGameModel.isLastPanel
CreateGameModel.launchFirstPanel
CreateGameModel.nextActionStartsGame
CreateGameModel.onInviteAccepted
CreateGameModel.selectedAge
CreateGameModel.selectedCiv
CreateGameModel.selectedLeader
CreateGameModel.setBackground
CreateGameModel.setCreateGameRoot
CreateGameModel.setPanelList
CreateGameModel.showNextPanel
CreateGameModel.showPanelByName
CreateGameModel.showPanelFor
CreateGameModel.showPreviousPanel
CreateGameModel.startGame
CrisisMeter.stages
Culture.getArchivedGreatWork
Culture.getNumWorksInArchive
CultureTree.activeTree
CultureTree.getCard
CultureTree.iconCallback
CultureTree.sourceProgressionTrees
CultureTree.trees
CultureTree.updateCallback
CultureTree.updateGate
CultureTreeChooser.chooseNode
CultureTreeChooser.currentResearchEmptyTitle
CultureTreeChooser.getAllTreesToDisplay
CultureTreeChooser.getDefaultNodeToDisplay
CultureTreeChooser.getDefaultTreeToDisplay
CultureTreeChooser.hasCurrentResearch
CultureTreeChooser.inProgressNodes
CultureTreeChooser.isExpanded
CultureTreeChooser.nodes
CultureTreeChooser.shouldShowTreeRevealHeader
CultureTreeChooser.showLockedCivics
CultureTreeChooser.subject
CultureTreeChooser.treeRevealData
CurrentLiveEventRewards.find
CurrentSortType.Challenge
CurrentSortType.Completed
CurrentSortType.TOTAL
Cursor.gamepad
Cursor.ignoreCursorTargetDueToDragging
Cursor.isOnUI
Cursor.position
Cursor.setGamePadScreenPosition
Cursor.softCursorEnabled
Cursor.target
CursorSingleton.Instance
CursorSingleton.getInstance
DEFAULT_RADIAL_MENUS.map
DEFAULT_SAVE_GAME_INFO.gameName
DEFAULT_SAVE_GAME_INFO.gameSpeedName
DEFAULT_SAVE_GAME_INFO.hostAge
DEFAULT_SAVE_GAME_INFO.hostDifficultyName
DEFAULT_SAVE_GAME_INFO.mapScriptName
DEFAULT_SAVE_GAME_INFO.requiredModsString
DEFAULT_SAVE_GAME_INFO.rulesetName
DEFAULT_SAVE_GAME_INFO.saveActionName
DEFAULT_SAVE_GAME_INFO.savedByVersion
DNAPromoLayout.Standard
DNAPromoLayout.TextHeavy
Database.makeHash
Database.query
Databind.alternatingClassStyle
Databind.attribute
Databind.bgImg
Databind.classToggle
Databind.clearAttributes
Databind.for
Databind.html
Databind.if
Databind.locText
Databind.style
Databind.tooltip
Databind.value
DatasetController.defaults
DatasetController.prototype
Date.now
DateAdapter.override
DateAdapter.prototype
DebugInput.sendTunerActionA
DebugInput.sendTunerActionB
DecorationMode.BORDER
DecorationMode.NONE
Default_HeaderImage.png
DefeatTypes.NO_DEFEAT
DetailsType.Page
DetailsType.PageGroup
DetailsType.Section
DialogBox.clear
DialogBox.closeDialogBox
DialogBox.isDialogBoxOpen
DialogBox.setSource
DialogBox.showDialogBox
DialogBoxAction.Cancel
DialogBoxAction.Close
DialogBoxAction.Confirm
DialogBoxManager.closeDialogBox
DialogBoxManager.createDialog_Confirm
DialogBoxManager.createDialog_ConfirmCancel
DialogBoxManager.createDialog_MultiOption
DialogBoxModel.gameHandler
DialogBoxModel.shellHandler
DialogManager.clear
DialogManager.closeDialogBox
DialogManager.createDialog_Cancel
DialogManager.createDialog_Confirm
DialogManager.createDialog_ConfirmCancel
DialogManager.createDialog_CustomOptions
DialogManager.createDialog_MultiOption
DialogManager.isDialogBoxOpen
DialogManager.setSource
DialogSource.Game
DialogSource.Shell
DifficultyFilterType.All
DifficultyFilterType.TOTAL
DiploRibbonData.alwaysShowYields
DiploRibbonData.diploStatementPlayerData
DiploRibbonData.eventNotificationRefresh
DiploRibbonData.playerData
DiploRibbonData.ribbonDisplayTypes
DiploRibbonData.updateCallback
DiploRibbonModel._Instance
DiploRibbonModel.getInstance
DiplomacyActionGroups.DIPLOMACY_ACTION_GROUP_ENDEAVOR
DiplomacyActionGroups.DIPLOMACY_ACTION_GROUP_ESPIONAGE
DiplomacyActionGroups.DIPLOMACY_ACTION_GROUP_PROJECT
DiplomacyActionGroups.DIPLOMACY_ACTION_GROUP_SANCTION
DiplomacyActionGroups.DIPLOMACY_ACTION_GROUP_TREATY
DiplomacyActionGroups.NO_DIPLOMACY_ACTION_GROUP
DiplomacyActionTargetTypes.NO_DIPLOMACY_TARGET
DiplomacyActionTypes.DIPLOMACY_ACTION_COUNTER_SPY
DiplomacyActionTypes.DIPLOMACY_ACTION_DECLARE_FORMAL_WAR
DiplomacyActionTypes.DIPLOMACY_ACTION_DECLARE_WAR
DiplomacyActionTypes.DIPLOMACY_ACTION_DENOUNCE_MILITARY_PRESENCE
DiplomacyActionTypes.DIPLOMACY_ACTION_FORM_ALLIANCE
DiplomacyActionTypes.DIPLOMACY_ACTION_GIVE_INFLUENCE_TOKEN
DiplomacyActionTypes.DIPLOMACY_ACTION_IMPROVE_TRADE_RELATIONS
DiplomacyActionTypes.DIPLOMACY_ACTION_LAND_CLAIM
DiplomacyActionTypes.DIPLOMACY_ACTION_SEND_DELEGATION
DiplomacyDealDirection.OUTGOING
DiplomacyDealItemAgreementTypes.MAKE_PEACE
DiplomacyDealItemCityTransferTypes.CEDE_OCCUPIED
DiplomacyDealItemCityTransferTypes.NONE
DiplomacyDealItemCityTransferTypes.OFFER
DiplomacyDealItemTypes.AGREEMENTS
DiplomacyDealItemTypes.CITIES
DiplomacyDealManager.addDisplayRequest
DiplomacyDealManager.getCategory
DiplomacyDealManager.isEmpty
DiplomacyDealProposalActions.ACCEPTED
DiplomacyDealProposalActions.ADJUSTED
DiplomacyDealProposalActions.INSPECT
DiplomacyDealProposalActions.PROPOSED
DiplomacyDealProposalActions.REJECTED
DiplomacyDialogManager.addDisplayRequest
DiplomacyDialogManager.isEmpty
DiplomacyFavorGrievanceEventGroupType.DIPLOMACY_HISTORICAL_EVENT
DiplomacyFavorGrievanceEventType.GRIEVANCE_FROM_CAPTURE_SETTLEMENT
DiplomacyFavorGrievanceEventType.HISTORICAL_EVENT_LEADER_AGENDA
DiplomacyFavorGrievanceEventType.HISTORICAL_EVENT_PREVIOUS_AGE
DiplomacyManager.addCurrentDiplomacyProject
DiplomacyManager.availableEndeavors
DiplomacyManager.availableEspionage
DiplomacyManager.availableProjects
DiplomacyManager.availableSanctions
DiplomacyManager.availableTreaties
DiplomacyManager.clickStartProject
DiplomacyManager.closeCurrentDiplomacyDeal
DiplomacyManager.closeCurrentDiplomacyDialog
DiplomacyManager.closeCurrentDiplomacyProject
DiplomacyManager.confirmDeclareWar
DiplomacyManager.currentAllyWarData
DiplomacyManager.currentDiplomacyDealData
DiplomacyManager.currentDiplomacyDialogData
DiplomacyManager.currentEspionageData
DiplomacyManager.currentProjectReactionData
DiplomacyManager.currentProjectReactionRequest
DiplomacyManager.diplomacyActions
DiplomacyManager.firstMeetPlayerID
DiplomacyManager.getRelationshipTypeString
DiplomacyManager.hide
DiplomacyManager.isDeclareWarDiplomacyOpen
DiplomacyManager.isEmpty
DiplomacyManager.isFirstMeetDiplomacyOpen
DiplomacyManager.lowerDiplomacyHub
DiplomacyManager.populateDiplomacyActions
DiplomacyManager.queryAvailableProjectData
DiplomacyManager.raiseDiplomacyHub
DiplomacyManager.selectedActionID
DiplomacyManager.selectedPlayerID
DiplomacyManager.selectedProjectData
DiplomacyManager.shouldQuickClose
DiplomacyManager.startWarFromMap
DiplomacyPlayerFirstMeets.PLAYER_REALATIONSHIP_FIRSTMEET_FRIENDLY
DiplomacyPlayerFirstMeets.PLAYER_REALATIONSHIP_FIRSTMEET_NEUTRAL
DiplomacyPlayerFirstMeets.PLAYER_REALATIONSHIP_FIRSTMEET_UNFRIENDLY
DiplomacyPlayerRelationships.PLAYER_RELATIONSHIP_FRIENDLY
DiplomacyPlayerRelationships.PLAYER_RELATIONSHIP_HELPFUL
DiplomacyPlayerRelationships.PLAYER_RELATIONSHIP_HOSTILE
DiplomacyPlayerRelationships.PLAYER_RELATIONSHIP_NEUTRAL
DiplomacyPlayerRelationships.PLAYER_RELATIONSHIP_UNFRIENDLY
DiplomacyPlayerRelationships.PLAYER_RELATIONSHIP_UNKNOWN
DiplomacyProjectManager.addDisplayRequest
DiplomacyProjectManager.isEmpty
DiplomacyProjectStatus.PROJECT_ACTIVE
DiplomacyProjectStatus.PROJECT_AVAILABLE
DiplomacyProjectStatus.PROJECT_BLOCKED
DiplomacyProjectStatus.PROJECT_NOT_UNLOCKED
DiplomacyProjectStatus.PROJECT_NO_VIABLE_TARGETS
DiplomacyTokenTypes.DIPLOMACY_TOKEN_GLOBAL
DiplomaticResponseTypes.DIPLOMACY_RESPONSE_REJECT
DiplomaticResponseTypes.DIPLOMACY_RESPONSE_SUPPORT
DirectionTypes.DIRECTION_EAST
DirectionTypes.DIRECTION_NORTHEAST
DirectionTypes.DIRECTION_NORTHWEST
DirectionTypes.DIRECTION_SOUTHEAST
DirectionTypes.DIRECTION_SOUTHWEST
DirectionTypes.DIRECTION_WEST
DirectionTypes.NO_DIRECTION
DirectionTypes.NUM_DIRECTION_TYPES
DirectiveTypes.KEEP
DirectiveTypes.LIBERATE_FOUNDER
DirectiveTypes.RAZE
DiscoveryActivationTypes.BASIC
DiscoveryActivationTypes.INVESTIGATION
DiscoveryActivationTypes.MYTHIC
DiscoveryVisualTypes.IMPROVEMENT_CAIRN
DiscoveryVisualTypes.IMPROVEMENT_CAMPFIRE
DiscoveryVisualTypes.IMPROVEMENT_CAVE
DiscoveryVisualTypes.IMPROVEMENT_COAST
DiscoveryVisualTypes.IMPROVEMENT_PLAZA
DiscoveryVisualTypes.IMPROVEMENT_RICH
DiscoveryVisualTypes.IMPROVEMENT_RUINS
DiscoveryVisualTypes.IMPROVEMENT_SHIPWRECK
DiscoveryVisualTypes.IMPROVEMENT_TENTS
DiscoveryVisualTypes.IMPROVEMENT_WRECKAGE
DiscoveryVisualTypes.INVALID
DisplayHideReason.Close
DisplayHideReason.Reshuffle
DisplayHideReason.Suspend
DisplayQueueManager.activeDisplays
DisplayQueueManager.add
DisplayQueueManager.close
DisplayQueueManager.closeActive
DisplayQueueManager.closeMatching
DisplayQueueManager.findAll
DisplayQueueManager.getHandler
DisplayQueueManager.isSuspended
DisplayQueueManager.registerHandler
DisplayQueueManager.resume
DisplayQueueManager.suspend
DisplayType.DISPLAY_HIDDEN
DisplayType.DISPLAY_LOCKED
DisplayType.DISPLAY_UNLOCKED
DistrictHealthManager._instance
DistrictHealthManager.canShowDistrictHealth
DistrictHealthManager.instance
DistrictTypes.CITY_CENTER
DistrictTypes.RURAL
DistrictTypes.URBAN
DistrictTypes.WONDER
Districts.get
Districts.getAtLocation
Districts.getIdAtLocation
Districts.getLocations
DnaCodeRedeemResult.CODE_ALREADY_REDEEMED
DnaCodeRedeemResult.CODE_REDEEM_SUCCESSFULLY
DnaCodeRedeemResult.UNSET
DomainType.DOMAIN_LAND
DoughnutController.defaults
DoughnutController.descriptors
DoughnutController.id
DoughnutController.overrides
DragType.None
DragType.Pan
DragType.Rotate
DragType.Swipe
DynamicCardTypes.Capital
DynamicCardTypes.City
DynamicCardTypes.DarkAge
DynamicCardTypes.Unit
DynamicCardTypes.Victory
EViewID.MultiquadFrame
EdgeRelations.in
EdgeRelations.out
Element.defaultRoutes
Element.defaults
Element.prototype
Emitter.prototype
EndGame.playerScores
EndGame.updateCallback
EndTurnBlockingTypes.NONE
EndTurnBlockingTypes.UNITS
Environment.findFogSettings
Environment.popFogOverride
Environment.pushFogOverride
Experience.experiencePoints
Experience.experienceToNextLevel
Experience.getLevel
Experience.getStoredCommendations
Experience.getStoredPromotionPoints
Experience.getTotalPromotionsEarned
FeatureTypes.NO_FEATURE
FertilityBuilder.recalculate
FertilityTypes.NO_FERTILITY
FileName.indexOf
FileName.substring
FixedWorldAnchors.offsetTransforms
FixedWorldAnchors.visibleValues
FlipBook.nFrames
FlipBook.restart
Focus.setContextAwareFocus
FocusManager.SetWorldFocused
FocusManager.clearFocus
FocusManager.getFocus
FocusManager.getFocusChildOf
FocusManager.isFocusActive
FocusManager.isWorldFocused
FocusManager.lockFocus
FocusManager.setFocus
FocusManager.toLogString
FocusManager.unlockFocus
FocusManagerSingleton.Instance
FocusManagerSingleton.getInstance
FocusState.CHAT
FocusState.CHAT_DIALOG
FocusState.PLAYER_SLOT
FontScale.Large
FontScale.Medium
FontScale.Small
FontScale.XLarge
FontScale.XSmall
Fractal.ts
FractalBuilder.create
FractalBuilder.getHeight
FractalBuilder.getHeightFromPercent
FrameGenerationMode.INTEL_XeFG
FrameGenerationMode.NONE
Framework.ContextManager
Framework.FocusManager
FriendListTypes.Blocked
FriendListTypes.Immediate
FriendStateTypes.Busy
FriendStateTypes.Offline
FriendStateTypes.Online
Fsr1Quality.BALANCED
Fsr1Quality.PERFORMANCE
Fsr1Quality.QUALITY
Fsr1Quality.ULTRA_QUALITY
Fsr3Quality.BALANCED
Fsr3Quality.NATIVE
Fsr3Quality.PERFORMANCE
Fsr3Quality.QUALITY
Fsr3Quality.ULTRA_PERFORMANCE
Function.prototype
FxsActivatable.FEEDBACK_DURATION
FxsActivatable.FEEDBACK_HIGH
FxsActivatable.FEEDBACK_LOW
FxsHSlot.ruleDirectionCallbackMapping
FxsNavHelp.getGamepadActionName
FxsScrollable.DECORATION_SIZE
FxsScrollable.MIN_SIZE_OVERFLOW
FxsScrollable.MIN_SIZE_PIXELS
FxsScrollableHorizontal.DECORATION_SIZE
FxsScrollableHorizontal.MIN_SIZE_OVERFLOW
FxsScrollableHorizontal.MIN_SIZE_PIXELS
FxsSlot.INITIAL_THRESHOLD
FxsSlot.NO_FOCUS_FRAMES_WARNING_THRESHOLD
FxsSlot.REPEAT_THRESHOLD
FxsSlot.onFocus
FxsSlot.ruleDirectionCallbackMapping
FxsSpatialSlot.getSectionIdFromPool
FxsSpatialSlot.onAttach
FxsSpatialSlot.onChildrenChanged
FxsSpatialSlot.removeSectionIdFromPool
FxsSpatialSlot.ruleDirectionCallbackMapping
FxsSpatialSlot.sectionCount
FxsSpatialSlot.sectionIdPool
FxsSpatialSlot.sectionIdPrefix
FxsVSlot.ruleDirectionCallbackMapping
Game.AgeProgressManager
Game.CityCommands
Game.CityOperations
Game.CityStates
Game.Combat
Game.CrisisManager
Game.Culture
Game.Diplomacy
Game.DiplomacyDeals
Game.DiplomacySessions
Game.EconomicRules
Game.IndependentPowers
Game.Notifications
Game.PlacementRules
Game.PlayerOperations
Game.ProgressionTrees
Game.Religion
Game.Resources
Game.Summary
Game.UnitCommands
Game.UnitOperations
Game.Unlocks
Game.VictoryManager
Game.age
Game.getHash
Game.getTurnDate
Game.maxTurns
Game.turn
GameBenchmarkType.AI
GameBenchmarkType.GRAPHICS
GameContext.hasSentRetire
GameContext.hasSentTurnComplete
GameContext.hasSentTurnUnreadyThisTurn
GameContext.localObserverID
GameContext.localPlayerID
GameContext.sendGameQuery
GameContext.sendPauseRequest
GameContext.sendRetireRequest
GameContext.sendTurnComplete
GameContext.sendUnreadyTurn
GameCore_MetaprogressionTypes.h
GameCore_PlayerComponentID.h
GameCreationPromoManager.cancelResolves
GameCreationPromoManager.getContentPackTitleFor
GameCreationPromoManager.refreshPromos
GameInfo.Adjacency_YieldChanges
GameInfo.AdvancedStartDeckCardEntries
GameInfo.AdvancedStartParameters
GameInfo.AdvisorySubjects
GameInfo.AgeProgressionDarkAgeRewardInfos
GameInfo.AgeProgressionMilestoneRewards
GameInfo.AgeProgressionMilestones
GameInfo.AgeProgressionRewards
GameInfo.Ages
GameInfo.Attributes
GameInfo.BeliefClasses
GameInfo.Beliefs
GameInfo.Biomes
GameInfo.Buildings
GameInfo.CityStateBonuses
GameInfo.CivilizationTraits
GameInfo.Civilizations
GameInfo.CivilopediaPageChapterHeaders
GameInfo.CivilopediaPageChapterParagraphs
GameInfo.CivilopediaPageExcludes
GameInfo.CivilopediaPageGroupExcludes
GameInfo.CivilopediaPageGroupQueries
GameInfo.CivilopediaPageGroups
GameInfo.CivilopediaPageLayoutChapterContentQueries
GameInfo.CivilopediaPageLayoutChapters
GameInfo.CivilopediaPageLayouts
GameInfo.CivilopediaPageQueries
GameInfo.CivilopediaPageSearchTermQueries
GameInfo.CivilopediaPageSearchTerms
GameInfo.CivilopediaPageSidebarPanels
GameInfo.CivilopediaPages
GameInfo.CivilopediaSectionExcludes
GameInfo.CivilopediaSections
GameInfo.ConstructibleModifiers
GameInfo.Constructible_Adjacencies
GameInfo.Constructible_Maintenances
GameInfo.Constructible_WarehouseYields
GameInfo.Constructible_YieldChanges
GameInfo.Constructibles
GameInfo.Continents
GameInfo.Defeats
GameInfo.Difficulties
GameInfo.DiplomacyActions
GameInfo.DiplomacyStatementFrames
GameInfo.DiplomacyStatementSelections
GameInfo.DiplomacyStatements
GameInfo.DisplayQueuePriorities
GameInfo.Districts
GameInfo.EndGameMovies
GameInfo.FeatureClasses
GameInfo.Feature_NaturalWonders
GameInfo.Features
GameInfo.GameSpeeds
GameInfo.GlobalParameters
GameInfo.GoldenAges
GameInfo.Governments
GameInfo.GreatWork_YieldChanges
GameInfo.GreatWorks
GameInfo.Ideologies
GameInfo.Improvements
GameInfo.Independents
GameInfo.InterfaceModes
GameInfo.KeywordAbilities
GameInfo.LeaderInfo
GameInfo.Leaders
GameInfo.LegacyCivilizationTraits
GameInfo.LegacyCivilizations
GameInfo.LegacyPaths
GameInfo.LoadingInfo_Ages
GameInfo.LoadingInfo_Civilizations
GameInfo.LoadingInfo_Leaders
GameInfo.Maps
GameInfo.ModifierStrings
GameInfo.Modifiers
GameInfo.NarrativeDisplay_Civilizations
GameInfo.NarrativeRewardIcons
GameInfo.NarrativeStories
GameInfo.NarrativeStory_Links
GameInfo.NotificationSounds
GameInfo.Notifications
GameInfo.PlotEffects
GameInfo.ProgressionTreeNodeUnlocks
GameInfo.ProgressionTreeNodes
GameInfo.ProgressionTrees
GameInfo.Projects
GameInfo.RandomEventUI
GameInfo.RandomEvents
GameInfo.Religions
GameInfo.Resource_YieldChanges
GameInfo.Resources
GameInfo.Routes
GameInfo.StartBiasAdjacentToCoasts
GameInfo.StartBiasBiomes
GameInfo.StartBiasFeatureClasses
GameInfo.StartBiasLakes
GameInfo.StartBiasNaturalWonders
GameInfo.StartBiasResources
GameInfo.StartBiasRivers
GameInfo.StartBiasTerrains
GameInfo.StartingGovernments
GameInfo.Terrains
GameInfo.TraditionModifiers
GameInfo.Traditions
GameInfo.TypeQuotes
GameInfo.TypeTags
GameInfo.Types
GameInfo.UniqueQuarters
GameInfo.UnitAbilities
GameInfo.UnitCommands
GameInfo.UnitOperations
GameInfo.UnitPromotionClassSets
GameInfo.UnitPromotionDisciplineDetails
GameInfo.UnitPromotionDisciplines
GameInfo.UnitPromotions
GameInfo.UnitReplaces
GameInfo.UnitUpgrades
GameInfo.Unit_Costs
GameInfo.Unit_RequiredConstructibles
GameInfo.Unit_ShadowReplacements
GameInfo.Unit_Stats
GameInfo.Units
GameInfo.UnlockRequirements
GameInfo.UnlockRewards
GameInfo.Victories
GameInfo.VictoryCinematics
GameInfo.Wonders
GameInfo.Yields
GameListUpdateType.GAMELISTUPDATE_ERROR
GameModeTypes.HOTSEAT
GameModeTypes.INTERNET
GameModeTypes.LAN
GameModeTypes.PLAYBYCLOUD
GameModeTypes.SINGLEPLAYER
GameModeTypes.WIRELESS
GameQueryTypes.GAMEQUERY_SIMULATE_COMBAT
GameSetup.currentRevision
GameSetup.findGameParameter
GameSetup.findPlayerParameter
GameSetup.findString
GameSetup.getGameParameters
GameSetup.getMementoFilteredPlayerParameters
GameSetup.makeString
GameSetup.resolveString
GameSetup.setGameParameterValue
GameSetup.setPlayerParameterValue
GameSetupDomainType.Boolean
GameSetupDomainType.IntRange
GameSetupDomainType.Integer
GameSetupDomainType.Select
GameSetupDomainType.Text
GameSetupDomainType.UnsignedInteger
GameSetupDomainValueInvalidReason.NotValid
GameSetupDomainValueInvalidReason.NotValidOwnership
GameSetupDomainValueInvalidReason.Valid
GameSetupParameterInvalidReason.Valid
GameStateStorage.closeAllFileListQueries
GameStateStorage.closeFileListQuery
GameStateStorage.doesPlatformSupportLocalSaves
GameStateStorage.getFileExtension
GameStateStorage.getGameConfigurationSaveType
GameStateStorage.querySaveGameList
GameStateTypes.GAMESTATE_PREGAME
GameTutorial.getProperty
GameTutorial.setProperty
GameValueStepTypes.ATTRIBUTE
GameValueStepTypes.MULTIPLY
GameValueStepTypes.PERCENTAGE
GameplayEvent.MainMenu
GameplayEvent.WILCO
GameplayMap.findSecondContinent
GameplayMap.getAdjacentPlotLocation
GameplayMap.getAreaId
GameplayMap.getAreaIsWater
GameplayMap.getBiomeType
GameplayMap.getContinentType
GameplayMap.getDirectionToPlot
GameplayMap.getElevation
GameplayMap.getFeatureClassType
GameplayMap.getFeatureType
GameplayMap.getGridHeight
GameplayMap.getGridWidth
GameplayMap.getHemisphere
GameplayMap.getIndexFromLocation
GameplayMap.getIndexFromXY
GameplayMap.getLocationFromIndex
GameplayMap.getMapSize
GameplayMap.getOwner
GameplayMap.getOwnerHostility
GameplayMap.getOwnerName
GameplayMap.getOwningCityFromXY
GameplayMap.getPlotDistance
GameplayMap.getPlotIndicesInRadius
GameplayMap.getPlotLatitude
GameplayMap.getPrimaryHemisphere
GameplayMap.getRainfall
GameplayMap.getRandomSeed
GameplayMap.getRegionId
GameplayMap.getResourceType
GameplayMap.getRevealedState
GameplayMap.getRevealedStates
GameplayMap.getRiverName
GameplayMap.getRiverType
GameplayMap.getRouteType
GameplayMap.getTerrainType
GameplayMap.getVolcanoName
GameplayMap.getYield
GameplayMap.getYields
GameplayMap.getYieldsWithCity
GameplayMap.hasPlotTag
GameplayMap.isAdjacentToFeature
GameplayMap.isAdjacentToLand
GameplayMap.isAdjacentToRivers
GameplayMap.isAdjacentToShallowWater
GameplayMap.isCityWithinMinimumDistance
GameplayMap.isCliffCrossing
GameplayMap.isCoastalLand
GameplayMap.isFerry
GameplayMap.isFreshWater
GameplayMap.isImpassable
GameplayMap.isLake
GameplayMap.isMountain
GameplayMap.isNaturalWonder
GameplayMap.isNavigableRiver
GameplayMap.isPlotInAdvancedStartRegion
GameplayMap.isRiver
GameplayMap.isValidLocation
GameplayMap.isVolcano
GameplayMap.isVolcanoActive
GameplayMap.isWater
GlobalConfig.navigableFilter
GlobalConfig.tabIndexIgnoreList
GlobalParameters.COMBAT_WALL_DEFENSE_BONUS
GlobalParameters.DISTRICT_FORTIFICATION_DAMAGE
GlobalScaling.createPixelsTextClass
GlobalScaling.getFontSizePx
GlobalScaling.pixelsToRem
GlobalScaling.remToScreenPixels
GraphicsOptions.applyOptions
GraphicsOptions.fillAdvancedOptions
GraphicsOptions.getCurrentOptions
GraphicsOptions.getDefaultOptions
GraphicsOptions.getSupportedOptions
GraphicsOptions.linearToPq
GraphicsOptions.pqToLinear
GraphicsProfile.CUSTOM
GreatWorks.clearSelectedGreatWork
GreatWorks.hasSelectedGreatWork
GreatWorks.latestGreatWorkDetails
GreatWorks.localPlayer
GreatWorks.selectEmptySlot
GreatWorks.selectGreatWork
GreatWorks.update
GreatWorks.updateCallback
GreatWorksDetails.filter
GreatWorksDetails.map
Group.Primary
Group.Secondary
GroupByOptions.None
GroupByOptions.OfficialOrCommunity
GroupIds.EMOJI
GroupIds.RESOURCES
GroupIds.YIELDS
GrowthTypes.EXPAND
GrowthTypes.PROJECT
HTMLInputElement.placeholder
HTMLInputElement.value
HUE_RE.exec
HallofFame.getCivilizationProgress
HallofFame.getLeaderProgress
Header.failed
Header.revealed
Header.targetPlayer
HexGridData.sourceProgressionTrees
HexGridData.updateCallback
HexPoints.BottomCenter
HexPoints.BottomLeft
HexPoints.BottomRight
HexPoints.TopCenter
HexPoints.TopLeft
HexPoints.TopRight
Hex_112px.png
Hex_64px.png
HighlightColors.best
HighlightColors.citySelection
HighlightColors.good
HighlightColors.okay
HighlightColors.ruralSelection
HighlightColors.unitAttack
HighlightColors.urbanSelection
Horizontal.onNavigateInput
HostingType.HOSTING_TYPE_EOS
HostingType.HOSTING_TYPE_GAMECENTER
HostingType.HOSTING_TYPE_NX
HostingType.HOSTING_TYPE_PLAYSTATION
HostingType.HOSTING_TYPE_STEAM
HostingType.HOSTING_TYPE_T2GP
HostingType.HOSTING_TYPE_UNKNOWN
HostingType.HOSTING_TYPE_XBOX
HotkeyManagerSingleton.Instance
HotkeyManagerSingleton.getInstance
HourGlass.png
II.png
IM.switchTo
IMEConfirmationValueLocation.Element
Icon.getBuildingIconFromDefinition
Icon.getCivIconForCivilopedia
Icon.getCivIconForDiplomacyHeader
Icon.getCivLineCSSFromCivilizationType
Icon.getCivLineCSSFromPlayer
Icon.getCivLineFromCivilizationType
Icon.getCivSymbolCSSFromCivilizationType
Icon.getCivSymbolCSSFromPlayer
Icon.getCivSymbolFromCivilizationType
Icon.getCivicsIconForCivilopedia
Icon.getConstructibleIconFromDefinition
Icon.getCultureIconFromProgressionTreeDefinition
Icon.getCultureIconFromProgressionTreeNodeDefinition
Icon.getDiplomaticActionIconFromDefinition
Icon.getIconFromActionID
Icon.getIconFromActionName
Icon.getImprovementIconFromDefinition
Icon.getLeaderPortraitIcon
Icon.getLegacyPathIcon
Icon.getModifierIconFromDefinition
Icon.getNotificationIconFromID
Icon.getPlayerBackgroundImage
Icon.getPlayerLeaderIcon
Icon.getProductionIconFromHash
Icon.getProjectIconFromDefinition
Icon.getTechIconForCivilopedia
Icon.getTechIconFromProgressionTreeNodeDefinition
Icon.getTraditionIconFromDefinition
Icon.getUnitIconFromDefinition
Icon.getUnitIconFromID
Icon.getVictoryIcon
Icon.getWonderIconFromDefinition
Icon.getYieldIcon
Icon.missingUnitImage
IconState.Active
IconState.Default
IconState.Disabled
IconState.Focus
IconState.Hover
Icon_pencil_check.png
IgnoreNotificationType.DISMISSED
IndPlayer.civilizationAdjective
IndPlayer.isMinor
IndependentPowersFlagMaker.addChildForTracking
IndependentPowersFlagMaker.ipflags
IndependentPowersFlagMaker.onDiplomacyEventEnded
IndependentPowersFlagMaker.onDiplomacyEventStarted
IndependentPowersFlagMaker.removeChildFromTracking
IndependentRelationship.FRIENDLY
IndependentRelationship.HOSTILE
IndependentRelationship.NEUTRAL
IndependentRelationship.NOT_APPLICABLE
IndependentTypes.NO_INDEPENDENT
InitialScriptType.Default
Input.beginRecordingGestures
Input.bindAction
Input.getActionCount
Input.getActionDescription
Input.getActionDeviceType
Input.getActionIdByIndex
Input.getActionIdByName
Input.getActionName
Input.getActionSortIndex
Input.getActiveContext
Input.getActiveDeviceType
Input.getContext
Input.getContextName
Input.getControllerIcon
Input.getGestureDisplayIcons
Input.getGestureDisplayString
Input.getGestureKey
Input.getNumContexts
Input.getPrefix
Input.hasGesture
Input.isActionAllowed
Input.isCtrlDown
Input.isInvertStickActionsAllowed
Input.isShiftDown
Input.loadPreferences
Input.restoreDefault
Input.savePreferences
Input.setActiveContext
Input.showSystemBindingPanel
Input.swapThumbAxis
Input.toggleFrameStats
Input.triggerForceFeedback
Input.virtualMouseLeft
Input.virtualMouseMove
Input.virtualMouseRight
InputActionStatuses.DRAG
InputActionStatuses.FINISH
InputActionStatuses.HOLD
InputActionStatuses.START
InputActionStatuses.UPDATE
InputContext.ALL
InputContext.Dual
InputContext.INVALID
InputContext.Shell
InputContext.Unit
InputContext.World
InputDeviceLayout.Unknown
InputDeviceType.Controller
InputDeviceType.Keyboard
InputDeviceType.Mouse
InputDeviceType.Touch
InputDeviceType.XR
InputEngineEvent.CreateNewEvent
InputKeys.PAD_A
InputKeys.PAD_B
InputKeys.PAD_BACK
InputKeys.PAD_DPAD_DOWN
InputKeys.PAD_DPAD_LEFT
InputKeys.PAD_DPAD_RIGHT
InputKeys.PAD_DPAD_UP
InputKeys.PAD_LSHOULDER
InputKeys.PAD_LTHUMB_AXIS
InputKeys.PAD_LTHUMB_PRESS
InputKeys.PAD_LTRIGGER
InputKeys.PAD_RSHOULDER
InputKeys.PAD_RTHUMB_AXIS
InputKeys.PAD_RTHUMB_PRESS
InputKeys.PAD_RTRIGGER
InputKeys.PAD_START
InputKeys.PAD_X
InputKeys.PAD_Y
InputNavigationAction.DOWN
InputNavigationAction.LEFT
InputNavigationAction.NEXT
InputNavigationAction.NONE
InputNavigationAction.PREVIOUS
InputNavigationAction.RIGHT
InputNavigationAction.SHELL_NEXT
InputNavigationAction.SHELL_PREVIOUS
InputNavigationAction.UP
Interaction.modes
InterfaceMode.addHandler
InterfaceMode.allowsHotKeys
InterfaceMode.getCurrent
InterfaceMode.getInterfaceModeHandler
InterfaceMode.getParameters
InterfaceMode.handleInput
InterfaceMode.handleNavigation
InterfaceMode.isInDefaultMode
InterfaceMode.isInInterfaceMode
InterfaceMode.startup
InterfaceMode.switchTo
InterfaceMode.switchToDefault
InterfaceModeHandlers.get
InterfaceModeHandlers.set
InterpolationFunc.EaseOutSin
Intl.NumberFormat
ItemType.Legacy
ItemType.PerTurn
ItemType.Persistent
ItemType.Tracked
JSON.parse
JSON.stringify
JSX.createElement
JoinGameErrorType.JOINGAME_CHILD_ACCOUNT
JoinGameErrorType.JOINGAME_CONNECTION_REJECTED
JoinGameErrorType.JOINGAME_INCOMPLETE_ACCOUNT
JoinGameErrorType.JOINGAME_JOINCODE_SYNTAX
JoinGameErrorType.JOINGAME_JOINCODE_TRANSPORT
JoinGameErrorType.JOINGAME_LINK_ACCOUNT
JoinGameErrorType.JOINGAME_MATCHMAKING_FAILED
JoinGameErrorType.JOINGAME_NO_ONLINE_SUB
JoinGameErrorType.JOINGAME_ROOM_FULL
JoinGameErrorType.JOINGAME_SESSION_ERROR
JoinGameErrorType.JOINGAME_SESSION_UNEXPECTED
KEYS_TO_ADD.push
KNOWN_POSITIONS.indexOf
KeyboardKeys.DownArrow
KeyboardKeys.End
KeyboardKeys.Home
KeyboardKeys.LeftArrow
KeyboardKeys.RightArrow
KeyboardKeys.UpArrow
KeyframeFlag.FLAG_ALL
KickDirectResultType.KICKDIRECTRESULT_FAILURE
KickDirectResultType.KICKDIRECTRESULT_SUCCESS
KickReason.KICK_APP_SLEPT
KickReason.KICK_CROSSPLAY_DISABLED_CLIENT
KickReason.KICK_CROSSPLAY_DISABLED_HOST
KickReason.KICK_GAME_STARTED
KickReason.KICK_HOST
KickReason.KICK_LOBBY_CONNECT
KickReason.KICK_MATCH_DELETED
KickReason.KICK_MOD_ERROR
KickReason.KICK_MOD_MISSING
KickReason.KICK_NONE
KickReason.KICK_NO_HOST
KickReason.KICK_NO_ROOM
KickReason.KICK_PLATFORM_MAPSIZE
KickReason.KICK_RELAY_FAIL
KickReason.KICK_TIMEOUT
KickReason.KICK_TOO_MANY_MATCHES
KickReason.KICK_UNAUTHORIZED
KickReason.KICK_UNRECOGNIZED
KickReason.KICK_VERSION_MISMATCH
KickReason.NUM_KICKS
KickVoteReasonType.KICKVOTE_NONE
KickVoteResultType.KICKVOTERESULT_NOT_ENOUGH_PLAYERS
KickVoteResultType.KICKVOTERESULT_PENDING
KickVoteResultType.KICKVOTERESULT_TARGET_INVALID
KickVoteResultType.KICKVOTERESULT_TIME_ELAPSED
KickVoteResultType.KICKVOTERESULT_VOTED_NO_KICK
KickVoteResultType.KICKVOTERESULT_VOTE_PASSED
LanguageChangeFollowupAction.NoAction
LanguageChangeFollowupAction.ReloadUI
LanguageChangeFollowupAction.RestartGame
Layout.isCompact
Layout.pixels
Layout.pixelsText
Layout.pixelsToScreenPixels
Layout.pixelsValue
Layout.textSizeToScreenPixels
LeaderID.length
LeaderModelManager.MAX_LENGTH_OF_ANIMATION_EXIT
LeaderModelManager.beginAcknowledgeNegativeOtherSequence
LeaderModelManager.beginAcknowledgeOtherSequence
LeaderModelManager.beginAcknowledgePlayerSequence
LeaderModelManager.beginAcknowledgePositiveOtherSequence
LeaderModelManager.beginHostileAcknowledgePlayerSequence
LeaderModelManager.clear
LeaderModelManager.exitLeaderScene
LeaderModelManager.showLeaderModels
LeaderModelManager.showLeaderSequence
LeaderModelManager.showLeftLeaderModel
LeaderModelManager.showRightIndLeaderModel
LeaderModelManager.showRightLeaderModel
LeaderModelManagerClass.BANNER_SCALE
LeaderModelManagerClass.CAMERA_DOLLY_ANIMATION_IN_DURATION
LeaderModelManagerClass.CAMERA_DOLLY_ANIMATION_OUT_DURATION
LeaderModelManagerClass.CAMERA_SUBJECT_DISTANCE
LeaderModelManagerClass.DARKENING_VFX_POSITION
LeaderModelManagerClass.DECLARE_WAR_DOLLY_DISTANCE
LeaderModelManagerClass.FOREGROUND_CAMERA_IN_ID
LeaderModelManagerClass.FOREGROUND_CAMERA_OUT_ID
LeaderModelManagerClass.LEFT_BANNER_ANGLE
LeaderModelManagerClass.LEFT_BANNER_POSITION
LeaderModelManagerClass.LEFT_MODEL_POSITION
LeaderModelManagerClass.OFF_CAMERA_DISTANCE
LeaderModelManagerClass.RIGHT_BANNER_ANGLE
LeaderModelManagerClass.RIGHT_BANNER_POSITION
LeaderModelManagerClass.RIGHT_INDEPENDENT_BANNER_POSITION
LeaderModelManagerClass.RIGHT_INDEPENDENT_CAMERA_OFFSET
LeaderModelManagerClass.RIGHT_INDEPENDENT_MODEL_ANGLE
LeaderModelManagerClass.RIGHT_INDEPENDENT_MODEL_POSITION
LeaderModelManagerClass.RIGHT_INDEPENDENT_MODEL_SCALE
LeaderModelManagerClass.RIGHT_INDEPENDENT_VIGNETTE_OFFSET
LeaderModelManagerClass.RIGHT_MODEL_AT_WAR_POSITION
LeaderModelManagerClass.RIGHT_MODEL_POSITION
LeaderModelManagerClass.SCREEN_DARKENING_ASSET_NAME
LeaderModelManagerClass.TRIGGER_HASH_ANIMATION_STATE_END
LeaderModelManagerClass.TRIGGER_HASH_SEQUENCE_TRIGGER
LeaderModelManagerClass.instance
LeaderSelectModelManager.clearFilter
LeaderSelectModelManager.clearLeaderModels
LeaderSelectModelManager.pickLeader
LeaderSelectModelManager.setGrayscaleFilter
LeaderSelectModelManager.showLeaderModels
LeaderSelectModelManagerClass.DEFAULT_CAMERA_POSITION
LeaderSelectModelManagerClass.DEFAULT_CAMERA_TARGET
LeaderSelectModelManagerClass.TRIGGER_HASH_ANIMATION_STATE_END
LeaderSelectModelManagerClass.TRIGGER_HASH_SEQUENCE_TRIGGER
LeaderSelectModelManagerClass.VO_CAMERA_CHOOSER_POSITION
LeaderSelectModelManagerClass.VO_CAMERA_CHOOSER_TARGET
LeaderSelectModelManagerClass.instance
LeaderTags.TagType
LeaderText.xml
LeaderboardData.eventNameLocKey
LeaderboardData.leaderboardID
LegalState.ACCEPT_CONFIRMED
LegendsManager.getData
LegendsReport.showRewards
LegendsReport.updateCallback
LensManager.disableLayer
LensManager.enableLayer
LensManager.getActiveLens
LensManager.isLayerEnabled
LensManager.registerLens
LensManager.registerLensLayer
LensManager.setActiveLens
LensManager.toggleLayer
LineController.defaults
LineController.id
LineController.overrides
LineDirection.DOWN_LINE
LineDirection.SAME_LEVEL_LINE
LineDirection.UP_LINE
LineElement.defaultRoutes
LineElement.defaults
LineElement.descriptors
LineElement.id
LinearScale.defaults
LinearScale.id
LinearScaleBase.prototype
LiveEventManager.restrictToPreferredCivs
LiveEventManager.skipAgeSelect
LiveEventManagerSingleton._Instance
LiveEventManagerSingleton.getInstance
LiveNoticeType.ChallengeCompleted
LiveNoticeType.LegendPathsUpdate
LiveNoticeType.RewardReceived
LoadErrorCause.BAD_MAPSIZE
LoadErrorCause.GAME_ABANDONED
LoadErrorCause.MOD_CONFIG
LoadErrorCause.MOD_CONTENT
LoadErrorCause.MOD_OWNERSHIP
LoadErrorCause.MOD_VALIDATION
LoadErrorCause.REQUIRES_LINKED_ACCOUNT
LoadErrorCause.SCRIPT_PROCESSING
LoadErrorCause.UNKNOWN_VERSION
Loading.isFinished
Loading.isInitialized
Loading.isLoaded
Loading.runWhenFinished
Loading.runWhenInitialized
Loading.runWhenLoaded
Loading.whenFinished
Loading.whenInitialized
Loading.whenLoaded
LobbyErrorType.LOBBYERROR_DEVICE_REMOVED
LobbyErrorType.LOBBYERROR_NO_ERROR
LobbyErrorType.LOBBYERROR_UNKNOWN_ERROR
LobbyErrorType.LOBBYERROR_WIFI_OFF
LobbyTypes.LOBBY_LAN
LobbyTypes.LOBBY_NONE
Locale.changeAudioLanguageOption
Locale.changeDisplayLanguageOption
Locale.compare
Locale.compose
Locale.fromUGC
Locale.getAudioLanguageOptionNames
Locale.getCurrentAudioLanguageOption
Locale.getCurrentDisplayLanguageOption
Locale.getCurrentDisplayLocale
Locale.getCurrentLocale
Locale.getDisplayLanguageOptionNames
Locale.keyExists
Locale.plainText
Locale.stylize
Locale.toNumber
Locale.toPercent
Locale.toRomanNumeral
Locale.toUpper
Locale.unpack
LogarithmicScale.defaults
LogarithmicScale.id
LoginResults.SUCCESS
LogoTrainMovies.LOGO_TRAIN_2K_FIRAXIS
LogoTrainMovies.LOGO_TRAIN_END
LogoTrainMovies.LOGO_TRAIN_INTEL
LogoTrainMovies.LOGO_TRAIN_MAIN_INTRO
LogoTrainMovies.LOGO_TRAIN_START
LowLatencyMode.INTEL_XELL
LowLatencyMode.NONE
LowerCalloutEvent.name
LowerQuestPanelEvent.name
MPBrowserDataModel.getInstance
MPBrowserDataModel.instance
MPBrowserModel.GameList
MPBrowserModel.initGameList
MPBrowserModel.installedMods
MPBrowserModel.refreshGameList
MPFriendsActionState.ADD_FRIEND
MPFriendsActionState.INVITED
MPFriendsActionState.NOTIFY_JOIN_RECEIVE
MPFriendsActionState.NOTIFY_RECEIVE
MPFriendsActionState.NOTIFY_SENT
MPFriendsActionState.TO_INVITE
MPFriendsActionState.TO_UNBLOCK
MPFriendsDataModel.getInstance
MPFriendsDataModel.instance
MPFriendsModel.addFriend
MPFriendsModel.blockedPlayersData
MPFriendsModel.eventNotificationUpdate
MPFriendsModel.friendsData
MPFriendsModel.getFriendDataFromID
MPFriendsModel.getRecentlyMetPlayerdDataFromID
MPFriendsModel.getUpdatedDataFlag
MPFriendsModel.hasSearched
MPFriendsModel.invite
MPFriendsModel.isSearching
MPFriendsModel.notificationsData
MPFriendsModel.offIsSearchingChange
MPFriendsModel.onIsSearchingChange
MPFriendsModel.postAttachTabNotification
MPFriendsModel.recentlyMetPlayersData
MPFriendsModel.refreshFriendList
MPFriendsModel.searchResultsData
MPFriendsModel.searched
MPFriendsModel.searching
MPFriendsModel.unblock
MPFriendsModel.updateCallback
MPFriendsPlayerStatus.GREEN
MPFriendsPlayerStatus.ORANGE
MPFriendsPlayerStatus.RED
MPLobbyDataModel.ALL_READY_COUNTDOWN
MPLobbyDataModel.ALL_READY_COUNTDOWN_STEP
MPLobbyDataModel.GLOBAL_COUNTDOWN
MPLobbyDataModel.GLOBAL_COUNTDOWN_STEP
MPLobbyDataModel.KICK_VOTE_COOLDOWN
MPLobbyDataModel.getInstance
MPLobbyDataModel.instance
MPLobbyDataModel.isHostPlayer
MPLobbyDataModel.isLocalHostPlayer
MPLobbyDataModel.isLocalPlayer
MPLobbyDataModel.isNewGame
MPLobbyDropdownType.PLAYER_PARAM
MPLobbyDropdownType.SLOT_ACTION
MPLobbyDropdownType.TEAM
MPLobbyModel.cancelGlobalCountdown
MPLobbyModel.difficulty
MPLobbyModel.isLocalPlayerReady
MPLobbyModel.joinCode
MPLobbyModel.kick
MPLobbyModel.onGameReady
MPLobbyModel.onLobbyDropdown
MPLobbyModel.slotActionsData
MPLobbyModel.summaryMapRuleSet
MPLobbyModel.summaryMapSize
MPLobbyModel.summaryMapType
MPLobbyModel.summarySpeed
MPLobbyModel.updateCallback
MPLobbyModel.updateGlobalCountdownData
MPLobbyModel.updateTooltipData
MPLobbyPlayerConnectionStatus.CONNECTED
MPLobbyPlayerConnectionStatus.DISCONNECTED
MPLobbyReadyStatus.INIT
MPLobbyReadyStatus.NOT_READY
MPLobbyReadyStatus.STARTING_GAME
MPLobbyReadyStatus.WAITING_FOR_HOST
MPLobbyReadyStatus.WAITING_FOR_OTHERS
MPLobbySlotActionType.AI
MPLobbySlotActionType.CLOSE
MPLobbySlotActionType.NONE
MPLobbySlotActionType.OPEN
MPLobbySlotActionType.SWAP
MPLobbySlotActionType.VIEW
MPRefreshDataFlags.All
MPRefreshDataFlags.Friends
MPRefreshDataFlags.None
MPRefreshDataFlags.Notifications
MPRefreshDataFlags.RecentlyMet
MPRefreshDataFlags.SearchResult
MPRefreshDataFlags.UserProfiles
MainMenu.VO_CAMERA_POSITION
MainMenu.VO_CAMERA_TARGET
MapAreas.getAreaPlots
MapCities.getCity
MapCities.getDistrict
MapConstructibles.addDiscovery
MapConstructibles.addDiscoveryType
MapConstructibles.addIndependentType
MapConstructibles.addRoute
MapConstructibles.getConstructibles
MapConstructibles.getHiddenFilteredConstructibles
MapConstructibles.getReplaceableConstructible
MapConstructibles.removeRoute
MapFeatures.canSufferEruptionAt
MapFeatures.getFeatureInfoAt
MapFeatures.getNaturalWonders
MapFeatures.isVolcanoActiveAt
MapPlotEffects.addPlotEffect
MapPlotEffects.getPlotEffectTypesContainingTags
MapPlotEffects.getPlotEffects
MapPlotEffects.hasPlotEffect
MapRegions.getRegionPlots
MapRivers.isRiverConnectedToOcean
MapStorms.getActiveStormIDAtPlot
MapStorms.getActiveStormIDByIndex
MapStorms.getStorm
MapStorms.numActiveStorms
MapUnits.getUnits
Math.PI
Math.SQRT1_2
Math.SQRT2
Math.abs
Math.acos
Math.asin
Math.atan2
Math.ceil
Math.cos
Math.floor
Math.hypot
Math.log10
Math.max
Math.min
Math.pow
Math.random
Math.round
Math.sign
Math.sin
Math.sqrt
Math.trunc
MementoSlotType.Major
MementoSlotType.Minor
Metaprogression.stache
MiniMapData.setDecorationOption
MiniMapData.setLensDisplayOption
MiniMapModel._Instance
MiniMapModel.getInstance
ModAllowance.Full
ModAllowance.None
Modding.applyConfiguration
Modding.canDisableMods
Modding.canEnableMods
Modding.disableMods
Modding.enableMods
Modding.getInitialScripts
Modding.getInstalledMods
Modding.getLastErrorString
Modding.getLastLoadError
Modding.getLastLoadErrorReason
Modding.getLastOwnershipCheck
Modding.getModInfo
Modding.getModProperty
Modding.getModulesToExclude
Modding.getOwnershipItemDisplayName
Modding.getOwnershipItemPackages
Modding.getOwnershipPackageDisplayName
Modding.getTransitionInProgress
Mode.both
Mode.selection
Movement.movementMovesRemaining
MovieAbbasid.movieName
MovieAksum.movieName
MovieAmericanColonialRevolution.movieName
MovieAmina.movieName
MovieAshoka.movieName
MovieAugustus.movieName
MovieBenFranklin.movieName
MovieBritainVictorian.movieName
MovieBuganda.movieName
MovieCaddoMississippian.movieName
MovieCatherineTheGreat.movieName
MovieCharlemagne.movieName
MovieChinaHan.movieName
MovieChinaMing.movieName
MovieChinaQing.movieName
MovieCholaIndia.movieName
MovieConfucius.movieName
MovieCulture.movieName
MovieCultureModern.movieName
MovieDefeatExploration.movieName
MovieDefeatModern.movieName
MovieDomination.movieName
MovieDominationExploration.movieName
MovieEconomic.movieName
MovieEconomicExploration.movieName
MovieEgyptNile.movieName
MovieElimination.movieName
MovieFrenchEmpire.movieName
MovieFriedrichII.movieName
MovieGreece.movieName
MovieGreeceSalamis.movieName
MovieHarrietTubman.movieName
MovieHatshepsut.movieName
MovieHawaii.movieName
MovieHimiko.movieName
MovieIbnBattuta.movieName
MovieInka.movieName
MovieIsabella.movieName
MovieJoseRizal.movieName
MovieKhmer.movieName
MovieLafayette.movieName
MovieLoss.movieName
MovieMachiavelli.movieName
MovieMajapahit.movieName
MovieMauryanIndian.movieName
MovieMaya.movieName
MovieMeijiJapan.movieName
MovieMexico.movieName
MovieMongols.movieName
MovieMughalIndia.movieName
MovieMuslimSpain.movieName
MovieNormans.movieName
MovieNorthAmerica.movieName
MoviePachacuti.movieName
MoviePrussiaGermany.movieName
MovieRomeColosseum.movieName
MovieRussianEmpire.movieName
MovieSankore.movieName
MovieScience.movieName
MovieScienceExploration.movieName
MovieShipsOffshore.movieName
MovieSiam.movieName
MovieTrungTrac.movieName
MovieXerxes.movieName
MultiplayerShellManager.exitMPGame
MultiplayerShellManager.hasSupportForLANLikeServerTypes
MultiplayerShellManager.hostMultiplayerGame
MultiplayerShellManager.onAgeTransition
MultiplayerShellManager.onAutomatch
MultiplayerShellManager.onGameBrowse
MultiplayerShellManager.onGameMode
MultiplayerShellManager.onJoiningFail
MultiplayerShellManager.onLanding
MultiplayerShellManager.onMatchMakingInProgress
MultiplayerShellManager.serverType
MultiplayerShellManager.skipToGameCreator
MultiplayerShellManager.unitTestMP
MultiplayerShellManagerSingleton._Instance
MultiplayerShellManagerSingleton.getInstance
NarrativePopupManager.closePopup
NarrativePopupManager.raiseNotificationPanel
NarrativePopupManagerImpl.instance
NarrativePopupTypes.DISCOVERY
NarrativePopupTypes.MODEL
NarrativePopupTypes.REGULAR
NarrativeQuestManagerClass.instance
NavTray.addOrUpdateAccept
NavTray.addOrUpdateCancel
NavTray.addOrUpdateGenericAccept
NavTray.addOrUpdateGenericBack
NavTray.addOrUpdateGenericCancel
NavTray.addOrUpdateGenericClose
NavTray.addOrUpdateGenericOK
NavTray.addOrUpdateGenericSelect
NavTray.addOrUpdateNavBeam
NavTray.addOrUpdateNavNext
NavTray.addOrUpdateNavPrevious
NavTray.addOrUpdateNextAction
NavTray.addOrUpdateShellAction1
NavTray.addOrUpdateShellAction2
NavTray.addOrUpdateShellAction3
NavTray.addOrUpdateSysMenu
NavTray.addOrUpdateTarget
NavTray.addOrUpdateToggleTooltip
NavTray.clear
NavTray.isTrayActive
NavTray.removeAccept
NavTray.removeShellAction1
NavTray.removeShellAction2
NavTray.removeTarget
NavTray.updateCallback
Navigation.Properties
Navigation.getFirstFocusableElement
Navigation.getFocusableChildren
Navigation.getLastFocusableElement
Navigation.getNextFocusableElement
Navigation.getParentSlot
Navigation.getPreviousFocusableElement
Navigation.isFocusable
Navigation.shouldCheckChildrenFocusable
NavigationHandlers.handlerEscapeNext
NavigationHandlers.handlerEscapePrevious
NavigationHandlers.handlerEscapeSpatial
NavigationHandlers.handlerIgnore
NavigationHandlers.handlerStop
NavigationHandlers.handlerStopNext
NavigationHandlers.handlerStopPrevious
NavigationHandlers.handlerStopSpatial
NavigationHandlers.handlerWrapNext
NavigationHandlers.handlerWrapPrevious
NavigationHandlers.handlerWrapSpatial
NavigationRule.Escape
NavigationRule.Invalid
NavigationRule.Stop
NavigationRule.Wrap
NavigationTrayEntry.icon
NavigationType.CONTEXT
NavigationType.DIPLOMACY
NavigationType.FOCUS
NavigationType.INTERFACE
NavigationType.NONE
Network.acceptInvite
Network.addGameListFilter
Network.areAllLegalDocumentsConfirmed
Network.attemptLogin
Network.canBrowseMPGames
Network.canDirectKickPlayerNow
Network.canDisablePromotions
Network.canDisplayQRCode
Network.canEverKickPlayer
Network.canKickVotePlayerNow
Network.canPlayerEverDirectKick
Network.canPlayerEverKickVote
Network.checkAndClearDisplayMPUnlink
Network.checkAndClearDisplayParentalPermissionChange
Network.checkAndClearDisplaySPoPLogout
Network.clearGameListFilters
Network.clearPremiumError
Network.cloudSavesEnabled
Network.completePrimaryAccountSelection
Network.connectToMultiplayerService
Network.declineInvite
Network.deleteGame
Network.directKickPlayer
Network.forceResync
Network.getBlockedAccessReason
Network.getCachedLegalDocuments
Network.getChatHistory
Network.getChatTargets
Network.getDNAItemIDFromEntitlementID
Network.getGameListEntry
Network.getHostPlayerId
Network.getJoinCode
Network.getLastPremiumError
Network.getLegalDocuments
Network.getLocal1PPlayerName
Network.getLocalCrossPlay
Network.getLocalHostingPlatform
Network.getNumPlayers
Network.getPlayerHostingPlatform
Network.getQrCodeImage
Network.getQrTwoKPortalUrl
Network.getQrVerificationUrl
Network.getRedeemCodeResponse
Network.getRedeemCodeResult
Network.getSecondsSinceSessionCreation
Network.getServerType
Network.getUnreadChatLength
Network.hasCapability
Network.hasCommunicationsPrivilege
Network.hasCrossPlayPrivilege
Network.hostGame
Network.hostMultiplayerGame
Network.initGameList
Network.isAccountComplete
Network.isAccountLinked
Network.isAtMaxSaveCount
Network.isAuthenticated
Network.isBanned
Network.isChildAccount
Network.isChildOnlinePermissionsGranted
Network.isChildPermittedPurchasing
Network.isConnectedToMultiplayerService
Network.isConnectedToNetwork
Network.isConnectedToSSO
Network.isFullAccountLinked
Network.isInSession
Network.isKickVoteTarget
Network.isLoggedIn
Network.isMetagamingAvailable
Network.isMultiplayerLobbyShown
Network.isPlayerConnected
Network.isPlayerHotJoining
Network.isPlayerModReady
Network.isPlayerMuted
Network.isPlayerStartReady
Network.isWaitingForPrimaryAccountSelection
Network.isWaitingForValidHeartbeat
Network.joinCodeMaxLength
Network.joinMultiplayerGame
Network.joinMultiplayerRoom
Network.kickOtherSession
Network.kickVotePlayer
Network.lastMismatchVersion
Network.leaveMultiplayerGame
Network.legalDocumentResponse
Network.loadAgeTransition
Network.loadGame
Network.lobbyTypeFromNamedLobbyType
Network.matchMakeMultiplayerGame
Network.networkVersion
Network.onExitPremium
Network.openTwoKPortalURL
Network.openVerificationURL
Network.prepareConfigurationForHosting
Network.readChat
Network.redeemCode
Network.refreshGameList
Network.requestSlotSwap
Network.requireSPoPKickPrompt
Network.resetNetworkCommunication
Network.restartGame
Network.saveGame
Network.sendChat
Network.sendParentalStatusQuery
Network.sendPremiumCheckRequest
Network.sendQrStatusQuery
Network.serverTypeFromNamedLobbyType
Network.setMainMenuInviteReady
Network.setPlayerMuted
Network.spopLogout
Network.startGame
Network.startMultiplayerGame
Network.supportsSSO
Network.toggleLocalPlayerStartReady
Network.triggerNetworkCheck
Network.tryConnect
Network.unitTestModeEnabled
NetworkCapabilityTypes.LANServerType
NetworkCapabilityTypes.WirelessServerType
NetworkResult.NETWORKRESULT_NONE
NetworkResult.NETWORKRESULT_NO_NETWORK
NetworkResult.NETWORKRESULT_OK
NetworkResult.NETWORKRESULT_PENDING
NetworkUtilities.areLegalDocumentsConfirmed
NetworkUtilities.getHostingTypeTooltip
NetworkUtilities.getHostingTypeURL
NetworkUtilities.multiplayerAbandonReasonToPopup
NetworkUtilities.openSocialPanel
NextCreationAction.Continue
NextCreationAction.StartGame
NextItemStatus.Canceled
Node.DOCUMENT_POSITION_CONTAINED_BY
Node.DOCUMENT_POSITION_CONTAINS
Node.DOCUMENT_POSITION_FOLLOWING
Node.DOCUMENT_POSITION_PRECEDING
Node.ELEMENT_NODE
Node.TEXT_NODE
Node.contains
NotificationGroups.NONE
NotificationHandlers.ActionEspionage
NotificationHandlers.AdvisorWarning
NotificationHandlers.AgeProgression
NotificationHandlers.AllyAtWar
NotificationHandlers.AssignNewPromotionPoint
NotificationHandlers.AssignNewResources
NotificationHandlers.CapitalLost
NotificationHandlers.ChooseBelief
NotificationHandlers.ChooseCelebration
NotificationHandlers.ChooseCityProduction
NotificationHandlers.ChooseCityStateBonus
NotificationHandlers.ChooseCultureNode
NotificationHandlers.ChooseGovernment
NotificationHandlers.ChooseNarrativeDirection
NotificationHandlers.ChoosePantheon
NotificationHandlers.ChooseReligion
NotificationHandlers.ChooseTech
NotificationHandlers.ChooseTownProject
NotificationHandlers.CommandUnits
NotificationHandlers.ConsiderRazeCity
NotificationHandlers.CreateAdvancedStart
NotificationHandlers.CreateAgeTransition
NotificationHandlers.DeclareWar
NotificationHandlers.DefaultHandler
NotificationHandlers.GameInvite
NotificationHandlers.GreatWorkCreated
NotificationHandlers.InvestigateDiplomaticAction
NotificationHandlers.NewPopulationHandler
NotificationHandlers.RelationshipChanged
NotificationHandlers.RespondToDiplomaticAction
NotificationHandlers.RewardUnlocked
NotificationHandlers.ViewAttributeTree
NotificationHandlers.ViewCultureTree
NotificationHandlers.ViewPoliciesChooserCrisis
NotificationHandlers.ViewPoliciesChooserNormal
NotificationHandlers.ViewVictoryProgress
NotificationModel.GroupEntry
NotificationModel.NotificationTrainManagerImpl
NotificationModel.PlayerEntry
NotificationModel.QueryBy
NotificationModel.TypeEntry
NotificationModel.manager
NotificationType.ERROR
NotificationType.HELP
NotificationType.PLAYER
NotificationView.ViewItem
Number.EPSILON
Number.MAX_SAFE_INTEGER
Number.MIN_SAFE_INTEGER
Number.NEGATIVE_INFINITY
Number.POSITIVE_INFINITY
Number.isInteger
Number.isNaN
Number.parseInt
OVERLAY_PRIORITY.CONTINENT_LENS
OVERLAY_PRIORITY.CULTURE_BORDER
OVERLAY_PRIORITY.CURSOR
OVERLAY_PRIORITY.HEX_GRID
OVERLAY_PRIORITY.PLOT_HIGHLIGHT
OVERLAY_PRIORITY.SETTLER_LENS
OVERLAY_PRIORITY.UNIT_ABILITY_RADIUS
OVERLAY_PRIORITY.UNIT_MOVEMENT_SKIRT
Object.assign
Object.create
Object.defineProperties
Object.defineProperty
Object.entries
Object.freeze
Object.getOwnPropertyNames
Object.getPrototypeOf
Object.isExtensible
Object.keys
Object.prototype
Object.values
Online.Achievements
Online.Leaderboard
Online.LiveEvent
Online.MOTD
Online.Metaprogression
Online.Promo
Online.Social
Online.UserProfile
OnlineErrorType.ONLINE_PROMO_REDEEM_FAILED
Op.center_align
Op.image
Op.left_align
Op.model
Op.name_style
Op.no_style
Op.remove_model
Op.right_align
Op.role_style
Op.subtitle_style
Op.title_style
OperationPlotModifiers.NONE
Option.serializedKeys
Option.serializedValues
OptionType.Checkbox
OptionType.Dropdown
OptionType.Editor
OptionType.Slider
OptionType.Stepper
OptionType.Switch
Options.addInitCallback
Options.addOption
Options.commitOptions
Options.data
Options.graphicsOptions
Options.hasChanges
Options.incRefCount
Options.init
Options.isRestartRequired
Options.isUIReloadRequired
Options.needReloadRefCount
Options.needRestartRefCount
Options.resetOptionsToDefault
Options.restore
Options.saveCheckpoints
Options.supportedOptions
Options.supportsGraphicOptions
OrderTypes.ORDER_ADVANCE
OrderTypes.ORDER_CONSTRUCT
OrderTypes.ORDER_FOOD_TRAIN
OrderTypes.ORDER_TOWN_UPGRADE
OrderTypes.ORDER_TRAIN
Ornament_centerDivider_withHex.png
OverlayGroups.attack
OverlayGroups.commandRadius
OverlayGroups.possibleMovement
OverlayGroups.zoc
OwnershipAction.IncludedWith
OwnershipAction.LinkAccount
OwnershipAction.None
PanDirection.Down
PanDirection.Left
PanDirection.None
PanDirection.Right
PanDirection.Up
Panel.animInStyleMap
Panel.animOutStyleMap
PanelAction.actionIconCache
PanelHexGrid.DEFAULT_HEXAGON_SIZE
PanelHexGrid.ZOOM_MAX
PanelHexGrid.ZOOM_MIN
PanelHexGrid.ZOOM_STEP
PanelNotificationMobileManagerClass.instance
PanelNotificationMobilePopupManager.closePopup
PanelNotificationMobilePopupManager.openPopup
PanelNotificationTrainMobile.BATCH_SIZE
PanelOperation.Close
PanelOperation.Create
PanelOperation.CreateDialog
PanelOperation.Delete
PanelOperation.Dialog
PanelOperation.Join
PanelOperation.Loading
PanelOperation.None
PanelOperation.Query
PanelOperation.Save
PanelOperation.Search
PanelType.AvailableResources
PanelType.Cities
PanelType.EmpireResources
PanelType.None
PieController.defaults
PieController.id
PipColors.normal
PipHexPlacement.length
PlaceBuilding.updateCallback
PlacePopulation.ExpandPlotDataUpdatedEvent
PlacePopulation.cityName
PlacePopulation.cityYields
PlacePopulation.getExpandPlots
PlacePopulation.getExpandPlotsIndexes
PlacePopulation.isTown
PlacePopulation.maxSlotsMessage
PlacePopulation.update
PlacePopulation.updateCallback
PlacePopulation.updateExpandPlots
PlacePopulation.updateExpandPlotsForResettle
PlacementMode.DEFAULT
PlacementMode.FIXED
PlacementMode.TERRAIN
PlacementMode.WATER
Player.Religion
PlayerColors.accentOffset
PlayerColors.blackColor
PlayerColors.createPlayerColorVariants
PlayerColors.darkTintOffset
PlayerColors.lessOffset
PlayerColors.lightTintOffset
PlayerColors.moreOffset
PlayerColors.textOffset
PlayerColors.whiteColor
PlayerIds.NO_PLAYER
PlayerIds.OBSERVER_ID
PlayerIds.WORLD_PLAYER
PlayerList.length
PlayerOperationParameters.Activate
PlayerOperationParameters.Deactivate
PlayerOperationTypes.ADD_BELIEF
PlayerOperationTypes.ADVANCED_START_MARK_COMPLETED
PlayerOperationTypes.ADVANCED_START_MODIFY_DECK
PlayerOperationTypes.ADVANCED_START_PLACE_SETTLEMENT
PlayerOperationTypes.ADVANCED_START_USE_EFFECT
PlayerOperationTypes.ASSIGN_RESOURCE
PlayerOperationTypes.ASSIGN_WORKER
PlayerOperationTypes.BUY_ATTRIBUTE_TREE_NODE
PlayerOperationTypes.CANCEL_ALLIANCE
PlayerOperationTypes.CHANGE_GOVERNMENT
PlayerOperationTypes.CHANGE_TRADITION
PlayerOperationTypes.CHOOSE_CITY_STATE_BONUS
PlayerOperationTypes.CHOOSE_GOLDEN_AGE
PlayerOperationTypes.CHOOSE_NARRATIVE_STORY_DIRECTION
PlayerOperationTypes.CONSIDER_ASSIGN_ATTRIBUTE
PlayerOperationTypes.CONSIDER_ASSIGN_RESOURCE
PlayerOperationTypes.DECLARE_WAR
PlayerOperationTypes.FORM_ALLIANCE
PlayerOperationTypes.FOUND_PANTHEON
PlayerOperationTypes.FOUND_RELIGION
PlayerOperationTypes.LAND_CLAIM
PlayerOperationTypes.MOVE_GREAT_WORK
PlayerOperationTypes.RESPOND_DIPLOMATIC_ACTION
PlayerOperationTypes.RESPOND_DIPLOMATIC_FIRST_MEET
PlayerOperationTypes.SET_CULTURE_TREE_NODE
PlayerOperationTypes.SET_TECH_TREE_NODE
PlayerOperationTypes.SUPPORT_DIPLOMATIC_ACTION
PlayerOperationTypes.VIEWED_ADVISOR_WARNING
PlayerParamDropdownTypes.PLAYER_CIV
PlayerParamDropdownTypes.PLAYER_LEADER
PlayerParamDropdownTypes.PLAYER_SLOT_ACTION
PlayerParamDropdownTypes.PLAYER_TEAM
PlayerTypes.NONE
PlayerUnlocks.getAgelessCommanderItems
PlayerUnlocks.getAgelessConstructsAndImprovements
PlayerUnlocks.getAgelessTraditions
PlayerUnlocks.getAgelessWonders
PlayerUnlocks.getLegacyCurrency
PlayerUnlocks.getRewardItems
PlayerUnlocks.updateCallback
Players.AI
Players.AdvancedStart
Players.Advisory
Players.Cities
Players.Culture
Players.Diplomacy
Players.Districts
Players.Religion
Players.Treasury
Players.get
Players.getAlive
Players.getAliveIds
Players.getAliveMajorIds
Players.getEverAlive
Players.isAI
Players.isAlive
Players.isHuman
Players.isParticipant
Players.isValid
Players.maxPlayers
PlayersIDs.forEach
PlotCoord.Range
PlotCoord.fromString
PlotCoord.isInvalid
PlotCoord.isValid
PlotCoord.toString
PlotCursor.hideCursor
PlotCursor.plotCursorCoords
PlotCursor.showCursor
PlotCursorSingleton.Instance
PlotCursorSingleton.getInstance
PlotIconsManager.addPlotIcon
PlotIconsManager.addStackForTracking
PlotIconsManager.getPlotIcon
PlotIconsManager.removePlotIcons
PlotIconsManager.rootAttached
PlotIconsManagerSingleton.getInstance
PlotIconsManagerSingleton.signletonInstance
PlotTags.PLOT_TAG_EAST_LANDMASS
PlotTags.PLOT_TAG_EAST_WATER
PlotTags.PLOT_TAG_ISLAND
PlotTags.PLOT_TAG_LANDMASS
PlotTags.PLOT_TAG_NONE
PlotTags.PLOT_TAG_WATER
PlotTags.PLOT_TAG_WEST_LANDMASS
PlotTags.PLOT_TAG_WEST_WATER
PlotTooltipPriority.HIGH
PlotTooltipPriority.LOW
PlotWorkersManager.allWorkerPlotIndexes
PlotWorkersManager.allWorkerPlots
PlotWorkersManager.blockedPlotIndexes
PlotWorkersManager.blockedPlots
PlotWorkersManager.cityID
PlotWorkersManager.getYieldPillIcon
PlotWorkersManager.hoveredPlotIndex
PlotWorkersManager.initializeWorkersData
PlotWorkersManager.workablePlotIndexes
PlotWorkersManager.workablePlots
PlotWorkersManagerClass.instance
PointElement.defaultRoutes
PointElement.defaults
PointElement.id
Pointer.ani
PolarAreaController.defaults
PolarAreaController.id
PolarAreaController.overrides
PoliciesData.activeCrisisPolicies
PoliciesData.activeNormalPolicies
PoliciesData.availableCrisisPolicies
PoliciesData.availableNormalPolicies
PoliciesData.myGovernment
PoliciesData.numCrisisSlots
PoliciesData.numNormalSlots
PoliciesData.update
PoliciesData.updateCallback
PolicyChooserItemIcon.COMMUNISM
PolicyChooserItemIcon.DEMOCRACY
PolicyChooserItemIcon.FASCISM
PolicyChooserItemIcon.NONE
PolicyChooserItemIcon.TRADITION
PolicyTabPlacement.CRISIS
PolicyTabPlacement.OVERVIEW
PolicyTabPlacement.POLICIES
Position.CENTER
Position.LEFT
Position.RIGHT
ProductionChooserScreen.shouldReturnToPurchase
ProductionKind.CONSTRUCTIBLE
ProductionKind.PROJECT
ProductionKind.UNIT
ProductionPanelCategory.BUILDINGS
ProductionPanelCategory.PROJECTS
ProductionPanelCategory.UNITS
ProductionPanelCategory.WONDERS
ProductionProjectTooltipType.update
ProfileTabType.CHALLENGES
ProfileTabType.NONE
Profiler.js
ProgressionTreeNodeState.NODE_STATE_CLOSED
ProgressionTreeNodeState.NODE_STATE_FULLY_UNLOCKED
ProgressionTreeNodeState.NODE_STATE_INVALID
ProgressionTreeNodeState.NODE_STATE_IN_PROGRESS
ProgressionTreeNodeState.NODE_STATE_OPEN
ProgressionTreeNodeState.NODE_STATE_UNLOCKED
ProgressionTreeTypes.CULTURE
ProgressionTreeTypes.TECH
ProjectTypes.NO_PROJECT
Promise.all
Promise.allSettled
PromoAction.Interact
PromoAction.View
QueryBy.InsertOrder
QueryBy.Priority
QueryBy.Severity
QuestTracker.AddEvent
QuestTracker.RemoveEvent
QuestTracker.add
QuestTracker.empty
QuestTracker.get
QuestTracker.getItems
QuestTracker.has
QuestTracker.isPathTracked
QuestTracker.isQuestVictoryCompleted
QuestTracker.isQuestVictoryInProgress
QuestTracker.isQuestVictoryUnstarted
QuestTracker.readQuestVictory
QuestTracker.remove
QuestTracker.selectedQuest
QuestTracker.setPathTracked
QuestTracker.setQuestVictoryState
QuestTracker.setQuestVictoryStateById
QuestTracker.updateQuestList
QuestTracker.writeQuestVictory
QuestTrackerClass.instance
REVEALED_PLOTS_COMPLETE_QUEST_NUM.toString
RGB_RE.exec
RadarController.defaults
RadarController.id
RadarController.overrides
RadialLinearScale.defaultRoutes
RadialLinearScale.defaults
RadialLinearScale.descriptors
RadialLinearScale.id
RadialMenu.updateCallback
RandomEventsLayer.instance
Range.INVALID_X
Range.INVALID_Y
Reflect.getOwnPropertyDescriptor
Reflect.getPrototypeOf
Reflect.has
Reflect.ownKeys
ReinforcementMapDecorationSupport.manager
RequirementState.AlwaysMet
RequirementState.Met
RequirementState.NeverMet
ResourceAllocation.availableBonusResources
ResourceAllocation.availableCities
ResourceAllocation.availableFactoryResources
ResourceAllocation.availableResources
ResourceAllocation.clearSelectedResource
ResourceAllocation.focusCity
ResourceAllocation.hasSelectedAssignedResource
ResourceAllocation.hasSelectedResource
ResourceAllocation.isCityEntryDisabled
ResourceAllocation.latestResource
ResourceAllocation.selectAssignedResource
ResourceAllocation.selectAvailableResource
ResourceAllocation.selectCity
ResourceAllocation.selectedResource
ResourceAllocation.selectedResourceClass
ResourceAllocation.unassignResource
ResourceAllocation.updateCallback
ResourceAllocation.updateResources
ResourceBuilder.canHaveResource
ResourceBuilder.getResourceCounts
ResourceBuilder.isResourceValidForAge
ResourceBuilder.setResourceType
ResourceTypes.NO_RESOURCE
RevealedStates.HIDDEN
RevealedStates.REVEALED
RevealedStates.VISIBLE
RewardDivider.classList
RewardsList.find
RewardsNotificationManager.setNotificationItem
RewardsNotificationManager.setNotificationVisibility
RewardsNotificationsManagerSingleton.getInstance
RewardsNotificationsManagerSingleton.singletonInstance
RibbonDisplayOptionNames.get
RibbonDisplayType.Scores
RibbonDisplayType.Size
RibbonDisplayType.Yields
RibbonStatsToggleStatus.RibbonStatsHidden
RibbonStatsToggleStatus.RibbonStatsShowing
RibbonYieldType.Culture
RibbonYieldType.Default
RibbonYieldType.Diplomacy
RibbonYieldType.Gold
RibbonYieldType.Happiness
RibbonYieldType.Property
RibbonYieldType.Science
RibbonYieldType.Settlements
RibbonYieldType.Victory
RightColumItems.length
RiverTypes.NO_RIVER
RiverTypes.RIVER_MINOR
RiverTypes.RIVER_NAVIGABLE
Root.addEventListener
Root.appendChild
SORT_ITEMS.findIndex
SSAOQuality.HIGH
SSAOQuality.LOW
SSAOQuality.MEDIUM
SSAOQuality.OFF
STANDARD_PARAMETERS.includes
STANDARD_PARAMETERS.some
STATIC_POSITIONS.includes
STATIC_POSITIONS.indexOf
STICK_ACTION_NAMES.includes
SaveDirectories.APP_BENCHMARK
SaveDirectories.DEFAULT
SaveFileTypes.GAME_CONFIGURATION
SaveFileTypes.GAME_STATE
SaveFileTypes.GAME_TRANSITION
SaveLoadChooserType.LOAD
SaveLoadChooserType.SAVE
SaveLoadData.clearQueries
SaveLoadData.createLocationFullConfirm
SaveLoadData.createQuotaExceededConfirm
SaveLoadData.handleDelete
SaveLoadData.handleLoadSave
SaveLoadData.handleOverwrite
SaveLoadData.handleQuickLoad
SaveLoadData.handleQuickSave
SaveLoadData.handleSave
SaveLoadData.querySaveGameList
SaveLoadData.saves
SaveLoadModel._Instance
SaveLoadModel.getInstance
SaveLocationCategories.AUTOSAVE
SaveLocationCategories.NORMAL
SaveLocationCategories.QUICKSAVE
SaveLocationOptions.LOAD_METADATA
SaveLocations.DEFAULT
SaveLocations.FIRAXIS_CLOUD
SaveLocations.LOCAL_STORAGE
SaveMenuType.LOAD
SaveMenuType.LOAD_CONFIG
SaveMenuType.SAVE
SaveMenuType.SAVE_CONFIG
SaveTabType.AUTOSAVE
SaveTabType.CONFIG
SaveTabType.CROSSPLAY
SaveTabType.LOCAL
SaveTabType.TRANSITION
SaveTypes.DEFAULT
SaveTypes.NETWORK_MULTIPLAYER
SaveTypes.SINGLE_PLAYER
SaveTypes.WORLDBUILDER_MAP
Scale.prototype
ScatterController.defaults
ScatterController.id
ScatterController.overrides
ScreenProfilePageExternalStatus.isGameCreationDomainInitialized
ScreenTechCivicComplete.UNLOCKED_ITEMS_CONTAINER_WIDTH
ScreenTechCivicComplete.UNLOCKED_ITEMS_EXTRA_OFFSET
ScreenTechCivicComplete.UNLOCKED_ITEMS_VISIBLE_NUMBER
ScreenTechCivicComplete.UNLOCKED_ITEM_LEFT_OFFSET
ScreenTechCivicComplete.UNLOCKED_ITEM_PADDING
ScreenTechCivicComplete.UNLOCKED_ITEM_WIDTH
Scripting.log
ScrollDirection.Left
ScrollDirection.Right
Search.addData
Search.createContext
Search.destroyContext
Search.hasContext
Search.optimize
Search.search
SerializerResult.RESULT_INVALID_CHARACTERS
SerializerResult.RESULT_OK
SerializerResult.RESULT_PENDING
SerializerResult.RESULT_SAVE_ALREADY_EXISTS
SerializerResult.RESULT_SAVE_LOCATION_FULL
SerializerResult.RESULT_SAVE_QUOTA_EXCEEDED
SerializerResult.RESULT_VERSION_MISMATCH
ServerType.SERVER_TYPE_FIRAXIS_CLOUD
ServerType.SERVER_TYPE_HOTSEAT
ServerType.SERVER_TYPE_INTERNET
ServerType.SERVER_TYPE_LAN
ServerType.SERVER_TYPE_NONE
ServerType.SERVER_TYPE_WIRELESS
SettlementRecommendationsLayer.instance
ShadowQuality.HIGH
ShadowQuality.LOW
ShadowQuality.MEDIUM
SharpeningLevel.MAX
SharpeningLevel.NORMAL
SharpeningLevel.OFF
SharpeningLevel.SHARP
SharpeningLevel.SOFT
ShowingOverlayType.AREAS
ShowingOverlayType.NONE
ShowingOverlayType.REGIONS
SlotStatus.SS_CLOSED
SlotStatus.SS_COMPUTER
SlotStatus.SS_OPEN
SlotStatus.SS_TAKEN
SmallNarrativeEvent.SM_NAR_Z_PLACEMENT
SocialButtonTypes.ACCEPT_FRIEND_ADD_REQUEST
SocialButtonTypes.ACCEPT_GAME_INVITE
SocialButtonTypes.ADD_FRIEND_REQUEST
SocialButtonTypes.BLOCK
SocialButtonTypes.CANCEL_FRIEND_ADD_REQUEST
SocialButtonTypes.DECLINE_FRIEND_ADD_REQUEST
SocialButtonTypes.DECLINE_GAME_INVITE
SocialButtonTypes.INVITE_TO_JOIN
SocialButtonTypes.KICK
SocialButtonTypes.MUTE
SocialButtonTypes.NUM_SOCIAL_BUTTON_TYPES
SocialButtonTypes.REMOVE_FRIEND
SocialButtonTypes.REPORT
SocialButtonTypes.UNBLOCK
SocialButtonTypes.UNMUTE
SocialButtonTypes.VIEW_PROFILE
SocialNotificationIndicatorReminderType.REMIND_INVISIBLE
SocialNotificationIndicatorReminderType.REMIND_NONE
SocialNotificationIndicatorReminderType.REMIND_VISIBLE
SocialNotificationIndicatorType.ALL_INDICATORS
SocialNotificationIndicatorType.MAINMENU_BADGE
SocialNotificationIndicatorType.SOCIALTAB_BADGE
SocialNotificationsManager.isNotificationVisible
SocialNotificationsManager.setNotificationItem
SocialNotificationsManager.setNotificationVisibility
SocialNotificationsManager.setTabNotificationVisibilityBasedOnReminder
SocialNotificationsManagerSingleton.getInstance
SocialNotificationsManagerSingleton.signletonInstance
SortByOptions.NameAscending
SortByOptions.NameDescending
SortOptions.CONTENT
SortOptions.GAME_NAME
SortOptions.GAME_SPEED
SortOptions.MAP_TYPE
SortOptions.NONE
SortOptions.PLAYERS
SortOptions.RULE_SET
SortOrder.ASC
SortOrder.DESC
SortOrder.NONE
SortValue.ALPHA
SortValue.TIME_CREATED
Sound.getDynamicRangeOption
Sound.getMuteOnFocusLoss
Sound.getSubtitles
Sound.onGameplayEvent
Sound.onNextCivSelect
Sound.play
Sound.playOnIndex
Sound.setDynamicRangeOption
Sound.setMuteOnFocusLoss
Sound.setSubtitles
Sound.volumeGetCinematics
Sound.volumeGetMaster
Sound.volumeGetMusic
Sound.volumeGetSFX
Sound.volumeGetUI
Sound.volumeGetVoice
Sound.volumeRestoreCheckpoint
Sound.volumeSetCheckpoint
Sound.volumeSetCinematics
Sound.volumeSetMaster
Sound.volumeSetMusic
Sound.volumeSetSFX
Sound.volumeSetUI
Sound.volumeSetVoice
Sound.volumeWriteSettings
Spatial.getDirection
Spatial.navigate
SpatialManager._Instance
SpatialManager.getInstance
SpatialNavigation.add
SpatialNavigation.clear
SpatialNavigation.focus
SpatialNavigation.init
SpatialNavigation.makeFocusable
SpatialNavigation.move
SpatialNavigation.pause
SpatialNavigation.remove
SpatialNavigation.resume
SpatialNavigation.set
SpatialWrap.init
SpatialWrap.navigate
SpatialWrapper._Instance
SpatialWrapper.getInstance
SpeedFilterType.All
SpeedFilterType.TOTAL
Speeds.FAST
Speeds.NORMAL
Speeds.PLAID
Speeds.VERY_FAST
SpriteMode.FixedBillboard
StartPositioner.divideMapIntoMajorRegions
StartPositioner.getMajorStartRegion
StartPositioner.getStartPosition
StartPositioner.getStartPositionScore
StartPositioner.initializeValues
StartPositioner.setAdvancedStartRegion
StartPositioner.setStartPosition
State.CLOSING
State.ERROR
State.IDLE
State.LOADING
State.MOVING
State.PAUSE
State.PLAY
State.READY
StatefulIcon.AttributeNames
StatefulIcon.FromElement
StatefulIcon.IconState
StatefulIcon.SetAttributes
StatementTypeDef.GroupType
StickActionName.CAMERA_PAN
StickActionName.MOVE_CURSOR
StickActionName.PLOT_MOVE
StickActionName.SCROLL_PAN
StoryTextTypes.BODY
StoryTextTypes.IMPERATIVE
StoryTextTypes.OPTION
StoryTextTypes.REWARD
StretchMode.UniformFill
StyleChecker.waitForElementStyle
SubScreens.SUB_SCREEN_AUDIO_SETTINGS
SubScreens.SUB_SCREEN_AUTOSAVE
SubScreens.SUB_SCREEN_DISPLAY_SETTINGS
SubScreens.SUB_SCREEN_LEGAL_DOCUMENTS
SubScreens.SUB_SCREEN_LIST_END
SubScreens.SUB_SCREEN_LIST_START
SubScreens.SUB_SCREEN_MOVIES
SwitchViewResult.ChangesApplied
SwitchViewResult.Error
SwitchViewResult.NothingChanged
Symbol.toStringTag
SystemMessageManager.acceptInviteAfterSaveComplete
SystemMessageManager.currentSystemMessage
TEMP_gear.png
TEMP_leader_portrait_confucius.png
TITLE_FONTS.join
TURNS_LEFT_WARNINGS.length
TYPE_OFFSET.x
TYPE_OFFSET.y
TabNameTypes.BlockTab
TabNameTypes.FriendsListTab
TabNameTypes.LobbyTab
TabNameTypes.NotificationsTab
TabNameTypes.RecentlyMetTab
TabNameTypes.SearchResutsTab
TagCategories.TagCategoryType
Tags.TagCategoryType
Tags.TagType
TechCivicPopupData.node
TechCivicPopupManager.closePopup
TechCivicPopupManager.currentTechCivicPopupData
TechCivicPopupManager.isFirstCivic
TechCivicPopupManager.isFirstTech
TechCivicPopupManagerClass.instance
TechTree.canAddChooseNotification
TechTree.getCard
TechTree.iconCallback
TechTree.queueItems
TechTree.sourceProgressionTrees
TechTree.updateCallback
TechTree.updateGate
TechTreeChooser.chooseNode
TechTreeChooser.currentResearchEmptyTitle
TechTreeChooser.getDefaultNodeToDisplay
TechTreeChooser.getDefaultTreeToDisplay
TechTreeChooser.hasCurrentResearch
TechTreeChooser.inProgressNodes
TechTreeChooser.nodes
TechTreeChooser.subject
Telemetry.generateGUID
Telemetry.sendCampaignSetup
Telemetry.sendCardSelectionStart
Telemetry.sendTutorial
Telemetry.sendUIMenuAction
TelemetryMenuActionType.Exit
TelemetryMenuActionType.Hover
TelemetryMenuActionType.Load
TelemetryMenuActionType.Select
TelemetryMenuType.AdditionalContent
TelemetryMenuType.EventsPage
TelemetryMenuType.Extras
TelemetryMenuType.Legends
TelemetryMenuType.MainMenu
TelemetryMenuType.PauseMenu
TerrainBuilder.addFloodplains
TerrainBuilder.addPlotTag
TerrainBuilder.buildElevation
TerrainBuilder.canHaveFeature
TerrainBuilder.canHaveFeatureParam
TerrainBuilder.defineNamedRivers
TerrainBuilder.generatePoissonMap
TerrainBuilder.getRandomNumber
TerrainBuilder.modelRivers
TerrainBuilder.removePlotTag
TerrainBuilder.setBiomeType
TerrainBuilder.setFeatureType
TerrainBuilder.setPlotTag
TerrainBuilder.setRainfall
TerrainBuilder.setTerrainType
TerrainBuilder.stampContinents
TerrainBuilder.storeWaterData
TerrainBuilder.validateAndFixTerrain
TextToSpeechSearchType.Focus
TextToSpeechSearchType.Hover
TextureDetail.HIGH
TextureDetail.LOW
TextureDetail.MEDIUM
Ticks.formatters
TimeScale.defaults
TimeScale.id
TimeSeriesScale.defaults
TimeSeriesScale.id
ToolTipVisibilityState.Hidden
ToolTipVisibilityState.Shown
ToolTipVisibilityState.WaitingToExpire
ToolTipVisibilityState.WaitingToReset
ToolTipVisibilityState.WaitingToShow
Tooltip.positioners
TooltipManager.currentTooltip
TooltipManager.hidePlotTooltipForTutorial
TooltipManager.registerPlotType
TooltipManager.registerType
TooltipManager.showPlotTooltipForTutorial
TooltipManagerSingleton.Instance
TooltipManagerSingleton.getInstance
TradeRoute.getCityPayload
TradeRoute.getOppositeCity
TradeRoute.getOppositeCityID
TradeRoute.isWithCity
TradeRouteChooser._activeChooser
TradeRouteStatus.AT_WAR
TradeRouteStatus.DISTANCE
TradeRouteStatus.NEED_MORE_FRIENDSHIP
TradeRouteStatus.SUCCESS
TradeRoutesModel.calculateProjectedTradeRoutes
TradeRoutesModel.clearTradeRouteVfx
TradeRoutesModel.getTradeRoute
TradeRoutesModel.showTradeRouteVfx
TransitionState.Animation
TransitionState.Banner
TransitionState.EndResults
TransitionState.Summary
TransitionType.Age
TreeClassSelector.CARD
TreeGridDirection.HORIZONTAL
TreeGridDirection.VERTICAL
TreeNavigation.Horizontal
TreeNavigation.Vertical
TreeNodesSupport.getRepeatedUniqueUnits
TreeNodesSupport.getUnlocksByDepthStateText
TreeNodesSupport.getValidNodeUnlocks
TreeSupport.getGridElement
TreeSupport.isSmallScreen
TtsManager.isTextToSpeechOnChatEnabled
TtsManager.isTtsSupported
TtsManager.trySpeakElement
TurnLimitType.TURNLIMIT_CUSTOM
TurnPhaseType.NO_TURN_PHASE
TurnPhaseType.TURNPHASE_SIMULTANEOUS
TurnPhaseType.TURNPHASE_SINGLEPLAYER
TurnTimerType.TURNTIMER_DYNAMIC
TurnTimerType.TURNTIMER_NONE
TurnTimerType.TURNTIMER_STANDARD
Tutorial.HighlightFunc
Tutorial.highlightElement
Tutorial.unhighlightElement
TutorialAdvisorType.Culture
TutorialAdvisorType.Default
TutorialAdvisorType.Economic
TutorialAdvisorType.Military
TutorialAdvisorType.Science
TutorialAnchorPosition.BottomCenter
TutorialAnchorPosition.MiddleCenter
TutorialAnchorPosition.MiddleLeft
TutorialAnchorPosition.MiddleRight
TutorialAnchorPosition.TopCenter
TutorialCalloutType.NOTIFICATION
TutorialData.updateCallback
TutorialItem.prototype
TutorialItemState.Active
TutorialItemState.Completed
TutorialItemState.Persistent
TutorialItemState.Unseen
TutorialLevel.None
TutorialLevel.TutorialOn
TutorialLevel.WarningsOnly
TutorialManager.MAX_CALLOUT_CHECKBOX
TutorialManager.activatingEvent
TutorialManager.activatingEventName
TutorialManager.add
TutorialManager.calloutAdvisorParams
TutorialManager.calloutBodyParams
TutorialManager.forceActivate
TutorialManager.forceActivation
TutorialManager.forceComplete
TutorialManager.getCalloutItem
TutorialManager.getDebugLogOutput
TutorialManager.isItemCompleted
TutorialManager.isItemExistInAll
TutorialManager.items
TutorialManager.playerId
TutorialManager.process
TutorialManager.reset
TutorialManager.statusChanged
TutorialManager.totalCompletedItems
TutorialManager.unsee
TutorialSupport.OpenCivilopediaAt
TutorialSupport.activateNextTrackedQuest
TutorialSupport.calloutAcceptNext
TutorialSupport.calloutBeginNext
TutorialSupport.calloutCloseNext
TutorialSupport.calloutContinueNext
TutorialSupport.canQuestActivate
TutorialSupport.didCivicUnlock
TutorialSupport.didTechUnlock
TutorialSupport.getCurrentTurnBlockingNotification
TutorialSupport.getNameOfFirstUnitWithTag
TutorialSupport.getNameOfFirstUnlockedUnitWithTag
TutorialSupport.getTutorialPrompts
TutorialSupport.getUnitFromEvent
TutorialSupport.isUnitOfType
UI.Color
UI.Debug
UI.Player
UI.SetShowIntroSequences
UI.activityHostMPGameConfirmed
UI.activityLoadLastSaveGameConfirmed
UI.areAdaptiveTriggersAvailable
UI.beginProfiling
UI.canDisplayKeyboard
UI.canExitToDesktop
UI.canSetAutoScaling
UI.commitApplicationOptions
UI.commitNetworkOptions
UI.defaultApplicationOptions
UI.defaultAudioOptions
UI.defaultTutorialOptions
UI.defaultUserOptions
UI.displayKeyboard
UI.endProfiling
UI.favorSpeedOverQuality
UI.getApplicationOption
UI.getChatIconGroups
UI.getChatIcons
UI.getCurrentGraphicsProfile
UI.getDiploRibbonIndex
UI.getGameLoadingState
UI.getGraphicsProfile
UI.getIMEConfirmationValueLocation
UI.getIcon
UI.getIconBLP
UI.getIconCSS
UI.getIconURL
UI.getOOBEGraphicsRestart
UI.getOption
UI.getSafeAreaMargins
UI.getViewExperience
UI.hasViewExperience
UI.hideCursor
UI.isAudioCursorEnabled
UI.isCursorLocked
UI.isDebugPlotInfoVisible
UI.isFirstBoot
UI.isHostAPC
UI.isInGame
UI.isInShell
UI.isMultiplayer
UI.isNonPreferredCivsDisabled
UI.isRumbleAvailable
UI.isSessionStartup
UI.isShowIntroSequences
UI.isTouchEnabled
UI.lockCursor
UI.notifyLoadingCurtainReady
UI.notifyUIReady
UI.notifyUIReadyForEvents
UI.panelDefaul
UI.panelDefault
UI.panelEnd
UI.panelStart
UI.playUnitSelectSound
UI.referenceCurrentEvent
UI.refreshInput
UI.refreshPlayerColors
UI.registerCursor
UI.releaseEventID
UI.reloadUI
UI.revertApplicationOptions
UI.revertNetworkOptions
UI.sendAudioEvent
UI.setApplicationOption
UI.setClipboardText
UI.setCursorByType
UI.setCursorByURL
UI.setDiploRibbonIndex
UI.setDisconnectionPopupWasShown
UI.setOOBEGraphicsRestart
UI.setOption
UI.setPlotLocation
UI.setViewExperience
UI.shouldDisplayBenchmarkingTools
UI.shouldShowDisconnectionPopup
UI.showCursor
UI.supportsDLC
UI.supportsHIDPI
UI.supportsTextToSpeech
UI.viewChanged
UICursorTypes.URL
UIGameLoadingProgressState.ContentIsConfigured
UIGameLoadingProgressState.GameCoreInitializationIsDone
UIGameLoadingProgressState.GameCoreInitializationIsStarted
UIGameLoadingProgressState.GameIsFinishedLoading
UIGameLoadingProgressState.GameIsInitialized
UIGameLoadingProgressState.UIIsInitialized
UIGameLoadingProgressState.UIIsReady
UIGameLoadingState.GameStarted
UIGameLoadingState.NotStarted
UIGameLoadingState.WaitingForConfiguration
UIGameLoadingState.WaitingForGameCore
UIGameLoadingState.WaitingForGameplayData
UIGameLoadingState.WaitingForLoadingCurtain
UIGameLoadingState.WaitingForUIReady
UIGameLoadingState.WaitingForVisualization
UIGameLoadingState.WaitingToStart
UIHTMLCursorTypes.Auto
UIHTMLCursorTypes.Default
UIHTMLCursorTypes.Help
UIHTMLCursorTypes.NotAllowed
UIHTMLCursorTypes.Pointer
UIHTMLCursorTypes.Text
UIHTMLCursorTypes.Wait
UISystem.Events
UISystem.HUD
UISystem.Lens
UISystem.World
UITypes.IndependentBanner
UIViewChangeMethod.Automatic
UIViewChangeMethod.PlayerInteraction
UIViewChangeMethod.Unknown
UIViewExperience.Console
UIViewExperience.Desktop
UIViewExperience.Handheld
UIViewExperience.Mobile
UIViewExperience.VR
UNITS.indexOf
UNITS.length
UnitActionCategory.COMMAND
UnitActionCategory.HIDDEN
UnitActionCategory.MAIN
UnitActionCategory.NONE
UnitActionHandlers.doesActionHaveHandler
UnitActionHandlers.doesActionRequireTargetPlot
UnitActionHandlers.setUnitActionHandler
UnitActionHandlers.switchToActionInterfaceMode
UnitActionHandlers.useHandlerWithGamepad
UnitActionPanelState.ANIMATEIN
UnitActionPanelState.ANIMATEOUT
UnitActionPanelState.HIDDEN
UnitActionPanelState.VISIBLE
UnitActions.ANIM_DELAY
UnitActions.getIconsToPreload
UnitActionsPanelModel.isShelfOpen
UnitAnchors.offsetTransforms
UnitAnchors.visibleValues
UnitArmyPanelState.HIDDEN
UnitArmyPanelState.VISIBLE
UnitCityListModel.inspect
UnitCityListModel.updateCallback
UnitCommandTypes.MAKE_TRADE_ROUTE
UnitCommandTypes.NAME_UNIT
UnitCommandTypes.PROMOTE
UnitCommandTypes.RESETTLE
UnitFlagFactory.getBestHTMLComponentName
UnitFlagFactory.makers
UnitFlagFactory.registerStyle
UnitFlagManager._instance
UnitFlagManager.instance
UnitMapDecorationSupport.Mode
UnitMapDecorationSupport.manager
UnitOperationMoveModifiers.ATTACK
UnitOperationMoveModifiers.MOVE_IGNORE_UNEXPLORED_DESTINATION
UnitOperationMoveModifiers.NONE
UnitOperationTypes.MOVE_TO
UnitOperationTypes.RANGE_ATTACK
UnitPromotion.updateCallback
UnitPromotionModel.getCard
UnitPromotionModel.getLastPopulatedRowFromTree
UnitPromotionModel.name
UnitPromotionModel.promotionPoints
UnitPromotionModel.promotionTrees
UnitPromotionModel.updateGate
UnitPromotionModel.updateModel
UnitSelection.onLower
UnitSelection.onRaise
UnitType.NO_UNIT
Units.create
Units.get
Units.getCommandRadiusPlots
Units.getPathTo
Units.getQueuedOperationDestination
Units.getReachableMovement
Units.getReachableTargets
Units.getReachableZonesOfControl
Units.hasTag
Units.setLocation
UnityCityItemType.Type_City
UnityCityItemType.Type_Town
UnityCityItemType.Type_Unit
UnlinkPortalQRCode.png
UnlockPopupManager.closePopup
UnlockPopupManager.currentUnlockedRewardData
UnlockableRewardItems.badgeRewardItems
UnlockableRewardItems.bannerRewardItems
UnlockableRewardItems.borderRewardItems
UnlockableRewardItems.colorRewardItems
UnlockableRewardItems.getBadge
UnlockableRewardItems.getBanner
UnlockableRewardItems.getBorder
UnlockableRewardItems.getColor
UnlockableRewardItems.populateRewardList
UnlockableRewardItems.titleRewardItems
UnlockableRewardItems.updatePermissions
UnlockableRewardType.Badge
UnlockableRewardType.Banner
UnlockableRewardType.Border
UnlockableRewardType.Color
UnlockableRewardType.Memento
UnlockableRewardType.Title
UnlocksPopupManagerClass.instance
UpscalingAA.AUTO
UpscalingAA.FSR1
UpscalingAA.FSR3
UpscalingAA.MSAA
UpscalingAA.MetalFXSpatial
UpscalingAA.MetalFXTemporal
UpscalingAA.OFF
UpscalingAA.XeSS
VFXQuality.HIGH
VFXQuality.LOW
Validation.number
Vertical.onNavigateInput
VictoryCinematicTypes.NO_VICTORY_CINEMATIC_TYPE
VictoryManager.claimedVictories
VictoryManager.enabledLegacyPathDefinitions
VictoryManager.getHighestAmountOfLegacyEarned
VictoryManager.processedScoreData
VictoryManager.processedVictoryData
VictoryManager.victoryEnabledPlayers
VictoryManager.victoryManagerUpdateEvent
VictoryManager.victoryProgress
VictoryPoints.highestScore
VictoryPoints.legacyTypeToBgColor
VictoryPoints.legacyTypeToVictoryType
VictoryPoints.scoreData
VictoryPoints.updateCallback
VictoryProgress.getBackdropByAdvisorType
VictoryProgress.playerScores
VictoryProgress.update
VictoryProgressOpenTab.LegacyPathsCulture
VictoryProgressOpenTab.LegacyPathsEconomic
VictoryProgressOpenTab.LegacyPathsMilitary
VictoryProgressOpenTab.LegacyPathsScience
VictoryProgressOpenTab.RankingsOverView
VictoryQuestState.QUEST_COMPLETED
VictoryQuestState.QUEST_IN_PROGRESS
VictoryQuestState.QUEST_UNSTARTED
ViewManager.addHandler
ViewManager.current
ViewManager.getHarness
ViewManager.handleLoseFocus
ViewManager.handleReceiveFocus
ViewManager.isLastViewContextExcluded
ViewManager.isRadialSelectionAllowed
ViewManager.isUnitSelectingAllowed
ViewManager.isWorldInputAllowed
ViewManager.isWorldSelectingAllowed
ViewManager.setCurrentByName
ViewManager.switchToEmptyView
Visibility.getPlotsRevealedCount
Visibility.isVisible
VisualRemapSelection.Disabled
VisualRemapSelection.Enabled
VisualRemaps.getAvailableRemaps
VisualRemaps.getRemapState
VisualRemaps.hasUnsavedChanges
VisualRemaps.resetToDefaults
VisualRemaps.revertUnsavedChanges
VisualRemaps.saveConfiguration
VisualRemaps.setRemapState
WarTypes.FORMAL_WAR
WatchOutManager.closePopup
WatchOutManager.currentWatchOutPopupData
WatchOutManager.isManagerActive
WatchOutManager.raiseNotificationPanel
WatchOutManagerClass.instance
WaterQuality.HIGH
WaterQuality.LOW
WorldAnchorTextManager._instance
WorldAnchorTextManager.instance
WorldAnchors.ClearWorldUnitsSelectedUnitTargeting
WorldAnchors.CreateAtPlot
WorldAnchors.RegisterFixedWorldAnchor
WorldAnchors.RegisterUnitAnchor
WorldAnchors.SetWorldUnitsSelectedUnitTargeting
WorldAnchors.UnregisterFixedWorldAnchor
WorldAnchors.UnregisterUnitAnchor
WorldBuilder.MapPlots
WorldInput.isDistrictSelectable
WorldInput.requestMoveOperation
WorldInput.setPlotSelectionHandler
WorldInput.useDefaultPlotSelectionHandler
WorldUI.ForegroundCamera
WorldUI.addBackgroundLayer
WorldUI.addMaskedBackgroundLayer
WorldUI.clearBackground
WorldUI.createFixedMarker
WorldUI.createModelGroup
WorldUI.createOverlayGroup
WorldUI.createSpriteGrid
WorldUI.getPlotLocation
WorldUI.hash
WorldUI.isAssetLoaded
WorldUI.loadAsset
WorldUI.minimapToWorld
WorldUI.popFilter
WorldUI.pushGlobalColorFilter
WorldUI.pushRegionColorFilter
WorldUI.releaseMarker
WorldUI.requestCinematic
WorldUI.requestPortrait
WorldUI.setUnitVisibility
WorldUI.triggerCinematic
WorldUI.triggerVFXAtPlot
WorldUtil.getUnit
WorldVFXManager.instance
XR.Atlas
XR.Autoplay
XR.FireTuner
XR.Gameplay
XR.Options
XR.World
XRScreenshotAllSeuratsCivilisations.ROME
XRScreenshotAllSeuratsGameplayState.ChangingVista
XRScreenshotAllSeuratsGameplayState.FreezingView
XRScreenshotAllSeuratsGameplayState.GameLoaded
XRScreenshotAllSeuratsGameplayState.GameNotLoaded
XRScreenshotAllSeuratsGameplayState.Screenshotting
XRScreenshotAllSeuratsGameplayState.UnFreezingView
XRScreenshotAllSeuratsMenuState.Complete
XRScreenshotAllSeuratsMenuState.Deciding
XRScreenshotAllSeuratsMenuState.FreezingView
XRScreenshotAllSeuratsMenuState.Initialising
XRScreenshotAllSeuratsMenuState.Screenshotting
XRScreenshotAllSeuratsMenuState.Teleporting
XRScreenshotAllSeuratsMenuState.UnFreezingView
XRScreenshotAllSeuratsPopulations.High
XRScreenshotAllSeuratsPopulations.Low
XRScreenshotAllSeuratsScene.Gameplay
XRScreenshotAllSeuratsScene.MainMenu
XRSplashScreen.js
XRSplashScreen.ts
XRTeleportTestState.Complete
XRTeleportTestState.Moving
XRTeleportTestState.ReturningHome
XRTeleportTestState.Teleporting
XeSSQuality.BALANCED
XeSSQuality.NATIVE
XeSSQuality.PERFORMANCE
XeSSQuality.QUALITY
XeSSQuality.ULTRA_PERFORMANCE
XeSSQuality.ULTRA_QUALITY
XeSSQuality.ULTRA_QUALITY_PLUS
YieldBar.cityYields
YieldBar.updateCallback
YieldBar.yieldBarUpdateEvent
YieldReportData.currentGoldBalance
YieldReportData.currentInfluenceBalance
YieldReportData.netUnitGold
YieldReportData.update
YieldReportData.updateCallback
YieldReportData.yieldCity
YieldReportData.yieldOther
YieldReportData.yieldSummary
YieldReportData.yieldUnits
YieldSourceTypes.ADJACENCY
YieldSourceTypes.BASE
YieldSourceTypes.WAREHOUSE
YieldSourceTypes.WORKERS
YieldTypes.NO_YIELD
YieldTypes.YIELD_CULTURE
YieldTypes.YIELD_DIPLOMACY
YieldTypes.YIELD_FOOD
YieldTypes.YIELD_GOLD
YieldTypes.YIELD_HAPPINESS
YieldTypes.YIELD_PRODUCTION
YieldTypes.YIELD_SCIENCE
ZoomType.In
ZoomType.None
ZoomType.Out
 
Parsing the source is a bit beyond me right now. One thought is an import tree. What imports what. An element would be a javascript file, it's children the files that imported it. So you get a tree of what was imported by what an in turn what imported what imported it. Filter out what's imported by nothing and sort it by the number of leaves. That gives a sense of relative importance of the file. If you eliminate the names imported from the globals then you're left with what injected by the engine, i.e. no imports for them. Those are the names you find how they were used in the javascripts. You have no real reference for the parameters and return values for those objects. There is, of course, the issue of making sense of 600+ javascript files. Those mystereous but important globals defined nowhere and imported from nothing is a major stumbling block.
 
Spoiler help(obj) :

JavaScript:
export function getParams(func) {
    let params = '';
    
    try {
        const fnStr = func.toString();
        const paramMatch = fnStr.match(/\(([^)]*)\)/);
        params = paramMatch ? paramMatch[1] : '';
    }
    catch (e) {
        params = "...";
    }
    
    return params;
}

export function getType(obj) {
    
    let type = "";
    
    if (obj === null) {
        type = "null";
    } else if (typeof obj == "undefined") {
        type = "undefined";
    } else if (typeof obj != "object") {
        type = typeof obj;
    } else if (obj.constructor?.name != "Object") {
        type = obj.constructor?.name;
    } else {
        type = "object";
    }
    
    return type;
}

export function help(objName, sort = true, inheritLimit = Infinity) {
    
    var objInfo = {};
    var obj;
    
    if (typeof objName == "string") {
        objInfo.name = objName;
        
        switch (objName) {
            case "globalThis": {obj = globalThis; break;};
            case "window":     {obj = window; break;};
            case "document":   {obj = document; break;};
            default:           {obj = eval(objName); break;};
        }
    }
    else {
        obj = objName;
    }
    
    objInfo.type = getType(obj);
    
    let propNames = Object.getOwnPropertyNames(obj);
    
    if (propNames.length > 0) {
        
        if (sort) {
            propNames.sort((a,b) => {
                if (a == "constructor") {
                    return -1
                } else if (a < b) {
                    return -1;
                } else if (a > b) {
                    return 1;
                } else {
                    return 0;
                }
            });
        }
        
        objInfo.properties = [];
        objInfo.methods = [];
        
        for (let propName of propNames) {
            // let propName = propNames[idx];
            let propType = getType(obj[propName]);

            if (propType == "function") {
                objInfo.methods.push(`${propName}(${getParams(obj[propName])})`);
            } else {
                objInfo.properties.push(`(${propType}) ${propName}`);
            }
        }
    }
    
    let baseClass = Object.getPrototypeOf(obj);
    let currInfo = objInfo;
    let currLevel = 0;
    while (baseClass && currLevel < inheritLimit) {
        let baseName = getType(baseClass);
        currInfo = currInfo.inherits = { name: baseName };
        propNames = Object.getOwnPropertyNames(baseClass);
        if (propNames.length > 0) {
            
            currInfo.properties = [];
            currInfo.methods = [];
            propNames.sort((a,b) => {
                if (a == "constructor") {
                    return -1
                } else if (a < b) {
                    return -1;
                } else if (a > b) {
                    return 1;
                } else {
                    return 0;
                }
            });
            
            for (let propName of propNames) {
                // let propName = propNames[idx];
                let propType = getType(baseClass[propName]);

                if (propType == "function") {
                    currInfo.methods.push(`${propName}(${getParams(baseClass[propName])})`);
                } else {
                    currInfo.properties.push(`(${propType}) ${propName}`);
                }
            }
        }
        
        baseClass = Object.getPrototypeOf(baseClass);
    }

    if (typeof objName == "string") {
        var ret = {};
        ret[objName] = objInfo;
        return ret;
    }
    else {
        return objInfo;
    }
}

export function clip(obj) {
    UI.setClipboardText(JSON.stringify(obj));
}


That's the script I use to extract information about objects.

Spoiler globalThis :

JSON:
{
   "globalThis": {
      "name": "globalThis",
      "type": "Window",
      "properties": [
         "(object) ActionEventIDs",
         "(object) AdvisorTypes",
         "(object) AdvisorWarningTypes",
         "(object) AdvisorySubjectTypes",
         "(object) AgeProgressionEventTypes",
         "(object) AgeProgressionMilestoneTypes",
         "(object) AgeTypes",
         "(object) AlignMode",
         "(ArmiesLibrary) Armies",
         "(object) ArrangementType",
         "(object) AssetQuality",
         "(object) Atomics",
         "(AppAutomationLibrary) Automation",
         "(AutoplayLibrary) Autoplay",
         "(object) AutoplayStateChangeReasons",
         "(BenchmarkLibrary) Benchmark",
         "(object) BrowserFilterType",
         "(object) BuildInfo",
         "(CameraLibrary) Camera",
         "(object) CampaignSetupType",
         "(object) CardCategories",
         "(object) CategoryType",
         "(object) ChallengeRewardType",
         "(object) ChatTargetTypes",
         "(CitiesLibrary) Cities",
         "(object) CityCommandTypes",
         "(object) CityGovernmentLevels",
         "(object) CityOperationTypes",
         "(object) CityOperationsParametersValues",
         "(object) CityQueryType",
         "(object) CityTransferTypes",
         "(object) CivilizationLevelTypes",
         "(ColorLibrary) Color",
         "(object) ColorBlindType",
         "(object) CombatStrengthTypes",
         "(object) CombatTypes",
         "(object) ComponentID",
         "(object) ComponentIDTypes",
         "(ConfigurationLibrary) Configuration",
         "(object) ConstructibleClasses",
         "(ConstructiblesLibrary) Constructibles",
         "(object) DNAPromoLayout",
         "(Database) Database",
         "(object) DefeatTypes",
         "(object) DefinitionTypes",
         "(object) DiplomacyActionGroupSubtypes",
         "(object) DiplomacyActionGroups",
         "(object) DiplomacyActionTags",
         "(object) DiplomacyActionTargetTypes",
         "(object) DiplomacyActionTypes",
         "(object) DiplomacyAgendaAmountTypes",
         "(object) DiplomacyAgendaAwardToTypes",
         "(object) DiplomacyAgendaWeightingTypes",
         "(object) DiplomacyBasicModifierValueTypes",
         "(object) DiplomacyDealDirection",
         "(object) DiplomacyDealItemAgreementTypes",
         "(object) DiplomacyDealItemCityTransferTypes",
         "(object) DiplomacyDealItemTypes",
         "(object) DiplomacyDealProposalActions",
         "(object) DiplomacyFavorGrievanceEventGroupType",
         "(object) DiplomacyFavorGrievanceEventType",
         "(object) DiplomacyMeetReasons",
         "(object) DiplomacyModifierTargetTypes",
         "(object) DiplomacyModifierTypes",
         "(object) DiplomacyPlayerFirstMeets",
         "(object) DiplomacyPlayerRelationshipVisibility",
         "(object) DiplomacyPlayerRelationships",
         "(object) DiplomacyProjectStatus",
         "(object) DiplomacyResponseActions",
         "(object) DiplomacyResponseTypes",
         "(object) DiplomacyTokenTypes",
         "(object) DiplomaticResponseTypes",
         "(object) DirectionTypes",
         "(object) DiscoveryActivationTypes",
         "(object) DiscoveryVisualTypes",
         "(object) DisplayType",
         "(object) DistrictTypes",
         "(DistrictsLibrary) Districts",
         "(object) DnaCodeRedeemResult",
         "(object) DomainType",
         "(object) DomainTypes",
         "(object) EndTurnBlockingTypes",
         "(EnvironmentLibrary) Environment",
         "(object) FeatureClassTypes",
         "(object) FeatureTypes",
         "(object) FertilityTypes",
         "(WorldAnchorsModel) FixedWorldAnchors",
         "(FormationsLibrary) Formations",
         "(object) FrameGenerationMode",
         "(object) FriendListTypes",
         "(object) FriendStateTypes",
         "(object) Fsr1Quality",
         "(object) Fsr3Quality",
         "(number) GAMESETUP_INVALID_STRING",
         "(GameLibrary) Game",
         "(object) GameBenchmarkType",
         "(GameContextLibrary) GameContext",
         "(undefined) GameInfo",
         "(object) GameListUpdateType",
         "(object) GameModeTypes",
         "(object) GameQueryTypes",
         "(GameSetup) GameSetup",
         "(object) GameSetupDomainType",
         "(object) GameSetupDomainValueInvalidReason",
         "(object) GameSetupParameterInvalidReason",
         "(object) GameSetupParameterSetValueResult",
         "(GameStateStorageLibrary) GameStateStorage",
         "(object) GameStateTypes",
         "(TutorialLibrary) GameTutorial",
         "(object) GameValueStepTypes",
         "(object) GameplayEvent",
         "(MapLibrary) GameplayMap",
         "(object) GlobalParameters",
         "(OptionsLibrary) GraphicsOptions",
         "(object) GraphicsProfile",
         "(object) GrowthTypes",
         "(HallofFameLibrary) HallofFame",
         "(object) HashTypes",
         "(object) HiddenVisibilityTypes",
         "(object) HostingType",
         "(object) IMEConfirmationValueLocation",
         "(object) IgnoreNotificationType",
         "(object) IndependentPlayerIds",
         "(object) IndependentRelationship",
         "(object) IndependentTypes",
         "(number) Infinity",
         "(object) InitialScriptType",
         "(InputLibrary) Input",
         "(object) InputActionStatuses",
         "(object) InputContext",
         "(object) InputDeviceLayout",
         "(object) InputDeviceType",
         "(object) InputKeys",
         "(object) InputLayoutTypes",
         "(object) InputNavigationAction",
         "(object) InterpolationFunc",
         "(object) JSON",
         "(object) JSX",
         "(object) JoinGameErrorType",
         "(object) KeyframeFlag",
         "(object) KickDirectResultType",
         "(object) KickReason",
         "(object) KickVoteReasonType",
         "(object) KickVoteResultType",
         "(object) LanguageChangeFollowupAction",
         "(object) LegacyPathTypes",
         "(object) LegalState",
         "(object) LiveEventRewardType",
         "(object) LoadErrorCause",
         "(object) Loading",
         "(object) LobbyErrorType",
         "(object) LobbyTypes",
         "(LocalizationLibrary) Locale",
         "(object) LowLatencyMode",
         "(MapAreasLibrary) MapAreas",
         "(MapCitiesLibrary) MapCities",
         "(MapConstructiblesLibrary) MapConstructibles",
         "(MapFeaturesLibrary) MapFeatures",
         "(MapOwnershipLibrary) MapOwnership",
         "(MapPlotEffectsLibrary) MapPlotEffects",
         "(MapPlotYieldsLibrary) MapPlotYields",
         "(MapRegionsLibrary) MapRegions",
         "(MapRiversLibrary) MapRivers",
         "(MapStormsLibrary) MapStorms",
         "(MapUnitsLibrary) MapUnits",
         "(object) Math",
         "(object) MementoTypes",
         "(object) ModAllowance",
         "(object) ModAllowanceReason",
         "(object) ModAllowanceSystem",
         "(object) ModItemType",
         "(object) ModRequirementsStatus",
         "(ModdingLibrary) Modding",
         "(object) MultiplayerService",
         "(number) NaN",
         "(NetworkLibrary) Network",
         "(object) NetworkCapabilityTypes",
         "(object) NetworkResult",
         "(object) NotificationGroups",
         "(OnlineLibrary) Online",
         "(object) OnlineErrorType",
         "(object) OperationPlotModifiers",
         "(object) OrderTypes",
         "(object) PlacementMode",
         "(object) PlacementReasons",
         "(object) PlayerControlTypes",
         "(object) PlayerIds",
         "(object) PlayerOperationParameters",
         "(object) PlayerOperationTypes",
         "(PlayerCollectionLibrary) Players",
         "(object) PlotTags",
         "(object) ProductionKind",
         "(object) ProgressionTreeNodeState",
         "(object) ProjectTypes",
         "(object) PromoAction",
         "(object) RandomEventSeverityTypes",
         "(object) RealismSettingTypes",
         "(object) Reflect",
         "(ReflectionArchivesLibrary) ReflectionArchives",
         "(RegionBuilderLibrary) RegionBuilder",
         "(ReportingEventLibrary) ReportingEvent",
         "(object) RequirementState",
         "(object) ResourceTypes",
         "(object) RevealedStates",
         "(object) RiverTypes",
         "(object) SSAOQuality",
         "(object) SaveDirectories",
         "(object) SaveFileTypes",
         "(object) SaveLocationCategories",
         "(object) SaveLocationOptions",
         "(object) SaveLocations",
         "(object) SaveOptions",
         "(object) SaveTypes",
         "(SearchLibrary) Search",
         "(object) SerializerResult",
         "(object) ServerType",
         "(object) ShadowQuality",
         "(object) SharpeningLevel",
         "(object) ShowingOverlayType",
         "(object) SlotStatus",
         "(AudioLibrary) Sound",
         "(object) SpriteMode",
         "(object) StoryActivationTypes",
         "(object) StoryState",
         "(object) StoryTextTypes",
         "(object) StretchMode",
         "(object) TeamIds",
         "(TelemetryLibrary) Telemetry",
         "(object) TelemetryMenuActionType",
         "(object) TelemetryMenuType",
         "(object) TextureDetail",
         "(object) TradeRouteStatus",
         "(object) TransitionType",
         "(object) TurnLimitTypes",
         "(object) TurnPhaseType",
         "(object) TurnTimerType",
         "(UILibrary) UI",
         "(object) UICursorTypes",
         "(object) UIGameLoadingProgressState",
         "(object) UIGameLoadingState",
         "(object) UIHTMLCursorTypes",
         "(object) UIViewChangeMethod",
         "(object) UIViewExperience",
         "(object) UnitActivityTypes",
         "(WorldAnchorsModel) UnitAnchors",
         "(object) UnitCommandTypes",
         "(object) UnitEmbarkationTypes",
         "(object) UnitOperationMoveModifiers",
         "(object) UnitOperationParameters",
         "(object) UnitOperationTypes",
         "(object) UnitPromotionDisciplineTypes",
         "(object) UnitPromotionTypes",
         "(object) UnitType",
         "(UnitsLibrary) Units",
         "(object) UnlockTypes",
         "(object) UpscalingAA",
         "(object) VFXQuality",
         "(object) VictoryCinematicTypes",
         "(object) VictoryClassTypes",
         "(object) VictoryTypes",
         "(PlayerVisibilityCollectionLibrary) Visibility",
         "(object) VisualRemapSelection",
         "(VisualRemapsLibrary) VisualRemaps",
         "(object) WarTypes",
         "(WaterLibrary) Water",
         "(object) WaterQuality",
         "(WorldAnchorLibrary) WorldAnchors",
         "(WorldBuilderLibrary) WorldBuilder",
         "(WorldBuilderContextLibrary) WorldBuilderContext",
         "(WorldUILibrary) WorldUI",
         "(WorldUnitsLibrary) WorldUnits",
         "(object) XeSSQuality",
         "(object) YieldSourceTypes",
         "(object) YieldTriggerTypes",
         "(object) YieldTypes",
         "(Map) banners",
         "(undefined) cdcUtils",
         "(undefined) cheats",
         "(object) console",
         "(engine) engine",
         "(AgeScoresModel) g_AdvancedStartModel",
         "(AdvisorProgressModel) g_AdvisorProgressModel",
         "(AgeRankingsModel) g_AgeRankingsModel",
         "(AgeSummaryModel) g_AgeSummary",
         "(AttributeTreesModel) g_AttributeTrees",
         "(BuildQueueModel) g_BuildQueue",
         "(BuildingListModel) g_BuildingList",
         "(CityCaptureChooserModel) g_CityCaptureChooser",
         "(CityDetailsModel) g_CityDetails",
         "(CityHUDModel) g_CityHUD",
         "(CityTradeModel) g_CityTrade",
         "(CommanderInteractModel) g_CommanderInteract",
         "(CultureTreeModel) g_CultureTree",
         "(DiploRibbonModel) g_DiploRibbon",
         "(EndGameModel) g_EndGameModel",
         "(HexGridDataModel) g_HexGrid",
         "(LegendsReportModel) g_LegendsReportModel",
         "(MPFriendsDataModel) g_MPFriendsModel",
         "(MiniMapModel) g_MiniMap",
         "(NavigationTrayModel) g_NavTray",
         "(PlaceBuildingModel) g_PlaceBuilding",
         "(PlacePopulationModel) g_PlacePopulation",
         "(PlayerUnlockModel) g_PlayerUnlocks",
         "(PoliciesModel) g_Policies",
         "(RadialMenuModel) g_RadialMenu",
         "(ResourceAllocationModel) g_ResourceAllocationModel",
         "(SaveLoadModel) g_SaveGames",
         "(TechTreeModel) g_TechTree",
         "(TunerInput) g_TunerInput",
         "(TutorialInspectorModel) g_TutorialInspector",
         "(UnitPromotionModel) g_UnitPromotion",
         "(VictoryPointsModel) g_VictoryPoints",
         "(YieldBarModel) g_YieldBar",
         "(ModelYieldsReport) g_YieldReport",
         "(Window) globalThis",
         "(undefined) globals",
         "(TunerUtilities) tunerUtilities",
         "(undefined) undefined",
         "(undefined) user",
         "(undefined) utilities",
         "(Window) window"
      ],
      "methods": [
         "AggregateError()",
         "Animation()",
         "AnimationEvent()",
         "Array()",
         "ArrayBuffer()",
         "Attr()",
         "BigInt()",
         "BigInt64Array()",
         "BigUint64Array()",
         "Blob()",
         "BlobPropertyBag()",
         "Boolean()",
         "CSS()",
         "CSSAnimation()",
         "CSSKeywordValue()",
         "CSSMatrixComponent()",
         "CSSMatrixComponentOptions()",
         "CSSNumericValue()",
         "CSSRotate()",
         "CSSRuleList()",
         "CSSScale()",
         "CSSSkewX()",
         "CSSSkewY()",
         "CSSStyleDeclaration()",
         "CSSStyleSheet()",
         "CSSStyleValue()",
         "CSSTransformComponent()",
         "CSSTransformValue()",
         "CSSTranslate()",
         "CSSUnitValue()",
         "CanvasGradient()",
         "CanvasPattern()",
         "CanvasRenderingContext2D()",
         "CaretPosition()",
         "CharacterData()",
         "Chart(item, userConfig)",
         "CoherentDebug()",
         "Comment()",
         "Console()",
         "CustomElementRegistry()",
         "CustomEvent()",
         "DOMMatrix()",
         "DOMRect()",
         "DOMRectList()",
         "DOMRectReadOnly()",
         "DOMStringMap()",
         "DOMTokenList()",
         "DataView()",
         "Date()",
         "Document()",
         "DocumentFragment()",
         "DocumentType()",
         "Element()",
         "ElementDefinitionOptions()",
         "Error()",
         "ErrorEvent()",
         "EvalError()",
         "Event()",
         "EventListener()",
         "EventTarget()",
         "FinalizationRegistry()",
         "Float32Array()",
         "Float64Array()",
         "FocusEvent()",
         "Function()",
         "Gamepad()",
         "GamepadButton()",
         "GamepadEvent()",
         "GamepadPose()",
         "GetAnimationsOptions()",
         "HTMLBodyElement()",
         "HTMLButtonElement()",
         "HTMLCanvasElement()",
         "HTMLCollection()",
         "HTMLDivElement()",
         "HTMLDocument()",
         "HTMLElement()",
         "HTMLHeadElement()",
         "HTMLHtmlElement()",
         "HTMLIFrameElement()",
         "HTMLImageElement()",
         "HTMLInputElement()",
         "HTMLLinkElement()",
         "HTMLMediaElement()",
         "HTMLParagraphElement()",
         "HTMLPreElement()",
         "HTMLScriptElement()",
         "HTMLSourceElement()",
         "HTMLSpanElement()",
         "HTMLStyleElement()",
         "HTMLTemplateElement()",
         "HTMLTextAreaElement()",
         "HTMLTitleElement()",
         "HTMLUnknownElement()",
         "HTMLVideoElement()",
         "History()",
         "Image()",
         "Int16Array()",
         "Int32Array()",
         "Int8Array()",
         "KeyboardEvent()",
         "Location()",
         "Map()",
         "MediaError()",
         "MessageEvent()",
         "MouseEvent()",
         "MutationObserver()",
         "MutationObserverInit()",
         "MutationRecord()",
         "NamedNodeMap()",
         "Navigator()",
         "Node()",
         "NodeFilter()",
         "NodeIterator()",
         "NodeList()",
         "Number()",
         "Object()",
         "Performance()",
         "PopStateEvent()",
         "ProgressEvent()",
         "Promise()",
         "PromiseRejectionEvent()",
         "Proxy()",
         "RangeError()",
         "ReferenceError()",
         "RegExp()",
         "ResizeObserver()",
         "ResizeObserverEntry()",
         "ResizeObserverOptions()",
         "ResizeObserverSize()",
         "SVGAnimatedLength()",
         "SVGAnimatedRect()",
         "SVGAnimatedTransformList()",
         "SVGElement()",
         "SVGGraphicsElement()",
         "SVGLength()",
         "SVGRect()",
         "SVGSVGElement()",
         "SVGTextElement()",
         "SVGTransform()",
         "SVGTransformList()",
         "Screen()",
         "Selection()",
         "Set()",
         "SharedArrayBuffer()",
         "Storage()",
         "String()",
         "StylePropertyMap()",
         "StylePropertyMapReadOnly()",
         "StyleSheet()",
         "StyleSheetList()",
         "Symbol()",
         "SyntaxError()",
         "Text()",
         "TextMetrics()",
         "TimeRanges()",
         "Touch()",
         "TouchEvent()",
         "TouchList()",
         "TransitionEvent()",
         "TypeError()",
         "UIEvent()",
         "URIError()",
         "URL()",
         "Uint16Array()",
         "Uint32Array()",
         "Uint8Array()",
         "Uint8ClampedArray()",
         "UnitFlagManager()",
         "VirtualList()",
         "WeakMap()",
         "WeakRef()",
         "WeakSet()",
         "WebSocket()",
         "Window()",
         "XMLHttpRequest()",
         "XMLHttpRequestEventTarget()",
         "asyncLoad(url)",
         "decodeURI()",
         "decodeURIComponent()",
         "delayByFrame(callback, count = 1, ...callbackArguments)",
         "encodeURI()",
         "encodeURIComponent()",
         "escape()",
         "eval()",
         "g_GreatWorksModel()",
         "gc()",
         "handlePromiseRejection(reason)",
         "isFinite()",
         "isNaN()",
         "parseFloat()",
         "parseInt()",
         "postMessage(message)",
         "setComponentSupportSafeMargins()",
         "unescape()",
         "v8HeapStats()",
         "v8Version()",
         "waitForLayout(callback)",
         "waitUntilValue(f, maxFrameCount)"
      ],
      "inherits": {
         "name": "Window",
         "properties": [
            "(CoherentDebug) cohDebug",
            "(Console) cohtmlConsole",
            "(CustomElementRegistry) customElements",
            "(number) devicePixelRatio",
            "(HTMLDocument) document",
            "(History) history",
            "(number) innerHeight",
            "(number) innerWidth",
            "(Storage) localStorage",
            "(Location) location",
            "(Navigator) navigator",
            "(null) onabort",
            "(null) onauxclick",
            "(null) onblur",
            "(null) onclick",
            "(null) ondblclick",
            "(null) onerror",
            "(null) onfocus",
            "(null) ongamepadconnected",
            "(null) ongamepaddisconnected",
            "(null) oninput",
            "(null) onkeydown",
            "(null) onkeypress",
            "(null) onkeyup",
            "(null) onload",
            "(null) onmousedown",
            "(null) onmouseenter",
            "(null) onmouseleave",
            "(null) onmousemove",
            "(null) onmouseout",
            "(null) onmouseover",
            "(null) onmouseup",
            "(null) onpopstate",
            "(null) onresize",
            "(null) onscroll",
            "(null) ontouchend",
            "(null) ontouchmove",
            "(null) ontouchstart",
            "(null) onunhandledrejection",
            "(null) onwheel",
            "(number) outerHeight",
            "(number) outerWidth",
            "(number) pageXOffset",
            "(number) pageYOffset",
            "(Window) parent",
            "(Performance) performance",
            "(Screen) screen",
            "(number) screenLeft",
            "(number) screenTop",
            "(number) screenX",
            "(number) screenY",
            "(number) scrollX",
            "(number) scrollY",
            "(Window) self"
         ],
         "methods": [
            "constructor()",
            "addEventListener()",
            "cancelAnimationFrame()",
            "clearInterval()",
            "clearTimeout()",
            "dispatchEvent()",
            "getComputedStyle()",
            "getSelection()",
            "queueMicrotask()",
            "removeEventListener()",
            "requestAnimationFrame()",
            "scrollBy()",
            "scrollTo()",
            "setInterval()",
            "setTimeout()"
         ],
         "inherits": {
            "name": "EventTarget",
            "properties": [],
            "methods": [
               "constructor()",
               "addEventListener()",
               "dispatchEvent()",
               "removeEventListener()"
            ],
            "inherits": {
               "name": "object",
               "properties": [
                  "(null) __proto__"
               ],
               "methods": [
                  "__defineGetter__()",
                  "__defineSetter__()",
                  "__lookupGetter__()",
                  "__lookupSetter__()",
                  "constructor()",
                  "hasOwnProperty()",
                  "isPrototypeOf()",
                  "propertyIsEnumerable()",
                  "toLocaleString()",
                  "toString()",
                  "valueOf()"
               ]
            }
         }
      }
   }
}


That's what I get using it on globalThis. My thoughts had been to trim that down then use it to generate HTML or markdown to start documentation.
 
Spoiler help(obj) :

JavaScript:
export function getParams(func) {
    let params = '';
 
    try {
        const fnStr = func.toString();
        const paramMatch = fnStr.match(/\(([^)]*)\)/);
        params = paramMatch ? paramMatch[1] : '';
    }
    catch (e) {
        params = "...";
    }
 
    return params;
}

export function getType(obj) {
 
    let type = "";
 
    if (obj === null) {
        type = "null";
    } else if (typeof obj == "undefined") {
        type = "undefined";
    } else if (typeof obj != "object") {
        type = typeof obj;
    } else if (obj.constructor?.name != "Object") {
        type = obj.constructor?.name;
    } else {
        type = "object";
    }
 
    return type;
}

export function help(objName, sort = true, inheritLimit = Infinity) {
 
    var objInfo = {};
    var obj;
 
    if (typeof objName == "string") {
        objInfo.name = objName;
    
        switch (objName) {
            case "globalThis": {obj = globalThis; break;};
            case "window":     {obj = window; break;};
            case "document":   {obj = document; break;};
            default:           {obj = eval(objName); break;};
        }
    }
    else {
        obj = objName;
    }
 
    objInfo.type = getType(obj);
 
    let propNames = Object.getOwnPropertyNames(obj);
 
    if (propNames.length > 0) {
    
        if (sort) {
            propNames.sort((a,b) => {
                if (a == "constructor") {
                    return -1
                } else if (a < b) {
                    return -1;
                } else if (a > b) {
                    return 1;
                } else {
                    return 0;
                }
            });
        }
    
        objInfo.properties = [];
        objInfo.methods = [];
    
        for (let propName of propNames) {
            // let propName = propNames[idx];
            let propType = getType(obj[propName]);

            if (propType == "function") {
                objInfo.methods.push(`${propName}(${getParams(obj[propName])})`);
            } else {
                objInfo.properties.push(`(${propType}) ${propName}`);
            }
        }
    }
 
    let baseClass = Object.getPrototypeOf(obj);
    let currInfo = objInfo;
    let currLevel = 0;
    while (baseClass && currLevel < inheritLimit) {
        let baseName = getType(baseClass);
        currInfo = currInfo.inherits = { name: baseName };
        propNames = Object.getOwnPropertyNames(baseClass);
        if (propNames.length > 0) {
        
            currInfo.properties = [];
            currInfo.methods = [];
            propNames.sort((a,b) => {
                if (a == "constructor") {
                    return -1
                } else if (a < b) {
                    return -1;
                } else if (a > b) {
                    return 1;
                } else {
                    return 0;
                }
            });
        
            for (let propName of propNames) {
                // let propName = propNames[idx];
                let propType = getType(baseClass[propName]);

                if (propType == "function") {
                    currInfo.methods.push(`${propName}(${getParams(baseClass[propName])})`);
                } else {
                    currInfo.properties.push(`(${propType}) ${propName}`);
                }
            }
        }
    
        baseClass = Object.getPrototypeOf(baseClass);
    }

    if (typeof objName == "string") {
        var ret = {};
        ret[objName] = objInfo;
        return ret;
    }
    else {
        return objInfo;
    }
}

export function clip(obj) {
    UI.setClipboardText(JSON.stringify(obj));
}


That's the script I use to extract information about objects.

Spoiler globalThis :

JSON:
{
   "globalThis": {
      "name": "globalThis",
      "type": "Window",
      "properties": [
         "(object) ActionEventIDs",
         "(object) AdvisorTypes",
         "(object) AdvisorWarningTypes",
         "(object) AdvisorySubjectTypes",
         "(object) AgeProgressionEventTypes",
         "(object) AgeProgressionMilestoneTypes",
         "(object) AgeTypes",
         "(object) AlignMode",
         "(ArmiesLibrary) Armies",
         "(object) ArrangementType",
         "(object) AssetQuality",
         "(object) Atomics",
         "(AppAutomationLibrary) Automation",
         "(AutoplayLibrary) Autoplay",
         "(object) AutoplayStateChangeReasons",
         "(BenchmarkLibrary) Benchmark",
         "(object) BrowserFilterType",
         "(object) BuildInfo",
         "(CameraLibrary) Camera",
         "(object) CampaignSetupType",
         "(object) CardCategories",
         "(object) CategoryType",
         "(object) ChallengeRewardType",
         "(object) ChatTargetTypes",
         "(CitiesLibrary) Cities",
         "(object) CityCommandTypes",
         "(object) CityGovernmentLevels",
         "(object) CityOperationTypes",
         "(object) CityOperationsParametersValues",
         "(object) CityQueryType",
         "(object) CityTransferTypes",
         "(object) CivilizationLevelTypes",
         "(ColorLibrary) Color",
         "(object) ColorBlindType",
         "(object) CombatStrengthTypes",
         "(object) CombatTypes",
         "(object) ComponentID",
         "(object) ComponentIDTypes",
         "(ConfigurationLibrary) Configuration",
         "(object) ConstructibleClasses",
         "(ConstructiblesLibrary) Constructibles",
         "(object) DNAPromoLayout",
         "(Database) Database",
         "(object) DefeatTypes",
         "(object) DefinitionTypes",
         "(object) DiplomacyActionGroupSubtypes",
         "(object) DiplomacyActionGroups",
         "(object) DiplomacyActionTags",
         "(object) DiplomacyActionTargetTypes",
         "(object) DiplomacyActionTypes",
         "(object) DiplomacyAgendaAmountTypes",
         "(object) DiplomacyAgendaAwardToTypes",
         "(object) DiplomacyAgendaWeightingTypes",
         "(object) DiplomacyBasicModifierValueTypes",
         "(object) DiplomacyDealDirection",
         "(object) DiplomacyDealItemAgreementTypes",
         "(object) DiplomacyDealItemCityTransferTypes",
         "(object) DiplomacyDealItemTypes",
         "(object) DiplomacyDealProposalActions",
         "(object) DiplomacyFavorGrievanceEventGroupType",
         "(object) DiplomacyFavorGrievanceEventType",
         "(object) DiplomacyMeetReasons",
         "(object) DiplomacyModifierTargetTypes",
         "(object) DiplomacyModifierTypes",
         "(object) DiplomacyPlayerFirstMeets",
         "(object) DiplomacyPlayerRelationshipVisibility",
         "(object) DiplomacyPlayerRelationships",
         "(object) DiplomacyProjectStatus",
         "(object) DiplomacyResponseActions",
         "(object) DiplomacyResponseTypes",
         "(object) DiplomacyTokenTypes",
         "(object) DiplomaticResponseTypes",
         "(object) DirectionTypes",
         "(object) DiscoveryActivationTypes",
         "(object) DiscoveryVisualTypes",
         "(object) DisplayType",
         "(object) DistrictTypes",
         "(DistrictsLibrary) Districts",
         "(object) DnaCodeRedeemResult",
         "(object) DomainType",
         "(object) DomainTypes",
         "(object) EndTurnBlockingTypes",
         "(EnvironmentLibrary) Environment",
         "(object) FeatureClassTypes",
         "(object) FeatureTypes",
         "(object) FertilityTypes",
         "(WorldAnchorsModel) FixedWorldAnchors",
         "(FormationsLibrary) Formations",
         "(object) FrameGenerationMode",
         "(object) FriendListTypes",
         "(object) FriendStateTypes",
         "(object) Fsr1Quality",
         "(object) Fsr3Quality",
         "(number) GAMESETUP_INVALID_STRING",
         "(GameLibrary) Game",
         "(object) GameBenchmarkType",
         "(GameContextLibrary) GameContext",
         "(undefined) GameInfo",
         "(object) GameListUpdateType",
         "(object) GameModeTypes",
         "(object) GameQueryTypes",
         "(GameSetup) GameSetup",
         "(object) GameSetupDomainType",
         "(object) GameSetupDomainValueInvalidReason",
         "(object) GameSetupParameterInvalidReason",
         "(object) GameSetupParameterSetValueResult",
         "(GameStateStorageLibrary) GameStateStorage",
         "(object) GameStateTypes",
         "(TutorialLibrary) GameTutorial",
         "(object) GameValueStepTypes",
         "(object) GameplayEvent",
         "(MapLibrary) GameplayMap",
         "(object) GlobalParameters",
         "(OptionsLibrary) GraphicsOptions",
         "(object) GraphicsProfile",
         "(object) GrowthTypes",
         "(HallofFameLibrary) HallofFame",
         "(object) HashTypes",
         "(object) HiddenVisibilityTypes",
         "(object) HostingType",
         "(object) IMEConfirmationValueLocation",
         "(object) IgnoreNotificationType",
         "(object) IndependentPlayerIds",
         "(object) IndependentRelationship",
         "(object) IndependentTypes",
         "(number) Infinity",
         "(object) InitialScriptType",
         "(InputLibrary) Input",
         "(object) InputActionStatuses",
         "(object) InputContext",
         "(object) InputDeviceLayout",
         "(object) InputDeviceType",
         "(object) InputKeys",
         "(object) InputLayoutTypes",
         "(object) InputNavigationAction",
         "(object) InterpolationFunc",
         "(object) JSON",
         "(object) JSX",
         "(object) JoinGameErrorType",
         "(object) KeyframeFlag",
         "(object) KickDirectResultType",
         "(object) KickReason",
         "(object) KickVoteReasonType",
         "(object) KickVoteResultType",
         "(object) LanguageChangeFollowupAction",
         "(object) LegacyPathTypes",
         "(object) LegalState",
         "(object) LiveEventRewardType",
         "(object) LoadErrorCause",
         "(object) Loading",
         "(object) LobbyErrorType",
         "(object) LobbyTypes",
         "(LocalizationLibrary) Locale",
         "(object) LowLatencyMode",
         "(MapAreasLibrary) MapAreas",
         "(MapCitiesLibrary) MapCities",
         "(MapConstructiblesLibrary) MapConstructibles",
         "(MapFeaturesLibrary) MapFeatures",
         "(MapOwnershipLibrary) MapOwnership",
         "(MapPlotEffectsLibrary) MapPlotEffects",
         "(MapPlotYieldsLibrary) MapPlotYields",
         "(MapRegionsLibrary) MapRegions",
         "(MapRiversLibrary) MapRivers",
         "(MapStormsLibrary) MapStorms",
         "(MapUnitsLibrary) MapUnits",
         "(object) Math",
         "(object) MementoTypes",
         "(object) ModAllowance",
         "(object) ModAllowanceReason",
         "(object) ModAllowanceSystem",
         "(object) ModItemType",
         "(object) ModRequirementsStatus",
         "(ModdingLibrary) Modding",
         "(object) MultiplayerService",
         "(number) NaN",
         "(NetworkLibrary) Network",
         "(object) NetworkCapabilityTypes",
         "(object) NetworkResult",
         "(object) NotificationGroups",
         "(OnlineLibrary) Online",
         "(object) OnlineErrorType",
         "(object) OperationPlotModifiers",
         "(object) OrderTypes",
         "(object) PlacementMode",
         "(object) PlacementReasons",
         "(object) PlayerControlTypes",
         "(object) PlayerIds",
         "(object) PlayerOperationParameters",
         "(object) PlayerOperationTypes",
         "(PlayerCollectionLibrary) Players",
         "(object) PlotTags",
         "(object) ProductionKind",
         "(object) ProgressionTreeNodeState",
         "(object) ProjectTypes",
         "(object) PromoAction",
         "(object) RandomEventSeverityTypes",
         "(object) RealismSettingTypes",
         "(object) Reflect",
         "(ReflectionArchivesLibrary) ReflectionArchives",
         "(RegionBuilderLibrary) RegionBuilder",
         "(ReportingEventLibrary) ReportingEvent",
         "(object) RequirementState",
         "(object) ResourceTypes",
         "(object) RevealedStates",
         "(object) RiverTypes",
         "(object) SSAOQuality",
         "(object) SaveDirectories",
         "(object) SaveFileTypes",
         "(object) SaveLocationCategories",
         "(object) SaveLocationOptions",
         "(object) SaveLocations",
         "(object) SaveOptions",
         "(object) SaveTypes",
         "(SearchLibrary) Search",
         "(object) SerializerResult",
         "(object) ServerType",
         "(object) ShadowQuality",
         "(object) SharpeningLevel",
         "(object) ShowingOverlayType",
         "(object) SlotStatus",
         "(AudioLibrary) Sound",
         "(object) SpriteMode",
         "(object) StoryActivationTypes",
         "(object) StoryState",
         "(object) StoryTextTypes",
         "(object) StretchMode",
         "(object) TeamIds",
         "(TelemetryLibrary) Telemetry",
         "(object) TelemetryMenuActionType",
         "(object) TelemetryMenuType",
         "(object) TextureDetail",
         "(object) TradeRouteStatus",
         "(object) TransitionType",
         "(object) TurnLimitTypes",
         "(object) TurnPhaseType",
         "(object) TurnTimerType",
         "(UILibrary) UI",
         "(object) UICursorTypes",
         "(object) UIGameLoadingProgressState",
         "(object) UIGameLoadingState",
         "(object) UIHTMLCursorTypes",
         "(object) UIViewChangeMethod",
         "(object) UIViewExperience",
         "(object) UnitActivityTypes",
         "(WorldAnchorsModel) UnitAnchors",
         "(object) UnitCommandTypes",
         "(object) UnitEmbarkationTypes",
         "(object) UnitOperationMoveModifiers",
         "(object) UnitOperationParameters",
         "(object) UnitOperationTypes",
         "(object) UnitPromotionDisciplineTypes",
         "(object) UnitPromotionTypes",
         "(object) UnitType",
         "(UnitsLibrary) Units",
         "(object) UnlockTypes",
         "(object) UpscalingAA",
         "(object) VFXQuality",
         "(object) VictoryCinematicTypes",
         "(object) VictoryClassTypes",
         "(object) VictoryTypes",
         "(PlayerVisibilityCollectionLibrary) Visibility",
         "(object) VisualRemapSelection",
         "(VisualRemapsLibrary) VisualRemaps",
         "(object) WarTypes",
         "(WaterLibrary) Water",
         "(object) WaterQuality",
         "(WorldAnchorLibrary) WorldAnchors",
         "(WorldBuilderLibrary) WorldBuilder",
         "(WorldBuilderContextLibrary) WorldBuilderContext",
         "(WorldUILibrary) WorldUI",
         "(WorldUnitsLibrary) WorldUnits",
         "(object) XeSSQuality",
         "(object) YieldSourceTypes",
         "(object) YieldTriggerTypes",
         "(object) YieldTypes",
         "(Map) banners",
         "(undefined) cdcUtils",
         "(undefined) cheats",
         "(object) console",
         "(engine) engine",
         "(AgeScoresModel) g_AdvancedStartModel",
         "(AdvisorProgressModel) g_AdvisorProgressModel",
         "(AgeRankingsModel) g_AgeRankingsModel",
         "(AgeSummaryModel) g_AgeSummary",
         "(AttributeTreesModel) g_AttributeTrees",
         "(BuildQueueModel) g_BuildQueue",
         "(BuildingListModel) g_BuildingList",
         "(CityCaptureChooserModel) g_CityCaptureChooser",
         "(CityDetailsModel) g_CityDetails",
         "(CityHUDModel) g_CityHUD",
         "(CityTradeModel) g_CityTrade",
         "(CommanderInteractModel) g_CommanderInteract",
         "(CultureTreeModel) g_CultureTree",
         "(DiploRibbonModel) g_DiploRibbon",
         "(EndGameModel) g_EndGameModel",
         "(HexGridDataModel) g_HexGrid",
         "(LegendsReportModel) g_LegendsReportModel",
         "(MPFriendsDataModel) g_MPFriendsModel",
         "(MiniMapModel) g_MiniMap",
         "(NavigationTrayModel) g_NavTray",
         "(PlaceBuildingModel) g_PlaceBuilding",
         "(PlacePopulationModel) g_PlacePopulation",
         "(PlayerUnlockModel) g_PlayerUnlocks",
         "(PoliciesModel) g_Policies",
         "(RadialMenuModel) g_RadialMenu",
         "(ResourceAllocationModel) g_ResourceAllocationModel",
         "(SaveLoadModel) g_SaveGames",
         "(TechTreeModel) g_TechTree",
         "(TunerInput) g_TunerInput",
         "(TutorialInspectorModel) g_TutorialInspector",
         "(UnitPromotionModel) g_UnitPromotion",
         "(VictoryPointsModel) g_VictoryPoints",
         "(YieldBarModel) g_YieldBar",
         "(ModelYieldsReport) g_YieldReport",
         "(Window) globalThis",
         "(undefined) globals",
         "(TunerUtilities) tunerUtilities",
         "(undefined) undefined",
         "(undefined) user",
         "(undefined) utilities",
         "(Window) window"
      ],
      "methods": [
         "AggregateError()",
         "Animation()",
         "AnimationEvent()",
         "Array()",
         "ArrayBuffer()",
         "Attr()",
         "BigInt()",
         "BigInt64Array()",
         "BigUint64Array()",
         "Blob()",
         "BlobPropertyBag()",
         "Boolean()",
         "CSS()",
         "CSSAnimation()",
         "CSSKeywordValue()",
         "CSSMatrixComponent()",
         "CSSMatrixComponentOptions()",
         "CSSNumericValue()",
         "CSSRotate()",
         "CSSRuleList()",
         "CSSScale()",
         "CSSSkewX()",
         "CSSSkewY()",
         "CSSStyleDeclaration()",
         "CSSStyleSheet()",
         "CSSStyleValue()",
         "CSSTransformComponent()",
         "CSSTransformValue()",
         "CSSTranslate()",
         "CSSUnitValue()",
         "CanvasGradient()",
         "CanvasPattern()",
         "CanvasRenderingContext2D()",
         "CaretPosition()",
         "CharacterData()",
         "Chart(item, userConfig)",
         "CoherentDebug()",
         "Comment()",
         "Console()",
         "CustomElementRegistry()",
         "CustomEvent()",
         "DOMMatrix()",
         "DOMRect()",
         "DOMRectList()",
         "DOMRectReadOnly()",
         "DOMStringMap()",
         "DOMTokenList()",
         "DataView()",
         "Date()",
         "Document()",
         "DocumentFragment()",
         "DocumentType()",
         "Element()",
         "ElementDefinitionOptions()",
         "Error()",
         "ErrorEvent()",
         "EvalError()",
         "Event()",
         "EventListener()",
         "EventTarget()",
         "FinalizationRegistry()",
         "Float32Array()",
         "Float64Array()",
         "FocusEvent()",
         "Function()",
         "Gamepad()",
         "GamepadButton()",
         "GamepadEvent()",
         "GamepadPose()",
         "GetAnimationsOptions()",
         "HTMLBodyElement()",
         "HTMLButtonElement()",
         "HTMLCanvasElement()",
         "HTMLCollection()",
         "HTMLDivElement()",
         "HTMLDocument()",
         "HTMLElement()",
         "HTMLHeadElement()",
         "HTMLHtmlElement()",
         "HTMLIFrameElement()",
         "HTMLImageElement()",
         "HTMLInputElement()",
         "HTMLLinkElement()",
         "HTMLMediaElement()",
         "HTMLParagraphElement()",
         "HTMLPreElement()",
         "HTMLScriptElement()",
         "HTMLSourceElement()",
         "HTMLSpanElement()",
         "HTMLStyleElement()",
         "HTMLTemplateElement()",
         "HTMLTextAreaElement()",
         "HTMLTitleElement()",
         "HTMLUnknownElement()",
         "HTMLVideoElement()",
         "History()",
         "Image()",
         "Int16Array()",
         "Int32Array()",
         "Int8Array()",
         "KeyboardEvent()",
         "Location()",
         "Map()",
         "MediaError()",
         "MessageEvent()",
         "MouseEvent()",
         "MutationObserver()",
         "MutationObserverInit()",
         "MutationRecord()",
         "NamedNodeMap()",
         "Navigator()",
         "Node()",
         "NodeFilter()",
         "NodeIterator()",
         "NodeList()",
         "Number()",
         "Object()",
         "Performance()",
         "PopStateEvent()",
         "ProgressEvent()",
         "Promise()",
         "PromiseRejectionEvent()",
         "Proxy()",
         "RangeError()",
         "ReferenceError()",
         "RegExp()",
         "ResizeObserver()",
         "ResizeObserverEntry()",
         "ResizeObserverOptions()",
         "ResizeObserverSize()",
         "SVGAnimatedLength()",
         "SVGAnimatedRect()",
         "SVGAnimatedTransformList()",
         "SVGElement()",
         "SVGGraphicsElement()",
         "SVGLength()",
         "SVGRect()",
         "SVGSVGElement()",
         "SVGTextElement()",
         "SVGTransform()",
         "SVGTransformList()",
         "Screen()",
         "Selection()",
         "Set()",
         "SharedArrayBuffer()",
         "Storage()",
         "String()",
         "StylePropertyMap()",
         "StylePropertyMapReadOnly()",
         "StyleSheet()",
         "StyleSheetList()",
         "Symbol()",
         "SyntaxError()",
         "Text()",
         "TextMetrics()",
         "TimeRanges()",
         "Touch()",
         "TouchEvent()",
         "TouchList()",
         "TransitionEvent()",
         "TypeError()",
         "UIEvent()",
         "URIError()",
         "URL()",
         "Uint16Array()",
         "Uint32Array()",
         "Uint8Array()",
         "Uint8ClampedArray()",
         "UnitFlagManager()",
         "VirtualList()",
         "WeakMap()",
         "WeakRef()",
         "WeakSet()",
         "WebSocket()",
         "Window()",
         "XMLHttpRequest()",
         "XMLHttpRequestEventTarget()",
         "asyncLoad(url)",
         "decodeURI()",
         "decodeURIComponent()",
         "delayByFrame(callback, count = 1, ...callbackArguments)",
         "encodeURI()",
         "encodeURIComponent()",
         "escape()",
         "eval()",
         "g_GreatWorksModel()",
         "gc()",
         "handlePromiseRejection(reason)",
         "isFinite()",
         "isNaN()",
         "parseFloat()",
         "parseInt()",
         "postMessage(message)",
         "setComponentSupportSafeMargins()",
         "unescape()",
         "v8HeapStats()",
         "v8Version()",
         "waitForLayout(callback)",
         "waitUntilValue(f, maxFrameCount)"
      ],
      "inherits": {
         "name": "Window",
         "properties": [
            "(CoherentDebug) cohDebug",
            "(Console) cohtmlConsole",
            "(CustomElementRegistry) customElements",
            "(number) devicePixelRatio",
            "(HTMLDocument) document",
            "(History) history",
            "(number) innerHeight",
            "(number) innerWidth",
            "(Storage) localStorage",
            "(Location) location",
            "(Navigator) navigator",
            "(null) onabort",
            "(null) onauxclick",
            "(null) onblur",
            "(null) onclick",
            "(null) ondblclick",
            "(null) onerror",
            "(null) onfocus",
            "(null) ongamepadconnected",
            "(null) ongamepaddisconnected",
            "(null) oninput",
            "(null) onkeydown",
            "(null) onkeypress",
            "(null) onkeyup",
            "(null) onload",
            "(null) onmousedown",
            "(null) onmouseenter",
            "(null) onmouseleave",
            "(null) onmousemove",
            "(null) onmouseout",
            "(null) onmouseover",
            "(null) onmouseup",
            "(null) onpopstate",
            "(null) onresize",
            "(null) onscroll",
            "(null) ontouchend",
            "(null) ontouchmove",
            "(null) ontouchstart",
            "(null) onunhandledrejection",
            "(null) onwheel",
            "(number) outerHeight",
            "(number) outerWidth",
            "(number) pageXOffset",
            "(number) pageYOffset",
            "(Window) parent",
            "(Performance) performance",
            "(Screen) screen",
            "(number) screenLeft",
            "(number) screenTop",
            "(number) screenX",
            "(number) screenY",
            "(number) scrollX",
            "(number) scrollY",
            "(Window) self"
         ],
         "methods": [
            "constructor()",
            "addEventListener()",
            "cancelAnimationFrame()",
            "clearInterval()",
            "clearTimeout()",
            "dispatchEvent()",
            "getComputedStyle()",
            "getSelection()",
            "queueMicrotask()",
            "removeEventListener()",
            "requestAnimationFrame()",
            "scrollBy()",
            "scrollTo()",
            "setInterval()",
            "setTimeout()"
         ],
         "inherits": {
            "name": "EventTarget",
            "properties": [],
            "methods": [
               "constructor()",
               "addEventListener()",
               "dispatchEvent()",
               "removeEventListener()"
            ],
            "inherits": {
               "name": "object",
               "properties": [
                  "(null) __proto__"
               ],
               "methods": [
                  "__defineGetter__()",
                  "__defineSetter__()",
                  "__lookupGetter__()",
                  "__lookupSetter__()",
                  "constructor()",
                  "hasOwnProperty()",
                  "isPrototypeOf()",
                  "propertyIsEnumerable()",
                  "toLocaleString()",
                  "toString()",
                  "valueOf()"
               ]
            }
         }
      }
   }
}


That's what I get using it on globalThis. My thoughts had been to trim that down then use it to generate HTML or markdown to start documentation.
I was hoping we could set properties on the objects. Is it legal in Java to extend a parent class like Object (maybe not so high up) to take a list of custom properties somehow? You could set custom properties on objects with a SetProperty method during runtime in a gameplay script, but in LUA. So basically, you can nest any number of tables so you can store anything that is legal in a table. Does Java have such flexibility?

For reference to a post about setting custom properties in Civ 6
 
Last edited:
What I did was a bit misleading. If an attribute has type of function then I call it a method though most within globalThis don't have an implied this. I don't know how to make a distinction between the two. Largely an instance of a class is just a set of key/value pairs. You can add new ones. I'm not sure how you would add a method other than the class definition. Somehow the runtime knows the difference. That's instances of classes and not class definitions. You can add whatever you want, but it's not going to impact anything else.

I use CDC referenced above for experimenting in game. If you don't actually need the game context you can run javascript in the developer console of browsers. With Edge it's More Tools => Developer Tools. The particular variant of javascript used by the game is Google's V8. The easiest way to tell if you can do something is try it and see what happens. You can setup Notepad++ to run and debug javascript with JSMin. You can also use the JavaScript Debugger in VS Code.

With CDC the author added cheats so I added my own functions the same way. I put a "user.js" script in the same directory as cheats.js then change debug_console.js to do the same thing with user.js as he did with cheats.js. You can define functions and assign values to variables in CDC, but there's no persistence. As soon as you close the window and reopen it then it's gone. It got somewhat tedious typing those function back in.
 
I experimented a bit and now I'm baffled and confused. It seems the first of what I list as inherited is actually the methods for the class. I haven't figured out just what shows up as properties in there. Experimenting everything I did showed up at the top. Maybe what shows up as properties under inherited are static?
 
JavaScript:
class c1 {
    c1var1 = "hello";
    #c1var3 = "something";
    c1func1(val) {
        this.c1var2 = val;
    }
    #c1func2(val) {
        this.c1var4 = val;
    }
}

class c2 extends c1 {
    c2var1 = "world";
    c2func1(val) {
        this.c1func1("stuff");
        this.c2var2 = val;
    }
}

ac2 = new c2();
// c2 {c1var1: 'hello', c2var1: 'world', #c1var3: 'something'}
pac2 = Object.getPrototypeOf(ac2);
// c1 {c2func1: ƒ}
ppac2 = Object.getPrototypeOf(pac2);
// {c1func1: ƒ}

Object.getOwnPropertyNames(ac2);
// ['c1var1', 'c2var1']
Object.getOwnPropertyNames(pac2);
// ['constructor', 'c2func1']
Object.getOwnPropertyNames(ppac2);
// ['constructor', 'c1func1']

ac2.c2func1("stuff");
Object.getOwnPropertyNames(ac2);
// ['c1var1', 'c2var1', 'c1var2', 'c2var2']

ac2;
// c2 {c1var1: 'hello', c2var1: 'world', c1var2: 'stuff', c2var2: 'stuff', #c1var3: 'something'}

The methods for c2 are listed in pac2 and the methods for c1 are in ppac2 while the properties for either are in ac2. I would have expected c2var1 to appear in pac2, but not ac2 since it's declared in the class declaration rather than just assigned a value. I would expect c1var1 to appear in ppac2 since it's declared in the class definition of c1 and is inherited by c2. It seems all properties go to ac2 and that is "this" for both c1func1 and c2func1. It would seem the prototypes never have properties and only have methods. That isn't true though. If you look at the dump of globalThis the equivalent of pac2 has properties. That could simply be because it's native code, isn't actually defined by javascript code. I also don't get why #c1var2 shows up when I create ac2. That's a private property of c1 so it disappears after that. I can't find it anywhere. I don't get where the console is getting it from. I don't get what causes a property to end up in pac2 or ppac2 rather than ac2.
 
Back
Top Bottom