Migrate to PySTK#

This topic describes how to migrate your existing Python code to PySTK, so that you can benefit from the improvements provided by the new API. This is useful if you have existing Python scripts based on the STK API for Python that is currently shipped with the Ansys STK® application install.

In general, the overall logic of the code is unchanged, but namespaces, classes, interfaces, enumerations, methods, and arguments have been renamed. Migrating your code consists of replacing the old names with the new names. The migration table provided on this page contains the mappings between the old names and the new names.

Updating your code manually by looking up the mappings one at a time can be time consuming. The API Migration Assistant included with the PySTK package facilitates this process.

API migration assistant#

The API migration assistant automates migrating your code to the new API. It relies on a mix of dynamic and static analysis to locate the symbols that need to be updated in your code, and then performs the required edits. The dynamic analysis phase consists of running your application while recording the calls performed to the STK API. The static analysis phase uses the information recorded in the first phase to identify the methods and types that need to be renamed. It also renames imports, enumerations, and type hints by inspecting the source code.

Warning

Before making changes to your existing code, ensure that you have committed all changes to your source control system.

The following steps are recommended:

  1. Upgrade your code to STK software version 12.10.0.

  2. Test your code using STK software version 12.10.0 to ensure it works properly.

  3. Run the API migration assistant in recording mode. Repeat to cover all of the code paths.

  4. Run the API migration assistant to apply the changes.

  5. Review the changes.

  6. If you are satisfied with the changes, rename the migrated files to overwrite the original files.

  7. Test the migrated application.

The following diagram depicts this workflow:

        flowchart LR
    A[Start] --> B(Record trace)
    B --> C[/Are all the code paths covered?/]
    C -->|No| B
    C -->|Yes| D[Apply the changes]
    D --> E[Review *.py-migrated files]
    E --> F[Overwrite the original files]
    F --> G[Done!]
    

To illustrate this process, the examples below use a script in a file named snippet.py:

 1import sys
 2from agi.stk12.stkengine import STKEngine
 3from agi.stk12.stkobjects import *
 4from agi.stk12.stkutil import *
 5
 6
 7def main():
 8    stk = STKEngine.StartApplication(noGraphics=True)
 9
10    stkRoot = stk.NewObjectRoot()
11    stkRoot.NewScenario("test")
12    scenario = stkRoot.CurrentScenario
13
14    facility = scenario.Children.New(AgESTKObjectType.eFacility, "MyFacility")
15    facility.Position.AssignGeodetic(28.62, -80.62, 0.03)
16
17    stk.ShutDown()
18
19
20if __name__ == "__main__":
21    sys.exit(main())

Record traces#

Warning

Using Python version 3.11 or greater is strongly recommended for best results.

The first phase of the migration process is to record one or multiple traces of the execution of your Python application using the old STK API. Start the recording by invoking the API migration assistant with the following options:

$ pystk-migration-assistant record --recordings-directory=... snippet.py
INFO: Recording ... snippet.py

The recordings are saved in the specified directory. Make sure to specify an empty directory if starting from scratch on migrating a new application.

By default, the API migration assistant executes the provided script and invokes main as an entry point. If you want to trigger the execution of a different entry point, use the --entry-point command line option.

If the --recordings-directory= option is not specified, a sub-directory named recordings is created in the current directory.

This creates a JSON file in the recordings directory. That file contains the calls made by your script to the STK API. Here is how it looks in the case of the snippet used for this example:

{
    "root_directory": "D:\\Dev\\api_migration_interceptor",
    "calls": [
        {
            "filename": "snippet.py",
            "lineno": 8,
            "end_lineno": 8,
            "col_offset": 10,
            "end_col_offset": 53,
            "type_name": "STKEngine",
            "member_name": "StartApplication"
        },
        {
            "filename": "snippet.py",
            "lineno": 10,
            "end_lineno": 10,
            "col_offset": 14,
            "end_col_offset": 33,
            "type_name": "STKEngineApplication",
            "member_name": "NewObjectRoot"
        },
        {
            "filename": "snippet.py",
            "lineno": 11,
            "end_lineno": 11,
            "col_offset": 4,
            "end_col_offset": 31,
            "type_name": "IAgStkObjectRoot",
            "member_name": "NewScenario"
        },
        {
            "filename": "snippet.py",
            "lineno": 12,
            "end_lineno": 12,
            "col_offset": 15,
            "end_col_offset": 38,
            "type_name": "IAgStkObjectRoot",
            "member_name": "CurrentScenario"
        },
        {
            "filename": "snippet.py",
            "lineno": 14,
            "end_lineno": 14,
            "col_offset": 15,
            "end_col_offset": 32,
            "type_name": "IAgStkObject",
            "member_name": "Children"
        },
        {
            "filename": "snippet.py",
            "lineno": 14,
            "end_lineno": 14,
            "col_offset": 15,
            "end_col_offset": 78,
            "type_name": "IAgStkObjectCollection",
            "member_name": "New"
        },
        {
            "filename": "snippet.py",
            "lineno": 15,
            "end_lineno": 15,
            "col_offset": 4,
            "end_col_offset": 21,
            "type_name": "IAgFacility",
            "member_name": "Position"
        },
        {
            "filename": "snippet.py",
            "lineno": 15,
            "end_lineno": 15,
            "col_offset": 4,
            "end_col_offset": 57,
            "type_name": "IAgPosition",
            "member_name": "AssignGeodetic"
        },
        {
            "filename": "snippet.py",
            "lineno": 17,
            "end_lineno": 17,
            "col_offset": 4,
            "end_col_offset": 18,
            "type_name": "STKEngineApplication",
            "member_name": "ShutDown"
        }
    ],
    "command": "D:\\Dev\\api_migration_interceptor> D:\\Dev\\api_migration_interceptor\\.venv\\Scripts\\pystk-migration-assistant record --recordings-directory=... snippet.py"
}

There are also other options available to tweak recording. Use the --help command line argument to display them.

$ pystk-migration-assistant record --help
usage: pystk-migration-assistant record [-h] [--entry-point <entry point>]
                                        [--root-directory <directory>]
                                        [--mappings-directory <directory>]
                                        [--recordings-directory <directory>] [-m]
                                        program ...

positional arguments:
program               script file or module (if -m flag) to record
...                   arguments passed to program in sys.argv[1:]

options:
-h, --help            show this help message and exit
--entry-point <entry point>
                        entry point to invoke (default: main)
--root-directory <directory>
                        only migrate files under this directory (default: program directory)
--mappings-directory <directory>
                        directory containing the JSON API mappings (default: D:\Dev\github_root\pyst
                        k\src\ansys\stk\core\tools\api_migration_assistant\api-mappings)
--recordings-directory <directory>
                        directory receiving the JSON recordings (default:
                        D:\Dev\github_root\pystk\recordings)
-m                    invoke the specified program as a module

Note that the -m option is required if your program is a library module. Here is an example using pytest:

$ pystk-migration-assistant record --root-directory=. -m pytest .
INFO: Recording -m pytest .
================================== test session starts =================================
platform win32 -- Python 3.12.7, pytest-8.3.4, pluggy-1.5.0
rootdir: d:\Dev\api_migration_interceptor\test_stk
plugins: cov-6.0.0, xdist-3.6.1
collected 1 item

test.py .                                                                         [100%]

================================== 1 passed in 17.95s ==================================

Apply the changes#

Once you have accumulated one or more traces to cover all of the paths in your Python application, you can apply the changes using the following command line:

$ pystk-migration-assistant record apply --recordings-directory=... snippet.py
INFO: Applying changes from ...
INFO: Writing ... snippet.py-migrated

This generates one .py-migrated file for each Python file in your application. Compare those files with the original files and tweak if needed. With the example, the diff looks like this:

../_images/migration_diff.png

There are additional options available to control how the changes are applied. Use the --help command line argument to display them.

$ pystk-migration-assistant apply --help
usage: pystk-migration-assistant apply [-h] [--mappings-directory <directory>]
                                    [--recordings-directory <directory>]

options:
-h, --help            show this help message and exit
--mappings-directory <directory>
                        directory containing the JSON API mappings (default: ...)
--recordings-directory <directory>
                        directory receiving the JSON recordings (default:...)

Review, tweak, and accept#

Review the suggested code changes. Once you are satisfied with the results, rename the .py-migrated files and overwrite your original files. Then retest the migrated application to ensure that the migration completed successfully.

Migration table#

The table below lists the interface, classes, enumerations, and method names that have been updated in PySTK. You can look up a specific name using the Search box to only display the rows that contain that symbol. Note that the root of the namespace has also changed from agi.stk[version] to ansys.stk.core.

Old name

New name

AgEConstants
        eErrorBase
        eHelpContextBase
Constants
        ERROR_BASE
        HELP_CONTEXT_BASE
AgEHelpContextIDs
        eHelpContextIAgStkObjectCollection
        eHelpContextIAgStkObject
        eHelpContextApplication
        eHelpContextCoAgStkObject
        eHelpContextCoAgApplication
        eHelpContextCoAgCollection
        eHelpContextAgExecCmdResult
        eHelpContextAgStkObjectRootEvents
        eHelpContextIAgLifetimeInformation
        eHelpContextIAgDrSubSection
        eHelpContextIAgDrIntervalCollection
        eHelpContextIAgDrInterval
        eHelpContextIAgDrDataSetCollection
        eHelpContextIAgDrDataSet
        eHelpContextIAgDrResult
        eHelpContextIAgDrSubSectionCollection
        eHelpContextIAgDrTextMessage
        eHelpContextIAgSupportBatchUpdates
        eHelpContextIAgXMLSerializable
        eHelpContextIAgStkObjectElementCollection
        eHelpContextIAgAnimation
        eHelpContextIAgStkObjectXPathNavigator
HelpContextIdentifierType
        STK_OBJECT_COLLECTION
        STK_OBJECT
        APPLICATION
        CO_STK_OBJECT
        CO_APPLICATION
        CO_STK_OBJECT_COLLECTION
        EXECUTE_CMD_RESULT
        STK_OBJECT_ROOT_EVENTS
        LIFETIME_INFORMATION
        DATA_PROVIDER_RESULT_SUB_SECTION
        DATA_PROVIDER_RESULT_INTERVAL_COLLECTION
        DATA_PROVIDER_RESULT_INTERVAL
        DATA_PROVIDER_RESULT_DATA_SET_COLLECTION
        DATA_PROVIDER_RESULT_DATA_SET
        DATA_PROVIDER_RESULT_RESULT
        DATA_PROVIDER_RESULT_SUB_SECTION_COLLECTION
        DATA_PROVIDER_RESULT_TEXT_MESSAGE
        SUPPORT_BATCH_UPDATES
        XML_SERIALIZABLE
        STK_OBJECT_ELEMENT_COLLECTION
        ANIMATION
        STK_OBJECT_XPATH_NAVIGATOR
AgEErrorCodes
        eErrorObjectNotFound
        eErrorIndexOutOfRange
        eErrorInvalidAttribute
        eErrorCommandFailed
        eErrorInvalidArg
        eErrorEmptyArg
        eErrorObjectNotRemoved
        eErrorFailedToRenameObject
        eErrorUnknownClassType
        eErrorFailedToCreateObject
        eErrorObjectLinkInvalidChoice
        eErrorObjectLinkNoChoices
        eErrorReadOnlyAttribute
        eErrorCstrInvalidCstrList
        eErrorCstrInvalidConstraint
        eErrorListReadOnly
        eErrorListInsertFailed
        eErrorInvalidLength
        eErrorFailedToLoadFile
        eErrorInvalidOperation
        eErrorMethodInvokeFailed
        eErrorDeprecated
ErrorCode
        OBJECT_NOT_FOUND
        INDEX_OUT_OF_RANGE
        INVALID_ATTRIBUTE
        COMMAND_FAILED
        INVALID_ARGUMENT
        EMPTY_ARGUMENT
        OBJECT_NOT_REMOVED
        FAILED_TO_RENAME_OBJECT
        UNKNOWN_CLASS_TYPE
        FAILED_TO_CREATE_OBJECT
        OBJECT_LINK_INVALID_CHOICE
        OBJECT_LINK_NO_CHOICES
        READ_ONLY_ATTRIBUTE
        INVALID_CONSTRAINT_LIST
        INVALID_CONSTRAINT
        LIST_READ_ONLY
        LIST_INSERT_FAILED
        INVALID_LENGTH
        FAILED_TO_LOAD_FILE
        INVALID_OPERATION
        METHOD_INVOKE_FAILED
        DEPRECATED
AgEAberrationType AberrationType
AgEAnimationModes
        eAniUnknown
        eAniNormal
        eAniRealtime
        eAniXRealtime
        eAniTimeArray
AnimationEndTimeMode
        UNKNOWN
        NORMAL
        REAL_TIME
        X_REAL_TIME
        TIME_ARRAY
AgEAnimationOptions
        eAniOptionContinue
        eAniOptionLoop
        eAniOptionStop
AnimationOptionType
        CONTINUE
        LOOP
        STOP
AgEAnimationActions
        eAniActionPlay
        eAniActionStart
AnimationActionType
        ACTION_PLAY
        ACTION_START
AgEAnimationDirections
        eAniNonAvail
        eAniForward
        eAniBackward
AnimationDirectionType
        NOT_AVAILABLE
        FORWARD
        BACKWARD
AgEAzElMaskType
        eMaskFile
        eTerrainData
        eAzElMaskNone
AzElMaskType
        MASK_FILE
        TERRAIN_DATA
        NONE
AgEActionType
        eActionInclude
        eActionExclude
ActionType
        INCLUDE
        EXCLUDE
AgEAxisOffset
        eSensorRadius
        eBoresightOffset
AxisOffset
        SENSOR_RADIUS
        BORESIGHT_OFFSET
AgEDrCategories
        eDrCatIntervalList
        eDrCatSubSectionList
        eDrCatMessage
        eDrCatDataSetList
DataProviderResultCategory
        INTERVAL_LIST
        SUB_SECTION_LIST
        MESSAGE
        DATA_SET_LIST
AgEDataProviderType
        eDrFixed
        eDrTimeVar
        eDrIntvl
        eDrDupTime
        eDrStandAlone
        eDrIntvlDefined
        eDrDynIgnore
DataProviderType
        FIXED
        TIME_VARYING
        INTERVAL
        ALLOW_DUPLICATE_TIMES
        STAND_ALONE
        RESULTS_DEPEND_ON_INPUT_INTERVALS
        NOT_AVAILABLE_FORDYNAMIC_GRAPHS_AND_STRIP_CHARTS
AgEDataPrvElementType
        eReal
        eInt
        eChar
        eCharOrReal
DataProviderElementType
        REAL
        INTEGER
        STRING
        STRING_OR_REAL
AgEAccessTimeType
        eObjectAccessTime
        eScenarioAccessTime
        eUserSpecAccessTime
        eAccessTimeIntervals
        eAccessTimeEventIntervals
AccessTimeType
        OBJECT_ACCESS_TIME
        SCENARIO_INTERVAL
        SPECIFIED_TIME_PERIOD
        TIME_INTERVALS
        TIME_INTERVAL_LIST
AgEAltRefType
        eMSL
        eTerrain
        eWGS84
        eEllipsoid
AltitudeReferenceType
        MEAN_SEA_LEVEL
        TERRAIN
        WGS84
        ELLIPSOID
AgETerrainNormType
        eSurfaceNorm
        eSlopeAzimuth
TerrainNormalType
        SURFACE_NORMAL
        SLOPE_AZIMUTH
AgELightingObstructionModelType
        eLightingObstructionCbShape
        eLightingObstructionAzElMask
        eLightingObstructionTerrain
        eELightingObstructionGroundModel
LightingObstructionModelType
        CENTRAL_BODY_SHAPE
        AZ_EL_MASK
        TERRAIN
        GROUND_MODEL
AgEDisplayTimesType
        eDisplayTypeUnknown
        eAlwaysOff
        eAlwaysOn
        eDuringAccess
        eUseIntervals
        eDuringChainAccess
        eUseTimeComponent
DisplayTimesType
        UNKNOWN
        ALWAYS_OFF
        ALWAYS_ON
        DURING_ACCESS
        INTERVALS
        DURING_CHAIN_ACCESS
        TIME_COMPONENT
AgEAreaType
        eEllipse
        ePattern
AreaType
        ELLIPSE
        PATTERN
AgETrajectoryType
        eTrajPoint
        eTrajTrace
        eTrajLine
TrajectoryType
        POINT
        TRACE
        LINE
AgEOffsetFrameType
        eOffsetFrameCartesian
        eOffsetFramePixel
OffsetFrameType
        CARTESIAN
        PIXEL
AgESc3dPtSize
        eSc3dFontSize8
        eSc3dFontSize9
        eSc3dFontSize10
        eSc3dFontSize11
        eSc3dFontSize12
        eSc3dFontSize14
        eSc3dFontSize16
        eSc3dFontSize18
        eSc3dFontSize20
        eSc3dFontSize22
        eSc3dFontSize24
        eSc3dFontSize26
        eSc3dFontSize28
        eSc3dFontSize36
        eSc3dFontSize48
        eSc3dFontSize72
Scenario3dPointSize
        FONT_SIZE_8
        FONT_SIZE_9
        FONT_SIZE_10
        FONT_SIZE_11
        FONT_SIZE_12
        FONT_SIZE_14
        FONT_SIZE_16
        FONT_SIZE_18
        FONT_SIZE_20
        FONT_SIZE_22
        FONT_SIZE_24
        FONT_SIZE_26
        FONT_SIZE_28
        FONT_SIZE_36
        FONT_SIZE_48
        FONT_SIZE_72
AgETerrainFileType
        eUSGSDEM
        eGTOPO30
        eNIMANGATerrainDir
        eMOLATerrain
        eGEODASGridData
        eMUSERasterFile
        eNIMANGADTEDLevel0
        eNIMANGADTEDLevel1
        eNIMANGADTEDLevel2
        eNIMANGADTEDLevel3
        eNIMANGADTEDLevel4
        eNIMANGADTEDLevel5
        eArcInfoBinGridFile
        eArcInfoBinGridMSLFile
        ePDTTTerrainFile
        eAGIWorldTerrain
        eTIFFMSLTerrainFile
        eTIFFTerrainFile
        eArcInfoGridDepthMSLFile
TerrainFileType
        USGS_DEM
        GTOPO30
        NIMA_NGA_TERRAIN_DIRECTORY
        MOLA_TERRAIN
        GEODAS_GRID_DATA
        MUSE_RASTER_FILE
        NIM0_NIMA_NGA_DTED_LEVEL_0
        NIM1_NIMA_NGA_DTED_LEVEL_1
        NIM2_NIMA_NGA_DTED_LEVEL_2
        NIM3_NIMA_NGA_DTED_LEVEL_3
        NIM4_NIMA_NGA_DTED_LEVEL_4
        NIM5_NIMA_NGA_DTED_LEVEL_5
        ARC_INFO_BINARY_GRID
        ARC_INFO_BINARY_GRID_MEAN_SEA_LEVEL
        PDTT
        AGI_WORLD_TERRAIN
        TIFF_TERRAIN_FILE_IN_MEAN_SEA_LEVEL
        TIFF_TERRAIN_FILE
        ARC_INFO_GRID_DEPTH_MEAN_SEA_LEVEL
AgE3DTilesetSourceType
        eLocalFile
        eGcs
        eCesiumion
        eGoogleMaps
Tileset3DSourceType
        LOCAL_FILE
        GCS
        CESIUM_ION
        GOOGLE_MAPS
AgEMarkerType
        eShape
        eImageFile
MarkerType
        SHAPE
        IMAGE_FILE
AgEVectorAxesConnectType
        eConnectTrace
        eConnectSweep
        eConnectLine
VectorAxesConnectType
        TRACE
        SWEEP
        LINE
AgEVOMarkerOriginType
        eLeft
        eRight
        eCenter
        eTop
        eBottom
Graphics3DMarkerOriginType
        LEFT
        RIGHT
        CENTER
        TOP
        BOTTOM
AgEVOLabelSwapDistance
        eSwapUnknown
        eSwapAll
        eSwapModelLabel
        eSwapMarkerLabel
        eSwapMarker
        eSwapPoint
        eSwapCustom
Graphics3DLabelSwapDistanceType
        UNKNOWN
        ALL
        MODEL_LABEL
        MARKER_LABEL
        MARKER
        POINT
        CUSTOM
AgEPlPositionSourceType
        ePosFile
        ePosCentralBody
PlanetPositionSourceType
        FILE
        CENTRAL_BODY
AgEEphemSourceType
        eEphemAnalytic
        eEphemDefault
        eEphemSpice
        eEphemJPLDE
EphemSourceType
        ANALYTIC
        DEFAULT
        SPICE
        JPL_DEVELOPMENTAL_EPHEMERIS
AgEPlOrbitDisplayType
        eDisplayOneOrbit
        eOrbitDisplayTime
PlanetOrbitDisplayType
        ONE_ORBIT
        ORBIT_DISPLAY_TIME
AgEScEndLoopType
        eEndTime
        eLoopAtTime
ScenarioEndLoopType
        END_TIME
        LOOP_AT_TIME
AgEScRefreshDeltaType
        eHighSpeed
        eRefreshDelta
ScenarioRefreshDeltaType
        HIGH_SPEED
        REFRESH_DELTA
AgESnPattern
        eSnComplexConic
        eSnCustom
        eSnHalfPower
        eSnRectangular
        eSnSAR
        eSnSimpleConic
        eSnEOIR
        eSnUnknownPattern
SensorPattern
        COMPLEX_CONIC
        CUSTOM
        HALF_POWER
        RECTANGULAR
        SAR
        SIMPLE_CONIC
        EOIR
        UNKNOWN
AgESnPointing
        eSnPt3DModel
        eSnPtExternal
        eSnPtFixed
        eSnPtFixedAxes
        eSnPtSpinning
        eSnPtTargeted
        eSnPtGrazingAlt
        eSnPtAlongVector
        eSnPtSchedule
SensorPointing
        ELEMENT_OF_3D_MODEL
        FILE
        FIXED_IN_PARENT_BODY_AXES
        FIXED_IN_AXES
        SPINNING
        TARGETED
        BORESIGHT_GRAZING_ALTITUDE
        ALONG_VECTOR
        SCHEDULED
AgESnPtTrgtBsightType
        eSnPtTrgtBsightTracking
        eSnPtTrgtBsightFixed
SensorPointingTargetedBoresightType
        TRACKING
        FIXED
AgEBoresightType
        eBoresightHold
        eBoresightLevel
        eBoresightRotate
        eBoresightUpVector
BoresightType
        HOLD
        LEVEL
        ROTATE
        UP_VECTOR
AgETrackModeType
        eTrackModeReceive
        eTrackModeTransmit
        eTrackModeTranspond
TrackMode
        RECEIVE
        TRANSMIT
        TRANSPOND
AgESnAzElBsightAxisType
        ePlus_MinusX
        ePlus_MinusY
        ePlus_MinusZ
SensorAzElBoresightAxisType
        X_AXIS
        Y_AXIS
        Z_AXIS
AgESnRefractionType
        e4_3EarthRadiusMethod
        eSCFMethod
        eITU_R_P834_4
SensorRefractionType
        EARTH_FOUR_THIRDS_RADIUS_METHOD
        SCF_METHOD
        ITU_R_P834_4
AgESnProjectionDistanceType
        eConstantAlt
        eConstantRangeFromParent
        eObjectAlt
        eRangeConstraint
SensorProjectionDistanceType
        CONSTANT_ALTITUDE
        CONSTANT_RANGE_FROM_PARENT
        OBJECT_ALTITUDE
        RANGE_CONSTRAINT
AgESnLocation
        eSnFixed
        eSn3DModel
        eSn3DModelWithScale
        eSnCenter
        eSnLocationCrdnPoint
SensorLocation
        FIXED
        MODEL_3D
        MODEL_3D_WITH_SCALE
        CENTER
        POINT
AgEScTimeStepType
        eScRealTime
        eScTimeStep
        eScXRealTime
        eScTimeArray
ScenarioTimeStepType
        REAL_TIME
        STEP
        X_REAL_TIME
        ARRAY
AgENoteShowType
        eNoteOn
        eNoteOff
        eNoteIntervals
NoteShowType
        ON
        OFF
        INTERVALS
AgEGeometricElemType
        eVectorElem
        eAxesElem
        eAngleElem
        ePointElem
        ePlaneElem
GeometricElementType
        VECTOR_ELEMENT
        AXES_ELEMENT
        ANGLE_ELEMENT
        POINT_ELEMENT
        PLANE_ELEMENT
AgESnScanMode
        eSnUnidirectional
        eSnBidirectional
        eSnContinuous
SensorScanMode
        UNIDIRECTIONAL
        BIDIRECTIONAL
        CONTINUOUS
AgECnstrBackground
        eBackgroundGround
        eBackgroundSpace
ConstraintBackground
        GROUND
        SPACE
AgECnstrGroundTrack
        eDirectionAscending
        eDirectionDescending
ConstraintGroundTrack
        ASCENDING
        DESCENDING
AgEIntersectionType
        eIntersectionCentralBody
        eIntersectionNone
        eIntersectionTerrain
IntersectionType
        CENTRAL_BODY
        NONE
        TERRAIN
AgECnstrLighting
        eDirectSun
        ePenumbra
        ePenumbraOrDirectSun
        ePenumbraOrUmbra
        eUmbra
        eUmbraOrDirectSun
ConstraintLighting
        DIRECT_SUN
        PENUMBRA
        PENUMBRA_OR_DIRECT_SUN
        PENUMBRA_OR_UMBRA
        UMBRA
        UMBRA_OR_DIRECT_SUN
AgESnVOProjectionType
        eProjectionAllIntersections
        eProjectionEarthIntersections
        eProjectionNone
SensorGraphics3DProjectionType
        ALL_INTERSECTIONS
        CENTRAL_BODY_INTERSECTIONS
        NONE
AgESnVOPulseStyle
        ePulseStyleBox
        ePulseStyleNegBox
        ePulseStylePosBox
        ePulseStyleSine
        ePulseStyleNegSine
        ePulseStylePosSine
SensorGraphics3DPulseStyle
        BOX
        NEGATIVE_BOX
        POSITIVE_BOX
        SINE_WAVE
        NEGATIVE_SINE_WAVE
        POSITIVE_SINE_WAVE
AgESnVOPulseFrequencyPreset
        ePulseFrequencyFast
        ePulseFrequencyMedium
        ePulseFrequencySlow
        ePulseFrequencyCustom
SensorGraphics3DPulseFrequencyPreset
        FAST
        MEDIUM
        SLOW
        CUSTOM
AgELineWidth
        e1
        e2
        e3
        e4
        e5
        e6
        e7
        e8
        e9
        e10
LineWidth
        WIDTH1
        WIDTH2
        WIDTH3
        WIDTH4
        WIDTH5
        WIDTH6
        WIDTH7
        WIDTH8
        WIDTH9
        WIDTH10
AgESTKObjectType
        eAdvCat
        eAircraft
        eAreaTarget
        eAttitudeCoverage
        eChain
        eCommSystem
        eConstellation
        eCoverageDefinition
        eFacility
        eGroundVehicle
        eLaunchVehicle
        eLineTarget
        eMTO
        eMissile
        eMissileSystem
        ePlanet
        eRadar
        eReceiver
        eSatellite
        eScenario
        eSensor
        eShip
        eStar
        eTarget
        eTransmitter
        eFigureOfMerit
        eRoot
        eAccess
        eObjectCoverage
        eAttitudeFigureOfMerit
        eSubmarine
        eAntenna
        ePlace
        eVolumetric
        eSatelliteCollection
        eSubset
STKObjectType
        ADVCAT
        AIRCRAFT
        AREA_TARGET
        ATTITUDE_COVERAGE
        CHAIN
        COMM_SYSTEM
        CONSTELLATION
        COVERAGE_DEFINITION
        FACILITY
        GROUND_VEHICLE
        LAUNCH_VEHICLE
        LINE_TARGET
        MTO
        MISSILE
        MISSILE_SYSTEM
        PLANET
        RADAR
        RECEIVER
        SATELLITE
        SCENARIO
        SENSOR
        SHIP
        STAR
        TARGET
        TRANSMITTER
        FIGURE_OF_MERIT
        ROOT
        ACCESS
        OBJECT_COVERAGE
        ATTITUDE_FIGURE_OF_MERIT
        SUBMARINE
        ANTENNA
        PLACE
        VOLUMETRIC
        SATELLITE_COLLECTION
        SUBSET
AgEAccessConstraints
        eCstrNone
        eCstrImageQuality
        eCstrAltitude
        eCstrAngularRate
        eCstrApparentTime
        eCstrATCentroidElevationAngle
        eCstrAzimuthAngle
        eCstrBackground
        eCstrBetaAngle
        eCstrCrdnAngle
        eCstrCrdnVectorMag
        eCstrCrossTrackRange
        eCstrDopplerConeAngle
        eCstrDuration
        eCstrElevationAngle
        eCstrExclusionZone
        eCstrGMT
        eCstrGrazingAlt
        eCstrGrazingAngle
        eCstrGroundElevAngle
        eCstrGroundTrack
        eCstrInclusionZone
        eCstrIntervals
        eCstrInTrackRange
        eCstrLatitude
        eCstrLighting
        eCstrLineOfSight
        eCstrLocalTime
        eCstrLOSLunarExclusion
        eCstrLOSSunExclusion
        eCstrLunarElevationAngle
        eCstrMatlab
        eCstrObjectExclusionAngle
        eCstrPropagationDelay
        eCstrRange
        eCstrRangeRate
        eCstrSarAreaRate
        eCstrSarAzRes
        eCstrSarCNR
        eCstrSarExternalData
        eCstrSarIntTime
        eCstrSarPTCR
        eCstrSarSCR
        eCstrSarSigmaN
        eCstrSarSNR
        eCstrSquintAngle
        eCstrSrchTrkClearDoppler
        eCstrSrchTrkDwellTime
        eCstrSrchTrkIntegratedPDet
        eCstrSrchTrkIntegratedPulses
        eCstrSrchTrkIntegratedSNR
        eCstrSrchTrkIntegrationTime
        eCstrSrchTrkMLCFilter
        eCstrSrchTrkSinglePulsePDet
        eCstrSrchTrkSinglePulseSNR
        eCstrSrchTrkSLCFilter
        eCstrSrchTrkUnambigDoppler
        eCstrSrchTrkUnambigRange
        eCstrSunElevationAngle
        eCstrSunGroundElevAngle
        eCstrSunSpecularExclusion
        eCstrThirdBodyObstruction
        eCstrCentroidAzimuthAngle
        eCstrCentroidRange
        eCstrCentroidSunElevationAngle
        eCstrCollectionAngle
        eCstrTerrainMask
        eCstrAzElMask
        eCstrAzimuthRate
        eCstrElevationRate
        eCstrGeoExclusion
        eCstrGroundSampleDistance
        eCstrHeightAboveHorizon
        eCstrTerrainGrazingAngle
        eCstrAngleOffBoresight
        eCstrAngleOffBoresightRate
        eCstrAreaMask
        eCstrBoresightGrazingAngle
        eCstrBSIntersectLightingCondition
        eCstrBSLunarExclusion
        eCstrBSSunExclusion
        eCstrFieldOfView
        eCstrFOVSunSpecularExclusion
        eCstrFOVSunSpecularInclusion
        eCstrHorizonCrossing
        eCstrSensorAzElMask
        eCstrForeground
        eCstrCbObstruction
        eCstrPlugin
        eCstrDepth
        eCstrSEETMagFieldLshell
        eCstrSEETMagFieldLineSeparation
        eCstrSEETImpactFlux
        eCstrSEETDamageFlux
        eCstrSEETDamageMassFlux
        eCstrSEETImpactMassFlux
        eCstrSEETSAAFluxIntensity
        eCstrSEETVehicleTemperature
        eCstrCrdnCondition
        eCstrSarCNRJamming
        eCstrSarJOverS
        eCstrSarOrthoPolCNR
        eCstrSarOrthoPolCNRJamming
        eCstrSarOrthoPolJOverS
        eCstrSarOrthoPolPTCR
        eCstrSarOrthoPolSCR
        eCstrSarOrthoPolSCRJamming
        eCstrSarOrthoPolSNR
        eCstrSarOrthoPolSNRJamming
        eCstrSarSCRJamming
        eCstrSarSNRJamming
        eCstrSrchTrkDwellTimeJamming
        eCstrSrchTrkIntegratedJOverS
        eCstrSrchTrkIntegratedPDetJamming
        eCstrSrchTrkIntegratedPulsesJamming
        eCstrSrchTrkIntegratedSNRJamming
        eCstrSrchTrkIntegrationTimeJamming
        eCstrSrchTrkOrthoPolDwellTime
        eCstrSrchTrkOrthoPolDwellTimeJamming
        eCstrSrchTrkOrthoPolIntegratedJOverS
        eCstrSrchTrkOrthoPolIntegratedPDet
        eCstrSrchTrkOrthoPolIntegratedPDetJamming
        eCstrSrchTrkOrthoPolIntegratedPulses
        eCstrSrchTrkOrthoPolIntegratedPulsesJamming
        eCstrSrchTrkOrthoPolIntegratedSNR
        eCstrSrchTrkOrthoPolIntegratedSNRJamming
        eCstrSrchTrkOrthoPolIntegrationTime
        eCstrSrchTrkOrthoPolIntegrationTimeJamming
        eCstrSrchTrkOrthoPolSinglePulseJOverS
        eCstrSrchTrkOrthoPolSinglePulsePDet
        eCstrSrchTrkOrthoPolSinglePulsePDetJamming
        eCstrSrchTrkOrthoPolSinglePulseSNR
        eCstrSrchTrkOrthoPolSinglePulseSNRJamming
        eCstrSrchTrkSinglePulseJOverS
        eCstrSrchTrkSinglePulsePDetJamming
        eCstrSrchTrkSinglePulseSNRJamming
        eCstrEOIRSNR
        eCstrFOVCbCenter
        eCstrFOVCbHorizonRefine
        eCstrFOVCbObstructionCrossIn
        eCstrFOVCbObstructionCrossOut
        eCstrSensorRangeMask
        eCstrAtmosLoss
        eCstrBERPlusI
        eCstrBitErrorRate
        eCstrCOverI
        eCstrCOverN
        eCstrCOverNPlusI
        eCstrCOverNo
        eCstrCOverNoPlusIo
        eCstrCloudsFogLoss
        eCstrCommPlugin
        eCstrDeltaTOverT
        eCstrDopplerShift
        eCstrEbOverNo
        eCstrEbOverNoPlusIo
        eCstrFluxDensity
        eCstrFrequency
        eCstrGOverT
        eCstrJOverS
        eCstrLinkEIRP
        eCstrLinkMargin
        eCstrNoiseTemperature
        eCstrPolRelAngle
        eCstrPowerAtReceiverInput
        eCstrPowerFluxDensity
        eCstrRainLoss
        eCstrRcvdIsotropicPower
        eCstrUserCustomALoss
        eCstrUserCustomBLoss
        eCstrUserCustomCLoss
        eCstrFreeSpaceLoss
        eCstrPropLoss
        eCstrTotalPwrAtRcvrInput
        eCstrTotalRcvdRfPower
        eCstrTropoScintillLoss
        eCstrUrbanTerresLoss
        eCstrTimeSlipSurfaceRange
        eCstrCableTransDelay
        eCstrProcessDelay
        eCstrRdrXmtTgtAccess
        eCstrSunIlluminationAngle
        eCstrSpectralFluxDensity
        eCstrMFRSinglePulseSNRMin
        eCstrMFRSinglePulseSNRMax
        eCstrMFRSinglePulsePDetMin
        eCstrMFRSinglePulsePDetMax
        eCstrMFRIntegratedSNRMin
        eCstrMFRIntegratedSNRMax
        eCstrMFRIntegratedPDetMin
        eCstrMFRIntegratedPDetMax
        eCstrMFRIntegratedPulsesMin
        eCstrMFRIntegratedPulsesMax
        eCstrMFRIntegratedPulsesJammingMin
        eCstrMFRIntegratedPulsesJammingMax
        eCstrMFRIntegrationTimeMin
        eCstrMFRIntegrationTimeMax
        eCstrMFRIntegrationTimeJammingMin
        eCstrMFRIntegrationTimeJammingMax
        eCstrMFRDwellTimeMin
        eCstrMFRDwellTimeMax
        eCstrMFRDwellTimeJammingMin
        eCstrMFRDwellTimeJammingMax
        eCstrMFRSinglePulseJOverSMin
        eCstrMFRSinglePulseJOverSMax
        eCstrMFRIntegratedJOverSMin
        eCstrMFRIntegratedJOverSMax
        eCstrMFRSinglePulseSNRJammingMin
        eCstrMFRSinglePulseSNRJammingMax
        eCstrMFRIntegratedSNRJammingMin
        eCstrMFRIntegratedSNRJammingMax
        eCstrMFRSinglePulsePDetJammingMin
        eCstrMFRSinglePulsePDetJammingMax
        eCstrMFRIntegratedPDetJammingMin
        eCstrMFRIntegratedPDetJammingMax
        eCstr3DTilesMask
        eCstrCentralAngle
        eCstrCentralDistance
        eCstrDistanceFromATBoundary
        eCstrCrdnCalcScalar
AccessConstraintType
        NONE
        IMAGE_QUALITY
        ALTITUDE
        ANGULAR_RATE
        APPARENT_TIME
        AREA_TARGET_CENTROID_ELEVATION_ANGLE
        AZIMUTH_ANGLE
        BACKGROUND
        BETA_ANGLE
        VECTOR_GEOMETRY_TOOL_ANGLE
        VECTOR_MAGNITUDE
        CROSS_TRACK_RANGE
        DOPPLER_CONE_ANGLE
        DURATION
        ELEVATION_ANGLE
        EXCLUSION_ZONE
        GMT
        GRAZING_ALTITUDE
        GRAZING_ANGLE
        GROUND_ELEVATION_ANGLE
        GROUND_TRACK
        INCLUSION_ZONE
        INTERVALS
        IN_TRACK_RANGE
        LATITUDE
        LIGHTING
        LINE_OF_SIGHT
        LOCAL_TIME
        LIGHT_OF_SIGHT_LUNAR_EXCLUSION_ANGLE
        LIGHT_OF_SIGHT_SOLAR_EXCLUSION_ANGLE
        LUNAR_ELEVATION_ANGLE
        MATLAB
        OBJECT_EXCLUSION_ANGLE
        PROPAGATION_DELAY
        RANGE
        RANGE_RATE
        SAR_AREA_RATE
        SAR_AZIMUTH_RESOLUTION
        SAR_CARRIER_TO_NOISE_RATIO
        SAR_EXTERNAL_DATA
        SAR_INTEGRATION_TIME
        SAR_PTCR
        SAR_SCR
        SAR_SIGMA_N
        SAR_SNR
        SQUINT_ANGLE
        SEARCH_TRACK_CLEAR_DOPPLER
        SEARCH_TRACK_DWELL_TIME
        SEARCH_TRACK_INTEGRATED_PROBABILITY_OF_DETECTION
        SEARCH_TRACK_INTEGRATED_PULSES
        SEARCH_TRACK_INTEGRATED_SNR
        SEARCH_TRACK_INTEGRATION_TIME
        SEARCH_TRACK_MLC_FILTER
        SEARCH_TRACK_SINGLE_PULSE_PROBABILITY_OF_DETECTION
        SEARCH_TRACK_SINGLE_PULSE_SNR
        SEARCH_TRACK_SLC_FILTER
        SEARCH_TRACK_UNAMBIGUOUS_DOPPLER
        SEARCH_TRACK_UNAMBIGUOUS_RANGE
        SUN_ELEVATION_ANGLE
        SUN_GROUND_ELEVATION_ANGLE
        SUN_SPECULAR_EXCLUSION_ANGLE
        THIRD_BODY_OBSTRUCTION
        CENTROID_AZIMUTH_ANGLE
        CENTROID_RANGE
        CENTROID_SUN_ELEVATION_ANGLE
        COLLECTION_ANGLE
        TERRAIN_MASK
        AZ_EL_MASK
        AZIMUTH_RATE
        ELEVATION_RATE
        GEOSYNCHRONOUS_BELT_EXCLUSION_ANGLE
        GROUND_SAMPLE_DISTANCE
        HEIGHT_ABOVE_HORIZON
        TERRAIN_GRAZING_ANGLE
        ANGLE_OFF_BORESIGHT
        ANGLE_OFF_BORESIGHT_RATE
        AREA_MASK
        BORESIGHT_GRAZING_ANGLE
        BORESIGHT_INTERSECTION_LIGHTING_CONDITION
        BORESIGHT_LUNAR_EXCLUSION_ANGLE
        BORESIGHT_SUN_EXCLUSION_ANGLE
        FIELD_OF_VIEW
        FIELD_OF_VIEW_SUN_SPECULAR_EXCLUSION_ANGLE
        FIELD_OF_VIEW_SUN_SPECULAR_INCLUSION_ANGLE
        HORIZON_CROSSING
        SENSOR_AZ_EL_MASK
        FOREGROUND
        CENTRAL_BODY_OBSTRUCTION
        PLUGIN
        DEPTH
        SEET_MAGNETIC_FIELD_L_SHELL
        SEET_MAGNETIC_FIELD_LINE_SEPARATION
        SEET_IMPACT_FLUX
        SEET_DAMAGE_FLUX
        SEET_DAMAGE_MASS_FLUX
        SEET_IMPACT_MASS_FLUX
        SEET_SAA_FLUX_INTENSITY
        SEET_VEHICLE_TEMPERATURE
        CONDITION
        SAR_CARRIER_TO_NOISE_RATIO_JAMIING
        SAR_J_OVER_S
        SAR_ORTHOGONAL_POLARIZATION_CARRIER_TO_NOISE_RATIO
        SAR_ORTHOGONAL_POLARIZATION_CARRIER_TO_NOISE_RATIO_JAMMING
        SAR_ORTHOGONAL_POLARIZATION_J_OVER_S
        SAR_ORTHOGONAL_POLARIZATION_PTCR
        SAR_ORTHOGONAL_POLARIZATION_SCR
        SAR_ORTHOGONAL_POLARIZATION_SCR_JAMMING
        SAR_ORTHOGONAL_POLARIZATION_SNR
        SAR_ORTHOGONAL_POLARIZATION_SNR_JAMMING
        SAR_SCR_JAMMING
        SAR_SNR_JAMMING
        SEARCH_TRACK_DWELL_TIME_JAMMING
        SEARCH_TRACK_INTEGRATED_J_OVER_S
        SEARCH_TRACK_INTEGRATED_PROBABILITY_OF_DETECTION_JAMMING
        SEARCH_TRACK_INTEGRATED_PULSES_JAMMING
        SEARCH_TRACK_INTEGRATED_SNR_JAMMING
        SEARCH_TRACK_INTEGRATION_TIME_JAMMING
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_DWELL_TIME
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_DWELL_TIME_JAMMING
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_INTEGRATED_J_OVER_S
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_INTEGRATED_PROBABILITY_OF_DETECTION
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_INTEGRATED_PROBABILITY_OF_DETECTION_JAMMING
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_INTEGRATED_PULSES
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_INTEGRATED_PULSES_JAMMING
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_INTEGRATED_SNR
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_INTEGRATED_SNR_JAMMING
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_INTEGRATION_TIME
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_INTEGRATION_TIME_JAMMING
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_SINGLE_PULSE_J_OVER_S
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_SINGLE_PULSE_PROBABILITY_OF_DETECTION
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_SINGLE_PULSE_PROBABILITY_OF_DETECTION_JAMMING
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_SINGLE_PULSE_SNR
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_SINGLE_PULSE_SNR_JAMMING
        SEARCH_TRACK_SINGLE_PULSE_J_OVER_S
        SEARCH_TRACK_SINGLE_PULSE_PROBABILITY_OF_DETECTION_JAMMING
        SEARCH_TRACK_SINGLE_PULSE_SNR_JAMMING
        EOIR_SNR
        FIELD_OF_VIEW_CENTRAL_BODY_CENTER
        FIELD_OF_VIEW_CENTRAL_BODY_HORIZON_REFINE
        FIELD_OF_VIEW_CENTRAL_BODY_OBSTRUCTION_CROSSSING_INWARD
        FIELD_OF_VIEW_CENTRAL_BODY_OBSTRUCTION_CROSSING_OUTWARD
        SENSOR_RANGE_MASK
        ATMOSPHERIC_LOSS
        BER_PLUS_I
        BIT_ERROR_RATE
        C_OVER_I
        C_OVER_N
        C_OVER_N_PLUS_I
        C_OVER_N0
        C_OVER_N0_PLUS_I0
        CLOUDS_FOG_LOSS
        COMM_PLUGIN
        DELTA_T_OVER_T
        DOPPLER_SHIFT
        EB_OVER_N0
        EB_OVER_N0_PLUS_I0
        FLUX_DENSITY
        FREQUENCY
        G_OVER_T
        J_OVER_S
        LINK_EIRP
        LINK_MARGIN
        NOISE_TEMPERATURE
        POLARIZATION_RELATIVE_ANGLE
        POWER_AT_RECEIVER_INPUT
        POWER_FLUX_DENSITY
        RAIN_LOSS
        RECEIVED_ISOTROPIC_POWER
        USER_CUSTOM_A_LOSS
        USER_CUSTOM_B_LOSS
        USER_CUSTOM_C_LOSS
        FREE_SPACE_LOSS
        PROPAGATION_LOSS
        TOTAL_POWER_AT_RECEIVER_INPUT
        TOTAL_RECEIVED_REFRACTION_POWER
        TROPOSPHERIC_SCINTILLATION_LOSS
        URBAN_TERRES_LOSS
        TIME_SLIP_SURFACE_RANGE
        CABLE_TRANSFORMATION_DELAY
        PROCESS_DELAY
        RADAR_TRANSMITTER_TARGET_ACCESS
        SUN_ILLUMINATION_ANGLE
        SPECTRAL_FLUX_DENSITY
        MFR_SINGLE_PULSE_SNR_MINIMUM
        MFR_SINGLE_PULSE_SNR_MAXIMUM
        MFR_SINGLE_PULSE_PROBABILITY_OF_DETECTION_MINIMUM
        MFR_SINGLE_PULSE_PROBABILITY_OF_DETECTION_MAXIMUM
        MFR_INTEGRATED_SNR_MINIMUM
        MFR_INTEGRATED_SNR_MAXIMUM
        MFR_INTEGRATED_PROBABILITY_OF_DETECTION_MINIMUM
        MFR_INTEGRATED_PROBABILITY_OF_DETECTION_MAXIMUM
        MFR_INTEGRATED_PULSES_MINIMUM
        MFR_INTEGRATED_PULSES_MAXIMUM
        MFR_INTEGRATED_PULSES_JAMMING_MINIMUM
        MFR_INTEGRATED_PULSES_JAMMING_MAXIMUM
        MFR_INTEGRATION_TIME_MINIMUM
        MFR_INTEGRATION_TIME_MAXIMUM
        MFR_INTEGRATION_TIME_JAMMING_MINIMUM
        MFR_INTEGRATION_TIME_JAMMING_MAXIMUM
        MFR_DWELL_TIME_MINIMUM
        MFR_DWELL_TIME_MAXIMUM
        MFR_DWELL_TIME_JAMMING_MIN
        MFR_DWELL_TIME_JAMMING_MAXIMUM
        MFR_SINGLE_PULSE_J_OVER_S_MINIMUM
        MFR_SINGLE_PULSE_J_OVER_S_MAXIMUM
        MFR_INTEGRATED_J_OVER_S_MINIMUM
        MFR_INTEGRATED_J_OVER_S_MAXIMUM
        MFR_SINGLE_PULSE_SNR_JAMMING_MINIMUM
        MFR_SINGLE_PULSE_SNR_JAMMING_MAXIMUM
        MFR_INTEGRATED_SNR_JAMMING_MINIMUM
        MFR_INTEGRATED_SNR_JAMMING_MAXIMUM
        MFR_SINGLE_PULSE_PROBABILITY_OF_DETECTION_JAMMING_MINIMUM
        MFR_SINGLE_PULSE_PROBABILITY_OF_DETECTION_JAMMING_MAXIMUM
        MFR_INTEGRATED_PROBABILITY_OF_DETECTION_JAMMING_MINIMUM
        MFR_INTEGRATED_PROBABILITY_OF_DETECTION_JAMMING_MAXIMUM
        TILES_MASK_3D
        CENTRAL_ANGLE
        CENTRAL_DISTANCE
        DISTANCE_FROM_AREA_TARGET_BOUNDARY
        CALCULATION_SCALAR
AgEBorderWallUpperLowerEdgeAltRef
        eAltRefMSL
        eAltRefObject
        eAltRefTerrain
        eAltRefWGS84
BorderWallUpperLowerEdgeAltitudeReference
        MEAN_SEA_LEVEL
        OBJECT
        TERRAIN
        WGS84
AgEShadowModel
        eShadModCylindrical
        eShadModDualCone
        eShadModNone
SolarRadiationPressureShadowModelType
        CYLINDRICAL
        DUAL_CONE
        NONE
AgEMethodToComputeSunPosition
        eMTCSPApparent
        eMTCSPApparentToTrueCB
        eMTCSPTrue
MethodToComputeSunPosition
        APPARENT
        APPARENT_TO_TRUE_CENTRAL_BODY_LOCATION
        TRUE
AgEAtmosphericDensityModel
        e1976StandardAtmosModel
        eCira72
        eExponentialModel
        eHarrisPriester
        eJacchiaRoberts
        eJacchia60
        eJacchia70
        eJacchia71
        eMSIS00
        eMSIS86
        eMSIS90
        eUnknownDensModel
        eUserDefined
        eDTM2012
        eDTM2020
AtmosphericDensityModel
        STANDARD_ATMOSPHERE_MODEL_1976
        CIRA72
        EXPONENTIAL_MODEL
        HARRIS_PRIESTER
        JACCHIA_ROBERTS
        JACCHIA60
        JACCHIA70
        JACCHIA71
        MSIS00
        MSIS86
        MSIS90
        UNKNOWN
        USER_DEFINED
        DTM2012
        DTM2020
AgE3dMarkerShape
        e3dShapeCircle
        e3dShapePlus
        e3dShapePoint
        e3dShapeSquare
        e3dShapeStar
        e3dShapeTriangle
        e3dShapeX
MarkerShape3d
        SHAPE_CIRCLE
        SHAPE_PLUS
        SHAPE_POINT
        SHAPE_SQUARE
        SHAPE_STAR
        SHAPE_TRIANGLE
        SHAPE_X
AgELeadTrailData
        eDataUnknown
        eDataNone
        eDataAll
        eDataFraction
        eDataFull
        eDataHalf
        eDataOnePass
        eDataQuarter
        eDataTime
        eDataCurrentInterval
LeadTrailData
        UNKNOWN
        NONE
        ALL
        FRACTION
        FULL
        HALF
        ONE_PASS
        QUARTER
        TIME
        CURRENT_INTERVAL
AgETickData
        eTickDataUnknown
        eTickDataCrossTrack
        eTickDataPoint
        eTickDataRadial
        eTickDataRadialAndCrossTrack
TickData
        UNKNOWN
        CROSS_TRACK
        POINT
        RADIAL
        RADIAL_AND_CROSS_TRACK
AgELoadMethodType
        eAutoLoad
        eFileInsert
        eFileLoad
        eOnlineAutoLoad
        eOnlineLoad
LoadMethod
        AUTOMATIC_LOAD
        FILE_INSERT
        FILE_LOAD
        ONLINE_AUTOMATIC_LOAD
        ONLINE_LOAD
AgELLAPositionType
        eLLAPosUnknown
        eLLAPosGeocentric
        eLLAPosGeodetic
DeticPositionType
        UNKNOWN
        CENTRIC
        DETIC
AgEVeGfxPass
        ePassUnknown
        ePassShowAll
        ePassShowPasses
VehicleGraphics2DPass
        UNKNOWN
        SHOW_ALL
        SHOW_PASSES_IN_RANGE
AgEVeGfxVisibleSides
        eVisibleSidesAscending
        eVisibleSidesBoth
        eVisibleSidesDescending
        eVisibleSidesNone
VehicleGraphics2DVisibleSideType
        ASCENDING
        BOTH
        SIDES_DESCENDING
        SIDES_NONE
AgEVeGfxOffset
        eOffsetUnknown
        eOffsetLeft
        eOffsetRight
VehicleGraphics2DOffset
        UNKNOWN
        OFFSET_LEFT
        OFFSET_RIGHT
AgEVeGfxTimeEventType
        eTimeEventTypeUnknown
        eTimeEventTypeLine
        eTimeEventTypeMarker
        eTimeEventTypeText
VehicleGraphics2DTimeEventType
        UNKNOWN
        LINE
        MARKER
        TEXT
AgEVeGfxAttributes
        eAttributesUnknown
        eAttributesAccess
        eAttributesBasic
        eAttributesCustom
        eAttributesRealtime
        eAttributesTimeComponents
VehicleGraphics2DAttributeType
        UNKNOWN
        ACCESS
        BASIC
        CUSTOM
        REAL_TIME
        TIME_COMPONENTS
AgEVeGfxElevation
        eElevationUnknown
        eElevationGroundElevation
        eElevationSwathHalfWidth
        eElevationVehicleHalfAngle
        eElevationGroundElevationEnvelope
        eElevationVehicleHalfAngleEnvelope
VehicleGraphics2DElevation
        UNKNOWN
        ELEVATION_GROUND_ELEVATION
        ELEVATION_SWATH_HALF_WIDTH
        ELEVATION_VEHICLE_HALF_ANGLE
        ELEVATION_GROUND_ELEVATION_ENVELOPE
        ELEVATION_VEHICLE_HALF_ANGLE_ENVELOPE
AgEVeGfxOptions
        eOptionsEdgeLimits
        eOptionsFilledLimits
        eOptionsNoGraphics
VehicleGraphics2DOptionType
        OPTIONS_EDGE_LIMITS
        OPTIONS_FILLED_LIMITS
        OPTIONS_NO_GRAPHICS
AgEModelType
        eModelList
        eModelFile
ModelType
        LIST
        FILE
AgEVeVODropLineType
        eDropLineMeanSeaLevel
        eDropLineTerrain
        eDropLineWGS84Ellipsoid
VehicleGraphics3DDropLineType
        MEAN_SEA_LEVEL
        TERRAIN
        ELLIPSOID
AgEVeVOSigmaScale
        eSigmaScaleUnknown
        eSigmaScaleProbability
        eSigmaScaleScale
VehicleGraphics3DSigmaScale
        UNKNOWN
        PROBABILITY
        SCALE
AgEVeVOAttributes
        eVOAttributesUnknown
        eVOAttributesBasic
        eVOAttributesIntervals
VehicleGraphics3DAttributeType
        UNKNOWN
        BASIC
        INTERVALS
AgERouteVOMarkerType
        eImage
        eMarker
RouteGraphics3DMarkerType
        IMAGE
        MARKER
AgEVeEllipseOptions
        eOsculating
        eSecularlyPrecessing
VehicleEllipseOptionType
        OSCULATING
        SECULARLY_PRECESSING
AgEVePropagatorType
        eUnknownPropagator
        ePropagatorHPOP
        ePropagatorJ2Perturbation
        ePropagatorJ4Perturbation
        ePropagatorLOP
        ePropagatorSGP4
        ePropagatorSPICE
        ePropagatorStkExternal
        ePropagatorTwoBody
        ePropagatorUserExternal
        ePropagatorGreatArc
        ePropagatorBallistic
        ePropagatorSimpleAscent
        ePropagatorAstrogator
        ePropagatorRealtime
        ePropagatorGPS
        ePropagatorAviator
        ePropagator11Param
        ePropagatorSP3
PropagatorType
        UNKNOWN
        HPOP
        J2_PERTURBATION
        J4_PERTURBATION
        LOP
        SGP4
        SPICE
        STK_EXTERNAL
        TWO_BODY
        USER_EXTERNAL
        GREAT_ARC
        BALLISTIC
        SIMPLE_ASCENT
        ASTROGATOR
        REAL_TIME
        GPS
        AVIATOR
        PROPAGATOR_11_PARAMETERS
        SP3
AgEVeSGP4SwitchMethod
        eSGP4Epoch
        eSGP4Midpoint
        eSGP4TCA
        eSGP4Override
        eSGP4Disable
PropagatorSGP4SwitchMethod
        EPOCH
        MIDPOINT
        TIME_OF_CLOSEST_APPROACH
        OVERRIDE
        DISABLE
AgEVeSGP4TLESelection
        eSGP4TLESelectionUseAll
        eSGP4TLESelectionUseFirst
VehicleSGP4TLESelectionType
        USE_ALL
        USE_FIRST
AgEVeSGP4AutoUpdateSource
        eSGP4AutoUpdateSourceUnknown
        eSGP4AutoUpdateSourceOnline
        eSGP4AutoUpdateOnlineSpaceTrack
        eSGP4AutoUpdateSourceFile
        eSGP4AutoUpdateNone
VehicleSGP4AutomaticUpdateSourceType
        UNKNOWN
        ONLINE
        ONLINE_SPACE_TRACK
        FILE
        NONE
AgEThirdBodyGravSourceType
        eCBFile
        eHPOPHistorical
        eJPLDE
        eUserSpecified
ThirdBodyGravitySourceType
        CENTRAL_BODY_FILE
        HPOP_HISTORICAL
        JPL_DEVELOPMENTAL_EPHEMERIS
        USER_SPECIFIED
AgEVeGeomagFluxSrc
        eReadKpFromFile
        eReadApFromFile
VehicleGeomagneticFluxSourceType
        READ_KP_FROM_FILE
        READ_AP_FROM_FILE
AgEVeGeomagFluxUpdateRate
        e3Hourly
        e3HourlyInterp
        eDaily
        e3HourlyCubicSpline
VehicleGeomagneticFluxUpdateRateType
        EVERY_3_HOURS
        INTERPOLATE_3_HOURLY_DATA
        DAILY
        CUBIC_SPLINE_3_HOURLY_DATA
AgEVeSolarFluxGeoMag
        eSolarFluxGeoMagUnknown
        eSolarFluxGeoMagEnterManually
        eSolarFluxGeoMagUseFile
VehicleSolarFluxGeomagneticType
        UNKNOWN
        MANUAL_ENTRY
        FILE
AgEVeIntegrationModel
        eBulirschStoer
        eGaussJackson
        eRK4
        eRKF78
        eRKV89Efficient
VehicleIntegrationModel
        BULIRSCH_STOER
        GAUSS_JACKSON
        RUNGE_KUTTA_4
        RUNGE_KUTTA_FEHLBERG_78
        RUNGE_KUTTA_VERNER_89_EFFICIENT
AgEVePredictorCorrectorScheme
        eFullCorrection
        ePseudoCorrection
VehiclePredictorCorrectorScheme
        FULL_CORRECTION
        PSEUDOCORRECTION
AgEVeMethod
        eFixedStep
        eRelativeError
VehicleMethod
        FIXED_STEP
        RELATIVE_ERROR
AgEVeInterpolationMethod
        eInterpolationMethodUnknown
        eHermitian
        eLagrange
        eVOP
VehicleInterpolationMethod
        UNKNOWN
        HERMITIAN
        LAGRANGE
        VOP
AgEVeFrame
        eFrenet
        eJ2000
        eLVLH
        eTrueOfDate
VehicleFrame
        FRENET
        J2000
        LVLH
        TRUE_OF_DATE
AgEVeCorrelationListType
        eCorrelationListDrag
        eCorrelationListNone
        eCorrelationListSRP
VehicleCorrelationListType
        DRAG
        NONE
        SOLAR_RADIATION_PRESSURE
AgEVeConsiderAnalysisType
        eConsiderAnalysisDrag
        eConsiderAnalysisSRP
VehicleConsiderAnalysisType
        DRAG
        SOLAR_RADIATION_PRESSURE
AgEVeWayPtCompMethod
        eDetermineTimeAccFromVel
        eDetermineTimeFromVelAcc
        eDetermineVelFromTime
VehicleWaypointComputationMethod
        DETERMINE_TIME_ACCELERATION_FROM_VELOCITY
        DETERMINE_TIME_FROM_VELOCITY_AND_ACCELERATION
        DETERMINE_VELOCITY_FROM_TIME
AgEVeAltitudeRef
        eWayPtAltRefUnknown
        eWayPtAltRefMSL
        eWayPtAltRefTerrain
        eWayPtAltRefWGS84
        eWayPtAltRefEllipsoid
VehicleAltitudeReference
        UNKNOWN
        MEAN_SEA_LEVEL
        TERRAIN
        WGS84
        ELLIPSOID
AgEVeWayPtInterpMethod
        eWayPtEllipsoidHeight
        eWayPtTerrainHeight
VehicleWaypointInterpolationMethod
        ELLIPSOID_HEIGHT
        TERRAIN_HEIGHT
AgEVeLaunch
        eLaunchUnknown
        eLaunchLLA
        eLaunchLLR
VehicleLaunch
        UNKNOWN
        DETIC
        CENTRIC
AgEVeImpact
        eImpactUnknown
        eImpactLLA
        eImpactLLR
VehicleImpact
        UNKNOWN
        IMPACT_LOCATION_DETIC
        IMPACT_LOCATION_CENTRIC
AgEVeLaunchControl
        eLaunchControlUnknown
        eLaunchControlFixedApogeeAlt
        eLaunchControlFixedDeltaV
        eLaunchControlFixedDeltaVMinEcc
        eLaunchControlFixedTimeOfFlight
VehicleLaunchControl
        UNKNOWN
        FIXED_APOGEE_ALTITUDE
        FIXED_DELTA_V
        FIXED_DELTA_V_MINIMUM_ECCENTRICITY
        FIXED_TIME_OF_FLIGHT
AgEVeImpactLocation
        eImpactLocationUnknown
        eImpactLocationLaunchAzEl
        eImpactLocationPoint
VehicleImpactLocation
        UNKNOWN
        LAUNCH_AZ_EL
        POINT
AgEVePassNumbering
        ePassNumberingUnknown
        ePassNumberingDateOfFirstPass
        ePassNumberingFirstPassNum
        ePassNumberingMaintainPassNum
        ePassNumberingUsePropagatorPassData
VehiclePassNumbering
        UNKNOWN
        DATE_OF_FIRST_PASS
        FIRST_PASS_NUMBER
        MAINTAIN_PASS_NUMBER
        USE_PROPAGATOR_PASS_DATA
AgEVePartialPassMeasurement
        eAngle
        eMeanArgOfLat
        eTime
VehiclePartialPassMeasurement
        ANGLE
        MEAN_ARGUMENT_OF_LATITUDE
        TIME
AgEVeCoordinateSystem
        eVeCoordinateSystemCentralBodyFixed
        eVeCoordinateSystemInertial
        eVeCoordinateSystemTrueOfDate
        eVeCoordinateSystemTrueOfEpoch
VehicleCoordinateSystem
        CENTRAL_BODY_FIXED
        INERTIAL
        TRUE_OF_DATE
        TRUE_OF_EPOCH
AgEVeBreakAngleType
        eBreakAngleTypeUnknown
        eBreakByLatitude
        eBreakByLongitude
VehicleBreakAngleType
        UNKNOWN
        BY_LATITUDE
        BY_LONGITUDE
AgEVeDirection
        eAscending
        eDescending
VehicleDirection
        ASCENDING
        DESCENDING
AgEVOLocation
        e3DWindow
        eDataDisplayArea
        eOffsetFromObject
        eOffsetFromAccessObject
Graphics3DLocation
        WINDOW_3D
        DISPLAY_AREA
        OFFSET_FROM_OBJECT
        OFFSET_FROM_ACCESS_OBJECT
AgEVOXOrigin
        eXOriginLeft
        eXOriginRight
Graphics3DXOrigin
        X_ORIGIN_LEFT
        X_ORIGIN_RIGHT
AgEVOYOrigin
        eYOriginBottom
        eYOriginTop
Graphics3DYOrigin
        Y_ORIGIN_BOTTOM
        Y_ORIGIN_TOP
AgEVOFontSize
        eLarge
        eMedium
        eSmall
Graphics3DFontSize
        LARGE
        MEDIUM
        SMALL
AgEAcWGS84WarningType
        eAlways
        eOnlyOnce
        eNever
AircraftWGS84WarningType
        ALWAYS
        ONLY_ONCE
        NEVER
AgESurfaceReference
        eWGS84Ellipsoid
        eMeanSeaLevel
SurfaceReference
        WGS84_ELLIPSOID
        MEAN_SEA_LEVEL
AgEVOFormat
        eHorizontal
        eNoLabels
        eVertical
Graphics3DFormat
        HORIZONTAL
        NO_LABELS
        VERTICAL
AgEAttitudeStandardType
        eRouteAttitudeStandard
        eTrajectoryAttitudeStandard
        eOrbitAttitudeStandard
AttitudeStandardType
        ROUTE_ATTITUDE_STANDARD
        TRAJECTORY_ATTITUDE_STANDARD
        ORBIT_ATTITUDE_STANDARD
AgEVeAttitude
        eAttitudeUnknown
        eAttitudeRealTime
        eAttitudeStandard
VehicleAttitude
        UNKNOWN
        REAL_TIME
        STANDARD
AgEVeProfile
        eProfileUnknown
        eProfileAlignedAndConstrained
        eProfileCentralBodyFixed
        eProfileECFVelocityAlignmentWithNadirConstraint
        eProfileECFVelocityAlignmentWithRadialConstraint
        eProfileECIVelocityAlignmentWithSunConstraint
        eProfileECIVelocityAlignmentWithNadirConstraint
        eProfileFixedInAxes
        eProfileInertiallyFixed
        eProfileNadirAlignmentWithECFVelocityConstraint
        eProfileNadirAlignmentWithECIVelocityConstraint
        eProfileNadirAlignmentWithSunConstraint
        eProfileNadirAlignmentWithOrbitNormalConstraint
        eProfilePrecessingSpin
        eProfileSpinAligned
        eProfileSpinAboutSunVector
        eProfileSpinAboutNadir
        eProfileSpinning
        eProfileSunAlignmentOccultationNormalConstraint
        eProfileSunAlignmentWithECIZAxisConstraint
        eProfileSunAlignmentWithZInOrbitPlane
        eProfileSunAlignmentWithEclipticNormalConstraint
        eProfileSunAlignmentWithNadirConstraint
        eProfileXPOPInertialAttitude
        eProfileYawToNadir
        eCoordinatedTurn
        eProfileGPS
        eProfileAviator
AttitudeProfile
        UNKNOWN
        ALIGNED_AND_CONSTRAINED
        CENTRAL_BODY_FIXED
        FIXED_VELOCITY_ALIGNMENT_WITH_NADIR_CONSTRAINT
        FIXED_VELOCITY_ALIGNMENT_WITH_RADIAL_CONSTRAINT
        INERTIAL_VELOCITY_ALIGNMENT_WITH_SUN_CONSTRAINT
        INERTIAL_VELOCITY_ALIGNMENT_WITH_NADIR_CONSTRAINT
        FIXED_IN_AXES
        INERTIALLY_FIXED
        NADIR_ALIGNMENT_WITH_FIXED_VELOCITY_CONSTRAINT
        NADIR_ALIGNMENT_WITH_INERTIAL_VELOCITY_CONSTRAINT
        NADIR_ALIGNMENT_WITH_SUN_CONSTRAINT
        NADIR_ALIGNMENT_WITH_ORBIT_NORMAL_CONSTRAINT
        PRECESSING_SPIN
        SPIN_ALIGNED
        SPIN_ABOUT_SUN_VECTOR
        SPIN_ABOUT_NADIR
        SPINNING
        SUN_ALIGNMENT_OCCULTATION_NORMAL_CONSTRAINT
        SUN_ALIGNMENT_WITH_INERTIAL_Z_AXIS_CONSTRAINT
        SUN_ALIGNMENT_WITH_Z_IN_ORBIT_PLANE
        SUN_ALIGNMENT_WITH_ECLIPTIC_NORMAL_CONSTRAINT
        SUN_ALIGNMENT_WITH_NADIR_CONSTRAINT
        XPOP_INERTIAL_ATTITUDE
        YAW_TO_NADIR
        COORDINATED_TURN
        GPS
        AVIATOR
AgEVeLookAheadMethod
        eExtrapolate
        eHold
VehicleLookAheadMethod
        EXTRAPOLATE
        HOLD
AgEVeVOBPlaneTargetPointPosition
        ePositionCartesian
        ePositionPolar
VehicleGraphics3DBPlaneTargetPointPosition
        CARTESIAN
        POLAR
AgESnAltCrossingSides
        eAltCrossingUnknown
        eAltCrossingBothSides
        eAltCrossingOneSide
SensorAltitudeCrossingSideType
        UNKNOWN
        BOTH_SIDES
        ONE_SIDE
AgESnAltCrossingDirection
        eDirectionUnknown
        eDirectionEither
        eDirectionInsideOut
        eDirectionOutsideIn
SensorAltitudeCrossingDirection
        UNKNOWN
        EITHER
        INSIDE_OUT
        OUTSIDE_IN
AgESnVOInheritFrom2D
        eSnVOInheritFrom2DUnknown
        eSnVOInheritFrom2DNo
        eSnVOInheritFrom2DYes
        eSnVOInheritFrom2DExtentOnly
SensorGraphics3DInheritFrom2D
        UNKNOWN
        NO
        YES
        EXTENT_ONLY
AgESnVOVisualAppearance
        eSnVOVisualAppearanceUnknown
        eSnVOVisualAppearanceOrigin
        eSnVOVisualAppearanceCenter
        eSnVOVisualAppearanceEnd
SensorGraphics3DVisualAppearance
        UNKNOWN
        ORIGIN
        CENTER
        END
AgEChTimePeriodType
        eTimePeriodUnknown
        eUseObjectTimePeriods
        eUseScenarioTimePeriod
        eUserSpecifiedTimePeriod
ChainTimePeriodType
        UNKNOWN
        OBJECT_TIME_PERIODS
        SCENARIO_TIME_PERIOD
        SPECIFIED_TIME_PERIOD
AgEChConstConstraintsMode
        eConstConstraintsUnknown
        eConstConstraintsStrands
        eConstConstraintsObjects
ChainConstellationConstraintsMode
        UNKNOWN
        STRANDS
        OBJECTS
AgEChCovAssetMode
        eChCovAssetUnknown
        eChCovAssetAppend
        eChCovAssetUpdate
ChainCoverageAssetMode
        UNKNOWN
        APPEND
        UPDATE
AgEChParentPlatformRestriction
        eChParentPlatformRestrictionUnknown
        eChParentPlatformRestrictionNone
        eChParentPlatformRestrictionSame
        eChParentPlatformRestrictionDifferent
ChainParentPlatformRestriction
        UNKNOWN
        NONE
        SAME
        DIFFERENT
AgEChOptimalStrandMetricType
        eChOptStrandMetricUnknown
        eChOptStrandMetricDistance
        eChOptStrandMetricProcessingDelay
        eChOptStrandMetricCalculationScalar
        eChOptStrandMetricDuration
ChainOptimalStrandMetricType
        UNKNOWN
        STRAND_METRIC_DISTANCE
        STRAND_METRIC_PROCESSING_DELAY
        STRAND_METRIC_CALCULATION_SCALAR
        STRAND_METRIC_DURATION
AgEChOptimalStrandCalculationScalarMetricType
        eChOptStrandCalculationScalarMetricUnknown
        eChOptStrandCalculationScalarMetricFile
        eChOptStrandCalculationScalarMetricName
ChainOptimalStrandCalculationScalarMetricType
        UNKNOWN
        STRAND_CALCULATION_SCALAR_METRIC_FILE
        STRAND_CALCULATION_SCALAR_METRIC_NAME
AgEChOptimalStrandLinkCompareType
        eChOptStrandLinkCompareTypeUnknown
        eChOptStrandLinkCompareTypeMin
        eChOptStrandLinkCompareTypeMax
        eChOptStrandLinkCompareTypeSum
ChainOptimalStrandLinkCompareType
        UNKNOWN
        STRAND_LINK_COMPARE_TYPE_MIN
        STRAND_LINK_COMPARE_TYPE_MAX
        STRAND_LINK_COMPARE_TYPE_SUM
AgEChOptimalStrandCompareStrandsType
        eChOptStrandCompareTypeUnknown
        eChOptStrandCompareTypeMin
        eChOptStrandCompareTypeMax
ChainOptimalStrandCompareStrandsType
        UNKNOWN
        STRAND_COMPARE_TYPE_MIN
        STRAND_COMPARE_TYPE_MAX
AgEDataSaveMode
        eDataSaveModeUnknown
        eDontSaveAccesses
        eDontSaveComputeOnLoad
        eSaveAccesses
DataSaveMode
        UNKNOWN
        DONT_SAVE_ACCESSES
        DONT_SAVE_COMPUTE_ON_LOAD
        SAVE_ACCESSES
AgECvBounds
        eBoundsCustomRegions
        eBoundsGlobal
        eBoundsLat
        eBoundsLatLine
        eBoundsLonLine
        eBoundsCustomBoundary
        eBoundsLatLonRegion
CoverageBounds
        CUSTOM_REGIONS
        GLOBAL
        LATITUDE
        LATITUDE_LINE
        LONGITUDE_LINE
        CUSTOM_BOUNDARY
        LATITUDE_LONGITUDE_REGION
AgECvPointLocMethod
        ePointLocMethodUnknown
        eComputeBasedOnResolution
        eSpecifyCustomLocations
CoveragePointLocationMethod
        UNKNOWN
        COMPUTE_BASED_ON_RESOLUTION
        SPECIFY_CUSTOM_LOCATIONS
AgECvPointAltitudeMethod
        ePointAltitudeMethodUnknown
        ePointAltitudeMethodFileValues
        ePointAltitudeMethodOverride
CoveragePointAltitudeMethod
        UNKNOWN
        FILE_VALUES
        OVERRIDE
AgECvGridClass
        eGridClassUnknown
        eGridClassAircraft
        eGridClassFacility
        eGridClassRadar
        eGridClassReceiver
        eGridClassSatellite
        eGridClassSubmarine
        eGridClassTarget
        eGridClassTransmitter
        eGridClassGroundVehicle
        eGridClassShip
        eGridClassPlace
        eGridClassSensor
CoverageGridClass
        UNKNOWN
        AIRCRAFT
        FACILITY
        RADAR
        RECEIVER
        SATELLITE
        SUBMARINE
        TARGET
        TRANSMITTER
        GROUND_VEHICLE
        SHIP
        PLACE
        SENSOR
AgECvAltitudeMethod
        eAltitudeMethodUnknown
        eAltAboveTerrain
        eAltitude
        eRadius
        eAltitudeAboveMSL
        eAltitudeDepth
CoverageAltitudeMethod
        UNKNOWN
        ABOVE_TERRAIN
        ABOVE_ELLIPSOID
        RADIUS
        ABOVE_MEAN_SEA_LEVEL
        DEPTH
AgECvGroundAltitudeMethod
        eCvGroundAltitudeMethodUnknown
        eCvGroundAltitudeMethodDepth
        eCvGroundAltitudeMethodAltitude
        eCvGroundAltitudeMethodAltAtTerrain
        eCvGroundAltitudeMethodAltAboveMSL
        eCvGroundAltitudeMethodUsePointAlt
CoverageGroundAltitudeMethod
        UNKNOWN
        DEPTH
        ALTITUDE
        ALTITUDE_AT_TERRAIN
        ALTITUDE_ABOVE_MEAN_SEA_LEVEL
        USE_POINT_ALTITUDE
AgECvDataRetention
        eDataRetentionUnknown
        eAllData
        eStaticDataOnly
CoverageDataRetention
        UNKNOWN
        ALL_DATA
        STATIC_DATA_ONLY
AgECvRegionAccessAccel
        eRegionAccessUnknown
        eRegionAccessAutomatic
        eRegionAccessOff
CoverageRegionAccessAccelerationType
        UNKNOWN
        AUTOMATIC
        OFF
AgECvResolution
        eResolutionArea
        eResolutionDistance
        eResolutionLatLon
CoverageResolution
        RESOLUTION_AREA
        RESOLUTION_DISTANCE
        RESOLUTION_LATITUDE_LONGITUDE
AgECvAssetStatus
        eActive
        eInactive
CoverageAssetStatus
        ACTIVE
        INACTIVE
AgECvAssetGrouping
        eSeparate
        eGrouped
CoverageAssetGrouping
        SEPARATE
        GROUPED
AgEFmDefinitionType
        eFmAccessConstraint
        eFmAccessDuration
        eFmAccessSeparation
        eFmCoverageTime
        eFmDilutionOfPrecision
        eFmNAssetCoverage
        eFmNavigationAccuracy
        eFmNumberOfAccesses
        eFmNumberOfGaps
        eFmResponseTime
        eFmRevisitTime
        eFmSimpleCoverage
        eFmTimeAverageGap
        eFmSystemResponseTime
        eFmAgeOfData
        eFmScalarCalculation
        eFmSystemAgeOfData
FigureOfMeritDefinitionType
        ACCESS_CONSTRAINT
        ACCESS_DURATION
        ACCESS_SEPARATION
        COVERAGE_TIME
        DILUTION_OF_PRECISION
        N_ASSET_COVERAGE
        NAVIGATION_ACCURACY
        NUMBER_OF_ACCESSES
        NUMBER_OF_GAPS
        RESPONSE_TIME
        REVISIT_TIME
        SIMPLE_COVERAGE
        TIME_AVERAGE_GAP
        SYSTEM_RESPONSE_TIME
        AGE_OF_DATA
        SCALAR_CALCULATION
        SYSTEM_AGE_OF_DATA
AgEFmSatisfactionType
        eFmAtLeast
        eFmAtMost
        eFmEqualTo
        eFmGreaterThan
        eFmLessThan
FigureOfMeritSatisfactionType
        AT_LEAST
        AT_MOST
        EQUAL_TO
        GREATER_THAN
        LESS_THAN
AgEFmConstraintName
        eFmConstraintUnknown
        eFmAltitude
        eFmAngularRate
        eFmApparentTime
        eFmAzimuthAngle
        eFmAzimuthRate
        eFmCbObstruction
        eFmCrdnAngle
        eFmCrdnVectorMag
        eFmElevationAngle
        eFmElevationRate
        eFmElevationRiseSet
        eFmGeoExclusion
        eFmGroundSampleDistance
        eFmHeightAboveHorizon
        eFmLOSLunarExclusion
        eFmLOSSunExclusion
        eFmLunarElevationAngle
        eFmMatlab
        eFmObjectExclusionAngle
        eFmPropagationDelay
        eFmRange
        eFmRangeRate
        eFmSarAreaRate
        eFmSarAzRes
        eFmSarCNR
        eFmSarExternalData
        eFmSarIntTime
        eFmSarPTCR
        eFmSarSCR
        eFmSarSNR
        eFmSarSigmaN
        eFmSrchTrkDwellTime
        eFmSrchTrkIntegratedPDet
        eFmSrchTrkIntegratedSNR
        eFmSrchTrkIntegrationTime
        eFmSrchTrkSinglePulsePDet
        eFmSrchTrkSinglePulseSNR
        eFmSunElevationAngle
        eFmTerrainGrazingAngle
        eFmAngleToAsset
        eFmLineOfSight
        eFmAzElMask
        eFmDuration
        eFmGMT
        eFmImageQuality
        eFmIntervals
        eFmLighting
        eFmLocalTime
        eFmLOSCbExclusion
        eFmCrdnPointMetric
        eFmCentroidAzimuthAngle
        eFmCentroidRange
        eFmCentroidSunElevationAngle
        eFmCollectionAngle
        eFmDopplerConeAngle
        eFmLatitude
        eFmSunGroundElevAngle
        eFmTerrainMask
        eFmCrossTrackRange
        eFmInTrackRange
        eFmSquintAngle
        eFmBackground
        eFmForeground
        eFmBetaAngle
        eFmATCentroidElevationAngle
        eFmExclusionZone
        eFmGrazingAngle
        eFmGrazingAlt
        eFmGroundElevAngle
        eFmGroundTrack
        eFmInclusionZone
        eFmSunSpecularExclusion
        eFmDepth
        eFmFieldOfView
        eFmAngleOffBoresight
        eFmAngleOffBoresightRate
        eFmBoresightGrazingAngle
        eFmBSIntersectLightingCondition
        eFmFOVSunSpecularExclusion
        eFmFOVSunSpecularInclusion
        eFmHorizonCrossing
        eFmBSLunarExclusion
        eFmBSSunExclusion
        eFmBSCbExclusion
        eFmFOVCbObstructionCrossIn
        eFmFOVCbObstructionCrossOut
        eFmFOVCbHorizonRefine
        eFmFOVCbCenter
        eFmSensorAzElMask
        eFmSensorRangeMask
        eFmInfraredDetection
        eFmRdrXmtTgtAccess
        eFmRdrXmtAccess
        eFmRadarAccess
        eFmBistaticAngle
        eFmNoiseTemperature
        eFmSrchTrkIntegratedPulses
        eFmSrchTrkMLCFilter
        eFmSrchTrkSLCFilter
        eFmSrchTrkClearDoppler
        eFmSrchTrkUnambigRange
        eFmSrchTrkUnambigDoppler
        eFmSrchTrkSinglePulseSNRJamming
        eFmSrchTrkSinglePulseJOverS
        eFmSrchTrkSinglePulsePDetJamming
        eFmSrchTrkIntegratedSNRJamming
        eFmSrchTrkIntegratedJOverS
        eFmSrchTrkIntegratedPDetJamming
        eFmSrchTrkIntegratedPulsesJamming
        eFmSrchTrkIntegrationTimeJamming
        eFmSrchTrkDwellTimeJamming
        eFmSrchTrkConstrPlugin
        eFmSarSNRJamming
        eFmSarCNRJamming
        eFmSarSCRJamming
        eFmSarJOverS
        eFmSarConstrPlugin
        eFmSarOrthoPolSNR
        eFmSarOrthoPolCNR
        eFmSarOrthoPolSCR
        eFmSarOrthoPolPTCR
        eFmSarOrthoPolSNRJamming
        eFmSarOrthoPolCNRJamming
        eFmSarOrthoPolSCRJamming
        eFmSarOrthoPolJOverS
        eFmSrchTrkOrthoPolSinglePulseSNR
        eFmSrchTrkOrthoPolSinglePulsePDet
        eFmSrchTrkOrthoPolIntegratedSNR
        eFmSrchTrkOrthoPolIntegratedPDet
        eFmSrchTrkOrthoPolIntegratedPulses
        eFmSrchTrkOrthoPolIntegrationTime
        eFmSrchTrkOrthoPolDwellTime
        eFmSrchTrkOrthoPolSinglePulseSNRJamming
        eFmSrchTrkOrthoPolSinglePulseJOverS
        eFmSrchTrkOrthoPolSinglePulsePDetJamming
        eFmSrchTrkOrthoPolIntegratedSNRJamming
        eFmSrchTrkOrthoPolIntegratedJOverS
        eFmSrchTrkOrthoPolIntegratedPDetJamming
        eFmSrchTrkOrthoPolIntegratedPulsesJamming
        eFmSrchTrkOrthoPolIntegrationTimeJamming
        eFmSrchTrkOrthoPolDwellTimeJamming
        eFmFrequency
        eFmDopplerShift
        eFmRcvdIsotropicPower
        eFmPowerAtReceiverInput
        eFmFluxDensity
        eFmGOverT
        eFmCOverNo
        eFmCOverN
        eFmLinkMargin
        eFmEbOverNo
        eFmBitErrorRate
        eFmPolRelAngle
        eFmCommPlugin
        eFmLinkEIRP
        eFmPowerFluxDensity
        eFmTotalRcvdRfPower
        eFmCOverNoPlusIo
        eFmCOverNPlusI
        eFmCOverI
        eFmJOverS
        eFmDeltaTOverT
        eFmEbOverNoPlusIo
        eFmBERPlusI
        eFmFrequencyTrack
        eFmPhaseTrack
        eFmCodeTrack
        eFmCNoIGPSCh
        eFmAccessConstraintPlugin
        eFmThirdBodyObs
        eFmSpectralFluxDensity
        eFmCrdnCondition
FigureOfMeritConstraintName
        UNKNOWN
        ALTITUDE
        ANGULAR_RATE
        APPARENT_TIME
        AZIMUTH_ANGLE
        AZIMUTH_RATE
        CENTRAL_BODY_OBSTRUCTION
        VECTOR_GEOMETRY_TOOL_ANGLE
        VECTOR_MAGNITUDE
        ELEVATION_ANGLE
        ELEVATION_RATE
        ELEVATION_RISE_SET
        GEO_EXCLUSION
        GROUND_SAMPLE_DISTANCE
        HEIGHT_ABOVE_HORIZON
        LINE_OF_SIGHT_LUNAR_EXCLUSION_ANGLE
        LINE_OF_SIGHT_SOLAR_EXCLUSION_ANGLE
        LUNAR_ELEVATION_ANGLE
        MATLAB
        OBJECT_EXCLUSION_ANGLE
        PROPAGATION_DELAY
        RANGE
        RANGE_RATE
        SAR_AREA_RATE
        SAR_AZIMUTH_RESOLUTION
        SAR_CARRIER_TO_NOISE_RATIO
        SAR_EXTERNAL_DATA
        SAR_INTEGRATION_TIME
        SAR_PTCR
        SAR_SCR
        SAR_SNR
        SAR_SIGMA_N
        SEARCH_TRACK_DWELL_TIME
        SEARCH_TRACK_INTEGRATED_PROBABILITY_OF_DETECTION
        SEARCH_TRACK_INTEGRATED_SNR
        SEARCH_TRACK_INTEGRATION_TIME
        SEARCH_TRACK_SINGLE_PULSE_PROBABILITY_OF_DETECTION
        SEARCH_TRACK_SINGLE_PULSE_SNR
        SUN_ELEVATION_ANGLE
        TERRAIN_GRAZING_ANGLE
        ANGLE_TO_ASSET
        LINE_OF_SIGHT
        AZ_EL_MASK
        DURATION
        GMT
        IMAGE_QUALITY
        INTERVALS
        LIGHTING
        LOCAL_TIME
        LINE_OF_SIGHT_CENTRAL_BODY_EXCLUSION
        POINT_METRIC
        CENTROID_AZIMUTH_ANGLE
        CENTROID_RANGE
        CENTROID_SUN_ELEVATION_ANGLE
        COLLECTION_ANGLE
        DOPPLER_CONE_ANGLE
        LATITUDE
        SUN_GROUND_ELEVATION_ANGLE
        TERRAIN_MASK
        CROSS_TRACK_RANGE
        IN_TRACK_RANGE
        SQUINT_ANGLE
        BACKGROUND
        FOREGROUND
        BETA_ANGLE
        AREA_TARGET_CENTROID_ELEVATION_ANGLE
        EXCLUSION_ZONE
        GRAZING_ANGLE
        GRAZING_ALTITUDE
        GROUND_ELEVATION_ANGLE
        GROUND_TRACK
        INCLUSION_ZONE
        SUN_SPECULAR_EXCLUSION
        DEPTH
        FIELD_OF_VIEW
        ANGLE_OFF_BORESIGHT
        ANGLE_OFF_BORESIGHT_RATE
        BORESIGHT_GRAZING_ANGLE
        BORESIGHT_INTERSECTION_LIGHTING_CONDITION
        FIELD_OF_VIEW_SUN_SPECULAR_EXCLUSION
        FIELD_OF_VIEW_SUN_SPECULAR_INCLUSION
        HORIZON_CROSSING
        BORESIGHT_LUNAR_EXCLUSION_ANGLE
        BORESIGHT_SOLAR_EXCLUSION_ANGLE
        BORESIGHT_CENTRAL_BODY_EXCLUSION_ANGLE
        CENTRAL_BODY_OBSTRUCTION_CROSS_INWARD
        CENTRAL_BODY_OBSTRUCTION_CROSS_OUTWARD
        CENTRAL_BODY_HORIZON_REFINE
        CENTRAL_BODY_CENTER
        SENSOR_AZ_EL_MASK
        SENSOR_RANGE_MASK
        INFRARED_DETECTION
        RADAR_TRANSMITTER_TARGET_ACCESS
        RADAR_TRANSMITTER_ACCESS
        RADAR_ACCESS
        BISTATIC_ANGLE
        NOISE_TEMPERATURE
        SEARCH_TRACK_INTEGRATED_PULSES
        SEARCH_TRACK_MLC_FILTER
        SEARCH_TRACK_SLC_FILTER
        SEARCH_TRACK_CLEAR_DOPPLER
        SEARCH_TRACK_UNAMBIGUOUS_RANGE
        SEARCH_TRACK_UNAMBIGUOUS_DOPPLER
        SEARCH_TRACK_SINGLE_PULSE_SNR_JAMMING
        SEARCH_TRACK_SINGLE_PULSE_J_OVER_S
        SEARCH_TRACK_SINGLE_PULSE_PROBABILITY_OF_DETECTION_JAMMING
        SEARCH_TRACK_INTEGRATED_SNR_JAMMING
        SEARCH_TRACK_INTEGRATED_J_OVER_S
        SEARCH_TRACK_INTEGRATED_PROBABILITY_OF_DETECTION_JAMMING
        SEARCH_TRACK_INTEGRATED_PULSES_JAMMING
        SEARCH_TRACK_INTEGRATION_TIME_JAMMING
        SEARCH_TRACK_DWELL_TIME_JAMMING
        SEARCH_TRACK_CONSTRAINT_PLUGIN
        SAR_SNR_JAMMING
        SAR_CARRIER_TO_NOISE_RATIO_JAMMING
        SAR_SCR_JAMMING
        SAR_J_OVER_S
        SAR_CONSTRAINT_PLUGIN
        SAR_ORTHOGONAL_POLARIZATION_SNR
        SAR_ORTHOGONAL_POLARIZATION_CNR
        SAR_ORTHOGONAL_POLARIZATION_SCR
        SAR_ORTHOGONAL_POLARIZATION_PTCR
        SAR_ORTHOGONAL_POLARIZATION_SNR_JAMMING
        SAR_ORTHOGONAL_POLARIZATION_CNR_JAMMING
        SAR_ORTHOGONAL_POLARIZATION_SCR_JAMMING
        SAR_ORTHOGONAL_POLARIZATION_J_OVER_S
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_SINGLE_PULSE_SNR
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_SINGLE_PULSE_PROBABILITY_OF_DETECTION
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_INTEGRATED_SNR
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_INTEGRATED_PROBABILITY_OF_DETECTION
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_INTEGRATED_PULSES
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_INTEGRATION_TIME
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_DWELL_TIME
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_SINGLE_PULSE_SNR_JAMMING
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_SINGLE_PULSE_J_OVER_S
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_SINGLE_PULSE_PROBABILITY_OF_DETECTION_JAMMING
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_INTEGRATED_SNR_JAMMING
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_INTEGRATED_J_OVER_S
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_INTEGRATED_PROBABILITY_OF_DETECTION_JAMMING
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_INTEGRATED_PULSES_JAMMING
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_INTEGRATION_TIME_JAMMING
        SEARCH_TRACK_ORTHOGONAL_POLARIZATION_DWELL_TIME_JAMMING
        FREQUENCY
        DOPPLER_SHIFT
        RECEIVED_ISOTROPIC_POWER
        POWER_AT_RECEIVER_INPUT
        FLUX_DENSITY
        G_OVER_T
        C_OVER_N0
        C_OVER_N
        LINK_MARGIN
        EB_OVER_N0
        BIT_ERROR_RATE
        POLARIZATION_RELATIVE_ANGLE
        COMM_PLUGIN
        LINK_EIRP
        POWER_FLUX_DENSITY
        TOTAL_RECEIVED_REFRACTION_POWER
        C_OVER_N0_PLUS_I0
        C_OVER_N_PLUS_I
        C_OVER_I
        J_OVER_S
        DELTA_T_OVER_T
        EB_OVER_N0_PLUS_I0
        BER_PLUS_I
        FREQUENCY_TRACK
        PHASE_TRACK
        CODE_TRACK
        C_OVER_N0_PLUS_I_GPS_CHANNEL
        ACCESS_CONSTRAINT_PLUGIN
        THIRD_BODY_OBS
        SPECTRAL_FLUX_DENSITY
        CONDITION
AgEFmCompute
        eFmComputeUnknown
        eAverage
        eMaximum
        eMinimum
        ePercentAbove
        ePercentBelow
        eStdDeviation
        eMaxPerDay
        eMaxPercentPerDay
        eMinPerDay
        eMinPercentPerDay
        ePerDay
        ePerDayStdDev
        ePercent
        ePercentPerDay
        ePercentPerDayStdDev
        ePercentTimeAbove
        eTotal
        eTotalTimeAbove
        ePercentBelowGapsOnly
        eNumPercentBelow
        eAvgPerDay
        eInSpan
        eInSpanPerDay
        eSum
        eUnique
FigureOfMeritCompute
        UNKNOWN
        AVERAGE
        MAXIMUM
        MINIMUM
        PERCENT_ABOVE
        PERCENT_BELOW
        STD_DEVIATION
        MAXIMUM_PER_DAY
        MAXIMUM_PERCENT_PER_DAY
        MINIMUM_PER_DAY
        MINIMUM_PERCENT_PER_DAY
        PER_DAY
        PER_DAY_STANDARD_DEVIATION
        PERCENT
        PERCENT_PER_DAY
        PERCENT_PER_DAY_STANDARD_DEVIATION
        PERCENT_TIME_ABOVE
        TOTAL
        TOTAL_TIME_ABOVE
        PERCENT_BELOW_GAPS_ONLY
        NUMBER_PERCENT_BELOW
        AVERAGE_PER_DAY
        IN_SPAN
        IN_SPAN_PER_DAY
        SUM
        UNIQUE
AgEFmAcrossAssets
        eFmAcrossAssetsUnknown
        eFmAverage
        eFmMaximum
        eFmMinimum
        eFmSum
FigureOfMeritAcrossAssets
        UNKNOWN
        AVERAGE
        MAXIMUM
        MINIMUM
        SUM
AgEFmComputeType
        eBest4
        eBestN
        eOverDetermined
        eBestFourAcc
        eBestNAcc
FigureOfMeritNavigationComputeType
        BEST_4
        BEST_N
        OVER_DETERMINED
        BEST_4_ACCURACY
        BEST_N_ACCURACY
AgEFmMethod
        eGDOP
        eHDOP
        eHDOP3
        ePDOP
        ePDOP3
        eTDOP
        eVDOP
        eVDOP3
        eGACC
        eHACC
        eHACC3
        ePACC
        ePACC3
        eTACC
        eVACC
        eVACC3
        eEDOP
        eEDOP3
        eNDOP
        eNDOP3
        eEACC
        eEACC3
        eNACC
        eNACC3
FigureOfMeritMethod
        GDOP
        HDOP
        HDOP3
        PDOP
        PDOP3
        TDOP
        VDOP
        VDOP3
        GACC
        HACC
        HACC3
        PACC
        PACC3
        TACC
        VACC
        VACC3
        EDOP
        EDOP3
        NDOP
        NDOP3
        EACC
        EACC3
        NACC
        NACC3
AgEFmEndGapOption
        eIgnore
        eInclude
FigureOfMeritEndGapOption
        IGNORE
        INCLUDE
AgEFmGfxContourType
        eBlockFill
        eSmoothFill
FigureOfMeritGraphics2DContourType
        BLOCK_FILL
        SMOOTH_FILL
AgEFmGfxColorMethod
        eColorRamp
        eExplicit
FigureOfMeritGraphics2DColorMethod
        COLOR_RAMP
        EXPLICIT
AgEFmGfxFloatingPointFormat
        eFloatingPoint
        eScientificE
        eScientific_e
FigureOfMeritGraphics2DFloatingPointFormat
        FLOATING_POINT
        SCIENTIFIC_UPPERCASE_E
        SCIENTIFIC_LOWERCASE_E
AgEFmGfxDirection
        eHorizontalMaxToMin
        eHorizontalMinToMax
        eVerticalMaxToMin
        eVerticalMinToMax
FigureOfMeritGraphics2DDirection
        HORIZONTAL_MAXIMUM_TO_MINIMUM
        HORIZONTAL_MINIMUM_TO_MAXIMUM
        VERTICAL_MAXIMUM_TO_MINIMUM
        VERTICAL_MINIMUM_TO_MAXIMUM
AgEFmGfxAccumulation
        eCurrentTime
        eNotCurrent
        eNotUpToCurrent
        eUpToCurrent
FigureOfMeritGraphics2DAccumulation
        CURRENT_TIME
        NOT_CURRENT
        NOT_UP_TO_CURRENT
        UP_TO_CURRENT
AgEFmNAMethodType
        eFmNAConstant
        eFmNAElevationAngle
FigureOfMeritNavigationAccuracyMethod
        CONSTANT
        ELEVATION_ANGLE
AgEIvClockHost IvClockHost
AgEIvTimeSense IvTimeSense
AgEGPSAttModelType
        eGPSModelTypeUnknown
        eGSPModelGYM95
        eGSPModelBlockIIANominal
        eGSPModelBlockIIRNominal
GPSAttitudeModelType
        UNKNOWN
        GYM95
        BLOCK_IIA_NOMINAL
        BLOCK_IIR_NOMINAL
AgECnCnstrRestriction
        eCnCnstrRestrictionUnknown
        eCnCnstrRestrictionAllOf
        eCnCnstrRestrictionAnyOf
        eCnCnstrRestrictionAtLeastN
        eCnCnstrRestrictionExactlyN
        eCnCnstrRestrictionNoneOf
ConstellationConstraintRestrictionType
        UNKNOWN
        ALL_OF
        ANY_OF
        AT_LEAST_N
        EXACTLY_N
        NONE_OF
AgEEventDetection
        eEventDetectionUnknown
        eEventDetectionNoSubSampling
        eEventDetectionUseSubSampling
EventDetection
        UNKNOWN
        NO_SUB_SAMPLING
        USE_SUB_SAMPLING
AgESamplingMethod
        eSamplingMethodUnknown
        eSamplingMethodAdaptive
        eSamplingMethodFixedStep
SamplingMethod
        UNKNOWN
        ADAPTIVE
        FIXED_STEP
AgECvSatisfactionType
        eCvSatisfactionTypeUnknown
        eCvAtLeast
        eCvEqualTo
CoverageSatisfactionType
        UNKNOWN
        AT_LEAST
        EQUAL_TO
AgECCSDSReferenceFrame
        eCCSDSReferenceFrameEME2000
        eCCSDSReferenceFrameFixed
        eCCSDSReferenceFrameITRF
        eCCSDSReferenceFrameTOD
        eCCSDSReferenceFrameMeanEarth
        eCCSDSReferenceFrameICRF
        eCCSDSReferenceFrameTEMEOfDate
        eCCSDSReferenceFrameITRF2000
        eCCSDSReferenceFrameITRF2005
        eCCSDSReferenceFrameITRF2008
        eCCSDSReferenceFrameITRF2014
        eCCSDSReferenceFrameITRF2020
        eCCSDSReferenceFrameGCRF
CCSDSReferenceFrame
        EME2000
        FIXED
        ITRF
        TOD
        MEAN_EARTH
        ICRF
        TEME_OF_DATE
        ITRF2000
        ITRF2005
        ITRF2008
        ITRF2014
        ITRF2020
        GCRF
AgECCSDSDateFormat
        eCCSDSDateFormatYDOY
        eCCSDSDateFormatYMD
CCSDSDateFormat
        YDOY
        YMD
AgECCSDSEphemFormat
        eCCSDSEphemFormatFloatingPoint
        eCCSDSEphemFormatSciNotation
CCSDSEphemerisFormatType
        FLOATING_POINT
        SCIENTIFIC_NOTATION
AgECCSDSTimeSystem
        eCCSDSTimeSystemUTC
        eCCSDSTimeSystemTAI
        eCCSDSTimeSystemGPS
        eCCSDSTimeSystemTT
        eCCSDSTimeSystemTDB
CCSDSTimeSystem
        UTC
        TAI
        GPS
        TT
        TDB
AgEStkEphemCoordinateSystem
        eStkEphemCoordinateSystemFixed
        eStkEphemCoordinateSystemInertial
        eStkEphemCoordinateSystemJ2000
        eStkEphemCoordinateSystemICRF
        eStkEphemCoordinateSystemTrueOfDate
        eStkEphemCoordinateSystemMeanEarth
        eStkEphemCoordinateSystemTEMEOfDate
        eStkEphemCoordinateSystemITRF2000
        eStkEphemCoordinateSystemITRF2005
        eStkEphemCoordinateSystemITRF2008
        eStkEphemCoordinateSystemITRF2014
        eStkEphemCoordinateSystemITRF2020
EphemerisCoordinateSystemType
        FIXED
        INERTIAL
        J2000
        ICRF
        TRUE_OF_DATE
        MEAN_EARTH
        TEME_OF_DATE
        ITRF2000
        ITRF2005
        ITRF2008
        ITRF2014
        ITRF2020
AgEStkEphemCovarianceType
        eStkEphemCovarianceTypeNone
        eStkEphemCovarianceTypePosition3x3
        eStkEphemCovarianceTypePositionVelocity6x6
EphemerisCovarianceType
        NONE
        POSITION_3_BY_3
        POSITION_VELOCITY_6_BY_6
AgEExportToolVersionFormat
        eExportToolVersionFormat410
        eExportToolVersionFormat420
        eExportToolVersionFormat430
        eExportToolVersionFormat600
        eExportToolVersionFormat620
        eExportToolVersionFormatCurrent
        eExportToolVersionFormat800
ExportToolVersionFormat
        FORMAT410
        FORMAT420
        FORMAT430
        FORMAT600
        FORMAT620
        CURRENT
        FORMAT800
AgEExportToolTimePeriod
        eExportToolTimePeriodSpecify
        eExportToolTimePeriodUseEntireEphemeris
ExportToolTimePeriodType
        SPECIFY
        USE_ENTIRE_EPHEMERIS
AgESpiceInterpolation
        eSpiceInterpolation09Langrangian
        eSpiceInterpolation13Hermitian
SpiceInterpolation
        LAGRANGE_9TH_ORDER
        HERMITE_13TH_ORDER
AgEAttCoordinateAxes
        eAttCoordinateAxesCustom
        eAttCoordinateAxesFixed
        eAttCoordinateAxesJ2000
        eAttCoordinateAxesICRF
        eAttCoordinateAxesInertial
AttitudeCoordinateAxes
        CUSTOM
        FIXED
        J2000
        ICRF
        INERTIAL
AgEAttInclude
        eAttIncludeQuaternions
        eAttIncludeQuaternionsAngularVelocity
AttitudeInclude
        QUATERNIONS
        QUATERNIONS_AND_ANGULAR_VELOCITY
AgEExportToolStepSize
        eExportToolStepSizeEphem
        eExportToolStepSizeSpecify
        eExportToolStepSizeNative
        eExportToolStepSizeTimeArray
ExportToolStepSizeType
        EPHEMERIS
        SPECIFY
        NATIVE
        TIME_ARRAY
AgETextOutlineStyle
        eTextOutlineStyleUnknown
        eTextOutlineStyleNone
        eTextOutlineStyleThick
        eTextOutlineStyleThin
TextOutlineStyle
        UNKNOWN
        NONE
        THICK
        THIN
AgEMtoRangeMode
        eMtoRangeModeEach
        eMtoRangeModeEachInRange
        eMtoRangeModeEachNotInRange
MTORangeMode
        EACH
        EACH_IN_RANGE
        EACH_NOT_IN_RANGE
AgEMtoTrackEval
        eMtoTrackEvalAll
        eMtoTrackEvalAny
MTOTrackEvaluationType
        ALL
        ANY
AgEMtoEntirety
        eMtoEntiretyAll
        eMtoEntiretyPartial
MTOEntirety
        ALL
        PARTIAL
AgEMtoVisibilityMode
        eVisibilityModeEach
        eVisibilityModeEachVisible
        eVisibilityModeEachNotVisible
MTOVisibilityMode
        EACH
        EACH_VISIBLE
        EACH_NOT_VISIBLE
AgEMtoObjectInterval
        eMtoObjectIntervalNormal
        eMtoObjectIntervalExtended
MTOObjectInterval
        NORMAL
        EXTENDED
AgEMtoInputDataType
        eMtoInputDataTimeLatLonAlt
        eMtoInputDataTimeCbf
        eMtoInputDataTimeVGT
MTOInputDataType
        DETIC
        CARTESIAN_IN_CENTRAL_BODY_FIXED
        CARTESIAN_IN_VECTOR_GEOMETRY_TOOL_SYSTEM
AgESolidTide SolidTide
AgETimePeriodValueType
        eTimePeriodToday
        eTimePeriodTomorrow
        eTimePeriodSpecify
        eTimePeriodDuration
        eTimePeriodNoonToday
        eTimePeriodNoonTomorrow
TimePeriodValueType
        TODAY
        TOMORROW
        SPECIFY
        DURATION
        NOON_TODAY
        NOON_TOMORROW
AgEOnePtAccessStatus
        eOnePtAccessStatusMax
        eOnePtAccessStatusMin
        eOnePtAccessStatusZero
        eOnePtAccessStatusLogical
        eOnePtAccessStatusInclusionInterval
        eOnePtAccessStatusExclusionInterval
        eOnePtAccessStatusOk
        eOnePtAccessStatusNotComputed
OnePointAccessStatus
        MAXIMUM
        MINIMUM
        ZERO
        LOGICAL
        INCLUSION_INTERVAL
        EXCLUSION_INTERVAL
        OK
        NOT_COMPUTED
AgEOnePtAccessSummary
        eOnePtAccessSummaryDetailed
        eOnePtAccessSummaryFast
        eOnePtAccessSummaryResultOnly
OnePointAccessSummary
        DETAILED
        FAST
        RESULT_ONLY
AgELookAheadPropagator
        eLookAheadUnknown
        eLookAheadHoldCBIPosition
        eLookAheadHoldCBFPosition
        eLookAheadTwoBody
        eLookAheadJ2Perturbation
        eLookAheadJ4Perturbation
        eLookAheadDeadReckon
        eLookAheadBallistic
LookAheadPropagator
        UNKNOWN
        HOLD_CENTRAL_BODY_INERTIAL_POSITION
        HOLD_CENTRAL_BODY_FIXED_POSITION
        TWO_BODY
        J2_PERTURBATION
        J4_PERTURBATION
        DEAD_RECKONING
        BALLISTIC
AgEVOMarkerOrientation
        eVOMarkerOrientationNone
        eVOMarkerOrientationAngle
        eVOMarkerOrientationFollowDirection
Graphics3DMarkerOrientation
        NONE
        ANGLE
        FOLLOW_DIRECTION
AgESRPModel
        eSRPModelUnknown
        eSRPModelGPS_BlkIIA_AeroT20
        eSRPModelGPS_BlkIIA_GSPM04a
        eSRPModelGPS_BlkIIA_GSPM04ae
        eSRPModelGPS_BlkIIR_AeroT30
        eSRPModelGPS_BlkIIR_GSPM04a
        eSRPModelGPS_BlkIIR_GSPM04ae
        eSRPModelSpherical
        eSRPModelPlugin
SolarRadiationPressureModelType
        UNKNOWN
        GPS_BLKIIA_AEROSPACE_T20
        GPS_BLKIIA_GSPM04A
        GPS_BLKIIA_GSPM04AE
        GPS_BLKIIA_AEROSPACE_T30
        GPS_BLKIIR_GSPM04A
        GPS_BLKIIR_GSPM04AE
        SPHERICAL
        PLUGIN
AgEDragModel
        eDragModelUnknown
        eDragModelSpherical
        eDragModelPlugin
DragModel
        UNKNOWN
        SPHERICAL
        PLUGIN
AgEVePropagationFrame
        ePropagationFrameUnknown
        ePropagationFrameInertial
        ePropagationFrameTrueOfDate
        ePropagationFrameTrueOfEpoch
VehiclePropagationFrame
        UNKNOWN
        INERTIAL
        TRUE_OF_DATE
        TRUE_OF_EPOCH
AgEStarReferenceFrame
        eStarReferenceFrameICRF
        eStarReferenceFrameJ2000
StarReferenceFrame
        ICRF
        J2000
AgEGPSReferenceWeek
        eGPSReferenceWeekUnknown
        eGPSReferenceWeek22Aug1999
        eGPSReferenceWeek06Jan1980
        eGPSReferenceWeek07Apr2019
GPSReferenceWeek
        UNKNOWN
        WEEK22_AUG1999
        WEEK06_JAN1980
        WEEK07_APR2019
AgECvCustomRegionAlgorithm
        eCvCustomRegionAlgorithmUnknown
        eCvCustomRegionAlgorithmDisabled
        eCvCustomRegionAlgorithmAnisotropic
        eCvCustomRegionAlgorithmIsotropic
CoverageCustomRegionAlgorithm
        UNKNOWN
        DISABLED
        ANISOTROPIC
        ISOTROPIC
AgEVeGPSSwitchMethod
        eGPSSwitchMethodEpoch
        eGPSSwitchMethodMidpoint
        eGPSSwitchMethodTCA
VehicleGPSSwitchMethod
        EPOCH
        MIDPOINT
        TIME_OF_CLOSEST_APPROACH
AgEVeGPSElemSelection
        eGPSElemSelectionUseAll
        eGPSElemSelectionUseFirst
VehicleGPSElementSelectionType
        USE_ALL
        USE_FIRST
AgEVeGPSAutoUpdateSource
        eGPSAutoUpdateSourceUnknown
        eGPSAutoUpdateSourceOnline
        eGPSAutoUpdateSourceFile
        eGPSAutoUpdateSourceNone
VehicleGPSAutomaticUpdateSourceType
        UNKNOWN
        ONLINE
        FILE
        NONE
AgEVeGPSAlmanacType
        eGPSAlmanacTypeNone
        eGPSAlmanacTypeYUMA
        eGPSAlmanacTypeSEM
        eGPSAlmanacTypeSP3
VehicleGPSAlmanacType
        NONE
        YUMA
        SEM
        SP3
AgEStkExternalEphemerisFormat
        eStkExternalEphemerisFormatUnknown
        eStkExternalEphemerisFormatSTK
        eStkExternalEphemerisFormatCCSDS
        eStkExternalEphemerisFormatITC
        eStkExternalEphemerisFormatSTKBinary
        eStkExternalEphemerisFormatCode500
        eStkExternalEphemerisFormatCCSDSv2
ExternalEphemerisFormatType
        UNKNOWN
        STK
        CCSDS
        ITC
        STK_BINARY
        CODE500
        CCSDS_V2
AgEStkExternalFileMessageLevel
        eStkExternalFileMessageLevelUnknown
        eStkExternalFileMessageLevelErrors
        eStkExternalFileMessageLevelWarnings
        eStkExternalFileMessageLevelVerbose
ExternalFileMessageLevelType
        UNKNOWN
        ERRORS
        WARNINGS
        VERBOSE
AgECv3dDrawAtAltMode
        eCv3dDrawFrontFacing
        eCv3dDrawBackFacing
        eCv3dDrawFrontAndBackFacing
Coverage3dDrawAtAltitudeMode
        FRONT_FACING
        BACK_FACING
        FRONT_AND_BACK_FACING
AgEDistanceOnSphere
        eDistanceOnSphereGreatCircle
        eDistanceOnSphereRhumbLine
DistanceOnSphere
        GREAT_CIRCLE
        RHUMB_LINE
AgEFmInvalidValueActionType
        eInvalidValueActionIgnore
        eInvalidValueActionInclude
FigureOfMeritInvalidValueActionType
        IGNORE
        INCLUDE
AgEVeSlewTimingBetweenTargets
        eVeSlewTimingBetweenTargetsUnknown
        eVeSlewTimingBetweenTargetsOptimal
        eVeSlewTimingBetweenTargetsSlewAfterTargetAcquisition
        eVeSlewTimingBetweenTargetsSlewAfterTargetLoss
        eVeSlewTimingBetweenTargetsSlewBeforeTargetAcquisition
        eVeSlewTimingBetweenTargetsSlewBeforeTargetLoss
VehicleSlewTimingBetweenTargetType
        UNKNOWN
        OPTIMAL
        SLEW_AFTER_TARGET_ACQUISITION
        SLEW_AFTER_TARGET_LOSS
        SLEW_BEFORE_TARGET_ACQUISITION
        SLEW_BEFORE_TARGET_LOSS
AgEVeSlewMode
        eVeSlewModeUnknown
        eVeSlewModeConstrained2ndOrderSpline
        eVeSlewModeConstrained3rdOrderSpline
        eVeSlewModeFixedRate
        eVeSlewModeFixedTime
VehicleSlewMode
        UNKNOWN
        CONSTRAINED_2ND_ORDER_SPLINE
        CONSTRAINED_3RD_ORDER_SPLINE
        FIXED_RATE
        FIXED_TIME
AgEComponent
        eComponentAll
        eComponentCommunication
        eComponentAstrogator
        eComponentRadar
        eComponentCollections
Component
        ALL
        COMMUNICATION
        ASTROGATOR
        RADAR
        COLLECTIONS
AgEVmDefinitionType
        eVmGridUnknown
        eVmGridSpatialCalculation
        eVmExternalFile
VolumetricDefinitionType
        UNKNOWN
        GRID_SPATIAL_CALCULATION
        FILE
AgEVmSpatialCalcEvalType
        eVmEvalUnknown
        eVmAtInstantInTime
        eVmAtTimesFromTimeArray
        eVmAtTimesAtStepSize
VolumetricSpatialCalculationEvaluationType
        UNKNOWN
        AT_INSTANT_IN_TIME
        AT_TIMES_FROM_TIME_ARRAY
        AT_TIMES_AT_STEP_SIZE
AgEVmSaveComputedDataType
        eVmSaveComputedDataUnknown
        eVmNoSaveComputedData
        eVmSaveComputedData
        eVmNoSaveComputeOnLoad
VolumetricSaveComputedDataType
        UNKNOWN
        NO_SAVE
        SAVE
        NO_SAVE_COMPUTE_ON_LOAD
AgEVmDisplayVolumeType
        eVmVolumeActiveGridPts
        eVmVolumeSpatialCalcLevels
VolumetricDisplayVolumeType
        ACTIVE_GRID_POINTS
        SPATIAL_CALCULATION_VALUE_LEVELS
AgEVmDisplayQualityType
        eVmQualityLow
        eVmQualityMedium
        eVmQualityHigh
        eVmQualityVeryHigh
VolumetricDisplayQualityType
        QUALITY_LOW
        QUALITY_MEDIUM
        QUALITY_HIGH
        QUALITY_VERY_HIGH
AgEVmLegendNumericNotation
        eVmFloatingPoint
        eVmScientificNotation_e
        eVmScientific_E
VolumetricLegendNumericNotationType
        FLOATING_POINT
        SCIENTIFIC_LOWERCASE_E
        SCIENTIFIC_UPPERCASE_E
AgEVmLevelOrder
        eVmHorizontalMinToMax
        eVmHorizontalMaxToMin
        eVmVerticalMinToMax
        eVmVerticalMaxToMin
VolumetricLevelOrder
        HORIZONTAL_MINIMUM_TO_MAXIMUM
        HORIZONTAL_MAXIMUM_TO_MINIMUM
        VERTICAL_MINIMUM_TO_MAXIMUM
        VERTICAL_MAXIMUM_TO_MINIMUM
AgESnEOIRProcessingLevels
        eGeometricInput
        eRadiometricInput
        eSensorOutput
        eSensorOff
SensorEOIRProcessingLevelType
        GEOMETRIC_INPUT
        RADIOMETRIC_INPUT
        SENSOR_OUTPUT
        SENSOR_OFF
AgESnEOIRJitterTypes
        eLOSGaussian
        ePSDFile
        eMTFFile
        ePSFFile
SensorEOIRJitterType
        LOS_GAUSSIAN
        POWER_SPECTRUM_DENSITY_FILE
        MODULATION_TRANSFER_FUNCTION_FILE
        POINT_SPREAD_FUNCTION_FILE
AgESnEOIRScanModes
        eFramingArray
SensorEOIRScanMode
        FRAMING_ARRAY
AgESnEOIRBandImageQuality
        eDiffractionLimited
        eNegligibleAberrations
        eMildAberrations
        eModerateAberrations
        eCustomWavefrontError
        eCustomPupilFunction
        eCustomPSF
        eCustomMTF
SensorEOIRBandImageQuality
        DIFFRACTION_LIMITED
        NEGLIGIBLE_ABERRATIONS
        MILD_ABERRATIONS
        MODERATE_ABERRATIONS
        CUSTOM_WAVEFRONT_ERROR
        CUSTOM_PUPIL_FUNCTION
        CUSTOM_PSF
        CUSTOM_MTF
AgESnEOIRBandSpectralShape
        eDefault
        eProvideRSR
SensorEOIRBandSpectralShape
        DEFAULT
        SPECIFIED_SYSTEM_RELATIVE_SPECTRAL_RESPONSE
AgESnEOIRBandSpatialInputMode
        eFOVandNumPix
        eFOVandPixelPitch
        eNumPixAndPixelPitch
SensorEOIRBandSpatialInputMode
        FIELD_OF_VIEW_AND_NUMBER_OF_PIXELS
        FIELD_OF_VIEW_AND_PIXEL_PITCH
        NUMBER_OF_PIXELS_AND_PIXEL_PITCH
AgESnEOIRBandSpectralRSRUnits
        eEnergyUnits
        eQuantaUnits
SensorEOIRBandSpectralRelativeSystemResponseUnitsType
        ENERGY_UNITS
        QUANTIZED_PARTICLE_UNITS
AgESnEOIRBandOpticalInputMode
        eFNumberAndFocalLength
        eFNumberAndApertureDiameter
        eFocalLengthAndApertureDiameter
SensorEOIRBandOpticalInputMode
        F_NUMBER_AND_FOCAL_LENGTH
        F_NUMBER_AND_APERTURE_DIAMETER
        FOCAL_LENGTH_AND_APERTURE_DIAMETER
AgESnEOIRBandOpticalTransmissionMode
        eBandEffectiveTransmission
        eTransmissionDataFile
SensorEOIRBandOpticalTransmissionMode
        BAND_EFFECTIVE_TRANSMISSION
        TRANSMISSION_DATA_FILE
AgESnEOIRBandRadParamLevel
        eHighLevelRadParams
        eLowLevelRadParams
SensorEOIRBandRadiometricParameterLevelType
        HIGH_LEVEL
        LOW_LEVEL
AgESnEOIRBandQEMode
        eQEBandEffective
        eQESpectralDataFile
SensorEOIRBandQuantumEfficiencyMode
        BAND_EFFECTIVE_QUANTUM_EFFICIENCY
        SPECTRAL_QUANTUM_EFFICIENCY_DATA_FILE
AgESnEOIRBandQuantizationMode
        eFullWellAndNoise
        eFullWellAndQSS
        eBitDepthAndNoise
        eBitDepthAndQSS
SensorEOIRBandQuantizationMode
        FULL_WELL_AND_NOISE
        FULL_WELL_AND_QSS
        BIT_DEPTH_AND_NOISE
        BIT_DEPTH_AND_QSS
AgESnEOIRBandWavelengthType
        eLowBandEdge
        eBandCenter
        eHighBandEdge
        eUserDefinedWavelength
SensorEOIRBandWavelengthType
        LOW_BAND_EDGE
        BAND_CENTER
        HIGH_BAND_EDGE
        USER_DEFINED_WAVELENGTH
AgESnEOIRBandSaturationMode
        eIrradiance
        eRadiance
SensorEOIRBandSaturationMode
        IRRADIANCE
        RADIANCE
AgEVmVolumeGridExportType
        eVmIncludeLinkToVolumeGrid
        eVmEmbedVolumeGridDefinition
VolumetricVolumeGridExportType
        INCLUDE_LINK_TO_VOLUME_GRID
        EMBED_VOLUME_GRID_DEFINITION
AgEVmDataExportFormatType
        eVmDataExportFormatHDF5
VolumetricDataExportFormatType
        HDF5
AgECnFromToParentConstraint
        eCnParentConstraintAny
        eCnParentConstraintSame
        eCnParentConstraintDifferent
ConstellationFromToParentConstraint
        ANY
        SAME_PARENT
        DIFFERENT_PARENT
AgEAWBAccessConstraints
        eCstrAWBAngle
        eCstrAWBVectorMag
        eCstrAWBCondition
        eCstrAWBCalcScalar
AnalysisWorkbenchAccessConstraintType
        ANGLE
        VECTOR_MAGNITUDE
        CONDITION
        CALCULATION_SCALAR
AgEStatistics
        eMean
        ePercentIntvl
        ePercentNotIntvl
        eStdDev
        eStatTotal
StatisticType
        MEAN
        PERCENT_INTERVAL
        PERCENT_NOT_INTERVAL
        STANDARD_DEVIATION
        TOTAL
AgETimeVarExtremum
        eMax
        eMaxOfSamples
        eMin
        eMinOfSamples
TimeVaryingExtremum
        MAXIMUM
        MAXIMUM_OF_SAMPLES
        MINIMUM
        MINIMUM_OF_SAMPLES
AgEModelGltfReflectionMapType
        eModelGltfProceduralEnvironment
        eModelGltfImageBased
ModelGltfReflectionMapType
        PROCEDURAL_ENVIRONMENT
        IMAGE_BASED
AgESnVOProjectionTimeDependencyType
        eSnVOConstant
        eSnVOTimeVarying
SensorGraphics3DProjectionTimeDependencyType
        CONSTANT
        TIME_VARYING
AgELOPAtmosphericDensityModel
        eLOPUnknownDensityModel
        eLOP1976StandardAtmosModel
        eLOPExponentialModel
LOPAtmosphericDensityModel
        UNKNOWN
        STANDARD_ATMOSPHERE_MODEL_1976
        EXPONENTIAL
AgELowAltAtmosphericDensityModel
        eLowAltAtmosDenModelUnknownDensityModel
        eLowAltAtmosDenModelNone
        eLowAltAtmosDenModelNRLMSISE2000
        eLowAltAtmosDenModelMSISE1990
LowAltitudeAtmosphericDensityModel
        UNKNOWN
        NONE
        NRLMSISE2000
        MSISE1990
AgEEphemExportToolFileFormat
        eCCSDSv2OrbitEphemerisMessage
        eCCSDSv2XML
EphemExportToolFileFormat
        ORBIT_EPHEMERIS_MESSAGE
        XML
AgEAdvCATEllipsoidClass
        eAdvCATClassFixed
        eAdvCATClassOrbitClass
        eAdvCATClassQuadratic
        eAdvCATClassQuadOrb
        eAdvCATClassCovariance
        eAdvCATClassCovarianceOffset
AdvCATEllipsoidClassType
        CLASS_FIXED
        CLASS_ORBIT_CLASS
        CLASS_QUADRATIC_IN_TIME
        CLASS_QUADRATIC_IN_TIME_BY_ORBIT_CLASS
        CLASS_COVARIANCE
        CLASS_COVARIANCE_OFFSET
AgEAdvCATConjunctionType
        eAdvCATConjunctionTypeGlobalOnly
        eAdvCATConjunctionTypeLocalOnly
        eAdvCATConjunctionTypeGlobalPlusLocal
        eAdvCATConjunctionTypeLocalPlusEndPoints
AdvCATConjunctionType
        GLOBAL_ONLY
        LOCAL_ONLY
        GLOBAL_PLUS_LOCAL
        LOCAL_PLUS_END_POINTS
AgEAdvCATSecondaryEllipsoidsVisibilityType
        eShowAllSecondaryEllipsoids
        eShowSecondaryEllipsoidsWithConjunctions
AdvCATSecondaryEllipsoidsVisibilityType
        SHOW_ALL_SECONDARY_ELLIPSOIDS
        SHOW_SECONDARY_ELLIPSOIDS_WITH_CONJUNCTIONS
AgEEOIRShapeType
        eEOIRShapeBox
        eEOIRShapeCone
        eEOIRShapeSphere
        eEOIRShapeCylinder
        eEOIRShapePlate
        eEOIRShapeNone
        eEOIRShapeCoupler
        eEOIRShapeGEOComm
        eEOIRShapeLEOComm
        eEOIRShapeLEOImaging
        eEOIRShapeCustomMesh
        eEOIRShapeTargetSignature
EOIRShapeType
        BOX
        CONE
        SPHERE
        CYLINDER
        PLATE
        NONE
        COUPLER
        GEO_COMM_SATELLITE
        LEO_COMM_SATELLITE
        LEO_IMAGING
        CUSTOM_MESH
        TARGET_SIGNATURE
AgEEOIRShapeMaterialSpecificationType
        eEOIRShapeMaterialSpecificationSingle
        eEOIRShapeMaterialSpecificationGeometricGroup
EOIRShapeMaterialSpecificationType
        SINGLE
        GEOMETRIC_GROUP
AgEEOIRThermalModelType
        eEOIRThermalModelStatic
        eEOIRThermalModelTimeProfile
        eEOIRThermalModelDataProvider
EOIRThermalModelType
        STATIC
        TIME_PROFILE
        DATA_PROVIDER
AgEEOIRFlightType
        eAgEEOIRFlightNone
        eAgEEOIRFlightPowered
        eAgEEOIRFlightFalling
EOIRFlightType
        NONE
        POWERED
        FALLING
AgEPropagatorDisplayCoordinateType
        ePropagatorDisplayCoordinateCartesian
        ePropagatorDisplayCoordinateClassical
        ePropagatorDisplayCoordinateEquinoctial
        ePropagatorDisplayCoordinateDelaunayVariables
        ePropagatorDisplayCoordinateMixedSpherical
        ePropagatorDisplayCoordinateSpherical
PropagatorDisplayCoordinateType
        CARTESIAN
        CLASSICAL
        EQUINOCTIAL
        DELAUNAY_VARIABLES
        MIXED_SPHERICAL
        SPHERICAL
AgEComponentLinkEmbedControlReferenceType ComponentLinkEmbedControlReferenceType
AgEExecMultiCmdResultAction ExecuteMultipleCommandsMode
AgENotificationFilterMask
        eNotificationFilterMaskNoEvents
        eNotificationFilterMaskAnimationEvents
        eNotificationFilterMaskScenarioEvents
        eNotificationFilterMaskLoggingEvents
        eNotificationFilterMaskObjectEvents
        eNotificationFilterMaskObjectChangedEvents
        eNotificationFilterMaskPercentCompleteEvents
        eNotificationFilterMaskObjectRenameEvents
        eNotificationFilterMaskEnableAllEvents
        eNotificationFilterMaskStkObject3dEditingEvents
        eNotificationFilterMaskStkObjectCutCopyPasteEvents
NotificationFilterMask
        NO_EVENTS
        ANIMATION_EVENTS
        SCENARIO_EVENTS
        LOGGING_EVENTS
        OBJECT_EVENTS
        OBJECT_CHANGED_EVENTS
        PERCENT_COMPLETE_EVENTS
        OBJECT_RENAME_EVENTS
        ENABLE_ALL_EVENTS
        STK_OBJECT_3D_EDITING_EVENTS
        STK_OBJECT_CUT_COPY_PASTE_EVENTS
AgESwathComputationalMethod
        eSwathComputationalMethodUnknown
        eSwathComputationalMethodAnalytical
        eSwathComputationalMethodNumerical
SwathComputationalMethod
        UNKNOWN
        ANALYTIC
        NUMERIC
AgELineStyle LineStyle
AgEFillStyle
        eFillStyleSolid
        eFillStyleHorizontalStripe
        eFillStyleDiagonalStripe1
        eFillStyleDiagonalStripe2
        eFillStyleHatch
        eFillStyleDiagonalHatch
        eFillStyleScreen
        eFillStyleVerticalStripe
FillStyle
        SOLID
        HORIZONTAL_STRIPE
        DIAGONAL_STRIPE1
        DIAGONAL_STRIPE2
        HATCH
        DIAGONAL_HATCH
        SCREEN
        VERTICAL_STRIPE
AgEClassicalLocation
        eLocationUnknown
        eLocationArgumentOfLatitude
        eLocationEccentricAnomaly
        eLocationMeanAnomaly
        eLocationTimePastAN
        eLocationTimePastPerigee
        eLocationTrueAnomaly
ClassicalLocation
        UNKNOWN
        ARGUMENT_OF_LATITUDE
        ECCENTRIC_ANOMALY
        MEAN_ANOMALY
        TIME_PAST_ASCENDING_NODE
        TIME_PAST_PERIGEE
        TRUE_ANOMALY
AgEOrientationAscNode
        eAscNodeUnknown
        eAscNodeLAN
        eAscNodeRAAN
OrientationAscNode
        UNKNOWN
        LONGITUDE_ASCENDING_NODE
        RIGHT_ASCENSION_ASCENDING_NODE
AgEGeodeticSize
        eGeodeticSizeUnknown
        eSizeAltitude
        eSizeRadius
GeodeticSize
        UNKNOWN
        ALTITUDE
        RADIUS
AgEDelaunayLType
        eDelaunayLTypeUnknown
        eL
        eLOverSQRTmu
DelaunayLType
        UNKNOWN
        L
        L_OVER_SQRT_MU
AgEDelaunayHType
        eDelaunayHTypeUnknown
        eH
        eHOverSQRTmu
DelaunayHType
        UNKNOWN
        H
        H_OVER_SQRT_MU
AgEDelaunayGType
        eDelaunayGTypeUnknown
        eG
        eGOverSQRTmu
DelaunayGType
        UNKNOWN
        G
        G_OVER_SQRT_MU
AgEEquinoctialSizeShape
        eEquinoctialSizeShapeUnknown
        eEquinoctialSizeShapeMeanMotion
        eEquinoctialSizeShapeSemimajorAxis
EquinoctialSizeShape
        UNKNOWN
        MEAN_MOTION
        SEMIMAJOR_AXIS
AgEMixedSphericalFPA
        eFPAUnknown
        eFPAHorizontal
        eFPAVertical
MixedSphericalFlightPathAngleType
        UNKNOWN
        HORIZONTAL
        VERTICAL
AgESphericalFPA
        eSphericalFPAUnknown
        eSphericalFPAHorizontal
        eSphericalFPAVertical
SphericalFlightPathAzimuthType
        UNKNOWN
        HORIZONTAL
        VERTICAL
AgEClassicalSizeShape
        eSizeShapeUnknown
        eSizeShapeAltitude
        eSizeShapeMeanMotion
        eSizeShapePeriod
        eSizeShapeRadius
        eSizeShapeSemimajorAxis
ClassicalSizeShape
        UNKNOWN
        ALTITUDE
        MEAN_MOTION
        PERIOD
        RADIUS
        SEMIMAJOR_AXIS
AgEEquinoctialFormulation
        eFormulationPosigrade
        eFormulationRetrograde
EquinoctialFormulation
        POSIGRADE
        RETROGRADE
AgECoordinateSystem
        eCoordinateSystemUnknown
        eCoordinateSystemAlignmentAtEpoch
        eCoordinateSystemB1950
        eCoordinateSystemFixed
        eCoordinateSystemJ2000
        eCoordinateSystemMeanOfDate
        eCoordinateSystemMeanOfEpoch
        eCoordinateSystemTEMEOfDate
        eCoordinateSystemTEMEOfEpoch
        eCoordinateSystemTrueOfDate
        eCoordinateSystemTrueOfEpoch
        eCoordinateSystemTrueOfRefDate
        eCoordinateSystemICRF
        eCoordinateSystemMeanEarth
        eCoordinateSystemFixedNoLibration
        eCoordinateSystemFixedIAU2003
        eCoordinateSystemPrincipalAxes421
        eCoordinateSystemPrincipalAxes403
        eCoordinateSystemInertial
        eCoordinateSystemJ2000Ecliptic
        eCoordinateSystemTrueEclipticOfDate
        eCoordinateSystemPrincipalAxes430
        eCoordinateSystemTrueOfDateRotating
        eCoordinateSystemEclipticJ2000ICRF
CoordinateSystem
        UNKNOWN
        ALIGNMENT_AT_EPOCH
        B1950
        FIXED
        J2000
        MEAN_OF_DATE
        MEAN_OF_EPOCH
        TEME_OF_DATE
        TEME_OF_EPOCH
        TRUE_OF_DATE
        TRUE_OF_EPOCH
        TRUE_OF_REFERENCE_DATE
        ICRF
        MEAN_EARTH
        FIXED_NO_LIBRATION
        FIXED_IAU2003
        PRINCIPAL_AXES421
        PRINCIPAL_AXES403
        INERTIAL
        J2000_ECLIPTIC
        TRUE_ECLIPTIC_OF_DATE
        PRINCIPAL_AXES430
        TRUE_OF_DATE_ROTATING
        ECLIPTIC_J2000ICRF
AgEOrbitStateType
        eOrbitStateCartesian
        eOrbitStateClassical
        eOrbitStateEquinoctial
        eOrbitStateDelaunay
        eOrbitStateSpherical
        eOrbitStateMixedSpherical
        eOrbitStateGeodetic
OrbitStateType
        CARTESIAN
        CLASSICAL
        EQUINOCTIAL
        DELAUNAY
        SPHERICAL
        MIXED_SPHERICAL
        GEODETIC
AgEAzElAboutBoresight
        eAzElAboutBoresightHold
        eAzElAboutBoresightRotate
AzElAboutBoresight
        HOLD
        ROTATE
AgEEulerOrientationSequence EulerOrientationSequenceType
AgEYPRAnglesSequence
        ePRY
        ePYR
        eRPY
        eRYP
        eYPR
        eYRP
YPRAnglesSequence
        PRY
        PYR
        RPY
        RYP
        YPR
        YRP
AgEScatteringPointProviderType
        eScatteringPointProviderTypeUnknown
        eScatteringPointProviderTypeSinglePoint
        eScatteringPointProviderTypeSmoothOblateEarth
        eScatteringPointProviderTypePlugin
        eScatteringPointProviderTypeRangeOverCFARCells
        eScatteringPointProviderTypePointsFile
ScatteringPointProviderType
        UNKNOWN
        SINGLE_POINT
        SMOOTH_OBLATE_EARTH
        PLUGIN
        RANGE_OVER_CFAR_CELLS
        POINTS_FILE
AgEScatteringPointModelType
        eScatteringPointModelTypeUnknown
        eScatteringPointModelTypePlugin
        eScatteringPointModelTypeConstantCoefficient
        eScatteringPointModelTypeWindTurbine
ScatteringPointModelType
        UNKNOWN
        PLUGIN
        CONSTANT_COEFFICIENT
        WIND_TURBINE
AgEScatteringPointProviderListType
        eScatteringPointProviderList
ScatteringPointProviderListType
        SCATTERING_POINT_PROVIDER_LIST
AgEPolarizationType
        ePolarizationTypeUnknown
        ePolarizationTypeElliptical
        ePolarizationTypeLHC
        ePolarizationTypeRHC
        ePolarizationTypeLinear
        ePolarizationTypeHorizontal
        ePolarizationTypeVertical
PolarizationType
        UNKNOWN
        ELLIPTICAL
        LEFT_HAND_CIRCULAR
        RIGHT_HAND_CIRCULAR
        LINEAR
        HORIZONTAL
        VERTICAL
AgEPolarizationReferenceAxis
        ePolarizationReferenceAxisX
        ePolarizationReferenceAxisY
        ePolarizationReferenceAxisZ
PolarizationReferenceAxis
        X
        Y
        Z
AgENoiseTempComputeType
        eNoiseTempComputeTypeConstant
        eNoiseTempComputeTypeCalculate
NoiseTemperatureComputeType
        CONSTANT
        CALCULATE
AgEPointingStrategyType
        ePointingStrategyTypeUnknown
        ePointingStrategyTypeFixed
        ePointingStrategyTypeSpinning
        ePointingStrategyTypeTargeted
PointingStrategyType
        UNKNOWN
        FIXED
        SPINNING
        TARGETED
AgEWaveformType
        eWaveformTypeUnknown
        eWaveformTypeRectangular
WaveformType
        UNKNOWN
        RECTANGULAR
AgEFrequencySpec
        eFrequencySpecFrequency
        eFrequencySpecWavelength
FrequencySpecificationType
        FREQUENCY
        WAVELENGTH
AgEPRFMode
        ePRFModePRF
        ePRFModeUnambigRng
        ePRFModeUnambigVel
PRFMode
        PRF
        UNAMBIGUOUS_RANGE
        UNAMBIGUOUS_VELOCITY
AgEPulseWidthMode
        ePulseWidthModePulseWidth
        ePulseWidthModeDutyFactor
PulseWidthMode
        PULSE_WIDTH
        DUTY_FACTOR
AgEWaveformSelectionStrategyType
        eWaveformSelectionStrategyTypeUnknown
        eWaveformSelectionStrategyTypeFixed
        eWaveformSelectionStrategyTypeRangeLimits
WaveformSelectionStrategyType
        UNKNOWN
        FIXED
        RANGE_LIMITS
AgERadarClutterGeometryModelType
        eRadarClutterGeometryModelTypeUnknown
        eRadarClutterGeometryModelTypeSinglePoint
        eRadarClutterGeometryModelTypeSmoothOblateEarth
        eRadarClutterGeometryModelTypePlugin
        eRadarClutterGeometryModelTypeRangeOverCFARCells
RadarClutterGeometryModelType
        UNKNOWN
        SINGLE_POINT
        SMOOTH_OBLATE_EARTH
        PLUGIN
        RANGE_OVER_CFAR_CELLS
AgEAntennaControlRefType
        eAntennaControlRefTypeLink
        eAntennaControlRefTypeEmbed
AntennaControlReferenceType
        LINK
        EMBED
AgEAntennaModelType
        eAntennaModelTypeUnknown
        eAntennaModelTypeGaussian
        eAntennaModelTypeParabolic
        eAntennaModelTypeSquareHorn
        eAntennaModelTypeScriptPlugin
        eAntennaModelTypeExternal
        eAntennaModelTypeGimroc
        eAntennaModelTypeIeee1979
        eAntennaModelTypeDipole
        eAntennaModelTypeHelix
        eAntennaModelTypeCosecantSquared
        eAntennaModelTypeHemispherical
        eAntennaModelTypeIsotropic
        eAntennaModelTypePencilBeam
        eAntennaModelTypeIntelSat
        eAntennaModelTypeRectangularPattern
        eAntennaModelTypeGpsGlobal
        eAntennaModelTypeGpsFrpa
        eAntennaModelTypeItuBO1213CoPolar
        eAntennaModelTypeItuBO1213CrossPolar
        eAntennaModelTypeItuF1245
        eAntennaModelTypeItuS580
        eAntennaModelTypeItuS465
        eAntennaModelTypeItuS731
        eAntennaModelTypeItuS1528R12Circular
        eAntennaModelTypeItuS1528R13
        eAntennaModelTypeItuS672Circular
        eAntennaModelTypeItuS1528R12Rectangular
        eAntennaModelTypeItuS672Rectangular
        eAntennaModelTypeApertureCircularCosine
        eAntennaModelTypeApertureCircularBessel
        eAntennaModelTypeApertureCircularBesselEnvelope
        eAntennaModelTypeApertureCircularCosinePedestal
        eAntennaModelTypeApertureCircularCosineSquared
        eAntennaModelTypeApertureCircularCosineSquaredPedestal
        eAntennaModelTypeApertureCircularSincIntPower
        eAntennaModelTypeApertureCircularSincRealPower
        eAntennaModelTypeApertureCircularUniform
        eAntennaModelTypeApertureRectangularCosine
        eAntennaModelTypeApertureRectangularCosinePedestal
        eAntennaModelTypeApertureRectangularCosineSquared
        eAntennaModelTypeApertureRectangularCosineSquaredPedestal
        eAntennaModelTypeApertureRectangularSincIntPower
        eAntennaModelTypeApertureRectangularSincRealPower
        eAntennaModelTypeApertureRectangularUniform
        eAntennaModelTypeOpticalSimple
        eAntennaModelTypeOpticalGaussian
        eAntennaModelTypePhasedArray
        eAntennaModelTypeElevationAzimuthCuts
        eAntennaModelTypeRemcomUanFormat
        eAntennaModelTypeANSYSffdFormat
        eAntennaModelTypeTicraGRASPFormat
        eAntennaModelTypeHfssEepArray
AntennaModelType
        UNKNOWN
        GAUSSIAN
        PARABOLIC
        SQUARE_HORN
        SCRIPT_PLUGIN
        EXTERNAL
        GIMROC
        IEEE1979
        DIPOLE
        HELIX
        COSECANT_SQUARED
        HEMISPHERICAL
        ISOTROPIC
        PENCIL_BEAM
        INTEL_SAT
        RECTANGULAR_PATTERN
        GPS_GLOBAL
        GPS_FRPA
        ITU_BO1213_COPOLAR
        ITU_BO1213_CROSS_POLAR
        ITU_F1245
        ITU_S580
        ITU_S465
        ITU_S731
        ITU_S1528R12_CIRCULAR
        ITU_S1528R13
        ITU_S672_CIRCULAR
        ITU_S1528R12_RECTANGULAR
        ITU_S672_RECTANGULAR
        CIRCULAR_COSINE
        BESSEL
        BESSEL_ENVELOPE
        CIRCULAR_COSINE_PEDESTAL
        CIRCULAR_COSINE_SQUARED
        CIRCULAR_COSINE_SQUARED_PEDESTAL
        CIRCULAR_SINC_INTEGER_POWER
        CIRCULAR_SINC_REAL_POWER
        CIRCULAR_UNIFORM
        RECTANGULAR_COSINE
        RECTANGULAR_COSINE_PEDESTAL
        RECTANGULAR_COSINE_SQUARED
        RECTANGULAR_COSINE_SQUARED_PEDESTAL
        RECTANGULAR_SINC_INTEGER_POWER
        RECTANGULAR_SINC_REAL_POWER
        RECTANGULAR_UNIFORM
        OPTICAL_SIMPLE
        OPTICAL_GAUSSIAN
        PHASED_ARRAY
        ELEVATION_AZIMUTH_CUTS
        REMCOM_UAN_FORMAT
        ANSYS_FFD_FORMAT
        TICRA_GRASP_FORMAT
        HFSS_EEP_ARRAY
AgEAntennaContourType
        eAntennaContourTypeGain
        eAntennaContourTypeEirp
        eAntennaContourTypeRip
        eAntennaContourTypeFluxDensity
        eAntennaContourTypeSpectralFluxDensity
AntennaContourType
        GAIN
        EIRP
        RIP
        FLUX_DENSITY
        SPECTRAL_FLUX_DENSITY
AgECircularApertureInputType
        eCircularApertureInputTypeBeamwidth
        eCircularApertureInputTypeDiameter
CircularApertureInputType
        BEAMWIDTH
        DIAMETER
AgERectangularApertureInputType
        eRectangularApertureInputTypeBeamwidths
        eRectangularApertureInputTypeDimensions
RectangularApertureInputType
        BEAMWIDTHS
        DIMENSIONS
AgEDirectionProviderType
        eDirectionProviderTypeUnknown
        eDirectionProviderTypeAsciiFile
        eDirectionProviderTypeObject
        eDirectionProviderTypeLink
        eDirectionProviderTypeScript
DirectionProviderType
        UNKNOWN
        ASCII_FILE
        OBJECT
        LINK
        SCRIPT
AgEBeamformerType
        eBeamformerTypeUnknown
        eBeamformerTypeMvdr
        eBeamformerTypeScript
        eBeamformerTypeAsciiFile
        eBeamformerTypeUniform
        eBeamformerTypeBlackmanHarris
        eBeamformerTypeCosine
        eBeamformerTypeCosineX
        eBeamformerTypeCustomTaperFile
        eBeamformerTypeDolphChebyshev
        eBeamformerTypeHamming
        eBeamformerTypeHann
        eBeamformerTypeRaisedCosine
        eBeamformerTypeRaisedCosineSquared
        eBeamformerTypeTaylor
BeamformerType
        UNKNOWN
        MVDR
        SCRIPT
        ASCII_FILE
        UNIFORM
        BLACKMAN_HARRIS
        COSINE
        COSINE_X
        CUSTOM_TAPER_FILE
        DOLPH_CHEBYSHEV
        HAMMING
        HANN
        RAISED_COSINE
        RAISED_COSINE_SQUARED
        TAYLOR
AgEElementConfigurationType
        eElementConfigurationTypeUnknown
        eElementConfigurationTypeCircular
        eElementConfigurationTypeHexagon
        eElementConfigurationTypeLinear
        eElementConfigurationTypePolygon
        eElementConfigurationTypeAsciiFile
        eElementConfigurationTypeHfssEepFile
ElementConfigurationType
        UNKNOWN
        CIRCULAR
        HEXAGON
        LINEAR
        POLYGON
        ASCII_FILE
        HFSS_EEP_FILE
AgELatticeType
        eLatticeTypeTriangular
        eLatticeTypeRectangular
LatticeType
        TRIANGULAR
        RECTANGULAR
AgESpacingUnit
        eSpacingUnitWavelengthRatio
        eSpacingUnitDistance
SpacingUnit
        WAVELENGTH_RATIO
        DISTANCE
AgELimitsExceededBehaviorType
        eLimitsExceededBehaviorTypeClampToLimit
        eLimitsExceededBehaviorTypeIgnoreObject
LimitsExceededBehaviorType
        CLAMP_TO_LIMIT
        IGNORE_OBJECT
AgETargetSelectionMethodType
        eTargetSelectionMethodRange
        eTargetSelectionMethodClosingVelocity
        eTargetSelectionMethodPriority
TargetSelectionMethod
        RANGE
        CLOSING_VELOCITY
        PRIORITY
AgEAntennaGraphicsCoordinateSystem
        eAgEAntennaGraphicsCoordinateSystemPolar
        eAgEAntennaGraphicsCoordinateSystemRectangular
        eAgEAntennaGraphicsCoordinateSystemSphericalAzEl
AntennaGraphicsCoordinateSystem
        POLAR
        RECTANGULAR
        SPHERICAL_AZ_EL
AgEAntennaModelInputType
        eAntennaModelInputTypeBeamwidth
        eAntennaModelInputTypeDiameter
        eAntennaModelInputTypeMainlobeGain
AntennaModelInputType
        BEAMWIDTH
        DIAMETER
        MAINLOBE_GAIN
AgEHfssFfdGainType
        eHfssFfdGainTypeTotalGain
        eHfssFfdGainTypeRealizedGain
HFSSFarFieldDataGainType
        TOTAL_GAIN
        REALIZED_GAIN
AgEAntennaModelCosecantSquaredSidelobeType
        eAntennaModelCosecantSquaredSidelobeValConstant
        eAntennaModelCosecantSquaredSidelobeSinc
        eAntennaModelCosecantSquaredSidelobeGaussian
        eAntennaModelCosecantSquaredSidelobeParabolic
        eAntennaModelCosecantSquaredSidelobeSquareHorn
AntennaModelCosecantSquaredSidelobeType
        CONSTANT
        SINC
        GAUSSIAN
        PARABOLIC
        SQUARE_HORN
AgEBeamSelectionStrategyType
        eBeamSelectionStrategyTypeUnknown
        eBeamSelectionStrategyTypeAggregate
        eBeamSelectionStrategyTypeMaxGain
        eBeamSelectionStrategyTypeMinBoresightAngle
        eBeamSelectionStrategyTypeScriptPlugin
BeamSelectionStrategyType
        UNKNOWN
        AGGREGATE
        MAXIMUM_GAIN
        MINIMUM_BORESIGHT_ANGLE
        SCRIPT_PLUGIN
AgETransmitterModelType
        eTransmitterModelTypeUnknown
        eTransmitterModelTypeSimple
        eTransmitterModelTypeMedium
        eTransmitterModelTypeComplex
        eReTransmitterModelTypeSimple
        eReTransmitterModelTypeMedium
        eReTransmitterModelTypeComplex
        eTransmitterModelTypeScriptPluginRF
        eTransmitterModelTypeScriptPluginLaser
        eTransmitterModelTypeLaser
        eTransmitterModelTypeCable
        eTransmitterModelTypeMultibeam
TransmitterModelType
        UNKNOWN
        SIMPLE
        MEDIUM
        COMPLEX
        RETRANSMITTER_MODEL_TYPE_SIMPLE
        RETRANSMITTER_MODEL_TYPE_MEDIUM
        RETRANSMITTER_MODEL_TYPE_COMPLEX
        SCRIPT_PLUGIN_RF
        SCRIPT_PLUGIN_LASER
        LASER
        CABLE
        MULTIBEAM
AgETransferFunctionType
        eTransferFunctionTypePolynomial
        eTransferFunctionTypeTableData
TransferFunctionType
        POLYNOMIAL
        TABLE_DATA
AgEReTransmitterOpMode
        eReTransmitterOpModeUnadjustedRcvFluxDensity
        eReTransmitterOpModeRcvAntGainDeltaAdjustedFluxDensity
        eReTransmitterOpModeConstantOutputPower
ReTransmitterOpMode
        UNADJUSTED_RECEIVE_FLUX_DENSITY
        RECEIVER_ANTENNA_GAIN_DELTA_ADJUSTED_FLUX_DENSITY
        CONSTANT_OUTPUT_POWER
AgEReceiverModelType
        eReceiverModelTypeUnknown
        eReceiverModelTypeSimple
        eReceiverModelTypeMedium
        eReceiverModelTypeComplex
        eReceiverModelTypeScriptPluginRF
        eReceiverModelTypeScriptPluginLaser
        eReceiverModelTypeCable
        eReceiverModelTypeLaser
        eReceiverModelTypeMultibeam
ReceiverModelType
        UNKNOWN
        SIMPLE
        MEDIUM
        COMPLEX
        SCRIPT_PLUGIN_RF
        SCRIPT_PLUGIN_LASER
        CABLE
        LASER
        MULTIBEAM
AgELinkMarginType
        eLinkMarginTypeBer
        eLinkMarginTypeEbOverNo
        eLinkMarginTypeCOverN
        eLinkMarginTypeCOverNo
        eLinkMarginTypeFluxDensity
        eLinkMarginTypeRcvdCarrierPower
        eLinkMarginTypeRip
LinkMarginType
        BIT_ERROR_RATE
        EB_OVER_N0
        C_OVER_N
        C_OVER_N0
        FLUX_DENSITY
        RECEIVED_CARRIER_POWER
        RECEIVED_ISOTROPIC_POWER
AgERadarStcAttenuationType
        eRadarStcAttenuationTypeUnknown
        eRadarStcAttenuationTypeDecayFactor
        eRadarStcAttenuationTypeDecaySlope
        eRadarStcAttenuationTypeMapRange
        eRadarStcAttenuationTypeMapAzimuthRange
        eRadarStcAttenuationTypeMapElevationRange
        eRadarStcAttenuationTypePlugin
RadarSTCAttenuationType
        UNKNOWN
        DECAY_FACTOR
        DECAY_SLOPE
        MAP_RANGE
        MAP_AZIMUTH_RANGE
        MAP_ELEVATION_RANGE
        PLUGIN
AgERadarFrequencySpec
        eRadarFrequencySpecFrequency
        eRadarFrequencySpecWavelength
RadarFrequencySpecificationType
        FREQUENCY
        WAVELENGTH
AgERadarSNRContourType
        eRadarSNRContourTypeSinglePulse
        eRadarSNRContourTypeIntegrated
RadarSNRContourType
        SINGLE_PULSE
        INTEGRATED
AgERadarModelType
        eRadarModelTypeUnknown
        eRadarModelTypeMonostatic
        eRadarModelTypeBistaticTransmitter
        eRadarModelTypeBistaticReceiver
        eRadarModelTypeMultifunction
RadarModelType
        UNKNOWN
        MONOSTATIC
        BISTATIC_TRANSMITTER
        BISTATIC_RECEIVER
        MULTIFUNCTION
AgERadarModeType
        eRadarModeTypeUnknown
        eRadarModeTypeSearchTrack
        eRadarModeTypeSar
RadarMode
        UNKNOWN
        SEARCH_TRACK
        SAR
AgERadarWaveformSearchTrackType
        eRadarWaveformSearchTrackTypeFixedPRF
        eRadarWaveformSearchTrackTypeContinuous
RadarWaveformSearchTrackType
        FIXED_PRF
        CONTINUOUS
AgERadarSearchTrackPRFMode
        eRadarSearchTrackPRFModePRF
        eRadarSearchTrackPRFModeUnambigRng
        eRadarSearchTrackPRFModeUnambigVel
RadarSearchTrackPRFMode
        PRF
        UNAMBIGUOUS_RANGE
        UNAMBIGUOUS_VELOCITY
AgERadarSearchTrackPulseWidthMode
        eRadarSearchTrackPulseWidthModePulseWidth
        eRadarSearchTrackPulseWidthModeDutyFactor
RadarSearchTrackPulseWidthMode
        PULSE_WIDTH
        DUTY_FACTOR
AgERadarSarPRFMode
        eRadarSarPRFModePRF
        eRadarSarPRFModeUnambigRng
RadarSarPRFMode
        PRF
        UNAMBIGUOUS_RANGE
AgERadarSarRangeResolutionMode
        eRadarSarRangeResolutionModeRangeResolution
        eRadarSarRangeResolutionModeBandwidth
RadarSarRangeResolutionMode
        RANGE_RESOLUTION
        BANDWIDTH
AgERadarSarPcrMode
        eRadarSarPcrModePcr
        eRadarSarPcrModePulseWidth
        eRadarSarPcrModeSceneDepth
        eRadarSarPcrModeFMChirpRate
RadarSarPcrMode
        PULSE_COMPRESSION_RATIO
        PULSE_WIDTH
        SCENE_DEPTH
        FM_CHIRP_RATE
AgERadarSarPulseIntegrationAnalysisModeType
        eRadarSarPulseIntegrationAnalysisModeTypeFixedAzRes
        eRadarSarPulseIntegrationAnalysisModeTypeFixedIntTime
RadarSARPulseIntegrationAnalysisMode
        FIXED_AZIMUTH_RESOLUTION
        FIXED_INTEGRATION_TIME
AgERadarPDetType
        eRadarPDetTypeUnknown
        eRadarPDetTypeCFAR
        eRadarPDetTypeNonCFAR
        eRadarPDetTypeCFARCellAveraging
        eRadarPDetTypeCFAROrderedStatistics
        eRadarPDetTypePlugin
RadarProbabilityOfDetectionType
        UNKNOWN
        CFAR
        NON_CFAR
        CFAR_CELL_AVERAGING
        CFAR_ORDERED_STATISTICS
        PLUGIN
AgERadarPulseIntegrationType
        eRadarPulseIntegrationTypeGoalSNR
        eRadarPulseIntegrationTypeFixedNumberOfPulses
RadarPulseIntegrationType
        GOAL_SNR
        FIXED_NUMBER_OF_PULSES
AgERadarPulseIntegratorType
        eRadarPulseIntegratorTypePerfect
        eRadarPulseIntegratorTypeConstantEfficiency
        eRadarPulseIntegratorTypeExponentOnPulseNumber
        eRadarPulseIntegratorTypeIntegrationFile
RadarPulseIntegratorType
        PERFECT
        CONSTANT_EFFICIENCY
        EXPONENT_ON_PULSE_NUMBER
        INTEGRATION_FILE
AgERadarContinuousWaveAnalysisModeType
        eRadarContinuousWaveAnalysisModeTypeGoalSNR
        eRadarContinuousWaveAnalysisModeTypeFixedTime
RadarContinuousWaveAnalysisMode
        GOAL_SNR
        FIXED_TIME
AgERadarClutterMapModelType
        eRadarClutterMapModelTypeUnknown
        eRadarClutterMapModelTypePlugin
        eRadarClutterMapModelTypeConstantCoefficient
RadarClutterMapModelType
        UNKNOWN
        PLUGIN
        CONSTANT_COEFFICIENT
AgERadarSwerlingCase
        eRadarSwerlingCase0
        eRadarSwerlingCaseI
        eRadarSwerlingCaseII
        eRadarSwerlingCaseIII
        eRadarSwerlingCaseIV
RadarSwerlingCase
        CASE_0
        CASE_I
        CASE_II
        CASE_III
        CASE_IV
AgERCSComputeStrategy
        eRCSComputeStrategyUnknown
        eRCSComputeStrategyPlugin
        eRCSComputeStrategyConstantValue
        eRCSComputeStrategyScriptPlugin
        eRCSComputeStrategyExternalFile
        eRCSComputeStrategyAnsysCsvFile
RCSComputeStrategy
        UNKNOWN
        PLUGIN
        CONSTANT_VALUE
        SCRIPT_PLUGIN
        EXTERNAL_FILE
        ANSYS_CSV_FILE
AgERadarActivityType
        eRadarActivityTypeUnknown
        eRadarActivityTypeAlwaysActive
        eRadarActivityTypeAlwaysInactive
        eRadarActivityTypeTimeComponentList
        eRadarActivityTypeTimeIntervalList
RadarActivityType
        UNKNOWN
        ALWAYS_ACTIVE
        ALWAYS_INACTIVE
        TIME_COMPONENT_LIST
        TIME_INTERVAL_LIST
AgERadarCrossSectionContourGraphicsPolarization
        eRadarCrossSectionContourGraphicsPolarizationPrimary
        eRadarCrossSectionContourGraphicsPolarizationOrthogonal
RadarCrossSectionContourGraphicsPolarization
        PRIMARY
        ORTHOGONAL
AgERFFilterModelType
        eRFFilterModelTypeUnknown
        eRFFilterModelTypeBessel
        eRFFilterModelTypeButterworth
        eRFFilterModelTypeSincEnvSinc
        eRFFilterModelTypeElliptic
        eRFFilterModelTypeChebyshev
        eRFFilterModelTypeCosineWindow
        eRFFilterModelTypeGaussianWindow
        eRFFilterModelTypeHammingWindow
        eRFFilterModelTypeExternal
        eRFFilterModelTypeScriptPlugin
        eRFFilterModelTypeSinc
        eRFFilterModelTypeRectangular
        eRFFilterModelTypeRaisedCosine
        eRFFilterModelTypeRootRaisedCosine
        eRFFilterModelTypeRcLowPass
        eRFFilterModelTypeFirBoxCar
        eRFFilterModelTypeFir
        eRFFilterModelTypeIir
RFFilterModelType
        UNKNOWN
        BESSEL
        BUTTERWORTH
        SINC_ENVELOPE_SINC
        ELLIPTIC
        CHEBYSHEV
        COSINE_WINDOW
        GAUSSIAN_WINDOW
        HAMMING_WINDOW
        EXTERNAL
        SCRIPT_PLUGIN
        SINC
        RECTANGULAR
        RAISED_COSINE
        ROOT_RAISED_COSINE
        RC_LOW_PASS
        FIR_BOX_CAR
        FIR
        IIR
AgEModulatorModelType
        eModulatorModelTypeUnknown
        eModulatorModelTypeBpsk
        eModulatorModelTypeQpsk
        eModulatorModelTypeExternalSource
        eModulatorModelTypeExternal
        eModulatorModelTypeQam1024
        eModulatorModelTypeQam128
        eModulatorModelTypeQam16
        eModulatorModelTypeQam256
        eModulatorModelTypeQam32
        eModulatorModelTypeQam64
        eModulatorModelType8psk
        eModulatorModelType16psk
        eModulatorModelTypeMsk
        eModulatorModelTypeBoc
        eModulatorModelTypeDpsk
        eModulatorModelTypeFsk
        eModulatorModelTypeNfsk
        eModulatorModelTypeOqpsk
        eModulatorModelTypeNarrowbandUniform
        eModulatorModelTypeWidebandUniform
        eModulatorModelTypeWidebandGaussian
        eModulatorModelTypePulsedSignal
        eModulatorModelTypeScriptPluginCustomPsd
        eModulatorModelTypeScriptPluginIdealPsd
ModulatorModelType
        UNKNOWN
        BPSK
        QPSK
        EXTERNAL_SOURCE
        EXTERNAL
        QAM1024
        QAM128
        QAM16
        QAM256
        QAM32
        QAM64
        TYPE8_PSK
        TYPE16_PSK
        MSK
        BOC
        DPSK
        FSK
        NFSK
        OQPSK
        NARROWBAND_UNIFORM
        WIDEBAND_UNIFORM
        WIDEBAND_GAUSSIAN
        PULSED_SIGNAL
        SCRIPT_PLUGIN_CUSTOM_PSD
        SCRIPT_PLUGIN_IDEAL_PSD
AgEDemodulatorModelType
        eDemodulatorModelTypeUnknown
        eDemodulatorModelTypeBpsk
        eDemodulatorModelTypeQpsk
        eDemodulatorModelTypeExternalSource
        eDemodulatorModelTypeExternal
        eDemodulatorModelTypeQam1024
        eDemodulatorModelTypeQam128
        eDemodulatorModelTypeQam16
        eDemodulatorModelTypeQam256
        eDemodulatorModelTypeQam32
        eDemodulatorModelTypeQam64
        eDemodulatorModelType8psk
        eDemodulatorModelType16psk
        eDemodulatorModelTypeMsk
        eDemodulatorModelTypeBoc
        eDemodulatorModelTypeDpsk
        eDemodulatorModelTypeFsk
        eDemodulatorModelTypeNfsk
        eDemodulatorModelTypeOqpsk
        eDemodulatorModelTypeNarrowbandUniform
        eDemodulatorModelTypeWidebandUniform
        eDemodulatorModelTypeWidebandGaussian
        eDemodulatorModelTypePulsedSignal
        eDemodulatorModelTypeScriptPlugin
DemodulatorModelType
        UNKNOWN
        BPSK
        QPSK
        EXTERNAL_SOURCE
        EXTERNAL
        QAM1024
        QAM128
        QAM16
        QAM256
        QAM32
        QAM64
        TYPE8_PSK
        TYPE16_PSK
        MSK
        BOC
        DPSK
        FSK
        NFSK
        OQPSK
        NARROWBAND_UNIFORM
        WIDEBAND_UNIFORM
        WIDEBAND_GAUSSIAN
        PULSED_SIGNAL
        SCRIPT_PLUGIN
AgERainLossModelType
        eRainLossModelTypeUnknown
        eRainLossModelTypeITURP618_10
        eRainLossModelTypeCrane1985
        eRainLossModelTypeCrane1982
        eRainLossModelTypeCCIR1983
        eRainLossModelTypeScriptPlugin
        eRainLossModelTypeITURP618_12
        eRainLossModelTypeITURP618_13
RainLossModelType
        UNKNOWN
        ITU_R_P618_10
        CRANE1985
        CRANE1982
        CCIR1983
        SCRIPT_PLUGIN
        ITU_R_P618_12
        ITU_R_P618_13
AgEAtmosphericAbsorptionModelType
        eAtmosphericAbsorptionModelTypeUnknown
        eAtmosphericAbsorptionModelTypeITURP676_9
        eAtmosphericAbsorptionModelTypeTirem331
        eAtmosphericAbsorptionModelTypeTirem320
        eAtmosphericAbsorptionModelTypeSimpleSatcom
        eAtmosphericAbsorptionModelTypeScriptPlugin
        eAtmosphericAbsorptionModelTypeTirem550
        eAtmosphericAbsorptionModelTypeVoacap
        eAtmosphericAbsorptionModelTypeCOMPlugin
        eAtmosphericAbsorptionModelTypeITURP676_13
AtmosphericAbsorptionModelType
        UNKNOWN
        ITURP676_9
        TIREM331
        TIREM320
        SIMPLE_SATCOM
        SCRIPT_PLUGIN
        TIREM550
        GRAPHICS_3D_ACAP
        COM_PLUGIN
        ITURP676_13
AgEUrbanTerrestrialLossModelType
        eUrbanTerrestrialLossModelTypeUnknown
        eUrbanTerrestrialLossModelTypeTwoRay
        eUrbanTerrestrialLossModelTypeWirelessInSiteRT
        eUrbanTerrestrialLossModelTypeWirelessInSite64
UrbanTerrestrialLossModelType
        UNKNOWN
        TWO_RAY
        WIRELESS_INSITE_REAL_TIME
        WIRELESS_INSITE_64
AgECloudsAndFogFadingLossModelType
        eCloudsAndFogFadingLossModelTypeUnknown
        eCloudsAndFogFadingLossModelP840_6Type
        eCloudsAndFogFadingLossModelP840_7Type
CloudsAndFogFadingLossModelType
        UNKNOWN
        P_840_6_TYPE
        P_840_7_TYPE
AgECloudsAndFogLiquidWaterChoices
        eCloudsAndFogLiqWaterChoiceUnknown
        eCloudsAndFogLiqWaterChoiceDensityValue
        eCloudsAndFogLiqWaterChoiceAnnualExceeded
        eCloudsAndFoglLiqWaterChoiceMonthlyExceeded
CloudsAndFogLiquidWaterChoiceType
        UNKNOWN
        DENSITY_VALUE
        ANNUAL_EXCEEDED
        MONTHLY_EXCEEDED
AgEIonosphericFadingLossModelType
        eIonosphericFadingLossModelTypeUnknown
        eIonosphericFadingLossModelP531_13Type
IonosphericFadingLossModelType
        UNKNOWN
        P_531_13
AgETroposphericScintillationFadingLossModelType
        eTroposphericScintillationFadingLossModelTypeUnknown
        eTroposphericScintillationFadingLossModelP618_8Type
        eTroposphericScintillationFadingLossModelP618_12Type
TroposphericScintillationFadingLossModelType
        UNKNOWN
        P_618_8
        P_618_12
AgETroposphericScintillationAverageTimeChoices
        eTroposphericScintillationAverageTimeChoiceUnknown
        eTroposphericScintillationAverageTimeChoiceYear
        eTroposphericScintillationAverageTimeChoiceWorstMonth
TroposphericScintillationAverageTimeChoiceType
        UNKNOWN
        YEAR
        WORST_MONTH
AgEProjectionHorizontalDatumType
        eProjectionHorizontalDatumTypeLatLonWGS84
        eProjectionHorizontalDatumTypeUTMWGS84
ProjectionHorizontalDatumType
        WGS84_LATITUDE_LONGITUDE
        WGS84_UTM
AgEBuildHeightReferenceMethod
        eBuildHeightReferenceMethodHeightAboveTerrain
        eBuildHeightReferenceMethodHeightAboveSeaLevel
BuildHeightReferenceMethod
        HEIGHT_ABOVE_TERRAIN
        HEIGHT_ABOVE_SEA_LEVEL
AgEBuildHeightUnit
        eBuildHeightUnitFeet
        eBuildHeightUnitMeters
BuildingHeightUnit
        FEET
        METERS
AgETiremPolarizationType
        eTiremPolarizationTypeVertical
        eTiremPolarizationTypeHorizontal
TIREMPolarizationType
        VERTICAL
        HORIZONTAL
AgEVoacapSolarActivityConfigurationType
        eVoacapSolarActivityConfigurationTypeUnknown
        eVoacapSolarActivityConfigurationTypeSunspotNumber
        eVoacapSolarActivityConfigurationTypeSolarFlux
Graphics3DACAPSolarActivityConfigurationType
        UNKNOWN
        SUNSPOT_NUMBER
        SOLAR_FLUX
AgEVoacapCoefficientDataType
        eVoacapCoefficientDataTypeCcir
        eVoacapCoefficientDataTypeUrsi
Graphics3DACAPCoefficientDataType
        CCIR
        URSI
AgELaserPropagationLossModelType
        eLaserPropagationLossModelTypeUnknown
        eLaserPropagationLossModelTypeBeerBouguerLambertLaw
        eLaserPropagationLossModelModtranLookupTableType
        eLaserPropagationLossModelModtranType
LaserPropagationLossModelType
        UNKNOWN
        BEER_BOUGUER_LAMBERT_LAW
        MODTRAN_LOOKUP_TABLE
        MODTRAN
AgELaserTroposphericScintillationLossModelType
        eLaserTroposphericScintillationLossModelTypeUnknown
        eLaserTroposphericScintillationLossModelTypeITURP1814
LaserTroposphericScintillationLossModelType
        UNKNOWN
        ITURP_1814
AgEAtmosphericTurbulenceModelType
        eAtmosphericTurbulenceModelTypeUnknown
        eAtmosphericTurbulenceModelTypeConstant
        eAtmosphericTurbulenceModelTypeHufnagelValley
AtmosphericTurbulenceModelType
        UNKNOWN
        CONSTANT
        HUFNAGEL_VALLEY
AgEModtranAerosolModelType
        eModtranAerosolModelTypeRuralHiVis
        eModtranAerosolModelTypeRuralLowVis
        eModtranAerosolModelTypeNavyMaritime
        eModtranAerosolModelTypeMaritime
        eModtranAerosolModelTypeUrban
        eModtranAerosolModelTypeTropospheric
        eModtranAerosolModelTypeFogLowVis
        eModtranAerosolModelTypeFogHiVis
        eModtranAerosolModelTypeDesert
ModtranAerosolModelType
        RURAL_HIGH_VISIBILITY
        RURAL_LOW_VISIBILITY
        NAVY_MARITIME
        MARITIME
        URBAN
        TROPOSPHERIC
        FOG_LOW_VISIBILITY
        FOG_HIGH_VISIBILITY
        DESERT
AgEModtranCloudModelType
        eModtranCloudModelTypeNone
        eModtranCloudModelTypeCumulus
        eModtranCloudModelTypeAltostratus
        eModtranCloudModelTypeStratus
        eModtranCloudModelTypeStratocumulus
        eModtranCloudModelTypeNimbostratus
        eModtranCloudModelTypeRainDrizzle
        eModtranCloudModelTypeRainLight
        eModtranCloudModelTypeRainModerate
        eModtranCloudModelTypeRainExtreme
        eModtranCloudModelTypeCirrus
        eModtranCloudModelTypeCirrusThin
ModtranCloudModelType
        NONE
        CUMULUS
        ALTOSTRATUS
        STRATUS
        STRATOCUMULUS
        NIMBOSTRATUS
        RAIN_DRIZZLE
        RAIN_LIGHT
        RAIN_MODERATE
        RAIN_EXTREME
        CIRRUS
        CIRRUS_THIN
AgECommSystemReferenceBandwidth
        eCommSystemReferenceBandwidth1Hz
        eCommSystemReferenceBandwidth4kHz
        eCommSystemReferenceBandwidth40kHz
        eCommSystemReferenceBandwidth1MHz
        eCommSystemReferenceBandwidth10MHz
        eCommSystemReferenceBandwidth20MHz
        eCommSystemReferenceBandwidth40MHz
CommSystemReferenceBandwidth
        BANDWIDTH_1_HZ
        BANDWIDTH_4_KHZ
        BANDWIDTH_40_KHZ
        BANDWIDTH_1_MHZ
        BANDWIDTH_10_MHZ
        BANDWIDTH_20_MHZ
        BANDWIDTH_40_MHZ
AgECommSystemConstrainingRole
        eCommSystemConstrainingRoleTransmit
        eCommSystemConstrainingRoleReceive
CommSystemConstrainingRole
        TRANSMIT
        RECEIVE
AgECommSystemSaveMode
        eCommSystemSaveModeDoNotSaveComputeData
        eCommSystemSaveModeComputeDataOnLoad
        eCommSystemSaveModeSaveComputeData
CommSystemSaveMode
        DO_NOT_SAVE_COMPUTED_DATA
        COMPUTE_DATA_ON_LOAD
        SAVE_COMPUTED_DATA
AgECommSystemAccessEventDetectionType
        eCommSystemAccessEventDetectionTypeUnknown
        eCommSystemAccessEventDetectionTypeSubSample
        eCommSystemAccessEventDetectionTypeSamplesOnly
CommSystemAccessEventDetectionType
        UNKNOWN
        SUB_SAMPLE
        SAMPLES_ONLY
AgECommSystemAccessSamplingMethodType
        eCommSystemAccessSamplingMethodTypeUnknown
        eCommSystemAccessSamplingMethodTypeFixed
        eCommSystemAccessSamplingMethodTypeAdaptive
CommSystemAccessSamplingMethodType
        UNKNOWN
        FIXED
        ADAPTIVE
AgECommSystemLinkSelectionCriteriaType
        eCommSystemLinkSelectionCriteriaTypeUnknown
        eCommSystemLinkSelectionCriteriaTypeMinimumRange
        eCommSystemLinkSelectionCriteriaTypeMaximumElevation
        eCommSystemLinkSelectionCriteriaTypeScriptPlugin
CommSystemLinkSelectionCriteriaType
        UNKNOWN
        MINIMUM_RANGE
        MAXIMUM_ELEVATION
        SCRIPT_PLUGIN
AgEDirectionType
        eDirEuler
        eDirPR
        eDirRADec
        eDirXYZ
DirectionType
        EULER
        PR
        RA_DEC
        XYZ
AgESpEnvNasaModelsActivity
        eSpEnvNasaModelsActivityUnknown
        eSpEnvNasaModelsActivitySolarMin
        eSpEnvNasaModelsActivitySolarMax
SpaceEnvironmentNasaModelsActivity
        UNKNOWN
        SOLAR_MINIMUM
        SOLAR_MAXIMUM
AgESpEnvCrresProtonActivity
        eSpEnvCrresProtonActivityUnknown
        eSpEnvCrresProtonActivityActive
        eSpEnvCrresProtonActivityQuiet
SpaceEnvironmentCrresProtonActivity
        UNKNOWN
        ACTIVE
        QUIET
AgESpEnvCrresRadiationActivity
        eSpEnvCrresRadiationUnknown
        eSpEnvCrresRadiationActivityActive
        eSpEnvCrresRadiationActivityAverage
        eSpEnvCrresRadiationActivityQuiet
SpaceEnvironmentCrresRadiationActivity
        UNKNOWN
        ACTIVE
        AVERAGE
        QUIET
AgESpEnvMagFieldColorMode
        eSpEnvMagFieldColorModeUnknown
        eSpEnvMagFieldColorModeFieldMagnitude
        eSpEnvMagFieldColorModeLatitudeLine
SpaceEnvironmentMagneticFieldColorMode
        UNKNOWN
        FIELD_MAGNITUDE
        LATITUDE_LINE
AgESpEnvMagFieldColorScale
        eSpEnvMagFieldColorScaleUnknown
        eSpEnvMagFieldColorScaleLinear
        eSpEnvMagFieldColorScaleLog
SpaceEnvironmentMagneticFieldColorScaleType
        UNKNOWN
        LINEAR
        LOG
AgESpEnvMagneticMainField
        eSpEnvMagneticMainFieldUnknown
        eSpEnvMagneticMainFieldIGRF
        eSpEnvMagneticMainFieldOffsetDipole
        eSpEnvMagneticMainFieldFastIGRF
        eSpEnvMagneticMainFieldTiltedDipole
SpaceEnvironmentMagneticMainField
        UNKNOWN
        IGRF
        OFFSET_DIPOLE
        FAST_IGRF
        TILTED_DIPOLE
AgESpEnvMagneticExternalField
        eSpEnvMagneticExternalFieldUnknown
        eSpEnvMagneticExternalFieldNone
        eSpEnvMagneticExternalFieldOlsonPfitzer
SpaceEnvironmentMagneticExternalField
        UNKNOWN
        NONE
        OLSON_PFITZER
AgESpEnvSAAChannel
        eSpEnvSAAChannelUnknown
        eSpEnvSAAChannel23MeV
        eSpEnvSAAChannel38MeV
        eSpEnvSAAChannel66MeV
        eSpEnvSAAChannel94MeV
SpaceEnvironmentSAAChannel
        UNKNOWN
        CHANNEL_23_MEV
        CHANNEL_38_MEV
        CHANNEL_66_MEV
        CHANNEL_94_MEV
AgESpEnvSAAFluxLevel
        eSpEnvSAAFluxLevelUnknown
        eSpEnvSAAFluxLevelBackground3Sigma
        eSpEnvSAAFluxLevelHalfOfPeak
        eSpEnvSAAFluxLevelTenthOfPeak
SpaceEnvironmentSAAFluxLevel
        UNKNOWN
        GREATER_THAN_BACKGROUND_BY_3_SIGMA
        HALF_OF_PEAK
        TENTH_OF_PEAK
AgEVeSpEnvShapeModel
        eVeSpEnvShapeModelUnknown
        eVeSpEnvShapeModelPlate
        eVeSpEnvShapeModelSphere
VehicleSpaceEnvironmentShapeModel
        UNKNOWN
        PLATE
        SPHERE
AgEVeSpEnvF10p7Source
        eVeSpEnvF10p7SourceUnknown
        eVeSpEnvF10p7SourceFile
        eVeSpEnvF10p7SourceSpecify
VehicleSpaceEnvironmentF10P7SourceType
        UNKNOWN
        FILE
        SPECIFY
AgEVeSpEnvMaterial
        eVeSpEnvMaterialUnknown
        eVeSpEnvMaterialAluminum
        eVeSpEnvMaterialBeryliumCopper
        eVeSpEnvMaterialCopper
        eVeSpEnvMaterialGlass
        eVeSpEnvMaterialGold
        eVeSpEnvMaterialIron
        eVeSpEnvMaterialMylar
        eVeSpEnvMaterialPlatinum
        eVeSpEnvMaterialSilver
        eVeSpEnvMaterialStainlessSteel
        eVeSpEnvMaterialTitanium
        eVeSpEnvMaterialUserDefined
VehicleSpaceEnvironmentMaterial
        UNKNOWN
        ALUMINUM
        BERYLIUM_COPPER
        COPPER
        GLASS
        GOLD
        IRON
        MYLAR
        PLATINUM
        SILVER
        STAINLESS_STEEL
        TITANIUM
        USER_DEFINED
AgEVeSpEnvComputationMode
        eVeSpEnvComputationModeUnknown
        eVeSpEnvComputationModeNASA
        eVeSpEnvComputationModeCRRES
        eVeSpEnvComputationModeRadiationOnly
        eVeSpEnvComputationModeAPEXRAD
        eVeSpEnvComputationModeCRRESRAD
VehicleSpaceEnvironmentComputationMode
        UNKNOWN
        NASA
        CRRES
        RADIATION_ONLY
        APEXRAD
        CRRESRAD
AgEVeSpEnvDoseChannel
        eVeSpEnvDoseChannelUnknown
        eVeSpEnvDoseChannelHighLET
        eVeSpEnvDoseChannelLowLET
        eVeSpEnvDoseChannelTotal
VehicleSpaceEnvironmentDoseChannel
        UNKNOWN
        HIGH_LINEAR_ENERGY_TRANSPORT
        LOW_LINEAR_ENERGY_TRANSPORT
        TOTAL
AgEVeSpEnvDetectorGeometry
        eVeSpEnvDetectorGeometryUnknown
        eVeSpEnvDetectorGeometrySemiInfiniteSlab
        eVeSpEnvDetectorGeometryFiniteSlab
        eVeSpEnvDetectorGeometrySpherical
VehicleSpaceEnvironmentDetectorGeometry
        UNKNOWN
        SEMI_INFINITE_SLAB
        FINITE_SLAB
        SPHERICAL
AgEVeSpEnvDetectorType
        eVeSpEnvDetectorTypeUnknown
        eVeSpEnvDetectorTypeAir
        eVeSpEnvDetectorTypeAluminum
        eVeSpEnvDetectorTypeBone
        eVeSpEnvDetectorTypeCalcium
        eVeSpEnvDetectorTypeGallium
        eVeSpEnvDetectorTypeGraphite
        eVeSpEnvDetectorTypeLithium
        eVeSpEnvDetectorTypeSilicon
        eVeSpEnvDetectorTypeSiliconDioxide
        eVeSpEnvDetectorTypeTissue
        eVeSpEnvDetectorTypeWater
VehicleSpaceEnvironmentDetectorType
        UNKNOWN
        AIR
        ALUMINUM
        BONE
        CALCIUM
        GALLIUM
        GRAPHITE
        LITHIUM
        SILICON
        SILICON_DIOXIDE
        TISSUE
        WATER
AgEVeSpEnvApSource
        eVeSpEnvApSourceUnknown
        eVeSpEnvApSourceFile
        eVeSpEnvApSourceSpecify
VehicleSpaceEnvironmentApSource
        UNKNOWN
        FILE
        SPECIFY
AgELogMsgType LogMessageType
AgELogMsgDispID LogMessageDisplayID
AgStkObject STKObject
AgStkObjectRoot STKObjectRoot
AgLevelAttribute LevelAttribute
AgLevelAttributeCollection LevelAttributeCollection
AgBasicAzElMask BasicAzElMask
AgFaGraphics FacilityGraphics
AgPlaceGraphics PlaceGraphics
AgGfxRangeContours Graphics2DRangeContours
AgAccessConstraint AccessConstraint
AgAccessConstraintCollection AccessConstraintCollection
AgVORangeContours Graphics3DRangeContours
AgVOOffsetRotate Graphics3DOffsetRotate
AgVOOffsetTrans Graphics3DOffsetTransformation
AgVOOffsetAttach Graphics3DOffsetAttachment
AgVOOffsetLabel Graphics3DOffsetLabel
AgVOOffset Graphics3DOffset
AgVOMarkerShape Graphics3DMarkerShape
AgVOMarkerFile Graphics3DMarkerFile
AgVOMarker Graphics3DMarker
AgVODetailThreshold Graphics3DDetailThreshold
AgVOModelItem Graphics3DModelItem
AgVOModelCollection Graphics3DModelCollection
AgLabelNote LabelNote
AgLabelNoteCollection LabelNoteCollection
AgVOVector Graphics3DVector
AgFaVO FacilityGraphics3D
AgPlaceVO PlaceGraphics3D
AgTerrainNormSlopeAzimuth TerrainNormalSlopeAzimuth
AgIntervalCollection TimeIntervalCollection
AgImmutableIntervalCollection TimeIntervalCollectionReadOnly
AgDuringAccess DisplayTimesDuringAccess
AgDisplayTimesTimeComponent DisplayTimesTimeComponent
AgStVO StarGraphics3D
AgStGraphics StarGraphics
AgPlVO PlanetGraphics3D
AgPlGraphics PlanetGraphics
AgAreaTypePattern AreaTypePattern
AgAreaTypePatternCollection AreaTypePatternCollection
AgAreaTypeEllipse AreaTypeEllipse
AgATVO AreaTargetGraphics3D
AgATGraphics AreaTargetGraphics
AgVOAzElMask Graphics3DAzElMask
AgVOModelArtic Graphics3DModelArticulation
AgVOModelTransCollection Graphics3DModelTransformationCollection
AgVOModelTrans Graphics3DModelTransformation
AgVOModelFile Graphics3DModelFile
AgPlPosFile PlanetPositionFile
AgPlPosCentralBody PlanetPositionCentralBody
AgPlOrbitDisplayTime PlanetOrbitDisplayTime
AgScenario Scenario
AgScAnimation ScenarioAnimation
AgScEarthData ScenarioEarthData
AgScGraphics ScenarioGraphics
AgTerrainCollection TerrainCollection
AgTerrain Terrain
Ag3DTilesetCollection Tileset3DCollection
Ag3DTileset Tileset3D
AgScGenDbCollection ScenarioDatabaseCollection
AgScGenDb ScenarioDatabase
AgScVO ScenarioGraphics3D
AgSnComplexConicPattern SensorComplexConicPattern
AgSnEOIRPattern SensorEOIRPattern
AgSnUnknownPattern SensorUnknownPattern
AgSnEOIRBandCollection SensorEOIRBandCollection
AgSnEOIRBand SensorEOIRBand
AgSnEOIRRadiometricPair SensorEOIRRadiometricPair
AgSnEOIRSensitivityCollection SensorEOIRSensitivityCollection
AgSnEOIRSaturationCollection SensorEOIRSaturationCollection
AgSnCustomPattern SensorCustomPattern
AgSnHalfPowerPattern SensorHalfPowerPattern
AgSnRectangularPattern SensorRectangularPattern
AgSnSARPattern SensorSARPattern
AgSnSimpleConicPattern SensorSimpleConicPattern
AgSnPtFixed SensorPointingFixed
AgSnPtFixedAxes SensorPointingFixedInAxes
AgSnPt3DModel SensorPointing3DModel
AgSnPtSpinning SensorPointingSpinning
AgSnPtTargeted SensorPointingTargeted
AgSnPtExternal SensorPointingExternal
AgSnPtTrgtBsightTrack SensorPointingTargetedBoresightTrack
AgSnPtTrgtBsightFixed SensorPointingTargetedBoresightFixed
AgSnTargetCollection SensorTargetCollection
AgSnTarget SensorTarget
AgAccessTime AccessTargetTime
AgScheduleTime ScheduleTime
AgSnAzElMaskFile SensorAzElMaskFile
AgSnGraphics SensorGraphics
AgSnProjection SensorProjection
AgSnProjDisplayDistance SensorProjectionDisplayDistance
AgSnVO SensorGraphics3D
AgSnVOPulse SensorGraphics3DPulse
AgSnVOOffset SensorGraphics3DOffset
AgAccessCnstrTimeSlipRange AccessConstraintTimeSlipRange
AgAccessCnstrBackground AccessConstraintBackground
AgAccessCnstrGroundTrack AccessConstraintGroundTrack
AgAccessCnstrMinMax AccessConstraintMinMaxBase
AgAccessCnstrCrdnCn AccessConstraintAnalysisWorkbenchComponent
AgAccessCnstrCbObstruction AccessConstraintCentralBodyObstruction
AgAccessCnstrAngle AccessConstraintAngle
AgAccessCnstrCondition AccessConstraintCondition
AgAccessTimeCollection AccessTargetTimesCollection
AgScheduleTimeCollection ScheduleTimeCollection
AgAccessCnstrIntervals AccessConstraintIntervals
AgAccessCnstrObjExAngle AccessConstraintObjExAngle
AgAccessCnstrZone AccessConstraintLatitudeLongitudeZone
AgAccessCnstrThirdBody AccessConstraintThirdBody
AgAccessCnstrExclZonesCollection AccessConstraintExclZonesCollection
AgAccessCnstrGrazingAlt AccessConstraintGrazingAltitude
AgSnPtGrazingAlt SensorPointingGrazingAltitude
AgAreaTarget AreaTarget
AgFacility Facility
AgTarget Target
AgPlace Place
AgPlanet Planet
AgSensor Sensor
AgSnCommonTasks SensorCommonTasks
AgATCommonTasks AreaTargetCommonTasks
AgPlCommonTasks PlanetCommonTasks
AgSwath Swath
AgStar Star
AgDataProviderCollection DataProviderCollection
AgDrTimeArrayElements DataProviderResultTimeArrayElements
AgDrResult DataProviderResult
AgDrSubSectionCollection DataProviderResultSubSectionCollection
AgDrSubSection DataProviderResultSubSection
AgDrIntervalCollection DataProviderResultIntervalCollection
AgDrInterval DataProviderResultInterval
AgDrDataSetCollection DataProviderResultDataSetCollection
AgDrDataSet DataProviderResultDataSet
AgDataPrvFixed DataProviderFixed
AgDataPrvTimeVar DataProviderTimeVarying
AgDataPrvInterval DataProviderInterval
AgDrTextMessage DataProviderResultTextMessage
AgDataProviderGroup DataProviderGroup
AgDataPrvElements DataProviderElements
AgDataPrvElement DataProviderElement
AgDataProviders DataProviders
AgStkAccess Access
AgStkAccessGraphics AccessGraphics
AgStkAccessAdvanced AccessAdvancedSettings
AgAccessTimePeriod AccessTimePeriod
AgAccessTimeEventIntervals AccessAllowedTimeIntervals
AgStkObjectCoverage ObjectCoverage
AgObjectCoverageFOM ObjectCoverageFigureOfMerit
AgSc3dFont Scenario3dFont
AgVOBorderWall Graphics3DBorderWall
AgVORefCrdnCollection Graphics3DReferenceVectorGeometryToolComponentCollection
AgVORefCrdnVector Graphics3DReferenceVector
AgVORefCrdnAxes Graphics3DReferenceAxes
AgVORefCrdnAngle Graphics3DReferenceAngle
AgVORefCrdnPlane Graphics3DReferencePlane
AgVORefCrdnPoint Graphics3DReferencePoint
AgTargetGraphics TargetGraphics
AgTargetVO TargetGraphics3D
AgPtTargetVOModel PointTargetGraphics3DModel
AgObjectLinkCollection ObjectLinkCollection
AgObjectLink ObjectLink
AgLinkToObject LinkToObject
AgLLAPosition LatitudeLongitudeAltitudePosition
AgVODataDisplayElement Graphics3DDataDisplayElement
AgVODataDisplayCollection Graphics3DDataDisplayCollection
AgVeInitialState VehicleInitialState
AgVeHPOPCentralBodyGravity VehicleHPOPCentralBodyGravity
AgVeRadiationPressure RadiationPressure
AgVeHPOPSolarRadiationPressure VehicleHPOPSolarRadiationPressure
AgVeSolarFluxGeoMagEnterManually SolarFluxGeoMagneticValueSettings
AgVeSolarFluxGeoMagUseFile SolarFluxGeoMagneticFileSettings
AgVeHPOPForceModelDrag VehicleHPOPForceModelDrag
AgVeHPOPForceModelDragOptions VehicleHPOPForceModelDragOptions
AgVeHPOPSolarRadiationPressureOptions VehicleHPOPSolarRadiationPressureOptions
AgVeStatic PropagatorHPOPStaticForceModelSettings
AgVeSolidTides SolidTides
AgVeOceanTides OceanTides
AgVePluginSettings VehiclePluginSettings
AgVePluginPropagator VehiclePluginPropagator
AgVeHPOPForceModelMoreOptions VehicleHPOPForceModelMoreOptions
AgVeHPOPForceModel VehicleHPOPForceModel
AgVeStepSizeControl IntegratorStepSizeControl
AgVeTimeRegularization IntegratorTimeRegularization
AgVeInterpolation VehicleInterpolation
AgVeIntegrator VehicleIntegrator
AgVeGravity VehicleGravity
AgVePositionVelocityElement VehiclePositionVelocityElement
AgVePositionVelocityCollection VehiclePositionVelocityCollection
AgVeCorrelationListCollection VehicleCorrelationListCollection
AgVeCorrelationListElement VehicleCorrelationListElement
AgVeCovariance VehicleCovariance
AgVeJxInitialState VehicleZonalPropagatorInitialState
AgVeLOPCentralBodyGravity VehicleLOPCentralBodyGravity
AgVeThirdBodyGravityElement PropagatorHPOPThirdBodyGravityElement
AgVeThirdBodyGravityCollection PropagatorHPOPThirdBodyGravityCollection
AgVeExpDensModelParams VehicleExponentialDensityModelParameters
AgVeAdvanced VehicleLOPDragSettings
AgVeLOPForceModelDrag VehicleLOPForceModelDrag
AgVeLOPSolarRadiationPressure VehicleLOPSolarRadiationPressure
AgVePhysicalData VehiclePhysicalData
AgVeLOPForceModel VehicleLOPForceModel
AgVeSegmentsCollection PropagatorSPICESegmentsCollection
AgVePropagatorHPOP PropagatorHPOP
AgVePropagatorJ2Perturbation PropagatorJ2Perturbation
AgVePropagatorJ4Perturbation PropagatorJ4Perturbation
AgVePropagatorLOP PropagatorLOP
AgVePropagatorSGP4 PropagatorSGP4
AgVePropagatorSPICE PropagatorSPICE
AgVePropagatorStkExternal PropagatorSTKExternal
AgVePropagatorTwoBody PropagatorTwoBody
AgVePropagatorUserExternal PropagatorUserExternal
AgVeLvInitialState LaunchVehicleInitialState
AgVePropagatorSimpleAscent PropagatorSimpleAscent
AgVeWaypointsElement VehicleWaypointsElement
AgVeWaypointsCollection VehicleWaypointsCollection
AgVeLaunchLLA LaunchVehicleLocationDetic
AgVeLaunchLLR LaunchVehicleLocationCentric
AgVeImpactLLA VehicleImpactLocationDetic
AgVeImpactLLR VehicleImpactLocationCentric
AgVeLaunchControlFixedApogeeAlt LaunchVehicleControlFixedApogeeAltitude
AgVeLaunchControlFixedDeltaV LaunchVehicleControlFixedDeltaV
AgVeLaunchControlFixedDeltaVMinEcc LaunchVehicleControlFixedDeltaVMinimumEccentricity
AgVeLaunchControlFixedTimeOfFlight LaunchVehicleControlFixedTimeOfFlight
AgVeImpactLocationLaunchAzEl VehicleImpactLocationLaunchAzEl
AgVeImpactLocationPoint VehicleImpactLocationPoint
AgVePropagatorBallistic PropagatorBallistic
AgVePropagatorGreatArc PropagatorGreatArc
AgVeSGP4SegmentCollection PropagatorSGP4SegmentCollection
AgVeSGP4Segment PropagatorSGP4Segment
AgVeThirdBodyGravity PropagatorLOPThirdBodyGravity
AgVeConsiderAnalysisCollectionElement VehicleConsiderAnalysisCollectionElement
AgVeConsiderAnalysisCollection VehicleConsiderAnalysisCollection
AgVeSPICESegment PropagatorSPICESegment
AgVeWayPtAltitudeRefTerrain VehicleWaypointAltitudeReferenceTerrain
AgVeWayPtAltitudeRef VehicleWaypointAltitudeReference
AgVeSGP4LoadFile PropagatorSGP4LoadFile
AgVeSGP4OnlineLoad PropagatorSGP4OnlineLoad
AgVeSGP4OnlineAutoLoad PropagatorSGP4OnlineAutoLoad
AgVeGroundEllipsesCollection VehicleGroundEllipsesCollection
AgSatellite Satellite
AgVeInertia VehicleInertia
AgVeMassProperties VehicleMassProperties
AgVeBreakAngleBreakByLatitude VehicleBreakAngleBreakByLatitude
AgVeBreakAngleBreakByLongitude VehicleBreakAngleBreakByLongitude
AgVeDefinition VehicleDefinition
AgVeRepeatGroundTrackNumbering RepeatGroundTrackNumbering
AgVePassNumberingDateOfFirstPass PassBreakNumberingDateOfFirstPass
AgVePassNumberingFirstPassNum PassBreakNumberingFirstPassNumber
AgVePassBreak PassBreak
AgVeCentralBodies VehicleCentralBodies
AgSaGraphics SatelliteGraphics
AgSaVO SatelliteGraphics3D
AgVeEllipseDataElement VehicleEllipseDataElement
AgVeEllipseDataCollection VehicleEllipseDataCollection
AgVeGroundEllipseElement VehicleGroundEllipseElement
AgSaVOModel SatelliteGraphics3DModel
AgVeEclipseBodies VehicleEclipseBodies
AgVeVector VehicleVector
AgVeRateOffset RotationRateAndOffset
AgVeProfileAlignedAndConstrained AttitudeProfileAlignedAndConstrained
AgVeProfileInertial AttitudeProfileInertial
AgVeProfileConstraintOffset AttitudeProfileConstraintOffset
AgVeProfileFixedInAxes AttitudeProfileFixedInAxes
AgVeProfilePrecessingSpin AttitudeProfilePrecessingSpin
AgVeProfileSpinAboutXXX AttitudeProfileSpinAboutSettings
AgVeProfileSpinning AttitudeProfileSpinning
AgVeProfileAlignmentOffset AttitudeProfileAlignmentOffset
AgVeScheduleTimesCollection AttitudeScheduleTimesCollection
AgVeTargetTimes VehicleTargetTimes
AgVeAttPointing VehicleAttitudePointing
AgVeDuration VehicleDuration
AgVeStandardBasic AttitudeStandardBasic
AgVeAttExternal VehicleAttitudeExternal
AgVeAttitudeRealTime VehicleAttitudeRealTime
AgVeProfileCoordinatedTurn AttitudeProfileCoordinatedTurn
AgVeProfileYawToNadir AttitudeProfileYawToNadir
AgVeAttTrendControlAviator VehicleAttitudeTrendingControlAviator
AgVeProfileAviator AttitudeProfileAviator
AgVeTargetPointingElement VehicleTargetPointingElement
AgVeTargetPointingCollection VehicleTargetPointingCollection
AgVeTorque AttitudeTorque
AgVeIntegratedAttitude VehicleIntegratedAttitude
AgVeScheduleTimesElement AttitudeScheduleTimesElement
AgVeTrajectoryAttitudeStandard AttitudeStandardTrajectory
AgVeOrbitAttitudeStandard AttitudeStandardOrbit
AgVeRouteAttitudeStandard AttitudeStandardRoute
AgVeGfxLine VehicleGraphics2DLine
AgVeGfxIntervalsCollection VehicleGraphics2DIntervalsCollection
AgVeGfxAttributesAccess VehicleGraphics2DAttributesAccess
AgVeGfxAttributesCustom VehicleGraphics2DAttributesCustom
AgVeGfxAttributesRealtime VehicleGraphics2DAttributesRealtime
AgVeGfxLightingElement VehicleGraphics2DLightingElement
AgVeGfxLighting VehicleGraphics2DLighting
AgVeGfxElevationGroundElevation VehicleGraphics2DElevationGroundElevation
AgVeGfxElevationSwathHalfWidth VehicleGraphics2DElevationSwathHalfWidth
AgVeGfxElevationVehicleHalfAngle VehicleGraphics2DElevationVehicleHalfAngle
AgVeGfxSwath VehicleGraphics2DSwath
AgVeGfxLeadDataFraction VehicleGraphics2DLeadDataFraction
AgVeGfxLeadDataTime VehicleGraphics2DLeadDataTime
AgVeGfxTrailDataFraction VehicleGraphics2DTrailDataFraction
AgVeGfxTrailDataTime VehicleGraphics2DTrailDataTime
AgVeGfxRoutePassData VehicleGraphics2DRoutePassData
AgVeGfxLeadTrailData VehicleGraphics2DLeadTrailData
AgVeGfxOrbitPassData VehicleGraphics2DOrbitPassData
AgVeGfxTrajectoryPassData VehicleGraphics2DTrajectoryPassData
AgVeGfxTrajectoryResolution VehicleGraphics2DTrajectoryResolution
AgVeGfxGroundEllipsesCollection VehicleGraphics2DGroundEllipsesCollection
AgVeGfxTimeEventTypeLine VehicleGraphics2DTimeEventTypeLine
AgVeGfxTimeEventTypeMarker VehicleGraphics2DTimeEventTypeMarker
AgVeGfxTimeEventTypeText VehicleGraphics2DTimeEventTypeText
AgVeGfxTimeEventsElement VehicleGraphics2DTimeEventsElement
AgVeGfxTimeEventsCollection VehicleGraphics2DTimeEventsCollection
AgVeGfxPassShowPasses VehicleGraphics2DPassShowPasses
AgVeGfxPasses VehicleGraphics2DPasses
AgVeGfxSAA VehicleGraphics2DSAA
AgVeGfxElevationsElement VehicleGraphics2DElevationsElement
AgVeGfxElevationsCollection VehicleGraphics2DElevationsCollection
AgVeGfxElevContours VehicleGraphics2DElevationContours
AgVeGfxRouteResolution VehicleGraphics2DRouteResolution
AgVeGfxWaypointMarkersElement VehicleGraphics2DWaypointMarkersElement
AgVeGfxWaypointMarkersCollection VehicleGraphics2DWaypointMarkersCollection
AgVeGfxWaypointMarker VehicleGraphics2DWaypointMarker
AgVeGfxInterval VehicleGraphics2DInterval
AgVeGfxPassResolution VehicleGraphics2DPassResolution
AgVeGfxGroundEllipsesElement VehicleGraphics2DGroundEllipsesElement
AgVeGfxAttributesRoute VehicleGraphics2DAttributesRoute
AgVeGfxAttributesTrajectory VehicleGraphics2DAttributesTrajectory
AgVeGfxAttributesOrbit VehicleGraphics2DAttributesOrbit
AgVOPointableElementsElement Graphics3DPointableElementsElement
AgVOPointableElementsCollection Graphics3DPointableElementsCollection
AgVeVOSystemsElement VehicleGraphics3DSystemsElement
AgVeVOSystemsSpecialElement VehicleGraphics3DSystemsSpecialElement
AgVeVOSystemsCollection VehicleGraphics3DSystemsCollection
AgVeVOEllipsoid VehicleGraphics3DEllipsoid
AgVeVOControlBox VehicleGraphics3DControlBox
AgVeVOBearingBox VehicleGraphics3DBearingBox
AgVeVOBearingEllipse VehicleGraphics3DBearingEllipse
AgVeVOLineOfBearing VehicleGraphics3DLineOfBearing
AgVeVOGeoBox VehicleGraphics3DGeoBox
AgVeVORouteProximity VehicleGraphics3DRouteProximity
AgVeVOOrbitProximity VehicleGraphics3DOrbitProximity
AgVeVOElevContours VehicleGraphics3DElevationContours
AgVeVOSAA VehicleGraphics3DSAA
AgVeVOSigmaScaleProbability VehicleGraphics3DSigmaScaleProbability
AgVeVOSigmaScaleScale VehicleGraphics3DSigmaScaleScale
AgVeVODefaultAttributes VehicleGraphics3DDefaultAttributes
AgVeVOIntervalsElement VehicleGraphics3DIntervalsElement
AgVeVOIntervalsCollection VehicleGraphics3DIntervalsCollection
AgVeVOAttributesBasic VehicleGraphics3DAttributesBasic
AgVeVOAttributesIntervals VehicleGraphics3DAttributesIntervals
AgVeVOSize VehicleGraphics3DSize
AgVeVOCovariancePointingContour VehicleGraphics3DCovariancePointingContour
AgVeVODataFraction VehicleGraphics3DDataFraction
AgVeVODataTime VehicleGraphics3DDataTime
AgVeVOOrbitPassData VehicleGraphics3DOrbitPassData
AgVeVOOrbitTrackData VehicleGraphics3DOrbitTrackData
AgVeVOTickDataLine VehicleGraphics3DTickDataLine
AgVeVOTickDataPoint VehicleGraphics3DTickDataPoint
AgVeVOOrbitTickMarks VehicleGraphics3DOrbitTickMarks
AgVeVOPass VehicleGraphics3DPass
AgVeVOCovariance VehicleGraphics3DCovariance
AgVeVOVelCovariance VehicleGraphics3DVelocityCovariance
AgVeVOTrajectoryProximity VehicleGraphics3DTrajectoryProximity
AgVeVOTrajectory VehicleGraphics3DTrajectory
AgVeVOTrajectoryTrackData VehicleGraphics3DTrajectoryTrackData
AgVeVOTrajectoryPassData VehicleGraphics3DTrajectoryPassData
AgVeVOLeadTrailData VehicleGraphics3DLeadTrailData
AgVeVOTrajectoryTickMarks VehicleGraphics3DTrajectoryTickMarks
AgVeVOPathTickMarks VehicleGraphics3DPathTickMarks
AgVeVOWaypointMarkersElement VehicleGraphics3DWaypointMarkersElement
AgVeVOWaypointMarkersCollection VehicleGraphics3DWaypointMarkersCollection
AgVeVORoute VehicleGraphics3DRoute
AgVOModelPointing Graphics3DModelPointing
AgVOLabelSwapDistance Graphics3DLabelSwapDistance
AgVeVODropLinePosItem VehicleGraphics3DDropLinePositionItem
AgVeVODropLinePosItemCollection VehicleGraphics3DDropLinePositionItemCollection
AgVeVODropLinePathItem VehicleGraphics3DDropLinePathItem
AgVeVODropLinePathItemCollection VehicleGraphics3DDropLinePathItemCollection
AgVeVOOrbitDropLines VehicleGraphics3DOrbitDropLines
AgVeVORouteDropLines VehicleGraphics3DRouteDropLines
AgVeVOTrajectoryDropLines VehicleGraphics3DTrajectoryDropLines
AgVeTrajectoryVOModel VehicleGraphics3DModelTrajectory
AgVeRouteVOModel VehicleGraphics3DModelRoute
AgVeVOBPlaneTemplateDisplayElement VehicleGraphics3DBPlaneTemplateDisplayElement
AgVeVOBPlaneTemplateDisplayCollection VehicleGraphics3DBPlaneTemplateDisplayCollection
AgVeVOBPlaneTemplate VehicleGraphics3DBPlaneTemplate
AgVeVOBPlaneTemplatesCollection VehicleGraphics3DBPlaneTemplatesCollection
AgVeVOBPlaneEvent VehicleGraphics3DBPlaneEvent
AgVeVOBPlanePoint VehicleGraphics3DBPlanePoint
AgVeVOBPlaneTargetPointPositionCartesian VehicleGraphics3DBPlaneTargetPointPositionCartesian
AgVeVOBPlaneTargetPointPositionPolar VehicleGraphics3DBPlaneTargetPointPositionPolar
AgVeVOBPlaneTargetPoint VehicleGraphics3DBPlaneTargetPoint
AgVeVOBPlaneInstance VehicleGraphics3DBPlaneInstance
AgVeVOBPlaneInstancesCollection VehicleGraphics3DBPlaneInstancesCollection
AgVeVOBPlanePointCollection VehicleGraphics3DBPlanePointCollection
AgVeVOBPlanes VehicleGraphics3DBPlanes
AgLaunchVehicle LaunchVehicle
AgLvGraphics LaunchVehicleGraphics
AgLvVO LaunchVehicleGraphics3D
AgGroundVehicle GroundVehicle
AgGvGraphics GroundVehicleGraphics
AgGvVO GroundVehicleGraphics3D
AgMissile Missile
AgMsGraphics MissileGraphics
AgMsVO MissileGraphics3D
AgAircraft Aircraft
AgAcGraphics AircraftGraphics
AgAcVO AircraftGraphics3D
AgShip Ship
AgShGraphics ShipGraphics
AgShVO ShipGraphics3D
AgMtoTrackPoint MTOTrackPoint
AgMtoTrackPointCollection MTOTrackPointCollection
AgMtoTrack MTOTrack
AgMtoTrackCollection MTOTrackCollection
AgMtoDefaultTrack MTODefaultTrack
AgMtoGlobalTrackOptions MTOGlobalTrackOptions
AgMto MTO
AgMtoGfxMarker MTOGraphics2DMarker
AgMtoGfxLine MTOGraphics2DLine
AgMtoGfxFadeTimes MTOGraphics2DFadeTimes
AgMtoGfxLeadTrailTimes MTOGraphics2DLeadTrailTimes
AgMtoGfxTrack MTOGraphics2DTrack
AgMtoGfxTrackCollection MTOGraphics2DTrackCollection
AgMtoDefaultGfxTrack MTODefaultGraphics2DTrack
AgMtoGfxGlobalTrackOptions MTOGraphics2DGlobalTrackOptions
AgMtoGraphics MTOGraphics
AgMtoVOMarker MTOGraphics3DMarker
AgMtoVOPoint MTOGraphics3DPoint
AgMtoVOModel MTOGraphics3DModel
AgMtoVOSwapDistances MTOGraphics3DSwapDistances
AgMtoVODropLines MTOGraphics3DDropLines
AgMtoVOTrack MTOGraphics3DTrack
AgMtoVOTrackCollection MTOGraphics3DTrackCollection
AgMtoDefaultVOTrack MTODefaultGraphics3DTrack
AgMtoVOGlobalTrackOptions MTOGraphics3DGlobalTrackOptions
AgMtoVO MTOGraphics3D
AgLLAGeocentric LatitudeLongitudeAltitudeCentric
AgLLAGeodetic LatitudeLongitudeAltitudeDetic
AgLtPoint LineTargetPoint
AgLtPointCollection LineTargetPointCollection
AgLineTarget LineTarget
AgLtGraphics LineTargetGraphics
AgLtVO LineTargetGraphics3D
AgCoverageDefinition CoverageDefinition
AgCvBoundsCustomRegions CoverageBoundsCustomRegions
AgCvBoundsCustomBoundary CoverageBoundsCustomBoundary
AgCvBoundsGlobal CoverageBoundsGlobal
AgCvBoundsLat CoverageBoundsLatitude
AgCvBoundsLatLine CoverageBoundsLatitudeLine
AgCvBoundsLonLine CoverageBoundsLongitudeLine
AgCvBoundsLatLonRegion CoverageBoundsLatitudeLongitudeRegion
AgCvGrid CoverageGrid
AgCvAssetListElement CoverageAssetListElement
AgCvAssetListCollection CoverageAssetListCollection
AgCvRegionFilesCollection CoverageRegionFilesCollection
AgCvAreaTargetsCollection CoverageAreaTargetsCollection
AgCvEllipseCollection CoverageEllipseCollection
AgCvEllipse CoverageEllipse
AgCvLatLonBoxCollection CoverageLatLonBoxCollection
AgCvLatLonBox CoverageLatLonBox
AgCvPointDefinition CoveragePointDefinition
AgCvPointFileListCollection CoveragePointFileListCollection
AgCvAdvanced CoverageAdvancedSettings
AgCvInterval CoverageInterval
AgCvResolutionArea CoverageResolutionArea
AgCvResolutionDistance CoverageResolutionDistance
AgCvResolutionLatLon CoverageResolutionLatLon
AgCvGfxStatic CoverageGraphics2DStatic
AgCvGfxAnimation CoverageGraphics2DAnimation
AgCvGfxProgress CoverageGraphics2DProgress
AgCvGraphics CoverageGraphics
AgCvVO CoverageGraphics3D
AgCvVOAttributes CoverageGraphics3DAttributes
AgChTimePeriodBase ChainTimePeriod
AgChUserSpecifiedTimePeriod ChainUserSpecifiedTimePeriod
AgChConstraints ChainConstraints
AgChain Chain
AgChConnection ChainConnection
AgChConnectionCollection ChainConnectionCollection
AgChOptimalStrandOpts ChainOptimalStrandOpts
AgChGfxStatic ChainGraphics2DStatic
AgChGfxAnimation ChainGraphics2DAnimation
AgChGraphics ChainGraphics
AgChVO ChainGraphics3D
AgRfCoefficients RefractionCoefficients
AgRfModelEffectiveRadiusMethod RefractionModelEffectiveRadiusMethod
AgRfModelITURP8344 RefractionModelITURP8344
AgRfModelSCFMethod RefractionModelSCFMethod
AgFmDefCompute FigureOfMeritDefinitionCompute
AgFmDefDataMinMax FigureOfMeritDefinitionDataMinimumMaximum
AgFmDefDataMinAssets FigureOfMeritDefinitionDataMinimumNumberOfAssets
AgFmDefDataPercentLevel FigureOfMeritDefinitionDataPercentLevel
AgFmDefDataBestN FigureOfMeritDefinitionDataBestN
AgFmDefDataBest4 FigureOfMeritDefinitionDataBest4
AgFmDefAccessConstraint FigureOfMeritDefinitionAccessConstraint
AgFmSatisfaction FigureOfMeritSatisfaction
AgFigureOfMerit FigureOfMerit
AgFmDefAccessSeparation FigureOfMeritDefinitionAccessSeparation
AgFmDefDilutionOfPrecision FigureOfMeritDefinitionDilutionOfPrecision
AgFmDefNavigationAccuracy FigureOfMeritDefinitionNavigationAccuracy
AgFmAssetListElement FigureOfMeritAssetListElement
AgFmAssetListCollection FigureOfMeritAssetListCollection
AgFmUncertainties FigureOfMeritUncertainties
AgFmDefResponseTime FigureOfMeritDefinitionResponseTime
AgFmDefRevisitTime FigureOfMeritDefinitionRevisitTime
AgFmDefSimpleCoverage FigureOfMeritDefinitionSimpleCoverage
AgFmDefTimeAverageGap FigureOfMeritDefinitionTimeAverageGap
AgFmDefSystemAgeOfData FigureOfMeritDefinitionSystemAgeOfData
AgFmGfxContours FigureOfMeritGraphics2DContours
AgFmGfxAttributes FigureOfMeritGraphics2DAttributes
AgFmGfxContoursAnimation FigureOfMeritGraphics2DContoursAnimation
AgFmGfxAttributesAnimation FigureOfMeritGraphics2DAttributesAnimation
AgFmGraphics FigureOfMeritGraphics
AgFmGfxRampColor FigureOfMeritGraphics2DRampColor
AgFmGfxLevelAttributesElement FigureOfMeritGraphics2DLevelAttributesElement
AgFmGfxLevelAttributesCollection FigureOfMeritGraphics2DLevelAttributesCollection
AgFmGfxPositionOnMap FigureOfMeritGraphics2DPositionOnMap
AgFmGfxColorOptions FigureOfMeritGraphics2DColorOptions
AgFmGfxLegendWindow FigureOfMeritGraphics2DLegendWindow
AgFmVOLegendWindow FigureOfMeritGraphics3DLegendWindow
AgFmGfxTextOptions FigureOfMeritGraphics2DTextOptions
AgFmGfxRangeColorOptions FigureOfMeritGraphics2DRangeColorOptions
AgFmGfxLegend FigureOfMeritGraphics2DLegend
AgFmNAMethodElevationAngle FigureOfMeritNavigationAccuracyMethodElevationAngle
AgFmNAMethodConstant FigureOfMeritNavigationAccuracyMethodConstant
AgFmVOAttributes FigureOfMeritGraphics3DAttributes
AgFmVO FigureOfMeritGraphics3D
AgVeProfileGPS AttitudeProfileGPS
AgStkObjectModelContext STKObjectModelContext
AgStdMil2525bSymbols MilitaryStandard2525bSymbols
AgCvGridInspector CoverageGridInspector
AgFmGridInspector FigureOfMeritGridInspector
AgVOVaporTrail Graphics3DVaporTrail
AgVeTargetPointingIntervalCollection VehicleTargetPointingIntervalCollection
AgAccessCnstrPluginMinMax AccessConstraintPluginMinMax
AgCnConstraints ConstellationConstraints
AgCnCnstrObjectRestriction ConstellationConstraintObjectRestriction
AgCnCnstrRestriction ConstellationConstraintRestriction
AgConstellation Constellation
AgCnGraphics ConstellationGraphics
AgCnRouting ConstellationRouting
AgEventDetectionNoSubSampling EventDetectionNoSubSampling
AgEventDetectionSubSampling EventDetectionSubSampling
AgSamplingMethodAdaptive SamplingMethodAdaptive
AgSamplingMethodFixedStep SamplingMethodFixedStep
AgSnAccessAdvanced SensorAccessAdvancedSettings
AgVeAccessAdvanced VehicleAccessAdvancedSettings
AgAccessSampling AccessSampling
AgAccessEventDetection AccessEventDetection
AgSnVOProjectionElement SensorGraphics3DProjectionElement
AgSnVOSpaceProjectionCollection SensorGraphics3DSpaceProjectionCollection
AgSnVOTargetProjectionCollection SensorGraphics3DTargetProjectionCollection
AgCentralBodyTerrainCollectionElement CentralBodyTerrainCollectionElement
AgCentralBodyTerrainCollection CentralBodyTerrainCollection
AgSaExportTools SatelliteExportTools
AgLvExportTools LaunchVehicleExportTools
AgGvExportTools GroundVehicleExportTools
AgMsExportTools MissileExportTools
AgAcExportTools AircraftExportTools
AgShExportTools ShipExportTools
AgVeEphemerisCode500ExportTool VehicleEphemerisCode500ExportTool
AgVeEphemerisCCSDSExportTool VehicleEphemerisCCSDSExportTool
AgVeEphemerisStkExportTool VehicleEphemerisExportTool
AgVeEphemerisSpiceExportTool VehicleEphemerisSPICEExportTool
AgExportToolTimePeriod ExportToolTimePeriod
AgVeAttitudeExportTool VehicleAttitudeExportTool
AgVePropDefExportTool PropagatorDefinitionExportTool
AgVeCoordinateAxesCustom VehicleCoordinateAxesCustom
AgExportToolStepSize ExportToolStepSize
AgPctCmpltEventArgs ProgressBarEventArguments
AgStkObjectChangedEventArgs STKObjectChangedEventArguments
AgVeEclipsingBodies VehicleEclipsingBodies
AgLocationCrdnPoint LocationVectorGeometryToolPoint
AgTimePeriod TimePeriod
AgTimePeriodValue TimePeriodValue
AgSpatialState SpatialState
AgVeSpatialInfo VehicleSpatialInformation
AgOnePtAccess OnePointAccess
AgOnePtAccessResultCollection OnePointAccessResultCollection
AgOnePtAccessResult OnePointAccessResult
AgOnePtAccessConstraintCollection OnePointAccessConstraintCollection
AgOnePtAccessConstraint OnePointAccessConstraint
AgVePropagatorRealtime PropagatorRealtime
AgVeRealtimePointBuilder PropagatorRealtimePointBuilder
AgVeRealtimeCartesianPoints PropagatorRealtimeCartesianPoints
AgVeRealtimeLLAHPSPoints PropagatorRealtimeHeadingPitch
AgVeRealtimeLLAPoints PropagatorRealtimeDeticPoints
AgVeRealtimeUTMPoints PropagatorRealtimeUTMPoints
AgSRPModelGPS SolarRadiationPressureModelGPS
AgSRPModelSpherical SolarRadiationPressureModelSpherical
AgSRPModelPlugin SolarRadiationPressureModelPlugin
AgSRPModelPluginSettings SolarRadiationPressureModelPluginSettings
AgVeHPOPSRPModel VehicleHPOPSolarRadiationPressureModel
AgVeHPOPDragModelSpherical VehicleHPOPDragModelSpherical
AgVeHPOPDragModelPlugin VehicleHPOPDragModelPlugin
AgVeHPOPDragModelPluginSettings VehicleHPOPDragModelPluginSettings
AgVeHPOPDragModel VehicleHPOPDragModel
AgScAnimationTimePeriod ScenarioAnimationTimePeriod
AgSnProjConstantAlt SensorProjectionConstantAltitude
AgSnProjObjectAlt SensorProjectionObjectAltitude
AgVeAttitudeRealTimeDataReference VehicleAttitudeRealTimeDataReference
AgMtoAnalysis MTOAnalysis
AgMtoAnalysisPosition MTOAnalysisPosition
AgMtoAnalysisRange MTOAnalysisRange
AgMtoAnalysisFieldOfView MTOAnalysisFieldOfView
AgMtoAnalysisVisibility MTOAnalysisVisibility
AgVePropagatorGPS PropagatorGPS
AgAvailableFeatures AvailableFeatures
AgScenarioBeforeSaveEventArgs ScenarioBeforeSaveEventArguments
AgStkObjectPreDeleteEventArgs STKObjectPreDeleteEventArguments
AgVePropagatorSGP4CommonTasks PropagatorSGP4CommonTasks
AgVeSGP4AutoUpdateProperties PropagatorSGP4AutoUpdateProperties
AgVeSGP4AutoUpdateFileSource PropagatorSGP4AutoUpdateFileSource
AgVeSGP4AutoUpdateOnlineSource PropagatorSGP4AutoUpdateOnlineSource
AgVeSGP4AutoUpdate PropagatorSGP4AutoUpdate
AgVeSGP4PropagatorSettings PropagatorSGP4PropagatorSettings
AgVeGPSAutoUpdateProperties VehicleGPSAutoUpdateProperties
AgVeGPSAutoUpdateFileSource VehicleGPSAutoUpdateFileSource
AgVeGPSAutoUpdateOnlineSource VehicleGPSAutoUpdateOnlineSource
AgVeGPSAutoUpdate VehicleGPSAutoUpdate
AgVeGPSSpecifyAlmanac VehicleGPSSpecifyAlmanac
AgVeGPSAlmanacProperties VehicleGPSAlmanacProperties
AgVeGPSAlmanacPropertiesSEM VehicleGPSAlmanacPropertiesSEM
AgVeGPSAlmanacPropertiesYUMA VehicleGPSAlmanacPropertiesYUMA
AgVeGPSAlmanacPropertiesSP3 VehicleGPSAlmanacPropertiesSP3
AgVeGPSElementCollection VehicleGPSElementCollection
AgVeGPSElement VehicleGPSElement
AgSpEnvRadEnergyMethodSpecify SpaceEnvironmentRadiationEnergyMethodEnergies
AgSpEnvRadEnergyValues SpaceEnvironmentRadiationEnergyValues
AgSpEnvRadiationEnvironment SpaceEnvironmentRadiationEnvironment
AgSpEnvMagFieldGfx SpaceEnvironmentMagnitudeFieldGraphics2D
AgSpEnvScenExtVO SpaceEnvironmentScenarioGraphics3D
AgSpEnvScenSpaceEnvironment ScenarioSpaceEnvironment
AgVeSpEnvRadDoseRateElement SpaceEnvironmentRadiationDoseRateElement
AgVeSpEnvRadDoseRateCollection SpaceEnvironmentRadiationDoseRateCollection
AgSpEnvSAAContour SpaceEnvironmentSAAContour
AgVeSpEnvVehTemperature SpaceEnvironmentVehicleTemperature
AgVeSpEnvParticleFlux SpaceEnvironmentParticleFlux
AgVeSpEnvMagneticField SpaceEnvironmentMagneticField
AgVeSpEnvRadiation SpaceEnvironmentRadiation
AgVeSpEnvMagFieldLine SpaceEnvironmentMagnitudeFieldLine
AgVeSpEnvGraphics SpaceEnvironmentGraphics
AgVeSpEnvSpaceEnvironment SpaceEnvironment
AgCvSelectedGridPoint CoverageSelectedGridPoint
AgCvGridPointSelection CoverageGridPointSelection
AgCelestialBodyCollection StarCollection
AgCelestialBodyInfo StarInformation
AgStkCentralBodyEllipsoid CentralBodyEllipsoid
AgStkCentralBody CentralBody
AgStkCentralBodyCollection CentralBodyCollection
AgFmDefSystemResponseTime FigureOfMeritDefinitionSystemResponseTime
AgFmDefAgeOfData FigureOfMeritDefinitionAgeOfData
AgFmDefScalarCalculation FigureOfMeritDefinitionScalarCalculation
AgVePropagator11ParamDescriptor Propagator11ParametersDescriptor
AgVePropagator11ParamDescriptorCollection Propagator11ParametersDescriptorCollection
AgVePropagator11Param Propagator11Parameters
AgVePropagatorSP3File PropagatorSP3File
AgVePropagatorSP3FileCollection PropagatorSP3FileCollection
AgVePropagatorSP3 PropagatorSP3
AgVeEphemerisStkBinaryExportTool VehicleEphemerisBinaryExportTool
AgOrbitState OrbitState
AgOrbitStateCoordinateSystem OrbitStateCoordinateSystem
AgOrbitStateCartesian OrbitStateCartesian
AgClassicalSizeShapeAltitude ClassicalSizeShapeAltitude
AgClassicalSizeShapeMeanMotion ClassicalSizeShapeMeanMotion
AgClassicalSizeShapePeriod ClassicalSizeShapePeriod
AgClassicalSizeShapeRadius ClassicalSizeShapeRadius
AgClassicalSizeShapeSemimajorAxis ClassicalSizeShapeSemimajorAxis
AgOrientationAscNodeLAN OrientationLongitudeOfAscending
AgOrientationAscNodeRAAN OrientationRightAscensionOfAscendingNode
AgClassicalOrientation ClassicalOrientation
AgClassicalLocationArgumentOfLatitude ClassicalLocationArgumentOfLatitude
AgClassicalLocationEccentricAnomaly ClassicalLocationEccentricAnomaly
AgClassicalLocationMeanAnomaly ClassicalLocationMeanAnomaly
AgClassicalLocationTimePastAN ClassicalLocationTimePastAscendingNode
AgClassicalLocationTimePastPerigee ClassicalLocationTimePastPerigee
AgClassicalLocationTrueAnomaly ClassicalLocationTrueAnomaly
AgOrbitStateClassical OrbitStateClassical
AgGeodeticSizeAltitude DeticSizeAltitude
AgGeodeticSizeRadius DeticSizeRadius
AgOrbitStateGeodetic OrbitStateDetic
AgDelaunayL DelaunayL
AgDelaunayLOverSQRTmu DelaunayLOverSQRTmu
AgDelaunayH DelaunayH
AgDelaunayHOverSQRTmu DelaunayHOverSQRTmu
AgDelaunayG DelaunayG
AgDelaunayGOverSQRTmu DelaunayGOverSQRTmu
AgOrbitStateDelaunay OrbitStateDelaunay
AgEquinoctialSizeShapeMeanMotion EquinoctialSizeShapeMeanMotion
AgEquinoctialSizeShapeSemimajorAxis EquinoctialSizeShapeSemimajorAxis
AgOrbitStateEquinoctial OrbitStateEquinoctial
AgMixedSphericalFPAHorizontal MixedSphericalFlightPathAngleHorizontal
AgMixedSphericalFPAVertical MixedSphericalFlightPathAngleVertical
AgOrbitStateMixedSpherical OrbitStateMixedSpherical
AgSphericalFPAHorizontal SphericalFlightPathAngleHorizontal
AgSphericalFPAVertical SphericalFlightPathAngleVertical
AgOrbitStateSpherical OrbitStateSpherical
AgVeGfxTimeComponentsEventElement VehicleGraphics2DTimeComponentsEventElement
AgVeGfxTimeComponentsEventCollectionElement VehicleGraphics2DTimeComponentsEventCollectionElement
AgVeGfxTimeComponentsCollection VehicleGraphics2DTimeComponentsCollection
AgVeGfxAttributesTimeComponents VehicleGraphics2DAttributesTimeComponents
AgStkPreferences Preferences
AgStkPreferencesVDF PreferencesVDF
AgVeAttMaximumSlewRate VehicleAttitudeMaximumSlewRate
AgVeAttMaximumSlewAcceleration VehicleAttitudeMaximumSlewAcceleration
AgVeAttSlewConstrained VehicleAttitudeSlewConstrained
AgVeAttSlewFixedRate VehicleAttitudeSlewFixedRate
AgVeAttSlewFixedTime VehicleAttitudeSlewFixedTime
AgVeAttTargetSlew VehicleAttitudeTargetSlew
AgMtoVOModelArtic MTOGraphics3DModelArticulation
AgVePropagatorAviator PropagatorAviator
AgVeEphemerisCCSDSv2ExportTool VehicleEphemerisCCSDSv2ExportTool
AgStkPreferencesConnect PreferencesConnect
AgAntenna Antenna
AgAntennaModel AntennaModel
AgAntennaModelOpticalSimple AntennaModelOpticalSimple
AgAntennaModelOpticalGaussian AntennaModelOpticalGaussian
AgAntennaModelGaussian AntennaModelGaussian
AgAntennaModelParabolic AntennaModelParabolic
AgAntennaModelSquareHorn AntennaModelSquareHorn
AgAntennaModelScriptPlugin AntennaModelScriptPlugin
AgAntennaModelExternal AntennaModelExternal
AgAntennaModelGimroc AntennaModelGIMROC
AgAntennaModelRemcomUanFormat AntennaModelRemcomUanFormat
AgAntennaModelANSYSffdFormat AntennaModelANSYSffdFormat
AgAntennaModelTicraGRASPFormat AntennaModelTicraGRASPFormat
AgAntennaModelElevationAzimuthCuts AntennaModelElevationAzimuthCuts
AgAntennaModelIeee1979 AntennaModelIEEE1979
AgAntennaModelDipole AntennaModelDipole
AgAntennaModelHelix AntennaModelHelix
AgAntennaModelCosecantSquared AntennaModelCosecantSquared
AgAntennaModelHemispherical AntennaModelHemispherical
AgAntennaModelPencilBeam AntennaModelPencilBeam
AgAntennaModelPhasedArray AntennaModelPhasedArray
AgAntennaModelHfssEepArray AntennaModelHfssEepArray
AgAntennaModelIsotropic AntennaModelIsotropic
AgAntennaModelIntelSat AntennaModelIntelSat
AgAntennaModelGpsGlobal AntennaModelGPSGlobal
AgAntennaModelGpsFrpa AntennaModelGPSFRPA
AgAntennaModelItuBO1213CoPolar AntennaModelITUBO1213CoPolar
AgAntennaModelItuBO1213CrossPolar AntennaModelITUBO1213CrossPolar
AgAntennaModelItuF1245 AntennaModelITUF1245
AgAntennaModelItuS580 AntennaModelITUS580
AgAntennaModelItuS465 AntennaModelITUS465
AgAntennaModelItuS731 AntennaModelITUS731
AgAntennaModelItuS1528R12Circular AntennaModelITUS1528R12Circular
AgAntennaModelItuS1528R13 AntennaModelITUS1528R13
AgAntennaModelItuS672Circular AntennaModelITUS672Circular
AgAntennaModelItuS1528R12Rectangular AntennaModelITUS1528R12Rectangular
AgAntennaModelItuS672Rectangular AntennaModelITUS672Rectangular
AgAntennaModelApertureCircularCosine AntennaModelApertureCircularCosine
AgAntennaModelApertureCircularUniform AntennaModelApertureCircularUniform
AgAntennaModelApertureCircularCosineSquared AntennaModelApertureCircularCosineSquared
AgAntennaModelApertureCircularBessel AntennaModelApertureCircularBessel
AgAntennaModelApertureCircularBesselEnvelope AntennaModelApertureCircularBesselEnvelope
AgAntennaModelApertureCircularCosinePedestal AntennaModelApertureCircularCosinePedestal
AgAntennaModelApertureCircularCosineSquaredPedestal AntennaModelApertureCircularCosineSquaredPedestal
AgAntennaModelApertureCircularSincIntPower AntennaModelApertureCircularSincIntegerPower
AgAntennaModelApertureCircularSincRealPower AntennaModelApertureCircularSincRealPower
AgAntennaModelApertureRectangularCosine AntennaModelApertureRectangularCosine
AgAntennaModelApertureRectangularCosinePedestal AntennaModelApertureRectangularCosinePedestal
AgAntennaModelApertureRectangularCosineSquaredPedestal AntennaModelApertureRectangularCosineSquaredPedestal
AgAntennaModelApertureRectangularSincIntPower AntennaModelApertureRectangularSincIntegerPower
AgAntennaModelApertureRectangularSincRealPower AntennaModelApertureRectangularSincRealPower
AgAntennaModelApertureRectangularCosineSquared AntennaModelApertureRectangularCosineSquared
AgAntennaModelApertureRectangularUniform AntennaModelApertureRectangularUniform
AgAntennaModelRectangularPattern AntennaModelRectangularPattern
AgAntennaControl AntennaControl
AgAntennaVO AntennaGraphics3D
AgRadarCrossSectionVolumeGraphics RadarCrossSectionVolumeGraphics
AgRadarCrossSectionVO RadarCrossSectionGraphics3D
AgRadarCrossSectionGraphics RadarCrossSectionGraphics
AgAntennaVolumeGraphics AntennaVolumeGraphics
AgAntennaContourGraphics AntennaContourGraphics
AgAntennaGraphics AntennaGraphics
AgRadarCrossSectionContourLevelCollection RadarCrossSectionContourLevelCollection
AgRadarCrossSectionContourLevel RadarCrossSectionContourLevel
AgRadarCrossSectionVolumeLevelCollection RadarCrossSectionVolumeLevelCollection
AgRadarCrossSectionVolumeLevel RadarCrossSectionVolumeLevel
AgAntennaVolumeLevelCollection AntennaVolumeLevelCollection
AgAntennaVolumeLevel AntennaVolumeLevel
AgAntennaContourLevelCollection AntennaContourLevelCollection
AgAntennaContourLevel AntennaContourLevel
AgAntennaContourGain AntennaContourGain
AgAntennaContourEirp AntennaContourEIRP
AgAntennaContourRip AntennaContourRIP
AgAntennaContourFluxDensity AntennaContourFluxDensity
AgAntennaContourSpectralFluxDensity AntennaContourSpectralFluxDensity
AgTransmitter Transmitter
AgTransmitterModel TransmitterModel
AgTransmitterModelScriptPluginRF TransmitterModelScriptPluginRF
AgTransmitterModelScriptPluginLaser TransmitterModelScriptPluginLaser
AgTransmitterModelCable TransmitterModelCable
AgTransmitterModelSimple TransmitterModelSimple
AgTransmitterModelMedium TransmitterModelMedium
AgTransmitterModelComplex TransmitterModelComplex
AgTransmitterModelMultibeam TransmitterModelMultibeam
AgTransmitterModelLaser TransmitterModelLaser
AgReTransmitterModelSimple ReTransmitterModelSimple
AgReTransmitterModelMedium ReTransmitterModelMedium
AgReTransmitterModelComplex ReTransmitterModelComplex
AgTransmitterVO TransmitterGraphics3D
AgTransmitterGraphics TransmitterGraphics
AgReceiver Receiver
AgReceiverModel ReceiverModel
AgReceiverModelCable ReceiverModelCable
AgReceiverModelSimple ReceiverModelSimple
AgReceiverModelMedium ReceiverModelMedium
AgReceiverModelComplex ReceiverModelComplex
AgReceiverModelMultibeam ReceiverModelMultibeam
AgReceiverModelLaser ReceiverModelLaser
AgReceiverModelScriptPluginRF ReceiverModelScriptPluginRF
AgReceiverModelScriptPluginLaser ReceiverModelScriptPluginLaser
AgReceiverVO ReceiverGraphics3D
AgReceiverGraphics ReceiverGraphics
AgRadarDopplerClutterFilters RadarDopplerClutterFilters
AgWaveform Waveform
AgWaveformRectangular WaveformRectangular
AgWaveformPulseDefinition WaveformPulseDefinition
AgRadarMultifunctionWaveformStrategySettings RadarMultifunctionWaveformStrategySettings
AgWaveformSelectionStrategy WaveformSelectionStrategy
AgWaveformSelectionStrategyFixed WaveformSelectionStrategyFixed
AgWaveformSelectionStrategyRangeLimits WaveformSelectionStrategyRangeLimits
AgRadar Radar
AgRadarModel RadarModel
AgRadarModelMonostatic RadarModelMonostatic
AgRadarModelMultifunction RadarModelMultifunction
AgRadarModelBistaticTransmitter RadarModelBistaticTransmitter
AgRadarModelBistaticReceiver RadarModelBistaticReceiver
AgRadarVO RadarGraphics3D
AgRadarGraphics RadarGraphics
AgRadarAccessGraphics RadarAccessGraphics
AgRadarMultipathGraphics RadarMultipathGraphics
AgRadarModeMonostatic RadarModeMonostatic
AgRadarModeMonostaticSearchTrack RadarModeMonostaticSearchTrack
AgRadarModeMonostaticSar RadarModeMonostaticSAR
AgRadarModeBistaticTransmitter RadarModeBistaticTransmitter
AgRadarModeBistaticTransmitterSearchTrack RadarModeBistaticTransmitterSearchTrack
AgRadarModeBistaticTransmitterSar RadarModeBistaticTransmitterSAR
AgRadarModeBistaticReceiver RadarModeBistaticReceiver
AgRadarModeBistaticReceiverSearchTrack RadarModeBistaticReceiverSearchTrack
AgRadarModeBistaticReceiverSar RadarModeBistaticReceiverSAR
AgRadarWaveformMonostaticSearchTrackContinuous RadarWaveformMonostaticSearchTrackContinuous
AgRadarWaveformMonostaticSearchTrackFixedPRF RadarWaveformMonostaticSearchTrackFixedPRF
AgRadarMultifunctionDetectionProcessing RadarMultifunctionDetectionProcessing
AgRadarWaveformBistaticTransmitterSearchTrackContinuous RadarWaveformBistaticTransmitterSearchTrackContinuous
AgRadarWaveformBistaticTransmitterSearchTrackFixedPRF RadarWaveformBistaticTransmitterSearchTrackFixedPRF
AgRadarWaveformBistaticReceiverSearchTrackContinuous RadarWaveformBistaticReceiverSearchTrackContinuous
AgRadarWaveformBistaticReceiverSearchTrackFixedPRF RadarWaveformBistaticReceiverSearchTrackFixedPRF
AgRadarWaveformSearchTrackPulseDefinition RadarWaveformSearchTrackPulseDefinition
AgRadarModulator RadarModulator
AgRadarProbabilityOfDetection RadarProbabilityOfDetection
AgRadarProbabilityOfDetectionCFAR RadarProbabilityOfDetectionCFAR
AgRadarProbabilityOfDetectionNonCFAR RadarProbabilityOfDetectionNonCFAR
AgRadarProbabilityOfDetectionPlugin RadarProbabilityOfDetectionPlugin
AgRadarProbabilityOfDetectionCFARCellAveraging RadarProbabilityOfDetectionCFARCellAveraging
AgRadarProbabilityOfDetectionCFAROrderedStatistics RadarProbabilityOfDetectionCFAROrderedStatistics
AgRadarPulseIntegrationGoalSNR RadarPulseIntegrationGoalSNR
AgRadarPulseIntegrationFixedNumberOfPulses RadarPulseIntegrationFixedNumberOfPulses
AgRadarContinuousWaveAnalysisModeGoalSNR RadarContinuousWaveAnalysisModeGoalSNR
AgRadarContinuousWaveAnalysisModeFixedTime RadarContinuousWaveAnalysisModeFixedTime
AgRadarWaveformSarPulseDefinition RadarWaveformSarPulseDefinition
AgRadarWaveformSarPulseIntegration RadarWaveformSarPulseIntegration
AgRadarTransmitter RadarTransmitter
AgRadarTransmitterMultifunction RadarTransmitterMultifunction
AgRadarReceiver RadarReceiver
AgAdditionalGainLoss AdditionalGainLoss
AgAdditionalGainLossCollection AdditionalGainLossCollection
AgPolarization Polarization
AgPolarizationElliptical PolarizationElliptical
AgReceivePolarizationElliptical ReceivePolarizationElliptical
AgPolarizationLHC PolarizationLeftHandCircular
AgPolarizationRHC PolarizationRightHandCircular
AgReceivePolarizationLHC ReceivePolarizationLeftHandCircular
AgReceivePolarizationRHC ReceivePolarizationRightHandCircular
AgPolarizationLinear PolarizationLinear
AgReceivePolarizationLinear ReceivePolarizationLinear
AgPolarizationHorizontal PolarizationHorizontal
AgReceivePolarizationHorizontal ReceivePolarizationHorizontal
AgPolarizationVertical PolarizationVertical
AgReceivePolarizationVertical ReceivePolarizationVertical
AgRadarClutter RadarClutter
AgRadarClutterGeometry RadarClutterGeometry
AgScatteringPointProviderCollectionElement ScatteringPointProviderCollectionElement
AgScatteringPointProviderCollection ScatteringPointProviderCollection
AgScatteringPointProviderList ScatteringPointProviderList
AgScatteringPointProvider ScatteringPointProvider
AgScatteringPointProviderSinglePoint ScatteringPointProviderSinglePoint
AgScatteringPointCollectionElement ScatteringPointCollectionElement
AgScatteringPointCollection ScatteringPointCollection
AgScatteringPointProviderPointsFile ScatteringPointProviderPointsFile
AgScatteringPointProviderRangeOverCFARCells ScatteringPointProviderRangeOverCFARCells
AgScatteringPointProviderSmoothOblateEarth ScatteringPointProviderSmoothOblateEarth
AgScatteringPointProviderPlugin ScatteringPointProviderPlugin
AgCRPluginConfiguration CommRadPluginConfiguration
AgRadarJamming RadarJamming
AgRFInterference RFInterference
AgRFFilterModel RFFilterModel
AgRFFilterModelBessel RFFilterModelBessel
AgRFFilterModelSincEnvSinc RFFilterModelSincEnvelopeSinc
AgRFFilterModelElliptic RFFilterModelElliptic
AgRFFilterModelChebyshev RFFilterModelChebyshev
AgRFFilterModelCosineWindow RFFilterModelCosineWindow
AgRFFilterModelGaussianWindow RFFilterModelGaussianWindow
AgRFFilterModelHammingWindow RFFilterModelHammingWindow
AgRFFilterModelButterworth RFFilterModelButterworth
AgRFFilterModelExternal RFFilterModelExternal
AgRFFilterModelScriptPlugin RFFilterModelScriptPlugin
AgRFFilterModelSinc RFFilterModelSinc
AgRFFilterModelRaisedCosine RFFilterModelRaisedCosine
AgRFFilterModelRootRaisedCosine RFFilterModelRootRaisedCosine
AgRFFilterModelRcLowPass RFFilterModelRCLowPass
AgRFFilterModelRectangular RFFilterModelRectangular
AgRFFilterModelFirBoxCar RFFilterModelFIRBoxCar
AgRFFilterModelIir RFFilterModelIIR
AgRFFilterModelFir RFFilterModelFIR
AgSystemNoiseTemperature SystemNoiseTemperature
AgAntennaNoiseTemperature AntennaNoiseTemperature
AgAtmosphere Atmosphere
AgLaserPropagationLossModels LaserPropagationLossModels
AgLaserAtmosphericLossModel LaserAtmosphericLossModel
AgLaserAtmosphericLossModelBeerBouguerLambertLaw LaserAtmosphericLossModelBeerBouguerLambertLaw
AgModtranLookupTablePropagationModel MODTRANLookupTablePropagationModel
AgModtranPropagationModel MODTRANPropagationModel
AgLaserTroposphericScintillationLossModel LaserTroposphericScintillationLossModel
AgAtmosphericTurbulenceModel AtmosphericTurbulenceModel
AgAtmosphericTurbulenceModelConstant AtmosphericTurbulenceModelConstant
AgAtmosphericTurbulenceModelHufnagelValley AtmosphericTurbulenceModelHufnagelValley
AgLaserTroposphericScintillationLossModelITURP1814 LaserTroposphericScintillationLossModelITURP1814
AgAtmosphericAbsorptionModel AtmosphericAbsorptionModel
AgAtmosphericAbsorptionModelITURP676_9 AtmosphericAbsorptionModelITURP676Version9
AgAtmosphericAbsorptionModelITURP676_13 AtmosphericAbsorptionModelITURP676Version13
AgAtmosphericAbsorptionModelVoacap AtmosphericAbsorptionModelGraphics3DACAP
AgAtmosphericAbsorptionModelTirem320 AtmosphericAbsorptionModelTIREM320
AgAtmosphericAbsorptionModelTirem331 AtmosphericAbsorptionModelTIREM331
AgAtmosphericAbsorptionModelTirem550 AtmosphericAbsorptionModelTIREM550
AgAtmosphericAbsorptionModelSimpleSatcom AtmosphericAbsorptionModelSimpleSatcom
AgAtmosphericAbsorptionModelScriptPlugin AtmosphericAbsorptionModelScriptPlugin
AgAtmosphericAbsorptionModelCOMPlugin AtmosphericAbsorptionModelCOMPlugin
AgScatteringPointModel ScatteringPointModel
AgScatteringPointModelPlugin ScatteringPointModelPlugin
AgScatteringPointModelConstantCoefficient ScatteringPointModelConstantCoefficient
AgScatteringPointModelWindTurbine ScatteringPointModelWindTurbine
AgRadarCrossSection RadarCrossSection
AgRadarCrossSectionModel RadarCrossSectionModel
AgRadarCrossSectionInheritable RadarCrossSectionInheritable
AgRadarCrossSectionFrequencyBand RadarCrossSectionFrequencyBand
AgRadarCrossSectionFrequencyBandCollection RadarCrossSectionFrequencyBandCollection
AgRadarCrossSectionComputeStrategy RadarCrossSectionComputeStrategy
AgRadarCrossSectionComputeStrategyConstantValue RadarCrossSectionComputeStrategyConstantValue
AgRadarCrossSectionComputeStrategyScriptPlugin RadarCrossSectionComputeStrategyScriptPlugin
AgRadarCrossSectionComputeStrategyExternalFile RadarCrossSectionComputeStrategyExternalFile
AgRadarCrossSectionComputeStrategyAnsysCsvFile RadarCrossSectionComputeStrategyAnsysCSVFile
AgRadarCrossSectionComputeStrategyPlugin RadarCrossSectionComputeStrategyPlugin
AgCustomPropagationModel CustomPropagationModel
AgPropagationChannel PropagationChannel
AgRFEnvironment RFEnvironment
AgLaserEnvironment LaserEnvironment
AgObjectRFEnvironment ObjectRFEnvironment
AgObjectLaserEnvironment ObjectLaserEnvironment
AgPlatformLaserEnvironment PlatformLaserEnvironment
AgRainLossModel RainLossModel
AgRainLossModelITURP618_12 RainLossModelITURP618Version12
AgRainLossModelITURP618_13 RainLossModelITURP618Version13
AgRainLossModelITURP618_10 RainLossModelITURP618Version10
AgRainLossModelCrane1985 RainLossModelCrane1985
AgRainLossModelCrane1982 RainLossModelCrane1982
AgRainLossModelCCIR1983 RainLossModelCCIR1983
AgRainLossModelScriptPlugin RainLossModelScriptPlugin
AgCloudsAndFogFadingLossModel CloudsAndFogFadingLossModel
AgCloudsAndFogFadingLossModelP840_6 CloudsAndFogFadingLossModelP840Version6
AgCloudsAndFogFadingLossModelP840_7 CloudsAndFogFadingLossModelP840Version7
AgTroposphericScintillationFadingLossModel TroposphericScintillationFadingLossModel
AgTroposphericScintillationFadingLossModelP618_8 TroposphericScintillationFadingLossModelP618Version8
AgTroposphericScintillationFadingLossModelP618_12 TroposphericScintillationFadingLossModelP618Version12
AgIonosphericFadingLossModel IonosphericFadingLossModel
AgIonosphericFadingLossModelP531_13 IonosphericFadingLossModelP531Version13
AgUrbanTerrestrialLossModel UrbanTerrestrialLossModel
AgUrbanTerrestrialLossModelTwoRay UrbanTerrestrialLossModelTwoRay
AgUrbanTerrestrialLossModelWirelessInSite64 UrbanTerrestrialLossModelWirelessInSite64
AgWirelessInSite64GeometryData WirelessInSite64GeometryData
AgPointingStrategy PointingStrategy
AgPointingStrategyFixed PointingStrategyFixed
AgPointingStrategySpinning PointingStrategySpinning
AgPointingStrategyTargeted PointingStrategyTargeted
AgCRLocation CommRadCartesianLocation
AgCRComplex CommRadComplexNumber
AgCRComplexCollection CommRadComplexNumberCollection
AgModulatorModel ModulatorModel
AgModulatorModelBpsk ModulatorModelBPSK
AgModulatorModelQpsk ModulatorModelQPSK
AgModulatorModelExternalSource ModulatorModelExternalSource
AgModulatorModelExternal ModulatorModelExternal
AgModulatorModelQam16 ModulatorModelQAM16
AgModulatorModelQam32 ModulatorModelQAM32
AgModulatorModelQam64 ModulatorModelQAM64
AgModulatorModelQam128 ModulatorModelQAM128
AgModulatorModelQam256 ModulatorModelQAM256
AgModulatorModelQam1024 ModulatorModelQAM1024
AgModulatorModel8psk ModulatorModel8PSK
AgModulatorModel16psk ModulatorModel16PSK
AgModulatorModelMsk ModulatorModelMSK
AgModulatorModelBoc ModulatorModelBOC
AgModulatorModelDpsk ModulatorModelDPSK
AgModulatorModelFsk ModulatorModelFSK
AgModulatorModelNfsk ModulatorModelNFSK
AgModulatorModelOqpsk ModulatorModelOQPSK
AgModulatorModelNarrowbandUniform ModulatorModelNarrowbandUniform
AgModulatorModelWidebandUniform ModulatorModelWidebandUniform
AgModulatorModelWidebandGaussian ModulatorModelWidebandGaussian
AgModulatorModelPulsedSignal ModulatorModelPulsedSignal
AgModulatorModelScriptPluginCustomPsd ModulatorModelScriptPluginCustomPSD
AgModulatorModelScriptPluginIdealPsd ModulatorModelScriptPluginIdealPSD
AgLinkMargin LinkMargin
AgDemodulatorModel DemodulatorModel
AgDemodulatorModelBpsk DemodulatorModelBPSK
AgDemodulatorModelQpsk DemodulatorModelQPSK
AgDemodulatorModelExternalSource DemodulatorModelExternalSource
AgDemodulatorModelExternal DemodulatorModelExternal
AgDemodulatorModelQam16 DemodulatorModelQAM16
AgDemodulatorModelQam32 DemodulatorModelQAM32
AgDemodulatorModelQam64 DemodulatorModelQAM64
AgDemodulatorModelQam128 DemodulatorModelQAM128
AgDemodulatorModelQam256 DemodulatorModelQAM256
AgDemodulatorModelQam1024 DemodulatorModelQAM1024
AgDemodulatorModel8psk DemodulatorModel8PSK
AgDemodulatorModel16psk DemodulatorModel16PSK
AgDemodulatorModelMsk DemodulatorModelMSK
AgDemodulatorModelBoc DemodulatorModelBOC
AgDemodulatorModelDpsk DemodulatorModelDPSK
AgDemodulatorModelFsk DemodulatorModelFSK
AgDemodulatorModelNfsk DemodulatorModelNFSK
AgDemodulatorModelOqpsk DemodulatorModelOQPSK
AgDemodulatorModelNarrowbandUniform DemodulatorModelNarrowbandUniform
AgDemodulatorModelWidebandUniform DemodulatorModelWidebandUniform
AgDemodulatorModelWidebandGaussian DemodulatorModelWidebandGaussian
AgDemodulatorModelPulsedSignal DemodulatorModelPulsedSignal
AgDemodulatorModelScriptPlugin DemodulatorModelScriptPlugin
AgTransferFunctionPolynomialCollection TransferFunctionPolynomialCollection
AgTransferFunctionInputBackOffCOverImTableRow TransferFunctionInputBackOffVsCOverImTableRow
AgTransferFunctionInputBackOffCOverImTable TransferFunctionInputBackOffVsCOverImTable
AgTransferFunctionInputBackOffOutputBackOffTableRow TransferFunctionInputBackOffOutputBackOffTableRow
AgTransferFunctionInputBackOffOutputBackOffTable TransferFunctionInputBackOffOutputBackOffTable
AgBeerBouguerLambertLawLayer BeerBouguerLambertLawLayer
AgBeerBouguerLambertLawLayerCollection BeerBouguerLambertLawLayerCollection
AgRadarActivity RadarActivity
AgRadarActivityAlwaysActive RadarActivityAlwaysActive
AgRadarActivityAlwaysInactive RadarActivityAlwaysInactive
AgRadarActivityTimeComponentListElement RadarActivityTimeComponentListElement
AgRadarActivityTimeComponentListCollection RadarActivityTimeComponentListCollection
AgRadarActivityTimeComponentList RadarActivityTimeComponentList
AgRadarActivityTimeIntervalListElement RadarActivityTimeIntervalListElement
AgRadarActivityTimeIntervalListCollection RadarActivityTimeIntervalListCollection
AgRadarActivityTimeIntervalList RadarActivityTimeIntervalList
AgRadarAntennaBeam RadarAntennaBeam
AgRadarAntennaBeamCollection RadarAntennaBeamCollection
AgAntennaSystem AntennaSystem
AgAntennaBeam AntennaBeam
AgAntennaBeamTransmit AntennaBeamTransmit
AgAntennaBeamCollection AntennaBeamCollection
AgAntennaBeamSelectionStrategy AntennaBeamSelectionStrategy
AgAntennaBeamSelectionStrategyAggregate AntennaBeamSelectionStrategyAggregate
AgAntennaBeamSelectionStrategyMaxGain AntennaBeamSelectionStrategyMaximumGain
AgAntennaBeamSelectionStrategyMinBoresightAngle AntennaBeamSelectionStrategyMinimumBoresightAngle
AgAntennaBeamSelectionStrategyScriptPlugin AntennaBeamSelectionStrategyScriptPlugin
AgCommSystem CommSystem
AgCommSystemGraphics CommSystemGraphics
AgCommSystemVO CommSystemGraphics3D
AgCommSystemAccessOptions CommSystemAccessOptions
AgCommSystemAccessEventDetection CommSystemAccessEventDetection
AgCommSystemAccessEventDetectionSubsample CommSystemAccessEventDetectionSubsample
AgCommSystemAccessEventDetectionSamplesOnly CommSystemAccessEventDetectionSamplesOnly
AgCommSystemAccessSamplingMethod CommSystemAccessSamplingMethod
AgCommSystemAccessSamplingMethodFixed CommSystemAccessSamplingMethodFixed
AgCommSystemAccessSamplingMethodAdaptive CommSystemAccessSamplingMethodAdaptive
AgCommSystemLinkSelectionCriteria CommSystemLinkSelectionCriteria
AgCommSystemLinkSelectionCriteriaMinimumRange CommSystemLinkSelectionCriteriaMinimumRange
AgCommSystemLinkSelectionCriteriaMaximumElevation CommSystemLinkSelectionCriteriaMaximumElevation
AgCommSystemLinkSelectionCriteriaScriptPlugin CommSystemLinkSelectionCriteriaScriptPlugin
AgComponentDirectory ComponentDirectory
AgComponentInfo ComponentInfo
AgComponentInfoCollection ComponentInfoCollection
AgComponentAttrLinkEmbedControl ComponentAttrLinkEmbedControl
AgVolumetric Volumetric
AgVmGridSpatialCalculation VolumetricGridSpatialCalculation
AgVmExternalFile VolumetricExternalFile
AgVmAnalysisInterval VolumetricAnalysisInterval
AgVmAdvanced VolumetricAdvancedSettings
AgVmVO VolumetricGraphics3D
AgVmVOGrid VolumetricGraphics3DGrid
AgVmVOCrossSection VolumetricGraphics3DCrossSection
AgVmVOCrossSectionPlane VolumetricGraphics3DCrossSectionPlane
AgVmVOCrossSectionPlaneCollection VolumetricGraphics3DCrossSectionPlaneCollection
AgVmVOVolume VolumetricGraphics3DVolume
AgVmVOActiveGridPoints VolumetricGraphics3DActiveGridPoints
AgVmVOSpatialCalculationLevels VolumetricGraphics3DSpatialCalculationLevels
AgVmVOSpatialCalculationLevel VolumetricGraphics3DSpatialCalculationLevel
AgVmVOSpatialCalculationLevelCollection VolumetricGraphics3DSpatialCalculationLevelCollection
AgVmVOLegend VolumetricGraphics3DLegend
AgVmExportTool VolumetricExportTool
AgSatelliteCollection SatelliteCollection
AgSubset Subset
AgElementConfiguration ElementConfiguration
AgElementConfigurationCircular ElementConfigurationCircular
AgElementConfigurationLinear ElementConfigurationLinear
AgElementConfigurationAsciiFile ElementConfigurationASCIIFile
AgElementConfigurationHfssEepFile ElementConfigurationHfssEepFile
AgElementConfigurationPolygon ElementConfigurationPolygon
AgElementConfigurationHexagon ElementConfigurationHexagon
AgSolarActivityConfiguration SolarActivityConfiguration
AgSolarActivityConfigurationSunspotNumber SolarActivityConfigurationSunspotNumber
AgSolarActivityConfigurationSolarFlux SolarActivityConfigurationSolarFlux
AgBeamformer Beamformer
AgBeamformerAsciiFile BeamformerASCIIFile
AgBeamformerMvdr BeamformerMVDR
AgBeamformerUniform BeamformerUniform
AgBeamformerBlackmanHarris BeamformerBlackmanHarris
AgBeamformerCosine BeamformerCosine
AgBeamformerCosineX BeamformerCosineX
AgBeamformerCustomTaperFile BeamformerCustomTaperFile
AgBeamformerDolphChebyshev BeamformerDolphChebyshev
AgBeamformerTaylor BeamformerTaylor
AgBeamformerHamming BeamformerHamming
AgBeamformerHann BeamformerHann
AgBeamformerRaisedCosine BeamformerRaisedCosine
AgBeamformerRaisedCosineSquared BeamformerRaisedCosineSquared
AgBeamformerScript BeamformerScript
AgPriority Priority
AgPriorityCollection PriorityCollection
AgTargetSelectionMethod TargetSelectionMethod
AgTargetSelectionMethodPriority TargetSelectionMethodPriority
AgTargetSelectionMethodRange TargetSelectionMethodRange
AgTargetSelectionMethodClosingVelocity TargetSelectionMethodClosingVelocity
AgDirectionProvider DirectionProvider
AgDirectionProviderAsciiFile DirectionProviderASCIIFile
AgDirectionProviderObject DirectionProviderObject
AgDirectionProviderLink DirectionProviderLink
AgDirectionProviderScript DirectionProviderScript
AgElement Element
AgElementCollection ElementCollection
AgKeyValueCollection KeyValueCollection
AgRadarStcAttenuation RadarSTCAttenuation
AgRadarStcAttenuationDecayFactor RadarSTCAttenuationDecayFactor
AgRadarStcAttenuationDecaySlope RadarSTCAttenuationDecaySlope
AgRadarStcAttenuationMapRange RadarSTCAttenuationMapRange
AgRadarStcAttenuationMapAzimuthRange RadarSTCAttenuationMapAzimuthRange
AgRadarStcAttenuationMapElevationRange RadarSTCAttenuationMapElevationRange
AgRadarStcAttenuationPlugin RadarSTCAttenuationPlugin
AgSnPtAlongVector SensorPointingAlongVector
AgSnPtSchedule SensorPointingSchedule
AgAccessCnstrAWBCollection AccessConstraintAnalysisWorkbenchCollection
AgAccessCnstrAWB AccessConstraintAnalysisWorkbench
AgVOArticulationFile Graphics3DArticulationFile
AgDrStatisticResult DataProviderResultStatisticResult
AgDrTimeVarExtremumResult DataProviderResultTimeVaryingExtremumResult
AgDrStatistics DataProviderResultStatistics
AgVOModelGltfImageBased Graphics3DModelglTFImageBased
AgStkObjectCutCopyPasteEventArgs STKObjectCutCopyPasteEventArguments
AgStkPreferencesPythonPlugins PreferencesPythonPlugins
AgPathCollection PathCollection
AgAdvCAT AdvCAT
AgAdvCATAvailableObjectCollection AdvCATAvailableObjectCollection
AgAdvCATChosenObject AdvCATChosenObject
AgAdvCATChosenObjectCollection AdvCATChosenObjectCollection
AgAdvCATPreFilters AdvCATPreFilters
AgAdvCATAdvEllipsoid AdvCATAdvancedEllipsoid
AgAdvCATAdvanced AdvCATAdvancedSettings
AgAdvCATVO AdvCATGraphics3D
AgEOIRShapeObject EOIRShapeObject
AgEOIRShapeBox EOIRShapeBox
AgEOIRShapeCone EOIRShapeCone
AgEOIRShapeCylinder EOIRShapeCylinder
AgEOIRShapePlate EOIRShapePlate
AgEOIRShapeSphere EOIRShapeSphere
AgEOIRShapeCoupler EOIRShapeCoupler
AgEOIRShapeNone EOIRShapeNone
AgEOIRShapeGEOComm EOIRShapeGEOComm
AgEOIRShapeLEOComm EOIRShapeLEOComm
AgEOIRShapeLEOImaging EOIRShapeLEOImaging
AgEOIRShapeCustomMesh EOIRShapeCustomMesh
AgEOIRShapeTargetSignature EOIRShapeTargetSignature
AgEOIRStagePlume EOIRStagePlume
AgEOIRShape EOIRShape
AgEOIRShapeCollection EOIRShapeCollection
AgEOIRMaterialElement EOIRMaterialElement
AgEOIRMaterialElementCollection EOIRMaterialElementCollection
AgEOIRStage EOIRStage
AgEOIR EOIR
AgMsEOIR MissileEOIR
AgVeEOIR VehicleEOIR
IAgDrResult
        Category
        Value
        Sections
        Intervals
        DataSets
        Message
DataProviderResult
        category
        value
        sections
        intervals
        data_sets
        message
IAgDataPrvTimeVar
        Exec
        ExecElements
        ExecSingle
        ExecSingleElements
        ExecSingleElementsArray
        ExecNativeTimes
        ExecElementsNativeTimes
        ExecEventArray
        ExecElementsEventArray
        ExecElementsEventArrayOnly
DataProviderTimeVarying
        execute
        execute_elements
        execute_single
        execute_single_elements
        execute_single_elements_array
        execute_native_times
        execute_elements_native_times
        execute_event_array
        execute_elements_event_array
        execute_elements_event_array_only
IAgDataPrvInterval
        Exec
        ExecElements
        ExecEventArray
        ExecElementsEventArray
DataProviderInterval
        execute
        execute_elements
        execute_event_array
        execute_elements_event_array
IAgDataPrvFixed
        Exec
        ExecElements
DataProviderFixed
        execute
        execute_elements
IAgDrStatistics
        ComputeStatistic
        ComputeTimeVarExtremum
        IsStatisticAvailable
        IsTimeVarExtremumAvailable
DataProviderResultStatistics
        compute_statistic
        compute_time_varying_extremum
        is_statistic_available
        is_time_varying_extremum_available
IAgDataProviderInfo
        Name
        Type
        IsGroup
IDataProviderInfo
        name
        type
        is_group
IAgDataProviderCollection
        GetSchema
        Item
        Count
        GetDataPrvInfoFromPath
        GetDataPrvTimeVarFromPath
        GetDataPrvIntervalFromPath
        GetDataPrvFixedFromPath
        GetItemByIndex
        GetItemByName
DataProviderCollection
        get_schema
        item
        count
        get_data_provider_information_from_path
        get_data_provider_time_varying_from_path
        get_data_provider_interval_from_path
        get_data_provider_fixed_from_path
        get_item_by_index
        get_item_by_name
IAgDrDataSet
        ElementName
        ElementType
        DimensionName
        Count
        GetValues
        GetInternalUnitValues
        Statistics
DataProviderResultDataSet
        element_name
        element_type
        dimension_name
        count
        get_values
        get_internal_units_values
        statistics
IAgDrDataSetCollection
        ToNumpyArray
        ToPandasDataFrame
        Count
        Item
        GetDataSetByName
        RowCount
        GetRow
        ToArray
        ElementNames
DataProviderResultDataSetCollection
        to_numpy_array
        to_pandas_dataframe
        count
        item
        get_data_set_by_name
        row_count
        get_row
        to_array
        element_names
IAgDrInterval
        StartTime
        StopTime
        DataSets
        ThresholdCrossings
        MultipleThresholdCrossings
DataProviderResultInterval
        start_time
        stop_time
        data_sets
        threshold_crossings
        multiple_threshold_crossings
IAgDrIntervalCollection
        Count
        Item
DataProviderResultIntervalCollection
        count
        item
IAgDrSubSection
        Title
        Intervals
DataProviderResultSubSection
        title
        intervals
IAgDrSubSectionCollection
        Count
        Item
DataProviderResultSubSectionCollection
        count
        item
IAgDrTextMessage
        Count
        Item
        Messages
        IsFailure
DataProviderResultTextMessage
        count
        item
        messages
        is_failure
IAgDataPrvElement
        Name
        Type
        DimensionName
DataProviderElement
        name
        type
        dimension_name
IAgDataPrvElements
        Item
        Count
        GetItemByIndex
        GetItemByName
DataProviderElements
        item
        count
        get_item_by_index
        get_item_by_name
IAgDrTimeArrayElements
        GetArray
        Valid
        Count
DataProviderResultTimeArrayElements
        get_array
        valid
        count
IAgDataProvider
        Elements
        PreData
        AllowUI
        IsValid
        PreDataRequired
        IsStatisticAvailable
        IsTimeVarExtremumAvailable
        PreDataDescription
IDataProvider
        elements
        pre_data
        allow_user_interface_for_pre_data
        is_valid
        pre_data_required
        is_statistic_available
        is_time_varying_extremum_available
        pre_data_description
IAgDataProviders
        Count
        Item
        Contains
        GetItemByIndex
        GetItemByName
DataProviders
        count
        item
        contains
        get_item_by_index
        get_item_by_name
IAgDataProviderGroup
        Group
DataProviderGroup
        group
IAgDrStatisticResult
        Value
DataProviderResultStatisticResult
        value
IAgDrTimeVarExtremumResult
        Value
        Time
DataProviderResultTimeVaryingExtremumResult
        value
        time
IAgVODataDisplayCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
        AvailableData
        IsPreDataRequired
        AddDataDisplayRequiringPreData
Graphics3DDataDisplayCollection
        count
        item
        remove_at
        remove_all
        add
        available_data
        is_pre_data_required
        add_data_display_requiring_pre_data
IAgIntervalCollection
        Count
        Add
        RemoveIndex
        RemoveAll
        RemoveInterval
        Deconflict
        LoadIntervals
        ChangeInterval
        GetInterval
        ToArray
TimeIntervalCollection
        count
        add
        remove_index
        remove_all
        remove_interval
        deconflict
        load_intervals
        change_interval
        get_interval
        to_array
IAgTimePeriodValue
        Value
        Type
TimePeriodValue
        value
        type
IAgStkObject
        Parent
        Path
        InstanceName
        ClassType
        ClassName
        Children
        Export
        Root
        DataProviders
        ShortDescription
        LongDescription
        HasChildren
        IsObjectCoverageSupported
        ObjectCoverage
        IsAccessSupported
        GetAccess
        GetAccessToObject
        AccessConstraints
        CreateOnePointAccess
        ObjectFiles
        Unload
        IsVgtSupported
        Vgt
        CopyObject
        CentralBodyName
        Metadata
ISTKObject
        parent
        path
        instance_name
        class_type
        class_name
        children
        export
        root
        data_providers
        short_description
        long_description
        has_children
        is_object_coverage_supported
        object_coverage
        is_access_supported
        get_access
        get_access_to_object
        access_constraints
        create_one_point_access
        object_files
        unload
        supports_analysis_workbench
        analysis_workbench_components
        copy_object
        central_body_name
        metadata
IAgAccessInterval IAccessInterval
IAgAccessTimeEventIntervals
        ListOfIntervals
AccessAllowedTimeIntervals
        list_of_intervals
IAgAccessTimePeriod
        StartTime
        StopTime
        Duration
        AccessInterval
AccessTimePeriod
        start_time
        stop_time
        duration
        access_interval
IAgStkAccessGraphics
        Inherit
        LineVisible
        AnimateGfx
        StaticGfx
        LineWidth
        LineStyle
AccessGraphics
        inherit
        show_line
        show_animation_highlight_graphics_2d
        static_graphics_2d
        line_width
        line_style
IAgStkAccessAdvanced
        EnableLightTimeDelay
        TimeConvergence
        MaxTimeStep
        TimeLightDelayConvergence
        AberrationType
        ClockHost
        SignalSenseOfClockHost
        UseDefaultClockHostAndSignalSense
        UsePreciseEventTimes
        AbsoluteTolerance
        RelativeTolerance
        UseFixedTimeStep
        MinTimeStep
        FixedStepSize
        FixedTimeBound
AccessAdvancedSettings
        enable_light_time_delay
        time_convergence
        maximum_time_step
        time_light_delay_convergence
        aberration_type
        clock_host
        signal_sense_of_clock_host
        use_default_clock_host_and_signal_sense
        use_precise_event_times
        absolute_tolerance
        relative_tolerance
        use_fixed_time_step
        minimum_time_step
        fixed_step_size
        fixed_time_bound
IAgStkAccess
        DataProviders
        RemoveAccess
        ComputeAccess
        AccessTimePeriod
        SpecifyAccessTimePeriod
        Graphics
        Advanced
        DataDisplays
        SpecifyAccessIntervals
        ComputedAccessIntervalTimes
        AccessTimePeriodData
        SpecifyAccessEventIntervals
        ClearAccess
        Vgt
        SaveComputedData
        Base
        Target
        Name
Access
        data_providers
        remove_access
        compute_access
        access_time_period
        specify_access_time_period
        graphics
        advanced
        data_displays
        specify_access_intervals
        computed_access_interval_times
        access_time_period_data
        specify_access_event_intervals
        clear_access
        analysis_workbench_components
        save_computed_data
        base
        target
        name
IAgAccessConstraintCollection
        Count
        Item
        AddConstraint
        RemoveConstraint
        GetActiveConstraint
        IsConstraintActive
        AvailableConstraints
        IsConstraintSupported
        IsNamedConstraintSupported
        AddNamedConstraint
        RemoveNamedConstraint
        IsNamedConstraintActive
        GetActiveNamedConstraint
        AWBConstraints
        UsePreferredMaxTimeStep
        PreferredMaxTimeStep
        RemoveNamedConstraintEx
AccessConstraintCollection
        count
        item
        add_constraint
        remove_constraint
        get_active_constraint
        is_constraint_active
        available_constraints
        is_constraint_supported
        is_named_constraint_supported
        add_named_constraint
        remove_named_constraint
        is_named_constraint_active
        get_active_named_constraint
        analysis_workbench_constraints
        use_preferred_maximum_time_step
        preferred_maximum_time_step
        remove_named_constraint_ex
IAgImmutableIntervalCollection
        Count
        GetInterval
        ToArray
TimeIntervalCollectionReadOnly
        count
        get_interval
        to_array
IAgFmDefinition
        Satisfaction
IFigureOfMeritDefinition
        satisfaction
IAgFmDefCompute
        ComputeType
        SetComputeType
        IsComputeTypeSupported
        ComputeSupportedTypes
        Compute
IFigureOfMeritDefinitionCompute
        compute_type
        set_compute_type
        is_compute_type_supported
        compute_supported_types
        compute
IAgFmDefAccessConstraint
        AcrossAssets
        TimeStep
        ConstraintName
        Constraint
FigureOfMeritDefinitionAccessConstraint
        across_assets
        time_step
        constraint_name
        constraint
IAgFmGraphics
        Static
        Animation
        IsObjectGraphicsVisible
FigureOfMeritGraphics
        static
        animation_settings
        show_graphics
IAgCvAssetListCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
        AvailableAssets
        Remove
        GetAssetFromPath
        IsAssetAssigned
        CanAssignAsset
CoverageAssetListCollection
        count
        item
        remove_at
        remove_all
        add
        available_assets
        remove
        get_asset_from_path
        is_asset_assigned
        can_assign_asset
IAgAvailableFeatures
        IsPropagatorTypeAvailable
        IsObjectTypeAvailable
AvailableFeatures
        is_propagator_type_available
        is_object_type_available
IAgStkCentralBodyCollection
        Contains
        Earth
        Sun
        Moon
        Count
        Item
        GetItemByIndex
        GetItemByName
CentralBodyCollection
        contains
        earth
        sun
        moon
        count
        item
        get_item_by_index
        get_item_by_name
IAgStkPreferences
        STKPreferencesVDF
        STKPreferencesConnect
        STKPreferencesPythonPlugins
Preferences
        vdf_preferences
        connect_preferences
        python_plugins_preferences
IAgOnePtAccessConstraint
        Status
        Constraint
        Value
        ObjectPath
OnePointAccessConstraint
        status
        constraint
        value
        object_path
IAgOnePtAccessConstraintCollection
        Count
        Item
OnePointAccessConstraintCollection
        count
        item
IAgOnePtAccessResult
        AccessSatisfied
        Time
        Constraints
OnePointAccessResult
        access_is_satisfied
        time
        constraints
IAgOnePtAccessResultCollection
        Count
        Item
OnePointAccessResultCollection
        count
        item
IAgOnePtAccess
        Compute
        Remove
        SummaryOption
        StartTime
        StopTime
        StepSize
        OutputToFile
        OutputFile
        ComputeFirstSatisfaction
OnePointAccess
        compute
        remove
        summary_option
        start_time
        stop_time
        step_size
        output_to_file
        output_filename
        compute_first_satisfaction
IAgKeyValueCollection
        Count
        Item
        Contains
        RemoveAll
        RemoveKey
        Set
        Keys
        GetReadOnly
        SetReadOnly
KeyValueCollection
        count
        item
        contains
        remove_all
        remove_key
        set
        keys
        get_read_only
        set_read_only
IAgStkObjectElementCollection
        Count
        Item
        Contains
        GetItemByIndex
        GetItemByName
ISTKObjectElementCollection
        count
        item
        contains
        get_item_by_index
        get_item_by_name
IAgStkObjectCollection
        Count
        Item
        New
        Unload
        GetElements
        NewOnCentralBody
        SupportedChildTypes
        Contains
        ImportObject
        CopyObject
        GetItemByIndex
        GetItemByName
ISTKObjectCollection
        count
        item
        new
        unload
        get_elements
        new_on_central_body
        supported_child_types
        contains
        import_object
        copy_object
        get_item_by_index
        get_item_by_name
IAgObjectCoverageFOM
        DefinitionType
        SetDefinitionType
        IsDefinitionTypeSupported
        DefinitionSupportedTypes
        Definition
        SetAccessConstraintDefinition
        Graphics
        SetAccessConstraintDefinitionName
ObjectCoverageFigureOfMerit
        definition_type
        set_definition_type
        is_definition_type_supported
        definition_supported_types
        definition
        set_access_constraint_definition
        graphics
        set_access_constraint_definition_name
IAgStkObjectCoverage
        DataProviders
        StartTime
        StopTime
        Assets
        FOM
        Compute
        Clear
        AccessInterval
        UseObjectTimes
        IsCoverageConfigurationSaved
        ClearCoverage
ObjectCoverage
        data_providers
        start_time
        stop_time
        assets
        figure_of_merit
        compute
        clear
        access_interval
        use_object_times
        is_coverage_configuration_saved
        clear_coverage
IAgStdMil2525bSymbols
        FillEnabled
        SymbolImageSize
        CreateSymbol
MilitaryStandard2525bSymbols
        fill_enabled
        symbol_image_size
        create_symbol
IAgStkObjectRoot
        ExecuteCommand
        LoadScenario
        CloseScenario
        NewScenario
        SaveScenario
        SaveScenarioAs
        UnitPreferences
        CurrentScenario
        LoadCustomMarker
        GetObjectFromPath
        AllInstanceNamesToXML
        BeginUpdate
        EndUpdate
        ExecuteMultipleCommands
        Isolate
        Isolated
        ConversionUtility
        StdMil2525bSymbols
        LoadVDF
        AvailableFeatures
        ObjectExists
        VgtRoot
        CentralBodies
        GetLicensingReport
        NotificationFilter
        SaveVDFAs
        StkPreferences
        Load
        Save
        SaveAs
        LoadVDFFromSDF
        LoadVDFFromSDFWithVersion
        SaveVDFToSDF
        RFChannelModeler
        Subscribe
STKObjectRoot
        execute_command
        load_scenario
        close_scenario
        new_scenario
        save_scenario
        save_scenario_as
        units_preferences
        current_scenario
        load_custom_marker
        get_object_from_path
        all_instance_names_in_xml
        begin_update
        end_update
        execute_multiple_commands
        isolate
        isolated
        conversion_utility
        military_standard_2525b_symbols
        load_vdf
        available_features
        object_exists
        analysis_workbench_components_root
        central_bodies
        get_licensing_report
        notification_filter
        save_vdf_as
        preferences
        load
        save
        save_as
        load_vdf_from_sdf
        load_vdf_from_sdf_with_version
        save_vdf_to_sdf
        rf_channel_modeler
        subscribe
IAgObjectLink
        Name
        Path
        Type
        LinkedObject
ObjectLink
        name
        path
        type
        linked_object
IAgLinkToObject
        Name
        LinkedObject
        BindTo
        AvailableObjects
        IsIntrinsic
LinkToObject
        name
        linked_object
        bind_to_object
        available_objects
        is_intrinsic
IAgObjectLinkCollection
        Count
        Item
        Add
        Remove
        RemoveAll
        RemoveName
        AvailableObjects
        AddObject
        RemoveObject
        Contains
        IndexOf
ObjectLinkCollection
        count
        item
        add
        remove
        remove_all
        remove_name
        available_objects
        add_object
        remove_object
        contains
        index_of
IAgAnimation
        PlayForward
        PlayBackward
        Pause
        Rewind
        StepForward
        StepBackward
        Faster
        Slower
        Mode
        CurrentTime
        Step
        AnimationOptions
        HighSpeed
IAnimation
        play_forward
        play_backward
        pause
        rewind
        step_forward
        step_backward
        faster
        slower
        mode
        current_time
        step
        animation_options
        high_speed
IAgStkObjectModelContext
        Create
        CreateRestrictive
STKObjectModelContext
        create
        create_restrictive
IAgComponentInfo
        Name
        UserComment
        Description
        IsReadOnly
        Export
        ExportWithFilenamePath
IComponentInfo
        name
        user_comment
        description
        is_read_only
        export
        export_with_filename_path
IAgComponentInfoCollection
        Item
        Count
        GetFolder
        FolderCount
        AvailableFolders
        FolderName
        Remove
        DuplicateComponent
        LoadComponent
        GetItemByIndex
        GetItemByName
ComponentInfoCollection
        item
        count
        get_folder
        folder_count
        available_folders
        folder_name
        remove
        duplicate_component
        load_component
        get_item_by_index
        get_item_by_name
IAgComponentDirectory
        GetComponents
ComponentDirectory
        get_components
IAgCloneable
        CloneObject
ICloneable
        clone_object
IAgComponentLinkEmbedControl
        ReferenceType
        Component
        SupportedComponents
        SetComponent
IComponentLinkEmbedControl
        reference_type
        component
        supported_components
        set_component
IAgSwath
        Enable
        Color
        LineStyle
        LineWidth
        AddTimeInterval
        ModifyTimeInterval
        GetTimeIntervalIndex
        RemoveTimeInterval
        RemoveTimeIntervalIndex
        RemoveAllIntervals
        TimeIntervalCount
        ToArray
        MinimumStep
        MaximumStep
        UseMaximumCone
        ScatteringTolerance
        CurvatureTolerance
        ComputationalMethod
Swath
        enable
        color
        line_style
        line_width
        add_time_interval
        modify_time_interval
        get_time_interval_index
        remove_time_interval
        remove_time_interval_index
        remove_all_intervals
        time_interval_count
        to_array
        minimum_step
        maximum_step
        use_maximum_cone
        scattering_tolerance
        curvature_tolerance
        computational_method
IAgDisplayTimesData IDisplayTimesData
IAgDisplayTm
        DisplayStatusType
        SetDisplayStatusType
        IsDisplayStatusTypeSupported
        DisplayStatusSupportedTypes
        DisplayTimesData
IDisplayTime
        display_status_type
        set_display_status_type
        is_display_status_type_supported
        display_status_supported_types
        display_times_data
IAgBasicAzElMask
        AltVisible
        NumberOfAltSteps
        RangeVisible
        NumberOfRangeSteps
        DisplayRangeMinimum
        DisplayRangeMaximum
        DisplayAltMinimum
        DisplayAltMaximum
        AltColorVisible
        AltColor
        RangeColorVisible
        RangeColor
BasicAzElMask
        display_mask_over_altitude_range
        number_of_altitude_steps
        show_mask_over_range
        number_of_range_steps
        display_range_minimum
        display_range_maximum
        display_altitude_minimum
        display_altitude_maximum
        display_color_at_altitude
        altitude_color
        show_color_at_range
        range_color
IAgLabelNote
        Note
        NoteVisible
        LabelVisible
        Intervals
LabelNote
        note
        show_note
        show_label
        intervals
IAgLabelNoteCollection
        Count
        Add
        Remove
        Item
LabelNoteCollection
        count
        add
        remove
        item
IAgDuringAccess
        DisplayIntervals
        AccessObjects
DisplayTimesDuringAccess
        display_intervals
        access_objects
IAgDisplayTimesTimeComponent
        SetTimeComponent
        SetQualifiedPath
        GetTimeComponent
        GetQualifiedPath
        Reset
DisplayTimesTimeComponent
        set_time_component
        set_qualified_path
        get_time_component
        get_qualified_path
        reset
IAgTerrainNormSlopeAzimuth
        Slope
        Azimuth
TerrainNormalSlopeAzimuth
        slope
        azimuth
IAgAccessTime
        StartTime
        StopTime
        Target
AccessTargetTime
        start_time
        stop_time
        target
IAgAccessTimeCollection
        Count
        Item
AccessTargetTimesCollection
        count
        item
IAgTerrainNormData ITerrainNormData
IAgLifetimeInformation
        HasBeenDeleted
ILifetimeInformation
        has_been_deleted
IAgVeLeadTrailData IVehicleLeadTrailData
IAgVeLeadTrailDataFraction
        Fraction
IVehicleLeadTrailDataFraction
        fraction
IAgVeLeadTrailDataTime
        Time
IVehicleLeadTrailDataTime
        time
IAgStkCentralBodyEllipsoid
        A
        B
        C
        MeanRadius
        VolumetricRadius
        ComputeSurfaceDistance
CentralBodyEllipsoid
        radius_a
        radius_b
        radius_c
        mean_radius
        volumetric_radius
        compute_surface_distance
IAgStkCentralBody
        Name
        Ellipsoid
        Vgt
        GravitationalParameter
CentralBody
        name
        ellipsoid
        analysis_workbench_components
        gravitational_parameter
IAgAccessConstraint
        ConstraintName
        IsPlugin
        ExclIntvl
        ConstraintType
        MaxTimeStep
        MaxRelMotion
IAccessConstraint
        constraint_name
        is_plugin
        exclusion_interval
        constraint_type
        maximum_time_step
        maximum_relative_motion
IAgAccessCnstrTimeSlipRange
        LaunchWindowStart
        LaunchWindowEnd
        Range
AccessConstraintTimeSlipRange
        launch_window_start
        launch_window_end
        range
IAgAccessCnstrZone
        MinLon
        MinLat
        MaxLon
        MaxLat
AccessConstraintLatitudeLongitudeZone
        minimum_longitude
        minimum_latitude
        maximum_longitude
        maximum_latitude
IAgAccessCnstrExclZonesCollection
        Count
        RemoveIndex
        RemoveAll
        RemoveExclZone
        ChangeExclZone
        GetExclZone
        ToArray
        ConstraintName
        IsPlugin
        ExclIntvl
        ConstraintType
        Item
        MaxTimeStep
        MaxRelMotion
AccessConstraintExclZonesCollection
        count
        remove_index
        remove_all
        remove_exclusion_zone
        change_exclusion_zone
        get_exclusion_zone
        to_array
        constraint_name
        is_plugin
        exclusion_interval
        constraint_type
        item
        maximum_time_step
        maximum_relative_motion
IAgAccessCnstrThirdBody
        AssignedObstructions
        IsObstructionAssigned
        AddObstruction
        RemoveObstruction
        AvailableObstructions
AccessConstraintThirdBody
        assigned_obstructions
        is_obstruction_assigned
        add_obstruction
        remove_obstruction
        available_obstructions
IAgAccessCnstrIntervals
        Filename
        ActionType
        Intervals
        FilePath
AccessConstraintIntervals
        filename
        action_type
        intervals
        file_path
IAgAccessCnstrObjExAngle
        ExclusionAngle
        AssignedObjects
        AvailableObjects
        AddExclusionObject
        IsObjectAssigned
        RemoveExclusionObject
AccessConstraintObjExAngle
        exclusion_angle
        assigned_objects
        available_objects
        add_exclusion_object
        is_object_assigned
        remove_exclusion_object
IAgAccessCnstrCondition
        Condition
AccessConstraintCondition
        condition
IAgAccessCnstrCbObstruction
        AssignedObstructions
        IsObstructionAssigned
        AddObstruction
        RemoveObstruction
        AvailableObstructions
AccessConstraintCentralBodyObstruction
        assigned_obstructions
        is_obstruction_assigned
        add_obstruction
        remove_obstruction
        available_obstructions
IAgAccessCnstrAngle
        Angle
AccessConstraintAngle
        angle
IAgAccessCnstrMinMax
        EnableMin
        EnableMax
        Min
        Max
IAccessConstraintMinMaxBase
        enable_minimum
        enable_maximum
        minimum
        maximum
IAgAccessCnstrPluginMinMax
        GetRawPluginObject
        GetProperty
        SetProperty
        AvailableProperties
AccessConstraintPluginMinMax
        get_raw_plugin_object
        get_property
        set_property
        available_properties
IAgAccessCnstrCrdnCn
        EnableMin
        EnableMax
        Min
        Max
        Reference
        AvailableReferences
AccessConstraintAnalysisWorkbenchComponent
        enable_minimum
        enable_maximum
        minimum
        maximum
        reference
        available_references
IAgAccessCnstrBackground
        Background
AccessConstraintBackground
        background
IAgAccessCnstrGroundTrack
        Direction
AccessConstraintGroundTrack
        direction
IAgAccessCnstrAWB
        EnableMin
        EnableMax
        Min
        Max
        Reference
AccessConstraintAnalysisWorkbench
        enable_minimum
        enable_maximum
        minimum
        maximum
        reference
IAgAccessCnstrAWBCollection
        Count
        RemoveIndex
        RemoveAll
        RemoveConstraint
        AddConstraint
        GetAvailableReferences
        Item
AccessConstraintAnalysisWorkbenchCollection
        count
        remove_index
        remove_all
        remove_constraint
        add_constraint
        get_available_references
        item
IAgAccessCnstrGrazingAlt
        ComputeBeyondTgt
AccessConstraintGrazingAltitude
        compute_beyond_target
IAgLevelAttribute
        Level
        Color
        LineStyle
        LineWidth
        LabelVisible
        UserTextVisible
        LabelAngle
        UserText
LevelAttribute
        level
        color
        line_style
        line_width
        show_label
        show_user_text_visible
        label_angle
        user_text
IAgLevelAttributeCollection
        Count
        Item
        Remove
        RemoveAll
        AddLevel
        AddLevelRange
LevelAttributeCollection
        count
        item
        remove
        remove_all
        add_level
        add_level_range
IAgGfxRangeContours
        IsVisible
        IsFillVisible
        FillStyle
        LevelAttributes
        NumOfDecimalDigits
        LabelUnit
        AvailableLabelUnits
        FillTranslucency
Graphics2DRangeContours
        show_graphics
        show_filled_contours
        fill_style
        level_attributes
        number_of_decimal_digits
        label_units
        available_label_units
        fill_translucency
IAgVOModelFile
        Filename
        FilePath
Graphics3DModelFile
        filename
        file_path
IAgVOArticulationFile
        Filename
        Reload
Graphics3DArticulationFile
        filename
        reload
IAgVOModelGltfImageBased
        Filename
        FilePath
        ReflectionReferenceFrame
Graphics3DModelglTFImageBased
        filename
        file_path
        reflection_reference_frame
IAgVeEllipseDataElement
        Time
        CustomPosition
        Latitude
        Longitude
        SemiMajorAxis
        SemiMinorAxis
        Bearing
VehicleEllipseDataElement
        time
        custom_position
        latitude
        longitude
        semi_major_axis
        semi_minor_axis
        bearing
IAgVeEllipseDataCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
VehicleEllipseDataCollection
        count
        item
        remove_at
        remove_all
        add
IAgVeGroundEllipseElement
        EllipseName
        EllipseData
VehicleGroundEllipseElement
        ellipse_name
        ellipse_data
IAgVeGroundEllipsesCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
        RemoveEllipseSet
        GetEllipseSet
VehicleGroundEllipsesCollection
        count
        item
        remove_at
        remove_all
        add
        remove_ellipse_set
        get_ellipse_set
IAgVODataDisplayElement
        Name
        IsVisible
        IsDisplayedInWindow
        Location
        XOrigin
        X
        YOrigin
        Y
        Title
        FontSize
        FontColor
        Format
        UseBackground
        TransparentBg
        BgWidth
        BgHeight
        BgColor
        AvailableWindows
        AddToWindow
        RemoveFromWindow
        AddToAllWindows
        TitleText
        BackgroundTranslucency
        UseBackgroundTexture
        BackgroundTextureFilename
        UseBackgroundBorder
        BackgroundBorderColor
        UseAutoSizeWidth
        UseAutoSizeHeight
        IsShowNameEnabled
Graphics3DDataDisplayElement
        name
        show_graphics
        is_displayed_in_window
        location
        x_origin
        x
        y_origin
        y
        title
        font_size
        font_color
        format
        use_background
        transparent_background
        background_width
        background_height
        background_color
        available_windows
        add_to_window
        remove_from_window
        add_to_all_windows
        title_text
        background_translucency
        use_background_texture
        background_texture_filename
        use_background_border
        background_border_color
        use_automatic_size_width
        use_automatic_size_height
        show_name
IAgVOPointableElementsElement
        PointingName
        AssignedTargetObject
        Intervals
Graphics3DPointableElementsElement
        pointing_name
        assigned_target_object
        intervals
IAgVOPointableElementsCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
        Sort
Graphics3DPointableElementsCollection
        count
        item
        remove_at
        remove_all
        add
        sort
IAgVOModelPointing
        PointableElements
        AddInterval
        RemoveInterval
        LoadIntervals
Graphics3DModelPointing
        pointable_elements
        add_interval
        remove_interval
        load_intervals
IAgVOLabelSwapDistance
        DistanceValue
        SetDistanceLevel
        DistanceLevel
Graphics3DLabelSwapDistance
        distance_value
        set_distance_level
        distance_level
IAgVOAzElMask
        CompassDirectionsVisible
        AltLabelsVisible
        NumbAltLabels
        InteriorTranslucency
        LineTranslucency
        LabelSwapDistance
Graphics3DAzElMask
        show_compass_directions
        altitude_labels_visible
        number_of_altitude_labels
        interior_translucency
        line_translucency
        label_swap_distance
IAgVOBorderWall
        UseBorderWall
        UpperEdgeAltRef
        UpperEdgeHeight
        LowerEdgeAltRef
        LowerEdgeHeight
        UseWallTranslucency
        WallTranslucency
        UseLineTranslucency
        LineTranslucency
        IsAltRefTypeSupported
Graphics3DBorderWall
        use_border_wall
        upper_edge_altitude_reference
        upper_edge_height
        lower_edge_altitude_reference
        lower_edge_height
        use_wall_translucency
        wall_translucency
        use_line_translucency
        line_translucency
        is_altitude_reference_type_supported
IAgVORangeContours
        IsVisible
        TranslucentLines
        PercentTranslucency
        BorderWall
        LabelSwapDistance
Graphics3DRangeContours
        show_graphics
        translucent_lines
        percent_translucency
        border_wall
        label_swap_distance
IAgVOOffsetLabel
        Enable
        X
        Y
        Z
        OffsetFrame
Graphics3DOffsetLabel
        enable
        x
        y
        z
        offset_frame
IAgVOOffsetRotate
        Enable
        X
        Y
        Z
Graphics3DOffsetRotate
        enable
        x
        y
        z
IAgVOOffsetTrans
        Enable
        X
        Y
        Z
Graphics3DOffsetTransformation
        enable
        x
        y
        z
IAgVOOffsetAttach
        Enable
        AttachPtName
        AvailableAttachPoints
Graphics3DOffsetAttachment
        enable
        attachment_point_name
        available_attachment_points
IAgVOOffset
        Rotational
        Translational
        Label
        AttachPoint
Graphics3DOffset
        rotational
        translational
        label
        attachment_point
IAgVOMarkerData IGraphics3DMarkerData
IAgVOMarkerShape
        Style
Graphics3DMarkerShape
        style
IAgVOMarkerFile
        Filename
        IsTransparent
        UseSoftTransparency
        FilePath
Graphics3DMarkerFile
        filename
        is_transparent
        use_soft_transparency
        file_path
IAgVOMarker
        PixelSize
        Visible
        MarkerType
        Angle
        XOrigin
        YOrigin
        MarkerData
        SetMarkerImageFile
        OrientationMode
Graphics3DMarker
        pixel_size
        visible
        marker_type
        angle
        x_origin
        y_origin
        marker_data
        set_marker_image_filename
        orientation_mode
IAgVOModelTrans
        Name
        Value
        Min
        Max
Graphics3DModelTransformation
        name
        value
        minimum
        maximum
IAgVOModelTransCollection
        Count
        Item
        Name
Graphics3DModelTransformationCollection
        count
        item
        name
IAgVOModelArtic
        EnableDefaultSave
        GetTransValue
        SetTransValue
        GetAvailableArticulations
        GetAvailableTransformations
        LODCount
        UseObjectColorForModel
        SaveArticFileOnSave
        UseArticulationFile
        VOArticulationFile
Graphics3DModelArticulation
        enable_default_save
        get_transformation_value
        set_transformation_value
        get_available_articulations
        get_available_transformations
        level_of_detail_count
        use_object_color_for_model
        save_articulation_file_on_save
        use_articulation_file
        graphics_3d_articulation_file
IAgVODetailThreshold
        EnableDetailThreshold
        All
        ModelLabel
        MarkerLabel
        Marker
        Point
Graphics3DDetailThreshold
        enable_detail_threshold
        all
        model_label
        marker_label
        marker
        point
IAgVOModelItem
        SwitchTime
        VOModelFile
Graphics3DModelItem
        switch_time
        graphics_3d_model_file
IAgVOModelCollection
        Count
        Add
        Remove
        Item
Graphics3DModelCollection
        count
        add
        remove
        item
IAgVOModelData IGraphics3DModelData
IAgVOModel
        Visible
        ScaleValue
        DetailThreshold
        ModelData
        ModelType
        Articulation
IGraphics3DModel
        visible
        scale_value
        detail_threshold
        model_data
        model_type
        articulation
IAgPtTargetVOModel
        Marker
        IsPointVisible
        PointSize
        GltfReflectionMapType
        GltfImageBased
PointTargetGraphics3DModel
        marker
        show_point
        point_size
        gltf_reflection_map_type
        gltf_image_based
IAgVORefCrdn
        TypeID
        Name
        Visible
        Color
        LabelVisible
IGraphics3DReferenceAnalysisWorkbenchComponent
        type_identifier
        name
        visible
        color
        show_label
IAgVORefCrdnVector
        DrawAtCB
        RADecVisible
        RADecUnitAbrv
        MagnitudeVisible
        MagnitudeDimension
        MagnitudeUnitAbrv
        PersistenceVisible
        Duration
        Connect
        Transparent
        Axes
        DrawAtPoint
        Point
        TrueScale
        AvailableAxes
        AvailablePoints
        Thickness
Graphics3DReferenceVector
        draw_at_central_body
        show_right_ascension_declination_values
        right_ascension_declination_units_abbreviation
        show_magnitude_value
        magnitude_dimension
        magnitude_units_abbreviation
        show_persistence
        duration
        connect
        transparent
        axes
        draw_at_point
        point
        true_scale
        available_axes
        available_points
        thickness
IAgVORefCrdnAxes
        DrawAtCB
        Axes
        PersistenceVisible
        Duration
        Connect
        Transparent
        AvailableAxes
        DrawAtPoint
        Point
        AvailablePoints
        Thickness
Graphics3DReferenceAxes
        draw_at_central_body
        axes
        show_persistence
        duration
        connect
        transparent
        available_axes
        draw_at_point
        point
        available_points
        thickness
IAgVORefCrdnAngle
        AngleValueVisible
        AngleUnitAbrv
        ShowDihedralAngleSupportingArcs
Graphics3DReferenceAngle
        show_angle_value
        angle_unit_abbreviation
        show_dihedral_angle_supporting_arcs
IAgVORefCrdnPoint
        TrajectoryType
        RADecVisible
        RADecUnitAbrv
        MagnitudeVisible
        MagnitudeUnitAbrv
        CartesianVisible
        CartesianUnitAbrv
        System
        Size
        AvailableSystems
Graphics3DReferencePoint
        trajectory_type
        show_right_ascension_declination_values
        right_ascension_declination_units_abbreviation
        show_magnitude_value
        magnitude_units_abbreviation
        show_cartesian_value
        cartesian_units_abbreviation
        system
        size
        available_systems
IAgVORefCrdnPlane
        AxisLabelsVisible
        TransparentPlaneVisible
        Size
        Transparency
        DrawAtObject
        RectGridVisible
        CircGridVisible
        PlaneGridSpacing
Graphics3DReferencePlane
        show_axis_labels
        is_plane_transparent
        size
        transparency
        draw_at_object
        show_rectangular_grid
        show_circle_grid
        plane_grid_spacing
IAgVORefCrdnCollection
        Count
        Item
        Add
        Remove
        RemoveAll
        RemoveByName
        AvailableCrdns
        GetCrdnByName
Graphics3DReferenceVectorGeometryToolComponentCollection
        count
        item
        add
        remove
        remove_all
        remove_by_name
        available_vector_geometry_tool_components
        get_component_by_name
IAgVOVector
        RefCrdns
        VectorSizeScale
        ScaleRelativeToModel
        AngleSizeScale
Graphics3DVector
        vector_geometry_tool_components
        vector_size_scale
        scale_relative_to_model
        angle_size_scale
IAgVOVaporTrail
        Visible
        MaxNumOfPuffs
        Density
        Radius
        Color
        UseAttachPoint
        AttachPointName
        ImageFile
        AvailableAttachPoints
        DisplayInterval
Graphics3DVaporTrail
        visible
        maximum_number_of_puffs
        density
        radius
        color
        use_attach_point
        attachment_point_name
        image_filename
        available_attachment_points
        display_interval
IAgLLAPosition
        ConvertTo
        Type
        Assign
        AssignGeocentric
        AssignGeodetic
ILatitudeLongitudeAltitudePosition
        convert_to
        type
        assign
        assign_centric
        assign_detic
IAgLLAGeocentric
        Lat
        Lon
        Rad
LatitudeLongitudeAltitudeCentric
        latitude
        longitude
        radius
IAgLLAGeodetic
        Lat
        Lon
        Alt
LatitudeLongitudeAltitudeDetic
        latitude
        longitude
        altitude
IAgOrbitStateCoordinateSystem
        Type
        CoordinateSystemEpoch
OrbitStateCoordinateSystem
        type
        coordinate_system_epoch
IAgOrbitStateCartesian
        CoordinateSystemType
        CoordinateSystem
        XPosition
        YPosition
        ZPosition
        XVelocity
        YVelocity
        ZVelocity
        SupportedCoordinateSystemTypes
        StateEpoch
OrbitStateCartesian
        coordinate_system_type
        coordinate_system
        x_position
        y_position
        z_position
        x_velocity
        y_velocity
        z_velocity
        supported_coordinate_system_types
        state_epoch
IAgClassicalSizeShape IClassicalSizeShape
IAgClassicalSizeShapeAltitude
        ApogeeAltitude
        PerigeeAltitude
ClassicalSizeShapeAltitude
        apogee_altitude
        perigee_altitude
IAgClassicalSizeShapeMeanMotion
        MeanMotion
        Eccentricity
ClassicalSizeShapeMeanMotion
        mean_motion
        eccentricity
IAgClassicalSizeShapePeriod
        Period
        Eccentricity
ClassicalSizeShapePeriod
        period
        eccentricity
IAgClassicalSizeShapeRadius
        ApogeeRadius
        PerigeeRadius
        SetSizeShapeRadius
ClassicalSizeShapeRadius
        apogee_radius
        perigee_radius
        set_size_shape_radius
IAgClassicalSizeShapeSemimajorAxis
        SemiMajorAxis
        Eccentricity
ClassicalSizeShapeSemimajorAxis
        semi_major_axis
        eccentricity
IAgOrientationAscNode IOrientationAscNode
IAgOrientationAscNodeLAN
        Value
OrientationLongitudeOfAscending
        value
IAgOrientationAscNodeRAAN
        Value
OrientationRightAscensionOfAscendingNode
        value
IAgClassicalOrientation
        Inclination
        ArgOfPerigee
        AscNodeType
        AscNode
ClassicalOrientation
        inclination
        argument_of_periapsis
        ascending_node_type
        ascending_node
IAgClassicalLocation IClassicalLocation
IAgClassicalLocationArgumentOfLatitude
        Value
ClassicalLocationArgumentOfLatitude
        value
IAgClassicalLocationEccentricAnomaly
        Value
ClassicalLocationEccentricAnomaly
        value
IAgClassicalLocationMeanAnomaly
        Value
ClassicalLocationMeanAnomaly
        value
IAgClassicalLocationTimePastAN
        Value
ClassicalLocationTimePastAscendingNode
        value
IAgClassicalLocationTimePastPerigee
        Value
ClassicalLocationTimePastPerigee
        value
IAgClassicalLocationTrueAnomaly
        Value
ClassicalLocationTrueAnomaly
        value
IAgOrbitStateClassical
        CoordinateSystemType
        CoordinateSystem
        SizeShapeType
        SizeShape
        Orientation
        LocationType
        Location
        SupportedCoordinateSystemTypes
        StateEpoch
OrbitStateClassical
        coordinate_system_type
        coordinate_system
        size_shape_type
        size_shape
        orientation
        location_type
        location
        supported_coordinate_system_types
        state_epoch
IAgGeodeticSize IGeodeticSize
IAgGeodeticSizeAltitude
        Altitude
        Rate
DeticSizeAltitude
        altitude
        rate
IAgGeodeticSizeRadius
        Radius
        Rate
DeticSizeRadius
        radius
        rate
IAgOrbitStateGeodetic
        CoordinateSystemType
        CoordinateSystem
        SizeType
        Size
        Latitude
        Longitude
        LatitudeRate
        LongitudeRate
        SupportedCoordinateSystemTypes
        StateEpoch
OrbitStateDetic
        coordinate_system_type
        coordinate_system
        size_type
        size
        latitude
        longitude
        latitude_rate
        longitude_rate
        supported_coordinate_system_types
        state_epoch
IAgDelaunayActionVariable IDelaunayActionVariable
IAgDelaunayL
        L
DelaunayL
        l
IAgDelaunayLOverSQRTmu
        LOverSQRTmu
DelaunayLOverSQRTmu
        l_over_sqrt_mu
IAgDelaunayH
        H
DelaunayH
        h
IAgDelaunayHOverSQRTmu
        HOverSQRTmu
DelaunayHOverSQRTmu
        h_over_sqrt_mu
IAgDelaunayG
        G
DelaunayG
        g
IAgDelaunayGOverSQRTmu
        GOverSQRTmu
DelaunayGOverSQRTmu
        g_over_sqrt_mu
IAgOrbitStateDelaunay
        CoordinateSystemType
        CoordinateSystem
        LType
        L
        HType
        H
        GType
        G
        SupportedCoordinateSystemTypes
        MeanAnomaly
        ArgOfPeriapsis
        RAAN
        StateEpoch
OrbitStateDelaunay
        coordinate_system_type
        coordinate_system
        l_type
        l
        h_type
        h
        g_type
        g
        supported_coordinate_system_types
        mean_anomaly
        argument_of_periapsis
        right_ascension_ascending_node
        state_epoch
IAgEquinoctialSizeShapeMeanMotion
        MeanMotion
EquinoctialSizeShapeMeanMotion
        mean_motion
IAgEquinoctialSizeShapeSemimajorAxis
        SemiMajorAxis
EquinoctialSizeShapeSemimajorAxis
        semi_major_axis
IAgOrbitStateEquinoctial
        CoordinateSystemType
        CoordinateSystem
        SizeShapeType
        SizeShape
        H
        K
        P
        Q
        MeanLongitude
        Formulation
        SupportedCoordinateSystemTypes
        StateEpoch
OrbitStateEquinoctial
        coordinate_system_type
        coordinate_system
        size_shape_type
        size_shape
        h
        k
        p
        q
        mean_longitude
        formulation
        supported_coordinate_system_types
        state_epoch
IAgFlightPathAngle IFlightPathAngle
IAgMixedSphericalFPAHorizontal
        FPA
MixedSphericalFlightPathAngleHorizontal
        flight_path_angle
IAgMixedSphericalFPAVertical
        FPA
MixedSphericalFlightPathAngleVertical
        flight_path_angle
IAgOrbitStateMixedSpherical
        CoordinateSystemType
        CoordinateSystem
        Latitude
        Longitude
        Altitude
        FPAType
        FPA
        Azimuth
        Velocity
        SupportedCoordinateSystemTypes
        StateEpoch
OrbitStateMixedSpherical
        coordinate_system_type
        coordinate_system
        latitude
        longitude
        altitude
        flight_path_angle_type
        flight_path_angle
        azimuth
        velocity
        supported_coordinate_system_types
        state_epoch
IAgSphericalFPAHorizontal
        FPA
SphericalFlightPathAngleHorizontal
        flight_path_angle
IAgSphericalFPAVertical
        FPA
SphericalFlightPathAngleVertical
        flight_path_angle
IAgOrbitStateSpherical
        CoordinateSystemType
        CoordinateSystem
        RightAscension
        Declination
        Radius
        FPAType
        FPA
        Azimuth
        Velocity
        SupportedCoordinateSystemTypes
        StateEpoch
OrbitStateSpherical
        coordinate_system_type
        coordinate_system
        right_ascension
        declination
        radius
        flight_path_angle_type
        flight_path_angle
        azimuth
        velocity
        supported_coordinate_system_types
        state_epoch
IAgSpatialState
        FixedPosition
        InertialPosition
        InertialOrientation
        FixedOrientation
        CurrentTime
        CentralBody
        StartTime
        StopTime
        IsAvailable
        QueryVelocityFixed
        QueryVelocityInertial
SpatialState
        fixed_position
        inertial_position
        inertial_orientation
        fixed_orientation
        current_time
        central_body
        start_time
        stop_time
        is_available
        query_velocity_fixed
        query_velocity_inertial
IAgVeSpatialInfo
        GetState
        Recycle
        GetAvailableTimes
VehicleSpatialInformation
        get_state
        recycle
        get_available_times
IAgProvideSpatialInfo
        GetSpatialInfo
IProvideSpatialInfo
        get_spatial_information
IAgSpEnvScenSpaceEnvironment
        RadiationEnvironment
        VO
        ComputeSAAFluxIntensity
ScenarioSpaceEnvironment
        radiation_environment
        graphics_3d
        compute_saa_flux_intensity
IAgRadarClutterMap
        SupportedModels
        SetModel
        Model
IRadarClutterMap
        supported_models
        set_model
        model
IAgRadarCrossSection
        SupportedModels
        SetModel
        Model
        ModelComponentLinking
RadarCrossSection
        supported_models
        set_model
        model
        model_component_linking
IAgRFEnvironment
        PropagationChannel
        SupportedContourRainOutagePercentValues
        ContourRainOutagePercent
        EarthTemperature
        SupportedActiveCommSystems
        ActiveCommSystem
        MagneticNorthPoleLatitude
        MagneticNorthPoleLongitude
RFEnvironment
        propagation_channel
        supported_contour_rain_outage_percent_values
        contour_rain_outage_percent
        earth_temperature
        supported_active_comm_systems
        active_comm_system
        magnetic_north_pole_latitude
        magnetic_north_pole_longitude
IAgLaserEnvironment
        PropagationChannel
LaserEnvironment
        propagation_channel
IAgScGraphics
        LabelsVisible
        SensorsVisible
        AccessLinesVisible
        AccessAnimHigh
        AccessStatHigh
        GndTracksVisible
        GndMarkersVisible
        OrbitsVisible
        OrbitMarkersVisible
        ElsetNumVisible
        CentroidsVisible
        PlanetOrbitsVisible
        InertialPosVisible
        InertialPosLabelsVisible
        SubPlanetPointsVisible
        SubPlanetLabelsVisible
        AllowAnimUpdate
        TextOutlineStyle
        TextOutlineColor
        ShowObject
        ShowObjects
        HideObject
        HideObjects
        AccessLinesWidth
        AccessLineStyle
ScenarioGraphics
        show_label
        show_sensors
        access_lines_are_visible
        access_animation_highlights
        access_static_highlights
        show_ground_tracks
        show_ground_markers
        show_orbits
        show_orbit_markers
        show_element_set_number
        show_area_target_centroids
        show_planet_orbits
        show_inertial_position
        show_inertial_position_labels
        show_sub_planet_points
        show_sub_planet_labels
        allow_animation_update
        text_outline_style
        text_outline_color
        show_object
        show_objects
        hide_object
        hide_objects
        access_lines_width
        access_line_style
IAgScEarthData
        EOPFilename
        EOPStartTime
        EOPStopTime
        ReloadEOP
ScenarioEarthData
        eop_filename
        eop_start_time
        eop_stop_time
        reload_eop
IAgScAnimationTimePeriod
        StartTime
        StopTime
        Duration
        UseAnalysisStartTime
        UseAnalysisStopTime
ScenarioAnimationTimePeriod
        start_time
        stop_time
        duration
        use_analysis_start_time
        use_analysis_stop_time
IAgScAnimation
        StartTime
        EnableAnimCycleTime
        AnimCycleTime
        AnimStepValue
        RefreshDelta
        AnimCycleType
        RefreshDeltaType
        AnimStepType
        ContinueXRealtimeFromPause
        TimePeriod
        TimeArrayIncrement
        SetTimeArrayComponent
        SetTimeArrayQualifiedPath
        GetTimeArrayComponent
        GetTimeArrayQualifiedPath
        ResetTimeArrayComponent
ScenarioAnimation
        start_time
        enable_anim_cycle_time
        animation_cycle_time
        animation_step_value
        refresh_delta
        animation_end_loop_type
        refresh_delta_type
        animation_step_type
        continue_x_real_time_from_pause
        time_period
        time_array_increment
        set_time_array_component
        set_time_array_qualified_path
        get_time_array_component
        get_time_array_qualified_path
        reset_time_array_component
IAgTerrain
        Location
        FileType
        SWLatitude
        SWLongitude
        NELatitude
        NELongitude
        Resolution
        UseTerrain
Terrain
        location
        file_type
        southwest_latitude
        southwest_longitude
        northeast_latitude
        northeast_longitude
        resolution
        use_terrain
IAgTerrainCollection
        Count
        Item
        Add
        Remove
        RemoveAll
TerrainCollection
        count
        item
        add
        remove
        remove_all
IAgCentralBodyTerrainCollectionElement
        CentralBody
        TerrainCollection
        GetAltitude
        GetAltitudeBatch
        GetAltitudesBetweenPointsAtResolution
        GetExtentMaxResolution
CentralBodyTerrainCollectionElement
        central_body
        terrain_collection
        get_altitude
        get_altitude_batch
        get_altitudes_between_points_at_resolution
        get_extent_maximum_resolution
IAgCentralBodyTerrainCollection
        Count
        Item
        TotalCacheSize
        GetItemByIndex
        GetItemByName
CentralBodyTerrainCollection
        count
        item
        total_cache_size
        get_item_by_index
        get_item_by_name
IAg3DTileset
        Name
        SourceType
        URI
        ReferenceFrame
Tileset3D
        name
        source_type
        uri
        reference_frame
IAg3DTilesetCollection
        Count
        Item
        Add
        Remove
        RemoveAll
Tileset3DCollection
        count
        item
        add
        remove
        remove_all
IAgScGenDb
        Type
        DefaultDb
        DefaultDir
        EnableAuxDb
        AuxDb
ScenarioDatabase
        type
        default_database
        default_direction
        enable_auxiliary_database
        auxiliary_database
IAgScGenDbCollection
        Count
        Item
ScenarioDatabaseCollection
        count
        item
IAgSc3dFont
        Name
        PtSize
        Bold
        Italic
        AvailableFonts
        IsFontAvailable
Scenario3dFont
        name
        point_size
        bold
        italic
        available_fonts
        is_font_available
IAgScVO
        ChunkImageCacheSize
        IsNegativeAltitudeAllowed
        SmallFont
        MediumFont
        LargeFont
        SurfaceReference
        DrawOnTerrain
        ChunkTerrainCacheSize
        TextOutlineStyle
        TextOutlineColor
        TextAntialiasingEnabled
        AvailableMarkerTypes
        ShowObject
        ShowObjects
        HideObject
        HideObjects
ScenarioGraphics3D
        chunk_image_cache_size
        is_negative_altitude_allowed
        small_font
        medium_font
        large_font
        surface_reference
        draw_on_terrain
        chunk_terrain_cache_size
        text_outline_style
        text_outline_color
        text_anti_aliasing_enabled
        available_marker_types
        show_object
        show_objects
        hide_object
        hide_objects
IAgTimePeriod
        StartTime
        StopTime
        Duration
ITimePeriod
        start_time
        stop_time
        duration
IAgScenario
        StartTime
        StopTime
        SetTimePeriod
        Epoch
        Animation
        EarthData
        Graphics
        GenDbs
        SatNoOrbitWarning
        MslNoOrbitWarning
        VO
        AcWGS84Warning
        MslStopTimeWarning
        Terrain
        ComponentDirectory
        ScenarioFiles
        IsDirty
        UseAnalysisStartTimeForEpoch
        SetDirty
        SpaceEnvironment
        SceneManager
        AnalysisInterval
        AnalysisEpoch
        GetExistingAccesses
        GetAccessBetweenObjectsByPath
        RadarClutterMap
        RadarCrossSection
        RFEnvironment
        Tilesets
        LaserEnvironment
Scenario
        start_time
        stop_time
        set_time_period
        epoch
        animation_settings
        earth_data
        graphics
        database_settings
        display_warning_if_orbit_impacts_ground
        show_warning_if_missile_fails_to_impact
        graphics_3d
        aircraft_wgs84_warning
        show_warning_whether_missile_achieves_orbit_or_not
        terrain
        component_directory
        scenario_files
        is_dirty
        use_analysis_start_time_for_epoch
        set_dirty
        space_environment
        scene_manager
        analysis_interval
        analysis_epoch
        get_existing_accesses
        get_access_between_objects_by_path
        radar_clutter_map
        radar_cross_section
        rf_environment
        tilesets
        laser_environment
IAgCelestialBodyInfo
        Identifier
        CatalogName
        RA
        Dec
        Parallax
        Velocity
        VisualMagnitude
        BminusV
        EffectiveTemperature
        MagnitudeToIrradianceConversionFactor
        GetLastComputedDirectionInICRF
ICelestialBodyInformation
        identifier
        catalog_name
        right_ascension
        declination
        parallax
        velocity
        visual_magnitude
        b_minus_v
        effective_temperature
        magnitude_to_irradiance_conversion_factor
        get_last_computed_direction_in_icrf
IAgCelestialBodyCollection
        Count
        Item
        Recycle
ICelestialBodyInformationCollection
        count
        item
        recycle
IAgAccessAdvanced
        AberrationType
        TimeDelayConvergence
        EventDetection
        Sampling
IAccessAdvanced
        aberration_type
        time_delay_convergence
        event_detection
        sampling
IAgSnAccessAdvanced SensorAccessAdvancedSettings
IAgRfCoefficients
        C0
        C1
        C2
        C3
        C4
        C5
        C6
        C7
        C8
        C9
        C10
RefractionCoefficients
        c0
        c1
        c2
        c3
        c4
        c5
        c6
        c7
        c8
        c9
        c10
IAgRfModelBase IRefractionModelBase
IAgRfModelEffectiveRadiusMethod
        EffRad
        MaxTargetAltitude
        UseExtrapolation
        Ceiling
RefractionModelEffectiveRadiusMethod
        effective_radius
        maximum_target_altitude
        use_extrapolation
        ceiling
IAgRfModelITURP8344
        Ceiling
        AtmosAltitude
        KneeBendFactor
RefractionModelITURP8344
        ceiling
        atmosphere_altitude
        knee_bend_factor
IAgRfModelSCFMethod
        MinTargetAltitude
        UseExtrapolation
        Ceiling
        AtmosAltitude
        KneeBendFactor
        UseRefractionIndex
        RefractionIndex
        Coefficients
RefractionModelSCFMethod
        minimum_target_altitude
        use_extrapolation
        ceiling
        atmosphere_altitude
        knee_bend_factor
        use_refraction_index
        refraction_index
        coefficients
IAgScheduleTime
        StartTime
        StopTime
        Target
ScheduleTime
        start_time
        stop_time
        target
IAgScheduleTimeCollection
        Count
        Add
        RemoveIndex
        RemoveAll
        RemoveSchedule
        Item
        Deconflict
ScheduleTimeCollection
        count
        add
        remove_index
        remove_all
        remove_schedule
        item
        deconflict
IAgDisplayDistance IDisplayDistance
IAgSnProjDisplayDistance
        Min
        Max
        NumberOfSteps
        ProjectsThruCrossing
        AltCrossingSides
        Direction
ISensorProjectionDisplayDistance
        minimum
        maximum
        number_of_steps
        projects_thru_crossing
        altitude_crossing_sides
        direction
IAgSnProjection
        Persistence
        ForwardPersistence
        ProjectAtAltObject
        IntersectionType
        DistanceType
        DistanceData
        FillPersistence
        UseConstraints
        AvailableConstraints
        EnabledConstraints
        EnableConstraint
        DisableConstraint
        AvailableAltitudeObjects
        ShowOn2DMap
        UseDistance
        DisplayTimesHidesPersistance
SensorProjection
        persistence
        forward_persistence
        project_at_altitude_object
        intersection_type
        distance_type
        distance_data
        fill_persistence
        use_constraints
        available_constraints
        enabled_constraints
        enable_constraint
        disable_constraint
        available_altitude_objects
        show_on_2d_map
        use_distance
        display_times_hides_persistence
IAgSnGraphics
        InheritFromScenario
        Enable
        Color
        LineStyle
        LineWidth
        EnableBoresightGfx
        BoresightColor
        BoresightMarkerStyle
        Projection
        FillVisible
        PercentTranslucency
        IsObjectGraphicsVisible
SensorGraphics
        inherit_from_scenario
        enable
        color
        line_style
        line_width
        enable_boresight_graphics_2d
        boresight_color
        boresight_marker_style
        projection
        show_fill
        percent_translucency
        show_graphics
IAgSnVOPulse
        PulseVisible
        Amplitude
        Length
        Style
        EnableSmooth
        PreselFreq
        FreqValue
        FreqReverseDir
        ResetToDefaults
SensorGraphics3DPulse
        show_pulses
        amplitude
        length
        style
        enable_smooth
        pulse_frequency_preset
        frequency_value
        show_sensor_pulse_in_opposite_direction
        reset_to_defaults
IAgSnVOOffset
        InheritFromParentObj
        EnableTranslational
        X
        Y
        Z
        GetAxisOffsetValue
        SetAxisOffsetValue
        EnableAttachPoint
        AttachPtName
        AvailableAttachPoints
SensorGraphics3DOffset
        inherit_from_parent_obj
        enable_translational
        x
        y
        z
        get_axis_offset_value
        set_axis_offset_value
        enable_attachment_point
        attachment_point_name
        available_attachment_points
IAgSnVOProjectionElement
        Time
        Distance
SensorGraphics3DProjectionElement
        time
        distance
IAgSnVOSpaceProjectionCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
SensorGraphics3DSpaceProjectionCollection
        count
        item
        remove_at
        remove_all
        add
IAgSnVOTargetProjectionCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
SensorGraphics3DTargetProjectionCollection
        count
        item
        remove_at
        remove_all
        add
IAgSnVO
        BoresightMarkerVisible
        RadialLinesVisible
        TranslucentLinesVisible
        PercentTranslucency
        ProjectionType
        SpaceProjection
        Targeting
        EnableConstExtLength
        EnableRangeConstraint
        Pulse
        VertexOffset
        DataDisplays
        Vector
        FillVisible
        FillTranslucency
        InheritFrom2D
        IsTargeted
        SpaceProjectionIntervals
        TargetProjectionIntervals
        FillResolution
        PersistProjectedLinesInSpace
        PersistPartialCentralBodyIntersectionLines
        ProjectionTimeDependency
SensorGraphics3D
        show_boresight_marker
        show_radial_lines
        show_translucent_lines
        percent_translucency
        projection_type
        space_projection
        targeting
        enable_constant_extension_length
        enable_range_constraint
        pulse
        vertex_offset
        data_displays
        vector
        show_fill
        fill_translucency
        inherit_from_2d
        is_targeted
        space_projection_intervals
        target_projection_intervals
        fill_resolution
        persist_projected_lines_in_space
        persist_partial_central_body_intersection_lines
        projection_time_dependency
IAgSnPattern ISensorPattern
IAgSnSimpleConicPattern
        ConeAngle
        AngularResolution
SensorSimpleConicPattern
        cone_angle
        angular_resolution
IAgSnSARPattern
        ParentAltitude
        MinElevationAngle
        MaxElevationAngle
        ForeExclusionAngle
        AftExclusionAngle
        SetElevationAngles
        AngularResolution
        TrackParentAltitude
SensorSARPattern
        parent_altitude
        minimum_elevation_angle
        maximum_elevation_angle
        fore_exclusion_angle
        aft_exclusion_angle
        set_elevation_angles
        angular_resolution
        track_parent_altitude
IAgSnRectangularPattern
        VerticalHalfAngle
        HorizontalHalfAngle
        AngularResolution
SensorRectangularPattern
        vertical_half_angle
        horizontal_half_angle
        angular_resolution
IAgSnHalfPowerPattern
        Frequency
        AntennaDiameter
        HalfAngle
        AngularResolution
SensorHalfPowerPattern
        frequency
        antenna_diameter
        half_angle
        angular_resolution
IAgSnCustomPattern
        Filename
        AngularResolution
        UseNativeResolution
SensorCustomPattern
        filename
        angular_resolution
        use_native_resolution
IAgSnComplexConicPattern
        InnerConeHalfAngle
        OuterConeHalfAngle
        MinimumClockAngle
        MaximumClockAngle
        SetClockAngles
        AngularResolution
        SetConeHalfAngles
SensorComplexConicPattern
        inner_cone_half_angle
        outer_cone_half_angle
        minimum_clock_angle
        maximum_clock_angle
        set_clock_angles
        angular_resolution
        set_cone_half_angles
IAgSnEOIRRadiometricPair
        IntegrationTime
        EquivalentValue
SensorEOIRRadiometricPair
        integration_time
        equivalent_value
IAgSnEOIRSensitivityCollection
        Count
        Item
        Add
        RemoveAt
SensorEOIRSensitivityCollection
        count
        item
        add
        remove_at
IAgSnEOIRSaturationCollection
        Count
        Item
        Add
        RemoveAt
SensorEOIRSaturationCollection
        count
        item
        add
        remove_at
IAgSnEOIRBand
        BandName
        RenderBand
        CalculatingParameters
        HorizontalHalfAngle
        VerticalHalfAngle
        HorizontalPixels
        VerticalPixels
        HorizontalPP
        VerticalPP
        HorizontalIFOV
        VerticalIFOV
        LowBandEdgeWL
        HighBandEdgeWL
        NumIntervals
        Fnumber
        LongDFocus
        EffFocalL
        ImageQuality
        EntrancePDia
        Wavelength
        WavelengthType
        IntegrationTime
        SaturationMode
        DynamicRange
        DynamicRangeMode
        NEI
        SEI
        Sensitivities
        Saturations
        SpatialInputMode
        SpectralShape
        SystemRelativeSpectralResponseFile
        RSRUnits
        OpticalInputMode
        RMSWavefrontError
        OpticalQualityDataFile
        OpticalTransmissionMode
        OpticalTransmission
        OpticalTransmissionSpectralResponseFile
        OpticalQualityDataFileSpatialSampling
        OpticalQualityDataFileFrequencySampling
        RadParamLevel
        SimulateQuantization
        QEMode
        QuantizationMode
        QEValue
        DetectorFillFactor
        ReadNoise
        DarkCurrent
        DetectorFullWellCapacity
        BitDepth
        QSS
        QEFile
        SpatialAutoRebalance
        OpticalAutoRebalance
SensorEOIRBand
        band_name
        render_band
        calculating_parameters
        horizontal_half_angle
        vertical_half_angle
        horizontal_pixels
        number_of_vertical_pixels
        horizontal_pixel_spacing
        vertical_pixel_spacing
        horizontal_individual_field_of_view
        vertical_extent_of_individual_pixel_field_of_view
        low_band_edge_wavelength
        high_band_edge_wavelength
        number_of_intervals
        f_number
        long_d_focus
        effective_focal_length
        image_quality
        entrance_prescription_diameter
        wavelength
        wavelength_type
        integration_time
        saturation_mode
        dynamic_range
        dynamic_range_mode
        noise_equivalent_irradiance
        saturation_equivalent_irradiance
        sensitivities
        saturations
        spatial_input_mode
        spectral_shape
        system_relative_spectral_response_filename
        rsr_units
        optical_input_mode
        root_mean_squared_wavefront_error
        optical_quality_data_filename
        optical_transmission_mode
        optical_transmission
        optical_transmission_spectral_response_filename
        optical_quality_data_file_spatial_sampling
        optical_quality_data_file_frequency_sampling
        radiometric_parameter_level
        simulate_quantization
        quantum_efficiency_mode
        quantization_mode
        quantum_efficiency_value
        detector_fill_factor
        read_noise
        dark_current
        detector_full_well_capacity
        bit_depth
        quantization_step_size
        quantum_efficiency_filename
        spatial_auto_rebalance
        optical_automatic_rebalance
IAgSnEOIRBandCollection
        Count
        Item
        Add
        RemoveAt
        GetItemByName
SensorEOIRBandCollection
        count
        item
        add
        remove_at
        get_item_by_name
IAgSnEOIRPattern
        LineOfSiteJitter
        ProcessingLevel
        UseMotionBlur
        Bands
        JitterType
        JitterDataFile
        JitterDataFileSpatialSampling
        JitterDataFileFrequencySampling
        AlongScanSmearRate
        AcrossScanSmearRate
        ScanMode
SensorEOIRPattern
        line_of_site_jitter
        processing_level
        use_motion_blur
        bands
        jitter_type
        jitter_data_filename
        jitter_data_file_spatial_sampling
        jitter_data_file_frequency_sampling
        along_scan_smear_rate
        across_scan_smear_rate
        scan_mode
IAgSnPtTrgtBsight ISensorPointingTargetedBoresight
IAgSnPtTrgtBsightTrack
        AboutBoresight
        TrackMode
        ConstraintVectorForUpVectorBoresight
        AvailableConstraintVectors
        ClockAngleOffsetForUpVectorBoresight
SensorPointingTargetedBoresightTrack
        about_boresight
        track_mode
        constraint_vector_for_up_vector_boresight
        available_constraint_vectors
        clock_angle_offset_for_up_vector_boresight
IAgSnPtTrgtBsightFixed
        Orientation
SensorPointingTargetedBoresightFixed
        orientation
IAgSnTarget
        Name
SensorTarget
        name
IAgSnTargetCollection
        Count
        Item
        Add
        Remove
        RemoveTarget
        RemoveAll
        AddObject
        RemoveObject
SensorTargetCollection
        count
        item
        add
        remove
        remove_target
        remove_all
        add_object
        remove_object
IAgSnPointing ISensorPointing
IAgSnPtTargeted
        Boresight
        BoresightData
        EnableAccessTimes
        AccessTimes
        ScheduleTimes
        Targets
        AvailableTargets
        Advanced
        SaveTargetAccess
SensorPointingTargeted
        boresight
        boresight_data
        enable_access_times
        access_times
        schedule_times
        targets
        available_targets
        advanced
        save_target_access
IAgSnPtSpinning
        SpinAxisAzimuth
        SpinAxisElevation
        SpinAxisConeAngle
        ScanMode
        ClockAngleStart
        ClockAngleStop
        SpinRate
        OffsetAngle
        SetClockAngles
SensorPointingSpinning
        spin_axis_azimuth
        spin_axis_elevation
        spin_axis_cone_angle
        scan_mode
        clock_angle_start
        clock_angle_stop
        spin_rate
        offset_angle
        set_clock_angles
IAgSnPtGrazingAlt
        AzimuthOffset
        GrazingAlt
SensorPointingGrazingAltitude
        azimuth_offset
        grazing_altitude
IAgSnPtFixedAxes
        ReferenceAxes
        Orientation
        AvailableAxes
        UseRefAxesFlippedAboutX
SensorPointingFixedInAxes
        reference_axes
        orientation
        available_axes
        use_reference_axes_flipped_about_x
IAgSnPtFixed
        Orientation
SensorPointingFixed
        orientation
IAgSnPtExternal
        Filename
SensorPointingExternal
        filename
IAgSnPt3DModel
        AttachName
        AvailableElements
SensorPointing3DModel
        attachment_name
        available_elements
IAgSnPtAlongVector
        AlignmentVector
        AvailableAlignmentVectors
        ConstraintVector
        AvailableConstraintVectors
        ClockAngleOffset
SensorPointingAlongVector
        alignment_vector
        available_alignment_vectors
        constraint_vector
        available_constraint_vectors
        clock_angle_offset
IAgSnPtSchedule
        Enabled
SensorPointingSchedule
        enabled
IAgAzElMaskData IAzElMaskData
IAgSnAzElMaskFile
        Filename
        BoresightAxis
SensorAzElMaskFile
        filename
        boresight_axis
IAgSnCommonTasks
        SetPatternSimpleConic
        SetPatternComplexConic
        SetPatternEOIR
        SetPatternHalfPower
        SetPatternRectangular
        SetPatternCustom
        SetPatternSAR
        SetPointingFixedAzEl
        SetPointingFixedEuler
        SetPointingFixedQuat
        SetPointingFixedYPR
        SetPointingFixedAxesAzEl
        SetPointingFixedAxesEuler
        SetPointingFixedAxesQuat
        SetPointingFixedAxesYPR
        SetPointing3DModel
        SetPointingGrazingAlt
        SetPointingSpinning
        SetPointingTargetedTracking
        SetPointingAlongVector
SensorCommonTasks
        set_pattern_simple_conic
        set_pattern_complex_conic
        set_pattern_eoir
        set_pattern_half_power
        set_pattern_rectangular
        set_pattern_custom
        set_pattern_sar
        set_pointing_fixed_az_el
        set_pointing_fixed_euler
        set_pointing_fixed_quaternion
        set_pointing_fixed_ypr
        set_pointing_fixed_axes_az_el
        set_pointing_fixed_axes_euler
        set_pointing_fixed_axes_quaternion
        set_pointing_fixed_axes_ypr
        set_pointing_3d_model
        set_pointing_grazing_altitude
        set_pointing_spinning
        set_pointing_targeted_tracking
        set_pointing_along_vector
IAgLocationCrdnPoint
        PointPath
LocationVectorGeometryToolPoint
        point_path
IAgSensor
        PatternType
        SetPatternType
        Pattern
        PointingType
        SetPointingType
        SetPointingExternalFile
        Pointing
        ResetAzElMask
        AzElMask
        SetAzElMask
        SetAzElMaskFile
        AzElMaskData
        FocalLength
        DetectorPitch
        Refraction
        Graphics
        VO
        LocationType
        SetLocationType
        LocationData
        AccessConstraints
        Swath
        IsRefractionTypeSupported
        RefractionSupportedTypes
        RefractionModel
        UseRefractionInAccess
        CommonTasks
        GetStarsInFOV
Sensor
        pattern_type
        set_pattern_type
        pattern
        pointing_type
        set_pointing_type
        set_pointing_external_file
        pointing
        reset_az_el_mask
        az_el_mask
        set_az_el_mask
        set_az_el_mask_file
        az_el_mask_data
        focal_length
        detector_pitch
        refraction
        graphics
        graphics_3d
        location_type
        set_location_type
        location_data
        access_constraints
        swath
        is_refraction_type_supported
        refraction_supported_types
        refraction_model
        use_refraction_in_access
        common_tasks
        get_stars_in_field_of_view
IAgSnProjConstantAlt
        Min
        Max
        NumberOfSteps
        ProjectsThruCrossing
        AltCrossingSides
        Direction
        ExcludeHorizonArcs
SensorProjectionConstantAltitude
        minimum
        maximum
        number_of_steps
        projects_thru_crossing
        altitude_crossing_sides
        direction
        exclude_horizon_arcs
IAgSnProjObjectAlt
        ExcludeHorizonArcs
SensorProjectionObjectAltitude
        exclude_horizon_arcs
IAgAtmosphere
        InheritAtmosAbsorptionModel
        SupportedLocalAtmosAbsorptionModels
        SetLocalAtmosAbsorptionModel
        LocalAtmosAbsorptionModel
        EnableLocalRainData
        LocalRainIsoHeight
        LocalRainRate
        LocalSurfaceTemperature
        PropagationChannel
Atmosphere
        inherit_atmospheric_absorption_model
        supported_local_atmospheric_absorption_models
        set_local_atmospheric_absorption_model
        local_atmospheric_absorption_model
        enable_local_rain_data
        local_rain_height
        local_rain_rate
        local_surface_temperature
        propagation_channel
IAgRadarClutterMapInheritable
        Inherit
        ClutterMap
IRadarClutterMapInheritable
        inherit
        clutter_map
IAgRadarCrossSectionInheritable
        Inherit
        SupportedModels
        SetModel
        Model
        ModelComponentLinking
RadarCrossSectionInheritable
        inherit
        supported_models
        set_model
        model
        model_component_linking
IAgPlatformLaserEnvironment
        PropagationChannel
PlatformLaserEnvironment
        propagation_channel
IAgPlatformRFEnvironment
        EnableLocalRainData
        LocalRainIsoHeight
        LocalRainRate
        LocalSurfaceTemperature
        PropagationChannel
IPlatformRFEnvironment
        enable_local_rain_data
        local_rain_height
        local_rain_rate
        local_surface_temperature
        propagation_channel
IAgRadarCrossSectionVO
        ShowContours
        VolumeGraphics
RadarCrossSectionGraphics3D
        show_contours
        volume_graphics
IAgRadarCrossSectionGraphics
        Show
        Frequency
        Polarization
        ShowAtAltitude
        Altitude
        RelativeToMaxGain
        ShowLabels
        NumLabelDecDigits
        LineWidth
        ColorMethod
        StartColor
        StopColor
        Levels
        AzimuthStart
        AzimuthStop
        AzimuthResolution
        AzimuthNumPoints
        ElevationStart
        ElevationStop
        ElevationResolution
        ElevationNumPoints
        SetResolution
        SetNumPoints
RadarCrossSectionGraphics
        show
        frequency
        polarization
        show_at_altitude
        altitude
        relative_to_maximum_gain
        show_labels
        number_of_label_decimal_digits
        line_width
        color_method
        start_color
        stop_color
        levels
        azimuth_start
        azimuth_stop
        azimuth_resolution
        azimuth_number_of_points
        elevation_start
        elevation_stop
        elevation_resolution
        elevation_number_of_points
        set_resolution
        set_number_of_points
IAgTargetGraphics
        InheritFromScenario
        Color
        MarkerStyle
        LabelVisible
        AzElMask
        Contours
        UseInstNameLabel
        LabelName
        LabelNotes
        MarkerColor
        LabelColor
        IsObjectGraphicsVisible
        RadarCrossSection
TargetGraphics
        inherit_from_scenario
        color
        marker_style
        show_label
        az_el_mask
        contours
        use_instance_name_label
        label_name
        label_notes
        marker_color
        label_color
        show_graphics
        radar_cross_section
IAgTargetVO
        Model
        Offsets
        RangeContours
        DataDisplays
        Vector
        AzElMask
        ModelPointing
        AOULabelSwapDistance
        VaporTrail
        RadarCrossSection
TargetGraphics3D
        model
        offsets
        range_contours
        data_displays
        vector
        az_el_mask
        model_pointing
        uncertainty_area_label_swap_distance
        vapor_trail
        radar_cross_section
IAgTarget
        UseLocalTimeOffset
        LocalTimeOffset
        UseTerrain
        SetAzElMask
        Graphics
        Position
        TerrainNorm
        TerrainNormData
        VO
        AccessConstraints
        ResetAzElMask
        GetAzElMask
        GetAzElMaskData
        HeightAboveGround
        AltRef
        Atmosphere
        RadarClutterMap
        RadarCrossSection
        SaveTerrainMaskDataInBinary
        LightingObstructionModel
        LightingMaxStep
        LaserEnvironment
        RFEnvironment
        MaxRangeWhenComputingAzElMask
Target
        use_local_time_offset
        local_time_offset
        use_terrain
        set_az_el_mask
        graphics
        position
        terrain_normal
        terrain_normal_data
        graphics_3d
        access_constraints
        reset_az_el_mask
        get_az_el_mask
        get_az_el_mask_data
        height_above_ground
        altitude_reference
        atmosphere
        radar_clutter_map
        radar_cross_section
        save_terrain_mask_data_in_binary
        lighting_obstruction_model
        lighting_maximum_step
        laser_environment
        rf_environment
        maximum_range_when_computing_az_el_mask
IAgAreaTypeEllipse
        SemiMajorAxis
        SemiMinorAxis
        Bearing
AreaTypeEllipse
        semi_major_axis
        semi_minor_axis
        bearing
IAgAreaTypePatternCollection
        Count
        Item
        Add
        Remove
        RemoveAll
        Insert
        ToArray
AreaTypePatternCollection
        count
        item
        add
        remove
        remove_all
        insert
        to_array
IAgATCommonTasks
        SetAreaTypeEllipse
        SetAreaTypePattern
AreaTargetCommonTasks
        set_area_type_ellipse
        set_area_type_pattern
IAgAreaTypeData IAreaTypeData
IAgATGraphics
        Inherit
        Color
        MarkerStyle
        CentroidVisible
        LabelVisible
        UseInstNameLabel
        BoundaryPtsVisible
        BoundaryStyle
        BoundaryWidth
        BoundaryFill
        BoundaryVisible
        BoundingRectVisible
        LabelName
        LabelNotes
        BoundaryColor
        LabelColor
        CentroidColor
        BoundaryFillPercentTranslucency
        IsObjectGraphicsVisible
AreaTargetGraphics
        inherit
        color
        marker_style
        show_centroid
        show_label
        use_instance_name_label
        show_boundary_points
        boundary_style
        boundary_width
        boundary_fill
        show_boundary
        show_bounding_rectangle
        label_name
        label_notes
        boundary_color
        label_color
        centroid_color
        boundary_fill_percent_translucency
        show_graphics
IAgATVO
        EnableLabelMaxViewingDist
        LabelMaxViewingDist
        FillInterior
        PercentTranslucencyInterior
        BorderWall
        Vector
        FillGranularity
AreaTargetGraphics3D
        enable_label_max_viewing_dist
        label_maximum_viewing_dist
        fill_interior
        percent_translucency_interior
        border_wall
        vector
        fill_granularity
IAgAreaTarget
        UseLocalTimeOffset
        LocalTimeOffset
        AutoCentroid
        Position
        AccessConstraints
        Graphics
        VO
        AreaType
        AreaTypeData
        UseTerrainData
        AllowObjectAccess
        CommonTasks
AreaTarget
        use_local_time_offset
        local_time_offset
        automatic_computation_of_centroid
        position
        access_constraints
        graphics
        graphics_3d
        area_type
        area_type_data
        use_terrain_data
        allow_object_access
        common_tasks
IAgAreaTypePattern
        Lat
        Lon
AreaTypePattern
        latitude
        longitude
IAgPlPosFile
        Filename
        FilePath
PlanetPositionFile
        filename
        file_path
IAgPlPosCentralBody
        CentralBody
        AutoRename
        Radius
        EphemSource
        AvailableCentralBodies
        AvailableEphemSourceTypes
        JPLDEVersion
PlanetPositionCentralBody
        central_body
        rename_automatically
        radius
        ephemeris_source
        available_central_bodies
        available_ephemeris_source_types
        jplde_version
IAgPlCommonTasks
        SetPositionSourceFile
        SetPositionSourceCentralBody
PlanetCommonTasks
        set_position_source_file
        set_position_source_central_body
IAgPositionSourceData IPositionSourceData
IAgOrbitDisplayData IOrbitDisplayData
IAgPlOrbitDisplayTime
        Time
PlanetOrbitDisplayTime
        time
IAgPlGraphics
        Inherit
        Color
        SubPlanetLabelVisible
        PositionLabelVisible
        MarkerStyle
        InertialPositionVisible
        SubPlanetPointVisible
        OrbitVisible
        OrbitDisplay
        OrbitDisplayData
        LineStyle
        LineWidth
        IsObjectGraphicsVisible
PlanetGraphics
        inherit
        color
        show_sub_planet_label
        show_position_label
        marker_style
        show_inertial_position
        show_sub_planet_point
        show_orbit
        orbit_display
        orbit_display_data
        line_style
        line_width
        show_graphics
IAgPlVO
        InheritFrom2dGfx
        InertialPositionVisible
        SubPlanetPointVisible
        PositionLabelVisible
        SubPlanetLabelVisible
        OrbitVisible
PlanetGraphics3D
        inherit_from_2d_graphics_2d
        show_inertial_position
        show_sub_planet_point
        show_position_label
        show_sub_planet_label
        show_orbit
IAgPlanet
        Graphics
        AccessConstraints
        VO
        PositionSource
        PositionSourceData
        CommonTasks
Planet
        graphics
        access_constraints
        graphics_3d
        position_source
        position_source_data
        common_tasks
IAgStGraphics
        Color
        Inherit
        MarkerStyle
        LabelVisible
        IsObjectGraphicsVisible
StarGraphics
        color
        inherit
        marker_style
        show_label
        show_graphics
IAgStVO
        InertialPositionVisible
        SubStarPointVisible
        InheritFrom2dGfx
        PositionLabelVisible
        SubStarLabelVisible
StarGraphics3D
        show_inertial_position
        show_sub_star_point
        inherit_from_2d_graphics_2d
        show_position_label
        show_sub_star_label
IAgStar
        LocationRightAscension
        LocationDeclination
        ProperMotionRightAscension
        ProperMotionDeclination
        Parallax
        Epoch
        Magnitude
        Graphics
        AccessConstraints
        VO
        ReferenceFrame
        ProperMotionRadialVelocity
Star
        location_right_ascension
        location_declination
        proper_motion_right_ascension
        proper_motion_declination
        parallax
        epoch
        magnitude
        graphics
        access_constraints
        graphics_3d
        reference_frame
        proper_motion_radial_velocity
IAgFaGraphics
        InheritFromScenario
        Color
        MarkerStyle
        LabelVisible
        AzElMask
        Contours
        UseInstNameLabel
        LabelName
        LabelNotes
        MarkerColor
        LabelColor
        IsObjectGraphicsVisible
        RadarCrossSection
FacilityGraphics
        inherit_from_scenario
        color
        marker_style
        show_label
        az_el_mask
        contours
        use_instance_name_label
        label_name
        label_notes
        marker_color
        label_color
        show_graphics
        radar_cross_section
IAgFaVO
        Model
        Offsets
        RangeContours
        DataDisplays
        Vector
        AzElMask
        ModelPointing
        AOULabelSwapDistance
        VaporTrail
        RadarCrossSection
FacilityGraphics3D
        model
        offsets
        range_contours
        data_displays
        vector
        az_el_mask
        model_pointing
        uncertainty_area_label_swap_distance
        vapor_trail
        radar_cross_section
IAgFacility
        UseLocalTimeOffset
        LocalTimeOffset
        UseTerrain
        SetAzElMask
        Graphics
        Position
        TerrainNorm
        TerrainNormData
        VO
        AccessConstraints
        ResetAzElMask
        GetAzElMask
        GetAzElMaskData
        HeightAboveGround
        AltRef
        Atmosphere
        RadarClutterMap
        RadarCrossSection
        SaveTerrainMaskDataInBinary
        LightingObstructionModel
        LightingMaxStep
        LaserEnvironment
        RFEnvironment
        MaxRangeWhenComputingAzElMask
Facility
        use_local_time_offset
        local_time_offset
        use_terrain
        set_az_el_mask
        graphics
        position
        terrain_normal
        terrain_normal_data
        graphics_3d
        access_constraints
        reset_az_el_mask
        get_az_el_mask
        get_az_el_mask_data
        height_above_ground
        altitude_reference
        atmosphere
        radar_clutter_map
        radar_cross_section
        save_terrain_mask_data_in_binary
        lighting_obstruction_model
        lighting_maximum_step
        laser_environment
        rf_environment
        maximum_range_when_computing_az_el_mask
IAgPlaceGraphics
        InheritFromScenario
        Color
        MarkerStyle
        LabelVisible
        AzElMask
        Contours
        UseInstNameLabel
        LabelName
        LabelNotes
        MarkerColor
        LabelColor
        IsObjectGraphicsVisible
        RadarCrossSection
PlaceGraphics
        inherit_from_scenario
        color
        marker_style
        show_label
        az_el_mask
        contours
        use_instance_name_label
        label_name
        label_notes
        marker_color
        label_color
        show_graphics
        radar_cross_section
IAgPlaceVO
        Model
        Offsets
        RangeContours
        DataDisplays
        Vector
        AzElMask
        ModelPointing
        AOULabelSwapDistance
        VaporTrail
        RadarCrossSection
PlaceGraphics3D
        model
        offsets
        range_contours
        data_displays
        vector
        az_el_mask
        model_pointing
        uncertainty_area_label_swap_distance
        vapor_trail
        radar_cross_section
IAgPlace
        UseLocalTimeOffset
        LocalTimeOffset
        UseTerrain
        SetAzElMask
        Graphics
        Position
        TerrainNorm
        TerrainNormData
        VO
        AccessConstraints
        ResetAzElMask
        GetAzElMask
        GetAzElMaskData
        HeightAboveGround
        AltRef
        Atmosphere
        RadarClutterMap
        RadarCrossSection
        SaveTerrainMaskDataInBinary
        LightingObstructionModel
        LightingMaxStep
        LaserEnvironment
        RFEnvironment
        MaxRangeWhenComputingAzElMask
Place
        use_local_time_offset
        local_time_offset
        use_terrain
        set_az_el_mask
        graphics
        position
        terrain_normal
        terrain_normal_data
        graphics_3d
        access_constraints
        reset_az_el_mask
        get_az_el_mask
        get_az_el_mask_data
        height_above_ground
        altitude_reference
        atmosphere
        radar_clutter_map
        radar_cross_section
        save_terrain_mask_data_in_binary
        lighting_obstruction_model
        lighting_maximum_step
        laser_environment
        rf_environment
        maximum_range_when_computing_az_el_mask
IAgAntennaNoiseTemperature
        ComputeType
        ConstantNoiseTemperature
        UseEarth
        UseSun
        UseAtmosphere
        UseUrbanTerrestrial
        UseRain
        UseCloudsFog
        UseTropoScint
        UseCosmicBackground
        InheritScenarioEarthTemperature
        LocalEarthTemperature
        OtherNoiseTemperature
        UseExternal
        ExternalNoiseFile
        UseIonoFading
AntennaNoiseTemperature
        compute_type
        constant_noise_temperature
        use_earth
        use_sun
        use_atmosphere
        use_urban_terrestrial
        use_rain
        use_clouds_fog
        use_tropospheric_scintillation
        use_cosmic_background
        inherit_scenario_earth_temperature
        local_earth_temperature
        other_noise_temperature
        use_external
        external_noise_filename
        use_ionospheric_fading
IAgSystemNoiseTemperature
        ComputeType
        ConstantNoiseTemperature
        AntennaToLnaLineTemperature
        LnaToReceiverLineTemperature
        LnaNoiseFigure
        LnaTemperature
        AntennaNoiseTemperature
SystemNoiseTemperature
        compute_type
        constant_noise_temperature
        antenna_to_lna_line_temperature
        lna_to_receiver_line_temperature
        lna_noise_figure
        lna_temperature
        antenna_noise_temperature
IAgPolarization
        Type
IPolarization
        type
IAgPolarizationElliptical
        ReferenceAxis
        TiltAngle
        AxialRatio
IPolarizationElliptical
        reference_axis
        tilt_angle
        axial_ratio
IAgPolarizationCrossPolLeakage
        CrossPolLeakage
IPolarizationCrossPolLeakage
        cross_polarization_leakage
IAgPolarizationLinear
        ReferenceAxis
        TiltAngle
IPolarizationLinear
        reference_axis
        tilt_angle
IAgPolarizationHorizontal
        ReferenceAxis
        TiltAngle
IPolarizationHorizontal
        reference_axis
        tilt_angle
IAgPolarizationVertical
        ReferenceAxis
        TiltAngle
IPolarizationVertical
        reference_axis
        tilt_angle
IAgAdditionalGainLoss
        Gain
        Identifier
AdditionalGainLoss
        gain
        identifier
IAgAdditionalGainLossCollection
        Count
        Item
        RemoveAt
        Add
        Clear
AdditionalGainLossCollection
        count
        item
        remove_at
        add
        clear
IAgCRPluginConfiguration
        GetProperty
        SetProperty
        AvailableProperties
CommRadPluginConfiguration
        get_property
        set_property
        available_properties
IAgCRComplex
        Real
        Imaginary
CommRadComplexNumber
        real
        imaginary
IAgCRComplexCollection
        Count
        Item
        RemoveAt
        Add
        InsertAt
        Clear
CommRadComplexNumberCollection
        count
        item
        remove_at
        add
        insert_at
        clear
IAgCRLocation
        X
        Y
        Z
CommRadCartesianLocation
        x
        y
        z
IAgPointingStrategy
        Type
IPointingStrategy
        type
IAgPointingStrategyFixed
        Orientation
PointingStrategyFixed
        orientation
IAgPointingStrategySpinning
        SpinAxesOrientation
        ConeAngle
        SpinRate
        InitialOffsetAngle
PointingStrategySpinning
        spin_axes_orientation
        cone_angle
        spin_rate
        initial_offset_angle
IAgPointingStrategyTargeted
        TargetObject
        AvailableTargetObjects
PointingStrategyTargeted
        target_object
        available_target_objects
IAgWaveformPulseDefinition
        PrfMode
        Prf
        UnambiguousRange
        UnambiguousVelocity
        PulseWidthMode
        PulseWidth
        DutyFactor
        NumberOfPulses
WaveformPulseDefinition
        pulse_repetition_frequency_mode
        pulse_repetition_frequency
        unambiguous_range
        unambiguous_velocity
        pulse_width_mode
        pulse_width
        duty_factor
        number_of_pulses
IAgWaveform
        Name
        Type
        FrequencySpecification
        Frequency
        Wavelength
        Power
IWaveform
        name
        type
        frequency_specification
        frequency
        wavelength
        power
IAgWaveformRectangular
        PulseDefinition
WaveformRectangular
        pulse_definition
IAgWaveformSelectionStrategy
        Type
IWaveformSelectionStrategy
        type
IAgWaveformSelectionStrategyFixed
        SupportedWaveforms
        FixedWaveform
WaveformSelectionStrategyFixed
        supported_waveforms
        fixed_waveform
IAgWaveformSelectionStrategyRangeLimits
        ShortRangeLimit
        OverrideDefaultShortRangeWaveform
        SupportedShortRangeWaveforms
        ShortRangeWaveform
        MediumRangeLimit
        OverrideDefaultMediumRangeWaveform
        SupportedMediumRangeWaveforms
        MediumRangeWaveform
        LongRangeLimit
        OverrideDefaultLongRangeWaveform
        SupportedLongRangeWaveforms
        LongRangeWaveform
        OverrideDefaultUltraLongRangeWaveform
        SupportedUltraLongRangeWaveforms
        UltraLongRangeWaveform
WaveformSelectionStrategyRangeLimits
        short_range_limit
        override_default_short_range_waveform
        supported_short_range_waveforms
        short_range_waveform
        medium_range_limit
        override_default_medium_range_waveform
        supported_medium_range_waveforms
        medium_range_waveform
        long_range_limit
        override_default_long_range_waveform
        supported_long_range_waveforms
        long_range_waveform
        override_default_ultra_long_range_waveform
        supported_ultra_long_range_waveforms
        ultra_long_range_waveform
IAgRFInterference
        Enabled
        IncludeActiveCommSystemInterferenceEmitters
        Emitters
RFInterference
        enabled
        include_active_comm_system_interference_emitters
        emitters
IAgScatteringPointProvider
        Name
        PointProviderType
IScatteringPointProvider
        name
        point_provider_type
IAgScatteringPointProviderSinglePoint
        ScatteringPointModel
ScatteringPointProviderSinglePoint
        scattering_point_model
IAgScatteringPointCollectionElement
        Latitude
        Longitude
        Altitude
        ScatteringPointModel
ScatteringPointCollectionElement
        latitude
        longitude
        altitude
        scattering_point_model
IAgScatteringPointCollection
        Count
        Item
ScatteringPointCollection
        count
        item
IAgScatteringPointProviderPointsFile
        Filename
        DefaultScatteringPointModel
        ScatteringPoints
ScatteringPointProviderPointsFile
        filename
        default_scattering_point_model
        scattering_points
IAgScatteringPointProviderRangeOverCFARCells
        ScatteringPointModel
ScatteringPointProviderRangeOverCFARCells
        scattering_point_model
IAgScatteringPointProviderSmoothOblateEarth
        ScatteringPointModel
ScatteringPointProviderSmoothOblateEarth
        scattering_point_model
IAgScatteringPointProviderPlugin
        PluginConfiguration
        RawPluginObject
        ScatteringPointModel
ScatteringPointProviderPlugin
        plugin_configuration
        raw_plugin_object
        scattering_point_model
IAgScatteringPointModel
        Name
        Type
IScatteringPointModel
        name
        type
IAgScatteringPointModelConstantCoefficient
        ConstantCoefficient
ScatteringPointModelConstantCoefficient
        constant_coefficient
IAgScatteringPointModelWindTurbine
        BladeLength
        BladeRotation
        WindDirection
        BladeScatteringCrossSection
        StructureScatteringCrossSection
ScatteringPointModelWindTurbine
        blade_length
        blade_rotation
        wind_direction
        blade_scattering_cross_section
        structure_scattering_cross_section
IAgScatteringPointModelPlugin
        PluginConfiguration
        RawPluginObject
ScatteringPointModelPlugin
        plugin_configuration
        raw_plugin_object
IAgScatteringPointProviderCollectionElement
        Enabled
        ScatteringPointProvider
ScatteringPointProviderCollectionElement
        enabled
        scattering_point_provider
IAgScatteringPointProviderCollection
        Count
        Item
        RemoveAt
        InsertAt
        Add
        Clear
ScatteringPointProviderCollection
        count
        item
        remove_at
        insert_at
        add
        clear
IAgScatteringPointProviderList
        Name
        Type
        PointProviders
ScatteringPointProviderList
        name
        type
        point_providers
IAgObjectRFEnvironment
        PropagationChannel
ObjectRFEnvironment
        propagation_channel
IAgObjectLaserEnvironment
        PropagationChannel
ObjectLaserEnvironment
        propagation_channel
IAgAntennaModel
        Name
        Type
        DesignFrequency
IAntennaModel
        name
        type
        design_frequency
IAgAntennaModelGaussian
        InputType
        Diameter
        Beamwidth
        MainlobeGain
        BacklobeGain
        UseBacklobeAsMainlobeAtten
        Efficiency
AntennaModelGaussian
        input_type
        diameter
        beamwidth
        mainlobe_gain
        backlobe_gain
        use_backlobe_as_mainlobe_atten
        efficiency
IAgAntennaModelParabolic
        InputType
        Diameter
        Beamwidth
        MainlobeGain
        BacklobeGain
        UseBacklobeAsMainlobeAtten
        Efficiency
AntennaModelParabolic
        input_type
        diameter
        beamwidth
        mainlobe_gain
        backlobe_gain
        use_backlobe_as_mainlobe_atten
        efficiency
IAgAntennaModelSquareHorn
        InputType
        Diameter
        Beamwidth
        MainlobeGain
        BacklobeGain
        UseBacklobeAsMainlobeAtten
        Efficiency
AntennaModelSquareHorn
        input_type
        diameter
        beamwidth
        mainlobe_gain
        backlobe_gain
        use_backlobe_as_mainlobe_atten
        efficiency
IAgAntennaModelScriptPlugin
        Filename
AntennaModelScriptPlugin
        filename
IAgAntennaModelExternal
        Filename
AntennaModelExternal
        filename
IAgAntennaModelGimroc
        Filename
AntennaModelGIMROC
        filename
IAgAntennaModelRemcomUanFormat
        Filename
AntennaModelRemcomUanFormat
        filename
IAgAntennaModelANSYSffdFormat
        Filename
        DefinedFrequencies
        GainType
        DefinedPowerValue
        UserGainFactor
AntennaModelANSYSffdFormat
        filename
        defined_frequencies
        gain_type
        defined_power_value
        user_gain_factor
IAgAntennaModelTicraGRASPFormat
        Filename
AntennaModelTicraGRASPFormat
        filename
IAgAntennaModelElevationAzimuthCuts
        Filename
AntennaModelElevationAzimuthCuts
        filename
IAgAntennaModelIeee1979
        Filename
AntennaModelIEEE1979
        filename
IAgAntennaModelDipole
        Length
        Efficiency
        LengthToWavelengthRatio
AntennaModelDipole
        length
        efficiency
        length_to_wavelength_ratio
IAgAntennaModelHelix
        Diameter
        Efficiency
        BacklobeGain
        TurnSpacing
        NumberOfTurns
        UseBacklobeAsMainlobeAtten
AntennaModelHelix
        diameter
        efficiency
        backlobe_gain
        turn_spacing
        number_of_turns
        use_backlobe_as_mainlobe_atten
IAgAntennaModelCosecantSquared
        SidelobeType
        CutoffAngle
        AzimuthBeamwidth
        MainlobeGain
        BacklobeGain
        Efficiency
AntennaModelCosecantSquared
        sidelobe_type
        cutoff_angle
        azimuth_beamwidth
        mainlobe_gain
        backlobe_gain
        efficiency
IAgAntennaModelHemispherical
        Efficiency
        MainlobeGain
AntennaModelHemispherical
        efficiency
        mainlobe_gain
IAgAntennaModelPencilBeam
        MainlobeGain
        SidelobeGain
        Beamwidth
AntennaModelPencilBeam
        mainlobe_gain
        sidelobe_gain
        beamwidth
IAgElementConfiguration
        Type
IElementConfiguration
        type
IAgElementConfigurationCircular
        NumElements
        Spacing
ElementConfigurationCircular
        number_of_elements
        spacing
IAgElementConfigurationLinear
        NumElements
        Spacing
        TiltAngle
        MaxLookAngle
ElementConfigurationLinear
        number_of_elements
        spacing
        tilt_angle
        maximum_look_angle
IAgElementConfigurationAsciiFile
        Filename
ElementConfigurationASCIIFile
        filename
IAgElementConfigurationHfssEepFile
        Filename
        DefinedFrequencies
        GainType
        DefinedPowerValue
        UserGainFactor
ElementConfigurationHfssEepFile
        filename
        defined_frequencies
        gain_type
        defined_power_value
        user_gain_factor
IAgElementConfigurationPolygon
        LatticeType
        NumSides
        Equilateral
        NumElementsX
        NumElementsY
        SpacingX
        SpacingY
        MaxLookAngleEl
        MaxLookAngleAz
        SpacingUnit
IElementConfigurationPolygon
        lattice_type
        number_of_sides
        equilateral
        number_of_x_elements
        number_of_y_elements
        spacing_x
        spacing_y
        maximum_look_angle_elevation
        maximum_look_angle_azimuth
        spacing_unit
IAgBeamformer
        Type
IBeamformer
        type
IAgBeamformerMvdr
        Constraint
BeamformerMVDR
        constraint
IAgBeamformerUniform BeamformerUniform
IAgBeamformerAsciiFile
        Filename
BeamformerASCIIFile
        filename
IAgBeamformerScript
        Filename
BeamformerScript
        filename
IAgBeamformerBlackmanHarris BeamformerBlackmanHarris
IAgBeamformerCosine BeamformerCosine
IAgBeamformerCosineX
        X
BeamformerCosineX
        x
IAgBeamformerCustomTaperFile
        Filename
BeamformerCustomTaperFile
        filename
IAgBeamformerDolphChebyshev
        SidelobeLevel
BeamformerDolphChebyshev
        sidelobe_level
IAgBeamformerHamming BeamformerHamming
IAgBeamformerHann BeamformerHann
IAgBeamformerRaisedCosine
        P
BeamformerRaisedCosine
        p
IAgBeamformerRaisedCosineSquared
        P
BeamformerRaisedCosineSquared
        p
IAgBeamformerTaylor
        SidelobeLevel
        SidelobeCount
BeamformerTaylor
        sidelobe_level
        sidelobe_count
IAgPriority
        Name
        Value
Priority
        name
        value
IAgPriorityCollection
        Count
        Item
PriorityCollection
        count
        item
IAgTargetSelectionMethod
        Type
ITargetSelectionMethod
        type
IAgTargetSelectionMethodPriority
        Priorities
TargetSelectionMethodPriority
        priorities
IAgTargetSelectionMethodRange TargetSelectionMethodRange
IAgTargetSelectionMethodClosingVelocity TargetSelectionMethodClosingVelocity
IAgDirectionProvider
        Type
IDirectionProvider
        type
IAgDirectionProviderAsciiFile
        Enabled
        Filename
DirectionProviderASCIIFile
        enabled
        filename
IAgDirectionProviderObject
        Directions
        Enabled
        LimitsExceededBehaviorType
        UseDefaultDirection
        AzimuthSteeringLimitA
        AzimuthSteeringLimitB
        ElevationSteeringLimitA
        ElevationSteeringLimitB
        MaximumSelectionCount
        TargetSelectionMethodType
        TargetSelectionMethod
DirectionProviderObject
        directions
        enabled
        limits_exceeded_behavior_type
        use_default_direction
        azimuth_steering_limit_a
        azimuth_steering_limit_b
        elevation_steering_limit_a
        elevation_steering_limit_b
        maximum_selection_count
        target_selection_method_type
        target_selection_method
IAgDirectionProviderLink
        LimitsExceededBehaviorType
        AzimuthSteeringLimitA
        AzimuthSteeringLimitB
        ElevationSteeringLimitA
        ElevationSteeringLimitB
DirectionProviderLink
        limits_exceeded_behavior_type
        azimuth_steering_limit_a
        azimuth_steering_limit_b
        elevation_steering_limit_a
        elevation_steering_limit_b
IAgDirectionProviderScript
        Members
        Filename
DirectionProviderScript
        members
        filename
IAgElement
        X
        Y
        Id
        Enabled
Element
        x
        y
        identifier
        enabled
IAgElementCollection
        Count
        Item
ElementCollection
        count
        item
IAgAntennaModelPhasedArray
        BacklobeSuppression
        IncludeElementFactor
        ElementFactorExponent
        Width
        Height
        NumberOfElements
        SupportedBeamDirectionProviderTypes
        BeamDirectionProviderType
        BeamDirectionProvider
        SupportedNullDirectionProviderTypes
        NullDirectionProviderType
        NullDirectionProvider
        BeamformerType
        Beamformer
        ElementConfigurationType
        ElementConfiguration
        Elements
        ShowGrid
        ShowLabels
AntennaModelPhasedArray
        backlobe_suppression
        include_element_factor
        element_factor_exponent
        width
        height
        number_of_elements
        supported_beam_direction_provider_types
        beam_direction_provider_type
        beam_direction_provider
        supported_null_direction_provider_types
        null_direction_provider_type
        null_direction_provider
        beamformer_type
        beamformer
        element_configuration_type
        element_configuration
        elements
        show_grid
        show_labels
IAgAntennaModelHfssEepArray
        Width
        Height
        NumberOfElements
        SupportedBeamDirectionProviderTypes
        BeamDirectionProviderType
        BeamDirectionProvider
        BeamformerType
        Beamformer
        ElementConfiguration
        Elements
AntennaModelHfssEepArray
        width
        height
        number_of_elements
        supported_beam_direction_provider_types
        beam_direction_provider_type
        beam_direction_provider
        beamformer_type
        beamformer
        element_configuration
        elements
IAgAntennaModelIsotropic
        MainlobeGain
        Efficiency
AntennaModelIsotropic
        mainlobe_gain
        efficiency
IAgAntennaModelIntelSat
        Filename
AntennaModelIntelSat
        filename
IAgAntennaModelOpticalSimple
        ComputeGain
        MaxGain
        Area
        Efficiency
IAntennaModelOpticalSimple
        compute_gain
        maximum_gain
        area
        efficiency
IAgAntennaModelRectangularPattern
        MainlobeGain
        ThetaAngle
        PhiAngle
        SidelobeGain
AntennaModelRectangularPattern
        mainlobe_gain
        theta_angle
        phi_angle
        sidelobe_gain
IAgAntennaModelGpsGlobal
        SupportedBlockTypes
        BlockType
        Efficiency
        MaxGain
        Beamwidth
AntennaModelGPSGlobal
        supported_block_types
        block_type
        efficiency
        maximum_gain
        beamwidth
IAgAntennaModelGpsFrpa
        Efficiency
AntennaModelGPSFRPA
        efficiency
IAgAntennaModelItuBO1213CoPolar
        MainlobeGain
        Efficiency
        Diameter
AntennaModelITUBO1213CoPolar
        mainlobe_gain
        efficiency
        diameter
IAgAntennaModelItuBO1213CrossPolar
        MainlobeGain
        Efficiency
        Diameter
AntennaModelITUBO1213CrossPolar
        mainlobe_gain
        efficiency
        diameter
IAgAntennaModelItuF1245
        MainlobeGain
        Efficiency
        Diameter
        PolarizationAdvantage
AntennaModelITUF1245
        mainlobe_gain
        efficiency
        diameter
        polarization_advantage
IAgAntennaModelItuS580
        MainlobeGain
        Efficiency
        Diameter
        UseMainlobeModel
        SidelobeMaskLevel
        SidelobeRelativeToMainlobe
AntennaModelITUS580
        mainlobe_gain
        efficiency
        diameter
        use_mainlobe_model
        sidelobe_mask_level
        sidelobe_relative_to_mainlobe
IAgAntennaModelItuS465
        MainlobeGain
        Efficiency
        Diameter
        UseMainlobeModel
        SidelobeMaskLevel
        CoordinatedPrior1993
        SidelobeRelativeToMainlobe
AntennaModelITUS465
        mainlobe_gain
        efficiency
        diameter
        use_mainlobe_model
        sidelobe_mask_level
        coordinated_prior_to_1993
        sidelobe_relative_to_mainlobe
IAgAntennaModelItuS731
        MainlobeGain
        Efficiency
        Diameter
        UseMainlobeModel
        SidelobeMaskLevel
        SidelobeRelativeToMainlobe
AntennaModelITUS731
        mainlobe_gain
        efficiency
        diameter
        use_mainlobe_model
        sidelobe_mask_level
        sidelobe_relative_to_mainlobe
IAgAntennaModelItuS1528R12Circular
        MainlobeGain
        Efficiency
        Diameter
        UseMainlobeModel
        OverrideHalfBeamwidth
        HalfBeamwidth
        NearinSidelobeLevel
        FaroutSidelobeLevel
AntennaModelITUS1528R12Circular
        mainlobe_gain
        efficiency
        diameter
        use_mainlobe_model
        override_half_beamwidth
        half_beamwidth
        near_in_sidelobe_level
        farout_sidelobe_level
IAgAntennaModelItuS1528R13
        MainlobeGain
        Efficiency
        Diameter
        UseMainlobeModel
        OverrideHalfBeamwidth
        HalfBeamwidth
        NearinSidelobeMaskCrossPoint
        FaroutSidelobeLevel
AntennaModelITUS1528R13
        mainlobe_gain
        efficiency
        diameter
        use_mainlobe_model
        override_half_beamwidth
        half_beamwidth
        near_in_sidelobe_mask_cross_point
        farout_sidelobe_level
IAgAntennaModelItuS672Circular
        MainlobeGain
        Efficiency
        Diameter
        UseMainlobeModel
        OverrideHalfBeamwidth
        HalfBeamwidth
        NearinSidelobeLevel
        FaroutSidelobeLevel
AntennaModelITUS672Circular
        mainlobe_gain
        efficiency
        diameter
        use_mainlobe_model
        override_half_beamwidth
        half_beamwidth
        near_in_sidelobe_level
        farout_sidelobe_level
IAgAntennaModelItuS1528R12Rectangular
        MainlobeGain
        Efficiency
        MajorDimension
        MinorDimension
        UseMainlobeModel
        OverrideHalfBeamwidth
        HalfBeamwidth
        NearinSidelobeLevel
        FaroutSidelobeLevel
AntennaModelITUS1528R12Rectangular
        mainlobe_gain
        efficiency
        major_dimension
        minor_dimension
        use_mainlobe_model
        override_half_beamwidth
        half_beamwidth
        near_in_sidelobe_level
        farout_sidelobe_level
IAgAntennaModelItuS672Rectangular
        MainlobeGain
        Efficiency
        MajorDimension
        MinorDimension
        UseMainlobeModel
        OverrideHalfBeamwidth
        HalfBeamwidth
        NearinSidelobeLevel
        FaroutSidelobeLevel
AntennaModelITUS672Rectangular
        mainlobe_gain
        efficiency
        major_dimension
        minor_dimension
        use_mainlobe_model
        override_half_beamwidth
        half_beamwidth
        near_in_sidelobe_level
        farout_sidelobe_level
IAgAntennaModelApertureCircularCosine
        ComputeMainlobeGain
        MainlobeGain
        BacklobeGain
        Efficiency
        UseBacklobeAsMainlobeAtten
        InputType
        Diameter
        Beamwidth
AntennaModelApertureCircularCosine
        compute_mainlobe_gain
        mainlobe_gain
        backlobe_gain
        efficiency
        use_backlobe_as_mainlobe_atten
        input_type
        diameter
        beamwidth
IAgAntennaModelApertureCircularUniform
        ComputeMainlobeGain
        MainlobeGain
        BacklobeGain
        Efficiency
        UseBacklobeAsMainlobeAtten
        InputType
        Diameter
        Beamwidth
AntennaModelApertureCircularUniform
        compute_mainlobe_gain
        mainlobe_gain
        backlobe_gain
        efficiency
        use_backlobe_as_mainlobe_atten
        input_type
        diameter
        beamwidth
IAgAntennaModelApertureCircularCosineSquared
        ComputeMainlobeGain
        MainlobeGain
        BacklobeGain
        Efficiency
        UseBacklobeAsMainlobeAtten
        InputType
        Diameter
        Beamwidth
AntennaModelApertureCircularCosineSquared
        compute_mainlobe_gain
        mainlobe_gain
        backlobe_gain
        efficiency
        use_backlobe_as_mainlobe_atten
        input_type
        diameter
        beamwidth
IAgAntennaModelApertureCircularBessel
        ComputeMainlobeGain
        MainlobeGain
        BacklobeGain
        Efficiency
        UseBacklobeAsMainlobeAtten
        InputType
        Diameter
        Beamwidth
        FunctionPower
        PedestalLevel
AntennaModelApertureCircularBessel
        compute_mainlobe_gain
        mainlobe_gain
        backlobe_gain
        efficiency
        use_backlobe_as_mainlobe_atten
        input_type
        diameter
        beamwidth
        function_power
        pedestal_level
IAgAntennaModelApertureCircularBesselEnvelope
        ComputeMainlobeGain
        MainlobeGain
        BacklobeGain
        Efficiency
        UseBacklobeAsMainlobeAtten
        InputType
        Diameter
        Beamwidth
        FunctionPower
        PedestalLevel
AntennaModelApertureCircularBesselEnvelope
        compute_mainlobe_gain
        mainlobe_gain
        backlobe_gain
        efficiency
        use_backlobe_as_mainlobe_atten
        input_type
        diameter
        beamwidth
        function_power
        pedestal_level
IAgAntennaModelApertureCircularCosinePedestal
        ComputeMainlobeGain
        MainlobeGain
        BacklobeGain
        Efficiency
        UseBacklobeAsMainlobeAtten
        InputType
        Diameter
        Beamwidth
        PedestalLevel
AntennaModelApertureCircularCosinePedestal
        compute_mainlobe_gain
        mainlobe_gain
        backlobe_gain
        efficiency
        use_backlobe_as_mainlobe_atten
        input_type
        diameter
        beamwidth
        pedestal_level
IAgAntennaModelApertureCircularCosineSquaredPedestal
        ComputeMainlobeGain
        MainlobeGain
        BacklobeGain
        Efficiency
        UseBacklobeAsMainlobeAtten
        InputType
        Diameter
        Beamwidth
        PedestalLevel
AntennaModelApertureCircularCosineSquaredPedestal
        compute_mainlobe_gain
        mainlobe_gain
        backlobe_gain
        efficiency
        use_backlobe_as_mainlobe_atten
        input_type
        diameter
        beamwidth
        pedestal_level
IAgAntennaModelApertureCircularSincIntPower
        ComputeMainlobeGain
        MainlobeGain
        BacklobeGain
        Efficiency
        UseBacklobeAsMainlobeAtten
        InputType
        Diameter
        Beamwidth
        FunctionPower
AntennaModelApertureCircularSincIntegerPower
        compute_mainlobe_gain
        mainlobe_gain
        backlobe_gain
        efficiency
        use_backlobe_as_mainlobe_atten
        input_type
        diameter
        beamwidth
        function_power
IAgAntennaModelApertureCircularSincRealPower
        ComputeMainlobeGain
        MainlobeGain
        BacklobeGain
        Efficiency
        UseBacklobeAsMainlobeAtten
        InputType
        Diameter
        Beamwidth
        FunctionPower
AntennaModelApertureCircularSincRealPower
        compute_mainlobe_gain
        mainlobe_gain
        backlobe_gain
        efficiency
        use_backlobe_as_mainlobe_atten
        input_type
        diameter
        beamwidth
        function_power
IAgAntennaModelApertureRectangularUniform
        ComputeMainlobeGain
        MainlobeGain
        BacklobeGain
        Efficiency
        UseBacklobeAsMainlobeAtten
        InputType
        XDimension
        YDimension
        XBeamwidth
        YBeamwidth
AntennaModelApertureRectangularUniform
        compute_mainlobe_gain
        mainlobe_gain
        backlobe_gain
        efficiency
        use_backlobe_as_mainlobe_atten
        input_type
        x_dimension
        y_dimension
        x_beamwidth
        y_beamwidth
IAgAntennaModelApertureRectangularCosineSquared
        ComputeMainlobeGain
        MainlobeGain
        BacklobeGain
        Efficiency
        UseBacklobeAsMainlobeAtten
        InputType
        XDimension
        YDimension
        XBeamwidth
        YBeamwidth
AntennaModelApertureRectangularCosineSquared
        compute_mainlobe_gain
        mainlobe_gain
        backlobe_gain
        efficiency
        use_backlobe_as_mainlobe_atten
        input_type
        x_dimension
        y_dimension
        x_beamwidth
        y_beamwidth
IAgAntennaModelApertureRectangularCosine
        ComputeMainlobeGain
        MainlobeGain
        BacklobeGain
        Efficiency
        UseBacklobeAsMainlobeAtten
        InputType
        XDimension
        YDimension
        XBeamwidth
        YBeamwidth
AntennaModelApertureRectangularCosine
        compute_mainlobe_gain
        mainlobe_gain
        backlobe_gain
        efficiency
        use_backlobe_as_mainlobe_atten
        input_type
        x_dimension
        y_dimension
        x_beamwidth
        y_beamwidth
IAgAntennaModelApertureRectangularCosinePedestal
        ComputeMainlobeGain
        MainlobeGain
        BacklobeGain
        Efficiency
        UseBacklobeAsMainlobeAtten
        InputType
        XDimension
        YDimension
        XBeamwidth
        YBeamwidth
        PedestalLevel
AntennaModelApertureRectangularCosinePedestal
        compute_mainlobe_gain
        mainlobe_gain
        backlobe_gain
        efficiency
        use_backlobe_as_mainlobe_atten
        input_type
        x_dimension
        y_dimension
        x_beamwidth
        y_beamwidth
        pedestal_level
IAgAntennaModelApertureRectangularCosineSquaredPedestal
        ComputeMainlobeGain
        MainlobeGain
        BacklobeGain
        Efficiency
        UseBacklobeAsMainlobeAtten
        InputType
        XDimension
        YDimension
        XBeamwidth
        YBeamwidth
        PedestalLevel
AntennaModelApertureRectangularCosineSquaredPedestal
        compute_mainlobe_gain
        mainlobe_gain
        backlobe_gain
        efficiency
        use_backlobe_as_mainlobe_atten
        input_type
        x_dimension
        y_dimension
        x_beamwidth
        y_beamwidth
        pedestal_level
IAgAntennaModelApertureRectangularSincIntPower
        ComputeMainlobeGain
        MainlobeGain
        BacklobeGain
        Efficiency
        UseBacklobeAsMainlobeAtten
        InputType
        XDimension
        YDimension
        XBeamwidth
        YBeamwidth
        FunctionPower
AntennaModelApertureRectangularSincIntegerPower
        compute_mainlobe_gain
        mainlobe_gain
        backlobe_gain
        efficiency
        use_backlobe_as_mainlobe_atten
        input_type
        x_dimension
        y_dimension
        x_beamwidth
        y_beamwidth
        function_power
IAgAntennaModelApertureRectangularSincRealPower
        ComputeMainlobeGain
        MainlobeGain
        BacklobeGain
        Efficiency
        UseBacklobeAsMainlobeAtten
        InputType
        XDimension
        YDimension
        XBeamwidth
        YBeamwidth
        FunctionPower
AntennaModelApertureRectangularSincRealPower
        compute_mainlobe_gain
        mainlobe_gain
        backlobe_gain
        efficiency
        use_backlobe_as_mainlobe_atten
        input_type
        x_dimension
        y_dimension
        x_beamwidth
        y_beamwidth
        function_power
IAgAntennaVolumeLevel
        Value
        Color
AntennaVolumeLevel
        value
        color
IAgAntennaVolumeLevelCollection
        Count
        Item
        Contains
        Remove
        RemoveAt
        Add
        Clear
        GetLevel
AntennaVolumeLevelCollection
        count
        item
        contains
        remove
        remove_at
        add
        clear
        get_level
IAgAntennaVolumeGraphics
        Show
        Wireframe
        GainOffset
        GainScale
        AzimuthStart
        AzimuthStop
        AzimuthResolution
        AzimuthNumPoints
        ElevationStart
        ElevationStop
        ElevationResolution
        ElevationNumPoints
        SetResolution
        SetNumPoints
        ColorMethod
        StartColor
        StopColor
        Levels
        RelativeToMaximum
        CoordinateSystem
        MinimumDisplayedGain
AntennaVolumeGraphics
        show
        wireframe
        gain_offset
        gain_scale
        azimuth_start
        azimuth_stop
        azimuth_resolution
        azimuth_number_of_points
        elevation_start
        elevation_stop
        elevation_resolution
        elevation_number_of_points
        set_resolution
        set_number_of_points
        color_method
        start_color
        stop_color
        levels
        relative_to_maximum
        coordinate_system
        minimum_displayed_gain
IAgAntennaVO
        Vector
        ShowBoresight
        ShowContours
        VolumeGraphics
AntennaGraphics3D
        vector
        show_boresight
        show_contours
        volume_graphics
IAgAntennaContourLevel
        Value
        Color
        LineStyle
AntennaContourLevel
        value
        color
        line_style
IAgAntennaContourLevelCollection
        Count
        Item
        Contains
        Remove
        RemoveAt
        Add
        Clear
        GetLevel
AntennaContourLevelCollection
        count
        item
        contains
        remove
        remove_at
        add
        clear
        get_level
IAgAntennaContour
        ShowAtAltitude
        Altitude
        RelativeToMaxGain
        ShowLabels
        NumLabelDecDigits
        LineWidth
        ColorMethod
        StartColor
        StopColor
        Type
        Levels
IAntennaContour
        show_at_altitude
        altitude
        relative_to_maximum_gain
        show_labels
        number_of_label_decimal_digits
        line_width
        color_method
        start_color
        stop_color
        type
        levels
IAgAntennaContourGain
        AzimuthStart
        AzimuthStop
        AzimuthResolution
        AzimuthNumPoints
        ElevationStart
        ElevationStop
        ElevationResolution
        ElevationNumPoints
        SetResolution
        SetNumPoints
        CoordinateSystem
AntennaContourGain
        azimuth_start
        azimuth_stop
        azimuth_resolution
        azimuth_number_of_points
        elevation_start
        elevation_stop
        elevation_resolution
        elevation_number_of_points
        set_resolution
        set_number_of_points
        coordinate_system
IAgAntennaContourEirp
        AzimuthStart
        AzimuthStop
        AzimuthResolution
        AzimuthNumPoints
        ElevationStart
        ElevationStop
        ElevationResolution
        ElevationNumPoints
        SetResolution
        SetNumPoints
        CoordinateSystem
AntennaContourEIRP
        azimuth_start
        azimuth_stop
        azimuth_resolution
        azimuth_number_of_points
        elevation_start
        elevation_stop
        elevation_resolution
        elevation_number_of_points
        set_resolution
        set_number_of_points
        coordinate_system
IAgAntennaContourRip
        AzimuthResolution
        ElevationResolution
        MaxElevation
        SetResolution
AntennaContourRIP
        azimuth_resolution
        elevation_resolution
        maximum_elevation_angle
        set_resolution
IAgAntennaContourFluxDensity
        AzimuthResolution
        ElevationResolution
        MaxElevation
        SetResolution
AntennaContourFluxDensity
        azimuth_resolution
        elevation_resolution
        maximum_elevation_angle
        set_resolution
IAgAntennaContourSpectralFluxDensity
        AzimuthResolution
        ElevationResolution
        MaxElevation
        SetResolution
AntennaContourSpectralFluxDensity
        azimuth_resolution
        elevation_resolution
        maximum_elevation_angle
        set_resolution
IAgAntennaContourGraphics
        Show
        IsContourTypeSupported
        SupportedContourTypes
        SetContourType
        Contour
AntennaContourGraphics
        show
        is_contour_type_supported
        supported_contour_types
        set_contour_type
        contour
IAgAntennaGraphics
        Show
        ShowBoresight
        BoresightColor
        BoresightMarkerStyle
        ContourGraphics
AntennaGraphics
        show
        show_boresight
        boresight_color
        boresight_marker_style
        contour_graphics
IAgAntenna
        SupportedModels
        SetModel
        Model
        Orientation
        Refraction
        IsRefractionTypeSupported
        RefractionSupportedTypes
        RefractionModel
        UseRefractionInAccess
        VO
        Graphics
        RFEnvironment
        LaserEnvironment
        ModelComponentLinking
Antenna
        supported_models
        set_model
        model
        orientation
        refraction
        is_refraction_type_supported
        refraction_supported_types
        refraction_model
        use_refraction_in_access
        graphics_3d
        graphics
        rf_environment
        laser_environment
        model_component_linking
IAgAntennaControl
        ReferenceType
        SupportedLinkedAntennaObjects
        LinkedAntennaObject
        SupportedEmbeddedModels
        SetEmbeddedModel
        EmbeddedModel
        EmbeddedModelOrientation
        EmbeddedModelComponentLinking
AntennaControl
        reference_type
        supported_linked_antenna_objects
        linked_antenna_object
        supported_embedded_models
        set_embedded_model
        embedded_model
        embedded_model_orientation
        embedded_model_component_linking
IAgAntennaBeamSelectionStrategy
        Type
IAntennaBeamSelectionStrategy
        type
IAgAntennaBeamSelectionStrategyScriptPlugin
        Filename
AntennaBeamSelectionStrategyScriptPlugin
        filename
IAgAntennaBeam
        ID
        Active
        Frequency
        SupportedAntennaModels
        AntennaModelName
        AntennaModel
        Orientation
        EnablePolarization
        SetPolarizationType
        Polarization
IAntennaBeam
        identifier
        is_active
        frequency
        supported_antenna_models
        antenna_model_name
        antenna_model
        orientation
        enable_polarization
        set_polarization_type
        polarization
IAgAntennaBeamTransmit
        Power
AntennaBeamTransmit
        power
IAgAntennaBeamCollection
        Count
        Item
        RemoveAt
        InsertAt
        Add
AntennaBeamCollection
        count
        item
        remove_at
        insert_at
        add
IAgAntennaSystem
        AntennaBeams
        SetBeamSelectionStrategyType
        BeamSelectionStrategy
AntennaSystem
        antenna_beams
        set_beam_selection_strategy_type
        beam_selection_strategy
IAgRFFilterModel
        Name
        Type
        UpperBandwidthLimit
        LowerBandwidthLimit
        Bandwidth
        InsertionLoss
IRFFilterModel
        name
        type
        upper_bandwidth_limit
        lower_bandwidth_limit
        bandwidth
        insertion_loss
IAgModulatorModel
        Name
        Type
        EnableSignalPSD
        PSDLimitMultiplier
        EnableCdmaSpread
        ChipsPerBit
        SpreadingGain
        AutoScaleBandwidth
        SymmetricBandwidth
        UpperBandwidthLimit
        LowerBandwidthLimit
        Bandwidth
IModulatorModel
        name
        type
        enable_signal_psd
        psd_limit_multiplier
        enable_cdma_spread
        chips_per_bit
        spreading_gain
        scale_bandwidth_automatically
        symmetric_bandwidth
        upper_bandwidth_limit
        lower_bandwidth_limit
        bandwidth
IAgTransmitterModel
        Name
        Type
ITransmitterModel
        name
        type
IAgTransmitterModelScriptPlugin
        Filename
ITransmitterModelScriptPlugin
        filename
IAgTransmitterModelCable
        DataRate
        ChipsPerBit
        SpreadingGain
TransmitterModelCable
        data_rate
        chips_per_bit
        spreading_gain
IAgTransmitterModelSimple
        Frequency
        DataRate
        Eirp
        EnablePolarization
        SetPolarizationType
        Polarization
        PostTransmitGainsLosses
        EnableFilter
        SupportedFilters
        SetFilter
        Filter
        SupportedModulators
        SetModulator
        Modulator
        FilterComponentLinking
TransmitterModelSimple
        frequency
        data_rate
        eirp
        enable_polarization
        set_polarization_type
        polarization
        post_transmit_gains_losses
        enable_filter
        supported_filters
        set_filter
        filter
        supported_modulators
        set_modulator
        modulator
        filter_component_linking
IAgTransmitterModelMedium
        Frequency
        DataRate
        Power
        AntennaGain
        EnablePolarization
        SetPolarizationType
        Polarization
        PostTransmitGainsLosses
        EnableFilter
        SupportedFilters
        SetFilter
        Filter
        SupportedModulators
        SetModulator
        Modulator
        FilterComponentLinking
TransmitterModelMedium
        frequency
        data_rate
        power
        antenna_gain
        enable_polarization
        set_polarization_type
        polarization
        post_transmit_gains_losses
        enable_filter
        supported_filters
        set_filter
        filter
        supported_modulators
        set_modulator
        modulator
        filter_component_linking
IAgTransmitterModelComplex
        Frequency
        DataRate
        Power
        AntennaControl
        EnablePolarization
        SetPolarizationType
        Polarization
        PostTransmitGainsLosses
        EnableFilter
        SupportedFilters
        SetFilter
        Filter
        SupportedModulators
        SetModulator
        Modulator
        FilterComponentLinking
TransmitterModelComplex
        frequency
        data_rate
        power
        antenna_control
        enable_polarization
        set_polarization_type
        polarization
        post_transmit_gains_losses
        enable_filter
        supported_filters
        set_filter
        filter
        supported_modulators
        set_modulator
        modulator
        filter_component_linking
IAgTransmitterModelMultibeam
        DataRate
        PostTransmitGainsLosses
        EnableFilter
        SupportedFilters
        SetFilter
        Filter
        SupportedModulators
        SetModulator
        Modulator
        AntennaSystem
        FilterComponentLinking
TransmitterModelMultibeam
        data_rate
        post_transmit_gains_losses
        enable_filter
        supported_filters
        set_filter
        filter
        supported_modulators
        set_modulator
        modulator
        antenna_system
        filter_component_linking
IAgTransmitterModelLaser
        Frequency
        DataRate
        Power
        AntennaControl
        EnablePolarization
        SetPolarizationType
        Polarization
        PostTransmitGainsLosses
        EnableFilter
        SupportedFilters
        SetFilter
        Filter
        SupportedModulators
        SetModulator
        Modulator
        FilterComponentLinking
TransmitterModelLaser
        frequency
        data_rate
        power
        antenna_control
        enable_polarization
        set_polarization_type
        polarization
        post_transmit_gains_losses
        enable_filter
        supported_filters
        set_filter
        filter
        supported_modulators
        set_modulator
        modulator
        filter_component_linking
IAgTransferFunctionInputBackOffCOverImTableRow
        InputBackOff
        COverIm
TransferFunctionInputBackOffVsCOverImTableRow
        input_back_off
        c_over_im
IAgTransferFunctionInputBackOffCOverImTable
        Count
        Item
        RemoveAt
        Add
        InsertAt
TransferFunctionInputBackOffVsCOverImTable
        count
        item
        remove_at
        add
        insert_at
IAgTransferFunctionInputBackOffOutputBackOffTableRow
        InputBackOff
        OutputBackOff
TransferFunctionInputBackOffOutputBackOffTableRow
        input_back_off
        output_back_off
IAgTransferFunctionInputBackOffOutputBackOffTable
        Count
        Item
        RemoveAt
        Add
        InsertAt
TransferFunctionInputBackOffOutputBackOffTable
        count
        item
        remove_at
        add
        insert_at
IAgTransferFunctionPolynomialCollection
        Count
        Item
        RemoveAt
        Add
        InsertAt
TransferFunctionPolynomialCollection
        count
        item
        remove_at
        add
        insert_at
IAgReTransmitterModel
        FrequencyTransferFunctionPolynomial
        PowerBackOffTransferFunctionType
        PowerBackOffLinearScale
        PowerBackOffTransferFunctionPolynomial
        PowerBackOffTransferFunctionTable
        EnableCOverIm
        COverImTransferFunctionType
        COverImLinearScale
        COverImTransferFunctionPolynomial
        COverImTransferFunctionTable
        SaturatedFluxDensity
        OperationalMode
IReTransmitterModel
        frequency_transfer_function_polynomial
        power_back_off_transfer_function_type
        power_back_off_linear_scale
        power_back_off_transfer_function_polynomial
        power_back_off_transfer_function_table
        enable_c_over_im
        c_over_im_transfer_function_type
        c_over_im_linear_scale
        c_over_im_transfer_function_polynomial
        c_over_im_transfer_function_table
        saturated_flux_density
        operational_mode
IAgReTransmitterModelSimple
        EnablePolarization
        SetPolarizationType
        Polarization
        PostTransmitGainsLosses
        EnableFilter
        SupportedFilters
        SetFilter
        Filter
        SaturatedEirp
        FilterComponentLinking
ReTransmitterModelSimple
        enable_polarization
        set_polarization_type
        polarization
        post_transmit_gains_losses
        enable_filter
        supported_filters
        set_filter
        filter
        saturated_eirp
        filter_component_linking
IAgReTransmitterModelMedium
        EnablePolarization
        SetPolarizationType
        Polarization
        PostTransmitGainsLosses
        EnableFilter
        SupportedFilters
        SetFilter
        Filter
        SaturatedPower
        AntennaGain
        FilterComponentLinking
ReTransmitterModelMedium
        enable_polarization
        set_polarization_type
        polarization
        post_transmit_gains_losses
        enable_filter
        supported_filters
        set_filter
        filter
        saturated_power
        antenna_gain
        filter_component_linking
IAgReTransmitterModelComplex
        EnablePolarization
        SetPolarizationType
        Polarization
        PostTransmitGainsLosses
        EnableFilter
        SupportedFilters
        SetFilter
        Filter
        SaturatedPower
        AntennaControl
        FilterComponentLinking
ReTransmitterModelComplex
        enable_polarization
        set_polarization_type
        polarization
        post_transmit_gains_losses
        enable_filter
        supported_filters
        set_filter
        filter
        saturated_power
        antenna_control
        filter_component_linking
IAgTransmitterVO
        Vector
        ShowBoresight
        ShowContours
        Volume
TransmitterGraphics3D
        vector
        show_boresight
        show_contours
        volume
IAgTransmitterGraphics
        Show
        ShowBoresight
        BoresightColor
        BoresightMarkerStyle
        ContourGraphics
TransmitterGraphics
        show
        show_boresight
        boresight_color
        boresight_marker_style
        contour_graphics
IAgTransmitter
        SupportedModels
        SetModel
        Model
        Refraction
        IsRefractionTypeSupported
        RefractionSupportedTypes
        RefractionModel
        UseRefractionInAccess
        VO
        Graphics
        RFEnvironment
        LaserEnvironment
        ModelComponentLinking
Transmitter
        supported_models
        set_model
        model
        refraction
        is_refraction_type_supported
        refraction_supported_types
        refraction_model
        use_refraction_in_access
        graphics_3d
        graphics
        rf_environment
        laser_environment
        model_component_linking
IAgDemodulatorModel
        Name
        Type
IDemodulatorModel
        name
        type
IAgLaserPropagationLossModels
        EnableAtmosphericLossModel
        SetAtmosphericLossModel
        AtmosphericLossModel
        EnableTroposphericScintillationLossModel
        SetTroposphericScintillationLossModel
        TroposphericScintillationLossModel
LaserPropagationLossModels
        enable_atmospheric_loss_model
        set_atmospheric_loss_model
        atmospheric_loss_model
        enable_tropospheric_scintillation_loss_model
        set_tropospheric_scintillation_loss_model
        tropospheric_scintillation_loss_model
IAgLinkMargin
        Enable
        Type
        Threshold
LinkMargin
        enable
        type
        threshold
IAgReceiverModel
        Name
        Type
IReceiverModel
        name
        type
IAgReceiverModelSimple
        EnableFilter
        SupportedFilters
        SetFilter
        Filter
        PreReceiveGainsLosses
        PreDemodGainsLosses
        LinkMargin
        AutoScaleBandwidth
        Bandwidth
        AutoSelectDemodulator
        SupportedDemodulators
        SetDemodulator
        Demodulator
        UseRain
        SupportedRainOutagePercentValues
        RainOutagePercent
        EnablePolarization
        SetPolarizationType
        Polarization
        AutoTrackFrequency
        Frequency
        GOverT
        Interference
        FilterComponentLinking
ReceiverModelSimple
        enable_filter
        supported_filters
        set_filter
        filter
        pre_receive_gains_losses
        pre_demodulator_gains_losses
        link_margin
        scale_bandwidth_automatically
        bandwidth
        select_demodulator_automatically
        supported_demodulators
        set_demodulator
        demodulator
        use_rain
        supported_rain_outage_percent_values
        rain_outage_percent
        enable_polarization
        set_polarization_type
        polarization
        track_frequency_automatically
        frequency
        g_over_t
        interference
        filter_component_linking
IAgReceiverModelMedium
        EnableFilter
        SupportedFilters
        SetFilter
        Filter
        PreReceiveGainsLosses
        PreDemodGainsLosses
        LinkMargin
        AutoScaleBandwidth
        Bandwidth
        AutoSelectDemodulator
        SupportedDemodulators
        SetDemodulator
        Demodulator
        UseRain
        SupportedRainOutagePercentValues
        RainOutagePercent
        EnablePolarization
        SetPolarizationType
        Polarization
        AutoTrackFrequency
        Frequency
        AntennaGain
        AntennaToLnaLineLoss
        LnaGain
        LnaToReceiverLineLoss
        SystemNoiseTemperature
        Interference
        FilterComponentLinking
ReceiverModelMedium
        enable_filter
        supported_filters
        set_filter
        filter
        pre_receive_gains_losses
        pre_demodulator_gains_losses
        link_margin
        scale_bandwidth_automatically
        bandwidth
        select_demodulator_automatically
        supported_demodulators
        set_demodulator
        demodulator
        use_rain
        supported_rain_outage_percent_values
        rain_outage_percent
        enable_polarization
        set_polarization_type
        polarization
        track_frequency_automatically
        frequency
        antenna_gain
        antenna_to_lna_line_loss
        lna_gain
        lna_to_receiver_line_loss
        system_noise_temperature
        interference
        filter_component_linking
IAgReceiverModelComplex
        EnableFilter
        SupportedFilters
        SetFilter
        Filter
        PreReceiveGainsLosses
        PreDemodGainsLosses
        LinkMargin
        AutoScaleBandwidth
        Bandwidth
        AutoSelectDemodulator
        SupportedDemodulators
        SetDemodulator
        Demodulator
        UseRain
        SupportedRainOutagePercentValues
        RainOutagePercent
        EnablePolarization
        SetPolarizationType
        Polarization
        AutoTrackFrequency
        Frequency
        AntennaControl
        AntennaToLnaLineLoss
        LnaGain
        LnaToReceiverLineLoss
        SystemNoiseTemperature
        Interference
        FilterComponentLinking
ReceiverModelComplex
        enable_filter
        supported_filters
        set_filter
        filter
        pre_receive_gains_losses
        pre_demodulator_gains_losses
        link_margin
        scale_bandwidth_automatically
        bandwidth
        select_demodulator_automatically
        supported_demodulators
        set_demodulator
        demodulator
        use_rain
        supported_rain_outage_percent_values
        rain_outage_percent
        enable_polarization
        set_polarization_type
        polarization
        track_frequency_automatically
        frequency
        antenna_control
        antenna_to_lna_line_loss
        lna_gain
        lna_to_receiver_line_loss
        system_noise_temperature
        interference
        filter_component_linking
IAgReceiverModelMultibeam
        EnableFilter
        SupportedFilters
        SetFilter
        Filter
        PreReceiveGainsLosses
        PreDemodGainsLosses
        LinkMargin
        AutoScaleBandwidth
        Bandwidth
        AutoSelectDemodulator
        SupportedDemodulators
        SetDemodulator
        Demodulator
        UseRain
        SupportedRainOutagePercentValues
        RainOutagePercent
        AutoTrackFrequency
        AntennaToLnaLineLoss
        LnaGain
        LnaToReceiverLineLoss
        SystemNoiseTemperature
        AntennaSystem
        Interference
        FilterComponentLinking
ReceiverModelMultibeam
        enable_filter
        supported_filters
        set_filter
        filter
        pre_receive_gains_losses
        pre_demodulator_gains_losses
        link_margin
        scale_bandwidth_automatically
        bandwidth
        select_demodulator_automatically
        supported_demodulators
        set_demodulator
        demodulator
        use_rain
        supported_rain_outage_percent_values
        rain_outage_percent
        track_frequency_automatically
        antenna_to_lna_line_loss
        lna_gain
        lna_to_receiver_line_loss
        system_noise_temperature
        antenna_system
        interference
        filter_component_linking
IAgReceiverModelLaser
        EnableFilter
        SupportedFilters
        SetFilter
        Filter
        PreReceiveGainsLosses
        PreDemodGainsLosses
        LinkMargin
        AutoScaleBandwidth
        Bandwidth
        AutoSelectDemodulator
        SupportedDemodulators
        SetDemodulator
        Demodulator
        EnablePolarization
        SetPolarizationType
        Polarization
        AutoTrackFrequency
        Frequency
        AntennaControl
        DetectorGain
        DetectorEfficiency
        DetectorDarkCurrent
        DetectorNoiseFigure
        DetectorNoiseTemperature
        DetectorLoadImpedance
        UseApdDetectorModel
        PropagationLossModels
        FilterComponentLinking
ReceiverModelLaser
        enable_filter
        supported_filters
        set_filter
        filter
        pre_receive_gains_losses
        pre_demodulator_gains_losses
        link_margin
        scale_bandwidth_automatically
        bandwidth
        select_demodulator_automatically
        supported_demodulators
        set_demodulator
        demodulator
        enable_polarization
        set_polarization_type
        polarization
        track_frequency_automatically
        frequency
        antenna_control
        detector_gain
        detector_efficiency
        detector_dark_current
        detector_noise_figure
        detector_noise_temperature
        detector_load_impedance
        use_avalanche_photo_detector_model
        propagation_loss_models
        filter_component_linking
IAgReceiverModelScriptPlugin
        Filename
        LinkMargin
IReceiverModelScriptPlugin
        filename
        link_margin
IAgReceiverModelScriptPluginRF
        Interference
ReceiverModelScriptPluginRF
        interference
IAgReceiverModelCable
        Ber
        ExtraCableFactor
        PropagationSpeedFactor
ReceiverModelCable
        bit_error_rate
        extra_cable_factor
        propagation_speed_factor
IAgReceiverVO
        Vector
        ShowBoresight
        ShowContours
        Volume
ReceiverGraphics3D
        vector
        show_boresight
        show_contours
        volume
IAgReceiverGraphics
        Show
        ShowBoresight
        BoresightColor
        BoresightMarkerStyle
        ContourGraphics
ReceiverGraphics
        show
        show_boresight
        boresight_color
        boresight_marker_style
        contour_graphics
IAgReceiver
        SupportedModels
        SetModel
        Model
        Refraction
        IsRefractionTypeSupported
        RefractionSupportedTypes
        RefractionModel
        UseRefractionInAccess
        VO
        Graphics
        RFEnvironment
        LaserEnvironment
        ModelComponentLinking
Receiver
        supported_models
        set_model
        model
        refraction
        is_refraction_type_supported
        refraction_supported_types
        refraction_model
        use_refraction_in_access
        graphics_3d
        graphics
        rf_environment
        laser_environment
        model_component_linking
IAgRadarActivity
        Type
IRadarActivity
        type
IAgRadarActivityTimeComponentListElement
        Active
        Component
RadarActivityTimeComponentListElement
        is_active
        component
IAgRadarActivityTimeComponentListCollection
        Count
        Item
        RemoveAt
        InsertAt
        Add
        Clear
RadarActivityTimeComponentListCollection
        count
        item
        remove_at
        insert_at
        add
        clear
IAgRadarActivityTimeComponentList
        TimeComponents
RadarActivityTimeComponentList
        time_components
IAgRadarActivityTimeIntervalListElement
        Active
        Start
        Stop
RadarActivityTimeIntervalListElement
        is_active
        start
        stop
IAgRadarActivityTimeIntervalListCollection
        Count
        Item
        RemoveAt
        InsertAt
        Add
        ImportFromComponent
        LoadFromFile
        Clear
RadarActivityTimeIntervalListCollection
        count
        item
        remove_at
        insert_at
        add
        import_from_component
        load_from_file
        clear
IAgRadarActivityTimeIntervalList
        TimeIntervals
RadarActivityTimeIntervalList
        time_intervals
IAgRadarStcAttenuation
        Type
        Name
IRadarSTCAttenuation
        type
        name
IAgRadarStcAttenuationDecayFactor
        MaximumValue
        StartValue
        StepSize
        StartRange
        StopRange
        DecayFactor
RadarSTCAttenuationDecayFactor
        maximum_value
        start_value
        step_size
        start_range
        stop_range
        decay_factor
IAgRadarStcAttenuationDecaySlope
        MaximumValue
        StartValue
        StepSize
        StartRange
        StopRange
        DecaySlope
RadarSTCAttenuationDecaySlope
        maximum_value
        start_value
        step_size
        start_range
        stop_range
        decay_slope
IAgRadarStcAttenuationMap
        Filename
IRadarSTCAttenuationMap
        filename
IAgRadarJamming
        Enabled
        Jammers
RadarJamming
        enabled
        jammers
IAgRadarClutterGeometryModel
        Name
        Type
IRadarClutterGeometryModel
        name
        type
IAgRadarClutterGeometryModelPlugin
        PluginConfiguration
        RawPluginObject
IRadarClutterGeometryModelPlugin
        plugin_configuration
        raw_plugin_object
IAgRadarClutter
        Enabled
        ScatteringPointProviderList
RadarClutter
        enabled
        scattering_point_provider_list
IAgRadarClutterGeometry
        Enabled
        SupportedModels
        SetModel
        Model
RadarClutterGeometry
        enabled
        supported_models
        set_model
        model
IAgRadarTransmitter
        FrequencySpecification
        Frequency
        Wavelength
        Power
        PostTransmitGainsLosses
        EnablePolarization
        EnableOrthoPolarization
        SetPolarizationType
        Polarization
        PowerAmpBandwidth
        EnableFilter
        SupportedFilters
        SetFilter
        Filter
        FilterComponentLinking
RadarTransmitter
        frequency_specification
        frequency
        wavelength
        power
        post_transmit_gains_losses
        enable_polarization
        enable_orthogonal_polarization
        set_polarization_type
        polarization
        power_amplifier_bandwidth
        enable_filter
        supported_filters
        set_filter
        filter
        filter_component_linking
IAgRadarTransmitterMultifunction
        PostTransmitGainsLosses
        EnablePolarization
        EnableOrthoPolarization
        SetPolarizationType
        Polarization
        PowerAmpBandwidth
        EnableFilter
        SupportedFilters
        SetFilter
        Filter
        MaxPowerLimit
        FilterComponentLinking
RadarTransmitterMultifunction
        post_transmit_gains_losses
        enable_polarization
        enable_orthogonal_polarization
        set_polarization_type
        polarization
        power_amplifier_bandwidth
        enable_filter
        supported_filters
        set_filter
        filter
        maximum_power_limit
        filter_component_linking
IAgRadarReceiver
        AntennaToLnaLineLoss
        LnaGain
        LnaToReceiverLineLoss
        UseRain
        SupportedRainOutagePercentValues
        RainOutagePercent
        PreReceiveGainsLosses
        EnablePolarization
        EnableOrthoPolarization
        SetPolarizationType
        Polarization
        LNABandwidth
        EnableFilter
        SupportedFilters
        SetFilter
        Filter
        SystemNoiseTemperature
        EnableRFStc
        SetRFStcType
        RFStc
        EnableIFStc
        SetIFStcType
        IFStc
        SupportedRFStcTypes
        SupportedIFStcTypes
        Frequency
        FilterComponentLinking
RadarReceiver
        antenna_to_lna_line_loss
        lna_gain
        lna_to_receiver_line_loss
        use_rain
        supported_rain_outage_percent_values
        rain_outage_percent
        pre_receive_gains_losses
        enable_polarization
        enable_orthogonal_polarization
        set_polarization_type
        polarization
        lna_bandwidth
        enable_filter
        supported_filters
        set_filter
        filter
        system_noise_temperature
        enable_rfstc
        set_rfstc_type
        rfstc
        enable_ifstc
        set_ifstc_type
        ifstc
        supported_rfstc_types
        supported_ifstc_types
        frequency
        filter_component_linking
IAgRadarContinuousWaveAnalysisMode
        Type
IRadarContinuousWaveAnalysisMode
        type
IAgRadarContinuousWaveAnalysisModeGoalSNR
        SNR
RadarContinuousWaveAnalysisModeGoalSNR
        snr
IAgRadarContinuousWaveAnalysisModeFixedTime
        FixedTime
RadarContinuousWaveAnalysisModeFixedTime
        fixed_time
IAgRadarPulseIntegration
        Type
IRadarPulseIntegration
        type
IAgRadarPulseIntegrationGoalSNR
        SNR
        MaximumPulses
        IntegratorType
        ConstantEfficiency
        ExponentOnPulseNumber
        IntegrationFile
        NonCoherentIntegration
RadarPulseIntegrationGoalSNR
        snr
        maximum_pulses
        integrator_type
        constant_efficiency
        exponent_on_pulse_number
        integration_filename
        non_coherent_integration
IAgRadarPulseIntegrationFixedNumberOfPulses
        PulseNumber
        IntegratorType
        ConstantEfficiency
        ExponentOnPulseNumber
        NonCoherentIntegration
RadarPulseIntegrationFixedNumberOfPulses
        pulse_number
        integrator_type
        constant_efficiency
        exponent_on_pulse_number
        non_coherent_integration
IAgRadarWaveformSearchTrack
        Type
IRadarWaveformSearchTrack
        type
IAgRadarWaveformSearchTrackPulseDefinition
        PrfMode
        Prf
        UnambiguousRange
        UnambiguousVelocity
        PulseWidthMode
        PulseWidth
        DutyFactor
        NumberOfPulses
RadarWaveformSearchTrackPulseDefinition
        pulse_repetition_frequency_mode
        pulse_repetition_frequency
        unambiguous_range
        unambiguous_velocity
        pulse_width_mode
        pulse_width
        duty_factor
        number_of_pulses
IAgRadarWaveformSarPulseDefinition
        PrfMode
        Prf
        UnambiguousRange
        RangeResolutionMode
        RangeResolution
        Bandwidth
        PcrMode
        Pcr
        PulseWidth
        SceneDepth
        FMChirpRate
        RangeBroadeningFactor
        IFBandwidth
        NumberOfPulses
RadarWaveformSarPulseDefinition
        pulse_repetition_frequency_mode
        pulse_repetition_frequency
        unambiguous_range
        range_resolution_mode
        range_resolution
        bandwidth
        pulse_compression_ratio_mode
        pulse_compression_ratio
        pulse_width
        scene_depth
        fm_chirp_rate
        range_broadening_factor
        if_bandwidth
        number_of_pulses
IAgRadarWaveformSarPulseIntegration
        AzimuthBroadeningFactor
        RangeBroadeningFactor
        IFBandwidth
        AnalysisMode
        AnalysisModeValue
        MultiplicativeNoiseRatio
RadarWaveformSarPulseIntegration
        azimuth_broadening_factor
        range_broadening_factor
        if_bandwidth
        analysis_mode
        analysis_mode_value
        multiplicative_noise_ratio
IAgRadarModulator
        UseSignalPSD
        PSDLimitMultiplier
RadarModulator
        use_signal_psd
        psd_limit_multiplier
IAgRadarProbabilityOfDetection
        Name
        Type
IRadarProbabilityOfDetection
        name
        type
IAgRadarProbabilityOfDetectionPlugin
        PluginConfiguration
        RawPluginObject
RadarProbabilityOfDetectionPlugin
        plugin_configuration
        raw_plugin_object
IAgRadarProbabilityOfDetectionNonCFAR
        ProbabilityOfFalseAlarm
RadarProbabilityOfDetectionNonCFAR
        probability_of_false_alarm
IAgRadarProbabilityOfDetectionCFAR
        ProbabilityOfFalseAlarm
        NumCFARReferenceCells
IRadarProbabilityOfDetectionCFAR
        probability_of_false_alarm
        number_of_cfar_reference_cells
IAgRadarWaveformMonostaticSearchTrackContinuous
        AnalysisModeType
        AnalysisMode
        ProbabilityOfFalseAlarm
        Modulator
RadarWaveformMonostaticSearchTrackContinuous
        analysis_mode_type
        analysis_mode
        probability_of_false_alarm
        modulator
IAgRadarMultifunctionDetectionProcessing
        SupportedProbabilityOfDetection
        SetProbabilityOfDetection
        ProbabilityOfDetection
        PulseIntegrationType
        PulseIntegration
        EnableResolutionOverride
        RangeCellResolution
        AzimuthResolution
        EnablePulseCanceller
        NumberOfPulsesToCancel
        EnableCoherentPulses
RadarMultifunctionDetectionProcessing
        supported_probability_of_detection
        set_probability_of_detection
        probability_of_detection
        pulse_integration_type
        pulse_integration
        enable_resolution_override
        range_cell_resolution
        azimuth_resolution
        enable_pulse_canceller
        number_of_pulses_to_cancel
        enable_coherent_pulses
IAgRadarWaveformMonostaticSearchTrackFixedPRF
        PulseDefinition
        Modulator
        SupportedProbabilityOfDetection
        SetProbabilityOfDetection
        ProbabilityOfDetection
        PulseIntegrationType
        PulseIntegration
        EnableResolutionOverride
        RangeCellResolution
        AzimuthResolution
        EnablePulseCanceller
        NumberOfPulsesToCancel
        EnableCoherentPulses
RadarWaveformMonostaticSearchTrackFixedPRF
        pulse_definition
        modulator
        supported_probability_of_detection
        set_probability_of_detection
        probability_of_detection
        pulse_integration_type
        pulse_integration
        enable_resolution_override
        range_cell_resolution
        azimuth_resolution
        enable_pulse_canceller
        number_of_pulses_to_cancel
        enable_coherent_pulses
IAgRadarWaveformBistaticTransmitterSearchTrackContinuous
        Modulator
RadarWaveformBistaticTransmitterSearchTrackContinuous
        modulator
IAgRadarWaveformBistaticTransmitterSearchTrackFixedPRF
        PulseDefinition
        Modulator
RadarWaveformBistaticTransmitterSearchTrackFixedPRF
        pulse_definition
        modulator
IAgRadarWaveformBistaticReceiverSearchTrackContinuous
        AnalysisModeType
        AnalysisMode
        ProbabilityOfFalseAlarm
RadarWaveformBistaticReceiverSearchTrackContinuous
        analysis_mode_type
        analysis_mode
        probability_of_false_alarm
IAgRadarWaveformBistaticReceiverSearchTrackFixedPRF
        SupportedProbabilityOfDetection
        ProbabilityOfDetection
        SetProbabilityOfDetection
        PulseIntegrationType
        PulseIntegration
        EnableResolutionOverride
        RangeCellResolution
        AzimuthResolution
        EnablePulseCanceller
        NumberOfPulsesToCancel
        EnableCoherentPulses
RadarWaveformBistaticReceiverSearchTrackFixedPRF
        supported_probability_of_detection
        probability_of_detection
        set_probability_of_detection
        pulse_integration_type
        pulse_integration
        enable_resolution_override
        range_cell_resolution
        azimuth_resolution
        enable_pulse_canceller
        number_of_pulses_to_cancel
        enable_coherent_pulses
IAgRadarDopplerClutterFilters
        EnableMainlobeClutter
        MainlobeClutterBandwidth
        EnableSidelobeClutter
        SidelobeClutterBandwidth
RadarDopplerClutterFilters
        enable_mainlobe_clutter
        mainlobe_clutter_bandwidth
        enable_sidelobe_clutter
        sidelobe_clutter_bandwidth
IAgRadarModel
        Name
        Type
IRadarModel
        name
        type
IAgRadarModeMonostatic
        Name
        Type
IRadarModeMonostatic
        name
        type
IAgRadarModeMonostaticSearchTrack
        SetWaveformType
        Waveform
        DopplerClutterFilters
RadarModeMonostaticSearchTrack
        set_waveform_type
        waveform
        doppler_clutter_filters
IAgRadarModeMonostaticSar
        PulseDefinition
        Modulator
        PulseIntegration
RadarModeMonostaticSAR
        pulse_definition
        modulator
        pulse_integration
IAgRadarModelMonostatic
        SupportedModes
        SetMode
        Mode
        Transmitter
        Receiver
        ClutterGeometry
        Jamming
        AntennaControl
        Clutter
        ModeComponentLinking
RadarModelMonostatic
        supported_modes
        set_mode
        mode
        transmitter
        receiver
        clutter_geometry
        jamming
        antenna_control
        clutter
        mode_component_linking
IAgRadarAntennaBeam
        ID
        SetPointingStrategyType
        PointingStrategy
        Gain
        BeamWidth
        SetActivityType
        Activity
        SetWaveformSelectionStrategy
        WaveformSelectionStrategy
RadarAntennaBeam
        identifier
        set_pointing_strategy_type
        pointing_strategy
        gain
        beam_width
        set_activity_type
        activity
        set_waveform_selection_strategy
        waveform_selection_strategy
IAgRadarAntennaBeamCollection
        Count
        Item
        RemoveAt
        InsertAt
        Add
        DuplicateBeam
RadarAntennaBeamCollection
        count
        item
        remove_at
        insert_at
        add
        duplicate_beam
IAgRadarMultifunctionWaveformStrategySettings
        ShortRangeLimit
        MediumRangeLimit
        LongRangeLimit
        SupportedShortRangeWaveforms
        SupportedMediumRangeWaveforms
        SupportedLongRangeWaveforms
        SupportedUltraLongRangeWaveforms
        ShortRangeDefaultWaveform
        MediumRangeDefaultWaveform
        LongRangeDefaultWaveform
        UltraLongRangeDefaultWaveform
RadarMultifunctionWaveformStrategySettings
        short_range_limit
        medium_range_limit
        long_range_limit
        supported_short_range_waveforms
        supported_medium_range_waveforms
        supported_long_range_waveforms
        supported_ultra_long_range_waveforms
        short_range_default_waveform
        medium_range_default_waveform
        long_range_default_waveform
        ultra_long_range_default_waveform
IAgRadarModelMultifunction
        Transmitter
        Receiver
        ClutterGeometry
        Jamming
        Location
        DetectionProcessing
        SetPointingStrategyType
        PointingStrategy
        AntennaBeams
        WaveformStrategySettings
        Clutter
RadarModelMultifunction
        transmitter
        receiver
        clutter_geometry
        jamming
        location
        detection_processing
        set_pointing_strategy_type
        pointing_strategy
        antenna_beams
        waveform_strategy_settings
        clutter
IAgRadarModeBistaticTransmitter
        Name
        Type
IRadarModeBistaticTransmitter
        name
        type
IAgRadarModeBistaticTransmitterSearchTrack
        SetWaveformType
        Waveform
RadarModeBistaticTransmitterSearchTrack
        set_waveform_type
        waveform
IAgRadarModeBistaticTransmitterSar
        PulseDefinition
        Modulator
RadarModeBistaticTransmitterSAR
        pulse_definition
        modulator
IAgRadarModelBistaticTransmitter
        SupportedModes
        SetMode
        Mode
        Transmitter
        BistaticReceivers
        AntennaControl
        ModeComponentLinking
RadarModelBistaticTransmitter
        supported_modes
        set_mode
        mode
        transmitter
        bistatic_receivers
        antenna_control
        mode_component_linking
IAgRadarModeBistaticReceiver
        Name
        Type
IRadarModeBistaticReceiver
        name
        type
IAgRadarModeBistaticReceiverSearchTrack
        SetWaveformType
        Waveform
        DopplerClutterFilters
RadarModeBistaticReceiverSearchTrack
        set_waveform_type
        waveform
        doppler_clutter_filters
IAgRadarModeBistaticReceiverSar
        PulseIntegration
RadarModeBistaticReceiverSAR
        pulse_integration
IAgRadarModelBistaticReceiver
        SupportedModes
        SetMode
        Mode
        Receiver
        ClutterGeometry
        Jamming
        BistaticTransmitters
        AntennaControl
        Clutter
        ModeComponentLinking
RadarModelBistaticReceiver
        supported_modes
        set_mode
        mode
        receiver
        clutter_geometry
        jamming
        bistatic_transmitters
        antenna_control
        clutter
        mode_component_linking
IAgRadarVO
        Vector
        ShowBoresight
        ShowContours
        Volume
RadarGraphics3D
        vector
        show_boresight
        show_contours
        volume
IAgRadarMultipathGraphics
        ShowXmtToTgtGRP
        XmtToTgtGRPColor
        XmtToTgtGRPMarkerStyle
        ShowRcvToTgtGRP
        RcvToTgtGRPColor
        RcvToTgtGRPMarkerStyle
        ShowXmtToRcvGRP
        XmtToRcvGRPColor
        XmtToRcvGRPMarkerStyle
RadarMultipathGraphics
        show_transmitter_to_target_ground_reflection_point
        transmitter_to_target_ground_reflection_point_color
        transmitter_to_target_ground_reflection_point_marker_style
        show_receiver_to_target_ground_reflection_point
        receiver_to_target_ground_reflection_point_color
        receiver_to_target_ground_reflection_point_marker_style
        show_transmitter_to_receiver_ground_reflection_point
        transmitter_to_receiver_ground_reflection_point_color
        transmitter_to_receiver_ground_reflection_point_marker_style
IAgRadarAccessGraphics
        ShowSNRContour
        SNRContourType
        SNR
        RadarToTgtColor
        ShowBistaticRdrToTarget
        BistaticRdrToTargetColor
        BistaticRdrToTargetLineStyle
        BistaticRdrToTargetLineWidth
        ShowBistaticXmtrToBistaticRcvr
        BistaticXmtrToBistaticRcvrColor
        BistaticXmtrToBistaticRcvrLineStyle
        BistaticXmtrToBistaticRcvrLineWidth
        ShowClutter
        ClutterColor
RadarAccessGraphics
        show_snr_contour
        snr_contour_type
        snr
        radar_to_target_color
        show_bistatic_radar_to_target
        bistatic_radar_to_target_color
        bistatic_radar_to_target_line_style
        bistatic_radar_to_target_line_width
        show_bistatic_transmitter_to_bistatic_receiver
        bistatic_transmitter_to_bistatic_receiver_color
        bistatic_transmitter_to_bistatic_receiver_line_style
        bistatic_transmitter_to_bistatic_receiver_line_width
        show_clutter
        clutter_color
IAgRadarGraphics
        Show
        ShowBoresight
        BoresightColor
        BoresightMarkerStyle
        ContourGraphics
        Access
        Multipath
RadarGraphics
        show
        show_boresight
        boresight_color
        boresight_marker_style
        contour_graphics
        access
        multipath
IAgRadar
        SupportedModels
        SetModel
        Model
        Refraction
        IsRefractionTypeSupported
        RefractionSupportedTypes
        RefractionModel
        UseRefractionInAccess
        VO
        Graphics
        RFEnvironment
        ModelComponentLinking
Radar
        supported_models
        set_model
        model
        refraction
        is_refraction_type_supported
        refraction_supported_types
        refraction_model
        use_refraction_in_access
        graphics_3d
        graphics
        rf_environment
        model_component_linking
IAgRadarClutterMapModel
        Name
        Type
IRadarClutterMapModel
        name
        type
IAgRadarClutterMapModelPlugin
        PluginConfiguration
        RawPluginObject
IRadarClutterMapModelPlugin
        plugin_configuration
        raw_plugin_object
IAgRadarClutterMapModelConstantCoefficient
        ConstantCoefficient
IRadarClutterMapModelConstantCoefficient
        constant_coefficient
IAgRadarCrossSectionComputeStrategy
        Name
        Type
IRadarCrossSectionComputeStrategy
        name
        type
IAgRadarCrossSectionComputeStrategyConstantValue
        ConstantValue
RadarCrossSectionComputeStrategyConstantValue
        constant_value
IAgRadarCrossSectionComputeStrategyScriptPlugin
        Filename
RadarCrossSectionComputeStrategyScriptPlugin
        filename
IAgRadarCrossSectionComputeStrategyExternalFile
        Filename
RadarCrossSectionComputeStrategyExternalFile
        filename
IAgRadarCrossSectionComputeStrategyAnsysCsvFile
        Filename
        File2name
RadarCrossSectionComputeStrategyAnsysCSVFile
        primary_polarization_data_filename
        orthogonal_polarization_data_filename
IAgRadarCrossSectionComputeStrategyPlugin
        PluginConfiguration
        RawPluginObject
RadarCrossSectionComputeStrategyPlugin
        plugin_configuration
        raw_plugin_object
IAgRadarCrossSectionFrequencyBand
        MinimumFrequency
        MaximumFrequency
        SwerlingCase
        SupportedComputeStrategies
        SetComputeStrategy
        ComputeStrategy
RadarCrossSectionFrequencyBand
        minimum_frequency
        maximum_frequency
        swerling_case
        supported_compute_strategies
        set_compute_strategy
        compute_strategy
IAgRadarCrossSectionFrequencyBandCollection
        Count
        Item
        RemoveAt
        Add
RadarCrossSectionFrequencyBandCollection
        count
        item
        remove_at
        add
IAgRadarCrossSectionModel
        Name
        FrequencyBands
RadarCrossSectionModel
        name
        frequency_bands
IAgRadarStcAttenuationPlugin
        PluginConfiguration
        RawPluginObject
RadarSTCAttenuationPlugin
        plugin_configuration
        raw_plugin_object
IAgRadarCrossSectionVolumeLevel
        Value
        Color
RadarCrossSectionVolumeLevel
        value
        color
IAgRadarCrossSectionVolumeLevelCollection
        Count
        Item
        Contains
        Remove
        RemoveAt
        Add
        Clear
        GetLevel
RadarCrossSectionVolumeLevelCollection
        count
        item
        contains
        remove
        remove_at
        add
        clear
        get_level
IAgRadarCrossSectionVolumeGraphics
        Show
        Wireframe
        MinimumDisplayedRcs
        Scale
        AzimuthStart
        AzimuthStop
        AzimuthResolution
        AzimuthNumPoints
        ElevationStart
        ElevationStop
        ElevationResolution
        ElevationNumPoints
        SetResolution
        SetNumPoints
        ColorMethod
        StartColor
        StopColor
        Levels
        RelativeToMaximum
RadarCrossSectionVolumeGraphics
        show
        wireframe
        minimum_displayed_rcs
        scale
        azimuth_start
        azimuth_stop
        azimuth_resolution
        azimuth_number_of_points
        elevation_start
        elevation_stop
        elevation_resolution
        elevation_number_of_points
        set_resolution
        set_number_of_points
        color_method
        start_color
        stop_color
        levels
        relative_to_maximum
IAgRadarCrossSectionContourLevel
        Value
        Color
        LineStyle
RadarCrossSectionContourLevel
        value
        color
        line_style
IAgRadarCrossSectionContourLevelCollection
        Count
        Item
        Contains
        Remove
        RemoveAt
        Add
        Clear
        GetLevel
RadarCrossSectionContourLevelCollection
        count
        item
        contains
        remove
        remove_at
        add
        clear
        get_level
IAgRFFilterModelBessel
        Order
        CutoffFrequency
RFFilterModelBessel
        order
        cut_off_frequency
IAgRFFilterModelButterworth
        Order
        CutoffFrequency
RFFilterModelButterworth
        order
        cut_off_frequency
IAgRFFilterModelSincEnvSinc
        Order
        CutoffFrequency
        Ripple
RFFilterModelSincEnvelopeSinc
        order
        cut_off_frequency
        ripple
IAgRFFilterModelElliptic
        Order
        CutoffFrequency
        Ripple
RFFilterModelElliptic
        order
        cut_off_frequency
        ripple
IAgRFFilterModelChebyshev
        Order
        CutoffFrequency
        Ripple
RFFilterModelChebyshev
        order
        cut_off_frequency
        ripple
IAgRFFilterModelCosineWindow
        SamplingFrequency
RFFilterModelCosineWindow
        sampling_frequency
IAgRFFilterModelGaussianWindow
        SamplingFrequency
        Order
RFFilterModelGaussianWindow
        sampling_frequency
        order
IAgRFFilterModelHammingWindow
        SamplingFrequency
        Order
RFFilterModelHammingWindow
        sampling_frequency
        order
IAgRFFilterModelExternal
        OverrideBandwidthLimits
        Filename
RFFilterModelExternal
        override_bandwidth_limits
        filename
IAgRFFilterModelScriptPlugin
        Filename
RFFilterModelScriptPlugin
        filename
IAgRFFilterModelSinc
        CutoffFrequency
RFFilterModelSinc
        cut_off_frequency
IAgRFFilterModelRaisedCosine
        RollOffFactor
        SymbolRate
RFFilterModelRaisedCosine
        roll_off_factor
        symbol_rate
IAgRFFilterModelRootRaisedCosine
        RollOffFactor
        SymbolRate
RFFilterModelRootRaisedCosine
        roll_off_factor
        symbol_rate
IAgRFFilterModelRcLowPass
        CutoffFrequency
RFFilterModelRCLowPass
        cut_off_frequency
IAgRFFilterModelFirBoxCar
        SamplingFrequency
        Order
RFFilterModelFIRBoxCar
        sampling_frequency
        order
IAgRFFilterModelFir
        SamplingFrequency
        NumeratorComplexPolynomial
RFFilterModelFIR
        sampling_frequency
        numerator_complex_polynomial
IAgRFFilterModelIir
        SamplingFrequency
        NumeratorComplexPolynomial
        DenominatorComplexPolynomial
RFFilterModelIIR
        sampling_frequency
        numerator_complex_polynomial
        denominator_complex_polynomial
IAgModulatorModelExternal
        Filename
ModulatorModelExternal
        filename
IAgModulatorModelBoc
        SubcarrierFrequency
ModulatorModelBOC
        subcarrier_frequency
IAgModulatorModelPulsedSignal
        PulseWidth
        PulsePeriod
        NumberOfPulses
ModulatorModelPulsedSignal
        pulse_width
        pulse_period
        number_of_pulses
IAgModulatorModelScriptPlugin
        Filename
IModulatorModelScriptPlugin
        filename
IAgDemodulatorModelExternal
        Filename
DemodulatorModelExternal
        filename
IAgDemodulatorModelScriptPlugin
        Filename
DemodulatorModelScriptPlugin
        filename
IAgRainLossModelScriptPlugin
        Filename
RainLossModelScriptPlugin
        filename
IAgRainLossModel
        Name
        Type
IRainLossModel
        name
        type
IAgRainLossModelCrane1985
        SurfaceTemperature
RainLossModelCrane1985
        surface_temperature
IAgRainLossModelCrane1982
        SurfaceTemperature
RainLossModelCrane1982
        surface_temperature
IAgRainLossModelCCIR1983
        SurfaceTemperature
RainLossModelCCIR1983
        surface_temperature
IAgRainLossModelITURP618_10
        SurfaceTemperature
        EnableDepolarizationLoss
RainLossModelITURP618Version10
        surface_temperature
        enable_depolarization_loss
IAgRainLossModelITURP618_12
        SurfaceTemperature
        EnableDepolarizationLoss
RainLossModelITURP618Version12
        surface_temperature
        enable_depolarization_loss
IAgRainLossModelITURP618_13
        SurfaceTemperature
        EnableDepolarizationLoss
        EnableITU1510
        UseAnnualITU1510
        ITU1510Month
RainLossModelITURP618Version13
        surface_temperature
        enable_depolarization_loss
        enable_itu_1510
        use_annual_itu_1510
        itu_1510_month
IAgUrbanTerrestrialLossModel
        Name
        Type
IUrbanTerrestrialLossModel
        name
        type
IAgUrbanTerrestrialLossModelTwoRay
        SurfaceTemperature
        LossFactor
UrbanTerrestrialLossModelTwoRay
        surface_temperature
        loss_factor
IAgWirelessInSite64GeometryData
        Filename
        ProjectionHorizontalDatum
        SupportedBuildingHeightDataAttributes
        BuildingHeightDataAttribute
        BuildingHeightReferenceMethod
        BuildingHeightUnit
        OverrideGeometryTileOrigin
        GeometryTileOriginLatitude
        GeometryTileOriginLongitude
        UseTerrainData
        TerrainExtentMinLatitude
        TerrainExtentMaxLatitude
        TerrainExtentMinLongitude
        TerrainExtentMaxLongitude
WirelessInSite64GeometryData
        filename
        projection_horizontal_datum
        supported_building_height_data_attributes
        building_height_data_attribute
        building_height_reference_method
        building_height_units
        override_geometry_tile_origin
        geometry_tile_origin_latitude
        geometry_tile_origin_longitude
        use_terrain_data
        terrain_extent_minimum_latitude
        terrain_extent_maximum_latitude
        terrain_extent_minimum_longitude
        terrain_extent_maximum_longitude
IAgUrbanTerrestrialLossModelWirelessInSite64
        SurfaceTemperature
        SupportedCalculationMethods
        CalculationMethod
        EnableGroundReflection
        GeometryData
UrbanTerrestrialLossModelWirelessInSite64
        surface_temperature
        supported_calculation_methods
        calculation_method
        enable_ground_reflection
        geometry_data
IAgTroposphericScintillationFadingLossModel
        Name
        Type
ITroposphericScintillationFadingLossModel
        name
        type
IAgTroposphericScintillationFadingLossModelP618_8
        ComputeDeepFade
        FadeOutage
        PercentTimeRefractivityGradient
        SurfaceTemperature
TroposphericScintillationFadingLossModelP618Version8
        compute_deep_fade
        fade_outage
        percent_time_refractivity_gradient
        surface_temperature
IAgTroposphericScintillationFadingLossModelP618_12
        AverageTimeChoice
        ComputeDeepFade
        FadeOutage
        PercentTimeRefractivityGradient
        SurfaceTemperature
        FadeExceeded
TroposphericScintillationFadingLossModelP618Version12
        average_time_choice
        compute_deep_fade
        fade_outage
        percent_time_refractivity_gradient
        surface_temperature
        fade_exceeded
IAgIonosphericFadingLossModel
        Name
        Type
IIonosphericFadingLossModel
        name
        type
IAgIonosphericFadingLossModelP531_13
        UseAlternateAPFile
        Filename
IonosphericFadingLossModelP531Version13
        use_alternate_ap_file
        filename
IAgCloudsAndFogFadingLossModel
        Name
        Type
ICloudsAndFogFadingLossModel
        name
        type
IAgCloudsAndFogFadingLossModelP840_6
        CloudCeiling
        CloudLayerThickness
        CloudTemperature
        CloudLiquidWaterDensity
        LiquidWaterDensityChoice
        LiquidWaterPercentAnnualExceeded
        LiquidWaterPercentMonthlyExceeded
        AverageDataMonth
CloudsAndFogFadingLossModelP840Version6
        cloud_ceiling
        cloud_layer_thickness
        cloud_temperature
        cloud_liquid_water_density
        liquid_water_density_choice
        liquid_water_percent_annual_exceeded
        liquid_water_percent_monthly_exceeded
        average_data_month
IAgCloudsAndFogFadingLossModelP840_7
        CloudCeiling
        CloudLayerThickness
        CloudTemperature
        CloudLiquidWaterDensity
        LiquidWaterDensityChoice
        LiquidWaterPercentAnnualExceeded
        LiquidWaterPercentMonthlyExceeded
        AverageDataMonth
        UseRainHeightAsCloudLayerThickness
CloudsAndFogFadingLossModelP840Version7
        cloud_ceiling
        cloud_layer_thickness
        cloud_temperature
        cloud_liquid_water_density
        liquid_water_density_choice
        liquid_water_percent_annual_exceeded
        liquid_water_percent_monthly_exceeded
        average_data_month
        use_rain_height_as_cloud_layer_thickness
IAgAtmosphericAbsorptionModel
        Name
        Type
IAtmosphericAbsorptionModel
        name
        type
IAgAtmosphericAbsorptionModelITURP676
        FastApproximationMethod
        SeasonalRegionalMethod
IAtmosphericAbsorptionModelITURP676
        fast_approximation_method
        seasonal_regional_method
IAgAtmosphericAbsorptionModelTirem
        SurfaceTemperature
        SurfaceHumidity
        SurfaceConductivity
        SurfaceRefractivity
        RelativePermittivity
        OverrideTerrainSampleResolution
        TerrainSampleResolution
        PolarizationType
IAtmosphericAbsorptionModelTIREM
        surface_temperature
        surface_humidity
        surface_conductivity
        surface_refractivity
        relative_permittivity
        override_terrain_sample_resolution
        terrain_sample_resolution
        polarization_type
IAgSolarActivityConfiguration
        Type
ISolarActivityConfiguration
        type
IAgSolarActivityConfigurationSunspotNumber
        SunspotNumber
SolarActivityConfigurationSunspotNumber
        sunspot_number
IAgSolarActivityConfigurationSolarFlux
        SolarFlux
SolarActivityConfigurationSolarFlux
        solar_flux
IAgAtmosphericAbsorptionModelVoacap
        SunspotNumber
        MultipathPowerTolerance
        MultipathDelayTolerance
        ComputeAlternateFrequencies
        CoefficientDataType
        UseDayOfMonthAverage
        SolarActivityConfigurationType
        SolarActivityConfiguration
AtmosphericAbsorptionModelGraphics3DACAP
        sunspot_number
        multipath_power_tolerance
        multipath_delay_tolerance
        compute_alternate_frequencies
        coefficient_data_type
        use_day_of_month_average
        solar_activity_configuration_type
        solar_activity_configuration
IAgAtmosphericAbsorptionModelSimpleSatcom
        SurfaceTemperature
        WaterVaporConcentration
AtmosphericAbsorptionModelSimpleSatcom
        surface_temperature
        water_vapor_concentration
IAgAtmosphericAbsorptionModelScriptPlugin
        Filename
AtmosphericAbsorptionModelScriptPlugin
        filename
IAgAtmosphericAbsorptionModelCOMPlugin
        PluginConfiguration
        RawPluginObject
AtmosphericAbsorptionModelCOMPlugin
        plugin_configuration
        raw_plugin_object
IAgCustomPropagationModel
        Enable
        Filename
CustomPropagationModel
        enable
        filename
IAgPropagationChannel
        EnableAtmosAbsorption
        SupportedAtmosAbsorptionModels
        SetAtmosAbsorptionModel
        AtmosAbsorptionModel
        EnableRainLoss
        SupportedRainLossModels
        SetRainLossModel
        RainLossModel
        CustomA
        CustomB
        CustomC
        EnableITU618Section2p5
        EnableUrbanTerrestrialLoss
        SupportedUrbanTerrestrialLossModels
        SetUrbanTerrestrialLossModel
        UrbanTerrestrialLossModel
        SupportedCloudsAndFogFadingLossModels
        SetCloudsAndFogFadingLossModel
        CloudsAndFogFadingLossModel
        SupportedTroposphericScintillationFadingLossModels
        SetTroposphericScintillationFadingLossModel
        TroposphericScintillationFadingLossModel
        SupportedIonosphericFadingLossModels
        SetIonosphericFadingLossModel
        IonosphericFadingLossModel
        EnableCloudsAndFogFadingLoss
        EnableTroposphericScintillationFadingLoss
        EnableIonosphericFadingLoss
        AtmosAbsorptionModelComponentLinking
        RainLossModelComponentLinking
        UrbanTerrestrialLossModelComponentLinking
        CloudsAndFogFadingLossModelComponentLinking
        TroposphericScintillationFadingLossModelComponentLinking
        IonosphericFadingLossModelComponentLinking
PropagationChannel
        enable_atmospheric_absorption
        supported_atmospheric_absorption_models
        set_atmospheric_absorption_model
        atmospheric_absorption_model
        enable_rain_loss
        supported_rain_loss_models
        set_rain_loss_model
        rain_loss_model
        custom_a
        custom_b
        custom_c
        enable_itu_618_section2_p5
        enable_urban_terrestrial_loss
        supported_urban_terrestrial_loss_models
        set_urban_terrestrial_loss_model
        urban_terrestrial_loss_model
        supported_clouds_and_fog_fading_loss_models
        set_clouds_and_fog_fading_loss_model
        clouds_and_fog_fading_loss_model
        supported_tropospheric_scintillation_fading_loss_models
        set_tropospheric_scintillation_fading_loss_model
        tropospheric_scintillation_fading_loss_model
        supported_ionospheric_fading_loss_models
        set_ionospheric_fading_loss_model
        ionospheric_fading_loss_model
        enable_clouds_and_fog_fading_loss
        enable_tropospheric_scintillation_fading_loss
        enable_ionospheric_fading_loss
        atmospheric_absorption_model_component_linking
        rain_loss_model_component_linking
        urban_terrestrial_loss_model_component_linking
        clouds_and_fog_fading_loss_model_component_linking
        tropospheric_scintillation_fading_loss_model_component_linking
        ionospheric_fading_loss_model_component_linking
IAgBeerBouguerLambertLawLayer
        TopHeight
        ExtinctionCoefficient
BeerBouguerLambertLawLayer
        top_height
        extinction_coefficient
IAgBeerBouguerLambertLawLayerCollection
        Count
        Item
        RemoveAt
BeerBouguerLambertLawLayerCollection
        count
        item
        remove_at
IAgLaserAtmosphericLossModelBeerBouguerLambertLaw
        EnableEvenlySpacedHeights
        MaximumAltitude
        CreateEvenlySpacedLayers
        CreateUnevenlySpacedLayers
        AtmosphereLayers
LaserAtmosphericLossModelBeerBouguerLambertLaw
        enable_evenly_spaced_heights
        maximum_altitude
        create_evenly_spaced_layers
        create_unevenly_spaced_layers
        atmosphere_layers
IAgModtranLookupTablePropagationModel
        AerosolModelType
        Visibility
        RelativeHumidity
        SurfaceTemperature
        SupportedAerosolModels
        SetAerosolModelTypeByName
MODTRANLookupTablePropagationModel
        aerosol_model_type
        visibility
        relative_humidity
        surface_temperature
        supported_aerosol_models
        set_aerosol_model_type_by_name
IAgModtranPropagationModel
        SupportedAerosolModels
        AerosolModelType
        SetAerosolModelTypeByName
        Visibility
        RelativeHumidity
        SurfaceTemperature
        CloudModelType
        OverrideCloudThickness
        CloudThickness
        OverrideCloudAltitude
        CloudAltitude
        WriteStartTime
        WriteNumTimeSteps
MODTRANPropagationModel
        supported_aerosol_models
        aerosol_model_type
        set_aerosol_model_type_by_name
        visibility
        relative_humidity
        surface_temperature
        cloud_model_type
        override_cloud_thickness
        cloud_thickness
        override_cloud_altitude
        cloud_altitude
        write_start_time
        number_of_time_steps_to_write
IAgLaserAtmosphericLossModel
        Name
        Type
ILaserAtmosphericLossModel
        name
        type
IAgLaserTroposphericScintillationLossModel
        Name
        Type
ILaserTroposphericScintillationLossModel
        name
        type
IAgAtmosphericTurbulenceModel
        Type
IAtmosphericTurbulenceModel
        type
IAgAtmosphericTurbulenceModelConstant
        ConstantRefractiveIndexStructureParameter
AtmosphericTurbulenceModelConstant
        constant_refractive_index_structure_parameter
IAgAtmosphericTurbulenceModelHufnagelValley
        NominalGroundRefractiveIndexStructureParameter
        WindSpeed
AtmosphericTurbulenceModelHufnagelValley
        nominal_ground_refractive_index_structure_parameter
        wind_speed
IAgLaserTroposphericScintillationLossModelITURP1814
        SetAtmosphericTurbulenceModelType
        AtmosphericTurbulenceModel
LaserTroposphericScintillationLossModelITURP1814
        set_atmospheric_turbulence_model_type
        atmospheric_turbulence_model
IAgLaserPropagationChannel
        EnableAtmosphericLossModel
        SetAtmosphericLossModel
        AtmosphericLossModel
        EnableTroposphericScintillationLossModel
        SetTroposphericScintillationLossModel
        TroposphericScintillationLossModel
        AtmosphericLossModelComponentLinking
        TroposphericScintillationLossModelComponentLinking
ILaserPropagationChannel
        enable_atmospheric_loss_model
        set_atmospheric_loss_model
        atmospheric_loss_model
        enable_tropospheric_scintillation_loss_model
        set_tropospheric_scintillation_loss_model
        tropospheric_scintillation_loss_model
        atmospheric_loss_model_component_linking
        tropospheric_scintillation_loss_model_component_linking
IAgCommSystemLinkSelectionCriteria
        Type
ICommSystemLinkSelectionCriteria
        type
IAgCommSystemLinkSelectionCriteriaScriptPlugin
        Filename
CommSystemLinkSelectionCriteriaScriptPlugin
        filename
IAgCommSystemAccessEventDetection
        Type
ICommSystemAccessEventDetection
        type
IAgCommSystemAccessEventDetectionSubsample
        TimeConvergence
        AbsoluteTolerance
        RelativeTolerance
CommSystemAccessEventDetectionSubsample
        time_convergence
        absolute_tolerance
        relative_tolerance
IAgCommSystemAccessSamplingMethod
        Type
ICommSystemAccessSamplingMethod
        type
IAgCommSystemAccessSamplingMethodFixed
        FixedTimeStep
        TimeBound
CommSystemAccessSamplingMethodFixed
        fixed_time_step
        time_bound
IAgCommSystemAccessSamplingMethodAdaptive
        MaxTimeStep
        MinTimeStep
CommSystemAccessSamplingMethodAdaptive
        maximum_time_step
        minimum_time_step
IAgCommSystemAccessOptions
        EnableLightTimeDelay
        TimeLightDelayConvergence
        AberrationType
        EventDetectionType
        EventDetection
        SamplingMethodType
        SamplingMethod
CommSystemAccessOptions
        enable_light_time_delay
        time_light_delay_convergence
        aberration_type
        event_detection_type
        event_detection
        sampling_method_type
        sampling_method
IAgCommSystemGraphics
        Show
        ShowDesiredLinks
        DesiredLinksColor
        DesiredLinksLineStyle
        DesiredLinksLineWidth
        ShowInterferenceLinks
        InterferenceLinksColor
        InterferenceLinksLineStyle
        InterferenceLinksLineWidth
        ShowPrimaryInterfererLink
        PrimaryInterfererLinkColor
        PrimaryInterfererLinkLineStyle
        PrimaryInterfererLinkLineWidth
CommSystemGraphics
        show
        show_desired_links
        desired_links_color
        desired_links_line_style
        desired_links_line_width
        show_interference_links
        interference_links_color
        interference_links_line_style
        interference_links_line_width
        show_primary_interferer_link
        primary_interferer_link_color
        primary_interferer_link_line_style
        primary_interferer_link_line_width
IAgCommSystemVO
        ShowDesiredLinks
        ShowInterferenceLinks
        ShowPrimaryInterfererLink
CommSystemGraphics3D
        show_desired_links
        show_interference_links
        show_primary_interferer_link
IAgCommSystem
        Transmitters
        Receivers
        InterferenceSources
        CalculateInterference
        ReferenceBandwidth
        ConstrainingRole
        TimePeriod
        StepSize
        SaveMode
        AccessOptions
        SetLinkSelectionCriteriaType
        LinkSelectionCriteria
        Graphics
        VO
        IncludeReceiverInterferenceEmitters
        Compute
        Clear
CommSystem
        transmitters
        receivers
        interference_sources
        calculate_interference
        reference_bandwidth
        constraining_role
        time_period
        step_size
        save_mode
        access_options
        set_link_selection_criteria_type
        link_selection_criteria
        graphics
        graphics_3d
        include_receiver_interference_emitters
        compute
        clear
IAgSRPModelPluginSettings
        GetProperty
        SetProperty
        AvailableProperties
SolarRadiationPressureModelPluginSettings
        get_property
        set_property
        available_properties
IAgSRPModelBase
        Type
ISRPModelBase
        type
IAgSRPModelGPS
        Scale
        YBias
SolarRadiationPressureModelGPS
        scale
        y_bias
IAgSRPModelSpherical
        Cr
        AreaMassRatio
SolarRadiationPressureModelSpherical
        cr
        area_mass_ratio
IAgSRPModelPlugin
        PluginName
        PluginSettings
        AvailablePlugins
SolarRadiationPressureModelPlugin
        plugin_name
        plugin_settings
        available_plugins
IAgVeHPOPDragModelPluginSettings
        GetProperty
        SetProperty
        AvailableProperties
VehicleHPOPDragModelPluginSettings
        get_property
        set_property
        available_properties
IAgVeHPOPDragModel IVehicleHPOPDragModel
IAgVeHPOPDragModelSpherical
        Cd
        AreaMassRatio
VehicleHPOPDragModelSpherical
        cd
        area_mass_ratio
IAgVeHPOPDragModelPlugin
        PluginName
        PluginSettings
        AvailablePlugins
VehicleHPOPDragModelPlugin
        plugin_name
        plugin_settings
        available_plugins
IAgVeDuration
        LookAhead
        LookBehind
VehicleDuration
        look_ahead
        look_behind
IAgVeRealtimeCartesianPoints
        AddPosition
        Add
PropagatorRealtimeCartesianPoints
        add_position
        add
IAgVeRealtimeLLAHPSPoints
        Add
PropagatorRealtimeHeadingPitch
        add
IAgVeRealtimeLLAPoints
        AddPosition
        Add
        AddPositionBatch
        AddBatch
PropagatorRealtimeDeticPoints
        add_position
        add
        add_position_batch
        add_batch
IAgVeRealtimeUTMPoints
        AddPosition
        Add
PropagatorRealtimeUTMPoints
        add_position
        add
IAgVeGPSElement
        Epoch
        Week
        TimeOfAlmanac
        Age
VehicleGPSElement
        epoch
        week
        time_of_almanac
        age
IAgVeGPSElementCollection
        Count
        Item
VehicleGPSElementCollection
        count
        item
IAgVeHPOPSRPModel
        ModelType
        SetModelType
        IsModelTypeSupported
        ModelSupportedTypes
        Model
VehicleHPOPSolarRadiationPressureModel
        model_type
        set_model_type
        is_model_type_supported
        model_supported_types
        model
IAgVeThirdBodyGravityElement
        Source
        GravityValue
        CentralBody
PropagatorHPOPThirdBodyGravityElement
        source
        gravity_value
        central_body
IAgVeThirdBodyGravityCollection
        Count
        Item
        RemoveAt
        RemoveAll
        AvailableThirdBodyNames
        AddThirdBody
        RemoveThirdBody
PropagatorHPOPThirdBodyGravityCollection
        count
        item
        remove_at
        remove_all
        available_third_body_names
        add_third_body
        remove_third_body
IAgVeSGP4LoadData IPropagatorSGP4LoadData
IAgVeSGP4OnlineLoad
        LoadNewest
        StartTime
        StopTime
        GetSegsFromOnline
        AddSegsFromOnline
PropagatorSGP4OnlineLoad
        load_newest
        start_time
        stop_time
        get_segments_from_online
        add_segments_from_online
IAgVeSGP4OnlineAutoLoad
        AddLatestSegFromOnline
PropagatorSGP4OnlineAutoLoad
        add_latest_segment_from_online
IAgVeSGP4LoadFile
        File
        GetSSCNumsFromFile
        GetSegsFromFile
        AddSegsFromFile
PropagatorSGP4LoadFile
        file
        get_ssc_numbers_from_file
        get_segments_from_file
        add_segments_from_file
IAgVeSGP4Segment
        SSCNum
        RevNumber
        Epoch
        Inclination
        ArgOfPerigee
        RAAN
        Eccentricity
        MeanMotion
        MeanAnomaly
        MeanMotionDot
        MotionDotDot
        BStar
        Classification
        IntlDesignator
        SwitchingMethod
        Range
        SwitchTime
        Enabled
PropagatorSGP4Segment
        ssc_number
        revolution_number
        epoch
        inclination
        argument_of_periapsis
        right_ascension_ascending_node
        eccentricity
        mean_motion
        mean_anomaly
        mean_motion_dot
        motion_dot_dot
        bstar
        classification
        international_designator
        switching_method
        range
        switch_time
        enabled
IAgVePropagatorSGP4CommonTasks
        AddSegsFromFile
        AddSegsFromOnlineSource
PropagatorSGP4CommonTasks
        add_segments_from_file
        add_segments_from_online_source
IAgVeSGP4AutoUpdateProperties
        Selection
        SwitchMethod
PropagatorSGP4AutoUpdateProperties
        selection
        switch_method
IAgVeSGP4AutoUpdateFileSource
        Filename
        Preview
PropagatorSGP4AutoUpdateFileSource
        filename
        preview
IAgVeSGP4AutoUpdateOnlineSource
        Preview
PropagatorSGP4AutoUpdateOnlineSource
        preview
IAgVeSGP4AutoUpdate
        SelectedSource
        Properties
        FileSource
        OnlineSource
PropagatorSGP4AutoUpdate
        selected_source
        properties
        file_source
        online_source
IAgVeSGP4PropagatorSettings
        UseSGP4OnePtInterpolation
        UseSGP4OnePtValidation
        UseSGP4OnePtWarning
PropagatorSGP4PropagatorSettings
        use_sgp4_one_point_interpolation
        use_sgp4_one_point_validation
        use_sgp4_one_point_warning
IAgVeSGP4SegmentCollection
        Count
        Item
        AddSeg
        LoadMethodType
        LoadMethod
        RoutineType
        RemoveSeg
        RemoveAllSegs
        AvailableRoutines
        MaxTLELimit
        SSCNumber
PropagatorSGP4SegmentCollection
        count
        item
        add_segment
        load_method_type
        load_method
        routine_type
        remove_segment
        remove_all_segments
        available_routines
        maximum_number_of_elements
        ssc_number
IAgVeInitialState
        Representation
        PropagationFrame
        SupportedPropagationFrames
        OrbitEpoch
VehicleInitialState
        representation
        propagation_frame
        supported_propagation_frames
        orbit_epoch
IAgVeHPOPCentralBodyGravity
        File
        MaxDegree
        MaxOrder
        UseOceanTides
        SolidTideType
        UseSecularVariations
        SetMaximumDegreeAndOrder
VehicleHPOPCentralBodyGravity
        file
        maximum_degree
        maximum_order
        use_ocean_tides
        solid_tide_type
        use_secular_variations
        set_maximum_degree_and_order
IAgVeRadiationPressure
        File
        Ck
        AreaMassRatio
        IncludeAlbedo
        IncludeThermal
RadiationPressure
        file
        ck
        area_mass_ratio
        include_albedo
        include_thermal
IAgVeHPOPSolarRadiationPressure
        Use
        ShadowModel
        UseBoundaryMitigation
        SRPModel
VehicleHPOPSolarRadiationPressure
        use
        shadow_model
        use_boundary_mitigation
        solar_radiation_pressure_model
IAgVeSolarFluxGeoMagEnterManually
        DailyF107
        AverageF107
        GeomagneticIndex
SolarFluxGeoMagneticValueSettings
        daily_f107
        average_f107
        geomagnetic_index
IAgVeSolarFluxGeoMagUseFile
        File
        GeomagFluxUpdateRate
        GeomagFluxSrc
SolarFluxGeoMagneticFileSettings
        file
        geomagnetic_flux_update_rate
        geomagnetic_flux_source
IAgVeSolarFluxGeoMag IVehicleSolarFluxGeoMagnitude
IAgVeHPOPForceModelDrag
        Use
        AtmosphericDensityModel
        SolarFluxGeoMagType
        SetSolarFluxGeoMagType
        SolarFluxGeoMag
        DragModelType
        SetDragModelType
        IsDragModelTypeSupported
        DragModelSupportedTypes
        DragModel
        LowAltAtmosphericDensityModel
        BlendingRange
        LowAltAtmosDensityModel
VehicleHPOPForceModelDrag
        use
        atmospheric_density_model
        solar_flux_geo_magnitude_type
        set_solar_flux_geo_magnitude_type
        solar_flux_geo_magnitude
        drag_model_type
        set_drag_model_type
        is_drag_model_type_supported
        drag_model_supported_types
        drag_model
        low_altitude_atmospheric_density_model
        blending_range
        low_altitude_atmosphere_density_model
IAgVeHPOPForceModelDragOptions
        UseApproxAlt
        UseApparentSunPosition
VehicleHPOPForceModelDragOptions
        use_approx_altitude
        use_apparent_sun_position
IAgVeHPOPSolarRadiationPressureOptions
        MethodToComputeSunPosition
        AtmosAltOfEarthShapeForEclipse
VehicleHPOPSolarRadiationPressureOptions
        method_to_compute_sun_position
        atmosphere_altitude_of_earth_shape_for_eclipse
IAgVeStatic
        SatelliteMass
        IncRelativisticAcc
PropagatorHPOPStaticForceModelSettings
        satellite_mass
        include_relativistic_acceleration
IAgVeSolidTides
        IncTimeDepSolidTides
        MinAmplitude
        TruncateSolidTides
SolidTides
        include_time_dependent_solid_tides
        minimum_amplitude
        truncate_solid_tides
IAgVeOceanTides
        MaxDegree
        MaxOrder
        MinAmplitude
OceanTides
        maximum_degree
        maximum_order
        minimum_amplitude
IAgVePluginSettings
        GetProperty
        SetProperty
        AvailableProperties
VehiclePluginSettings
        get_property
        set_property
        available_properties
IAgVePluginPropagator
        UsePlugin
        PluginName
        PluginSettings
        GetRawPluginObject
        ApplyPluginChanges
        AvailablePlugins
VehiclePluginPropagator
        use_plugin
        plugin_name
        plugin_settings
        get_raw_plugin_object
        apply_plugin_changes
        available_plugins
IAgVeHPOPForceModelMoreOptions
        Drag
        SolarRadiationPressure
        Static
        SolidTides
        OceanTides
        RadiationPressure
        PluginPropagator
VehicleHPOPForceModelMoreOptions
        drag
        solar_radiation_pressure
        static
        solid_tides
        ocean_tides
        radiation_pressure
        plugin_propagator
IAgVeEclipsingBodies
        AvailableEclipsingBodies
        AssignedEclipsingBodies
        IsEclipsingBodyAssigned
        AssignEclipsingBody
        RemoveEclipsingBody
        RemoveAllEclipsingBodies
VehicleEclipsingBodies
        available_eclipsing_bodies
        assigned_eclipsing_bodies
        is_eclipsing_body_assigned
        assign_eclipsing_body
        remove_eclipsing_body
        remove_all_eclipsing_bodies
IAgVeHPOPForceModel
        CentralBodyGravity
        SolarRadiationPressure
        Drag
        ThirdBodyGravity
        MoreOptions
        EclipsingBodies
VehicleHPOPForceModel
        central_body_gravity
        solar_radiation_pressure
        drag
        third_body_gravity
        more_options
        eclipsing_bodies
IAgVeStepSizeControl
        Method
        ErrorTolerance
        MinStepSize
        MaxStepSize
IntegratorStepSizeControl
        method
        error_tolerance
        minimum_step_size
        maximum_step_size
IAgVeTimeRegularization
        Use
        Exponent
        StepsPerOrbit
IntegratorTimeRegularization
        use
        exponent
        steps_per_orbit
IAgVeInterpolation
        Method
        VOPmu
        Order
VehicleInterpolation
        method
        vop_mu
        order
IAgVeIntegrator
        IntegrationModel
        UseVOP
        PredictorCorrectorScheme
        StepSizeControl
        TimeRegularization
        Interpolation
        ReportEphemOnFixedTimeStep
        DoNotPropagateBelowAlt
        AllowPosVelCovInterpolation
VehicleIntegrator
        integration_model
        use_graphics_3d_p
        predictor_corrector_scheme
        step_size_control
        time_regularization
        interpolation
        report_ephemeris_on_fixed_time_step
        do_not_propagate_below_altitude
        allow_position_velocity_covariance_interpolation
IAgVeGravity
        MaximumDegree
        MaximumOrder
VehicleGravity
        maximum_degree
        maximum_order
IAgVePositionVelocityElement
        X
        Y
        Z
        Vx
        Vy
        Vz
VehiclePositionVelocityElement
        x
        y
        z
        vx
        vy
        vz
IAgVePositionVelocityCollection
        Count
        Item
VehiclePositionVelocityCollection
        count
        item
IAgVeCorrelationListElement
        Row
        Column
        Value
VehicleCorrelationListElement
        row
        column
        value
IAgVeCorrelationListCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
VehicleCorrelationListCollection
        count
        item
        remove_at
        remove_all
        add
IAgVeConsiderAnalysisCollectionElement
        Type
        Name
        Value
        X
        Y
        Z
        Vx
        Vy
        Vz
VehicleConsiderAnalysisCollectionElement
        type
        name
        value
        x
        y
        z
        vx
        vy
        vz
IAgVeConsiderAnalysisCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
        RemoveByType
VehicleConsiderAnalysisCollection
        count
        item
        remove_at
        remove_all
        add
        remove_by_type
IAgVeCovariance
        ComputeCovariance
        Frame
        Representation
        Gravity
        PositionVelocity
        IncludeConsiderAnalysis
        ConsiderAnalysisList
        IncludeConsiderCrossCorrelation
        CorrelationList
        Validate
VehicleCovariance
        compute_covariance
        frame
        representation
        gravity
        position_velocity
        include_consider_analysis
        consider_analysis_list
        include_consider_cross_correlation
        correlation_list
        validate
IAgVeJxInitialState
        EllipseOptions
        Representation
        PropagationFrame
        SupportedPropagationFrames
        OrbitEpoch
VehicleZonalPropagatorInitialState
        ellipse_options
        representation
        propagation_frame
        supported_propagation_frames
        orbit_epoch
IAgVeLOPCentralBodyGravity
        MaxDegree
        MaxOrder
VehicleLOPCentralBodyGravity
        maximum_degree
        maximum_order
IAgVeThirdBodyGravity
        UseSolarGravity
        UseLunarGravity
PropagatorLOPThirdBodyGravity
        use_solar_gravity
        use_lunar_gravity
IAgVeExpDensModelParams
        ReferenceDensity
        ReferenceHeight
        ScaleHeight
VehicleExponentialDensityModelParameters
        reference_density
        reference_height
        scale_height
IAgVeAdvanced
        AtmosphericDensityModel
        UseOsculatingAlt
        MaxDragAlt
        DensityWeighingFactor
        ExpDensModelParams
        AtmosDensityModel
VehicleLOPDragSettings
        atmospheric_density_model
        use_osculating_altitude
        maximum_drag_altitude
        density_weighing_factor
        exponential_density_model_parameters
        atmosphere_density_model
IAgVeLOPForceModelDrag
        Use
        Cd
        Advanced
VehicleLOPForceModelDrag
        use
        cd
        advanced
IAgVeLOPSolarRadiationPressure
        Use
        Cp
        AtmosHeight
VehicleLOPSolarRadiationPressure
        use
        cp
        atmosphere_height
IAgVePhysicalData
        DragCrossSectionalArea
        SRPCrossSectionalArea
        SatelliteMass
VehiclePhysicalData
        drag_cross_sectional_area
        solar_radiation_pressure_cross_sectional_area
        satellite_mass
IAgVeLOPForceModel
        CentralBodyGravity
        ThirdBodyGravity
        Drag
        SolarRadiationPressure
        PhysicalData
VehicleLOPForceModel
        central_body_gravity
        third_body_gravity
        drag
        solar_radiation_pressure
        physical_data
IAgVeSPICESegment
        SegmentName
        SegmentType
        CoordAxes
        CentralBody
        StartTime
        StopTime
PropagatorSPICESegment
        segment_name
        segment_type
        frame
        central_body
        start_time
        stop_time
IAgVeSegmentsCollection
        Count
        Item
PropagatorSPICESegmentsCollection
        count
        item
IAgVePropagator IPropagator
IAgVePropagatorHPOP
        Propagate
        Step
        InitialState
        ForceModel
        Integrator
        Covariance
        EphemerisInterval
        DisplayCoordType
PropagatorHPOP
        propagate
        step
        initial_state
        force_model
        integrator
        covariance
        ephemeris_interval
        display_coordinate_type
IAgVePropagatorJ2Perturbation
        Propagate
        Step
        InitialState
        EphemerisInterval
        PropagationFrame
        SupportedPropagationFrames
        DisplayCoordType
PropagatorJ2Perturbation
        propagate
        step
        initial_state
        ephemeris_interval
        propagation_frame
        supported_propagation_frames
        display_coordinate_type
IAgVePropagatorJ4Perturbation
        Propagate
        Step
        InitialState
        EphemerisInterval
        PropagationFrame
        SupportedPropagationFrames
        DisplayCoordType
PropagatorJ4Perturbation
        propagate
        step
        initial_state
        ephemeris_interval
        propagation_frame
        supported_propagation_frames
        display_coordinate_type
IAgVePropagatorLOP
        Propagate
        Step
        InitialState
        ForceModel
        EphemerisInterval
        DisplayCoordType
PropagatorLOP
        propagate
        step
        initial_state
        force_model
        ephemeris_interval
        display_coordinate_type
IAgVePropagatorSGP4
        Propagate
        Step
        Segments
        AutoUpdateEnabled
        AutoUpdate
        CommonTasks
        Settings
        EphemerisInterval
        IntlDesignator
PropagatorSGP4
        propagate
        step
        segments
        automatic_update_enabled
        automatic_update_settings
        common_tasks
        settings
        ephemeris_interval
        international_designator
IAgVePropagatorSPICE
        Propagate
        Step
        Spice
        BodyName
        Segments
        AvailableBodyNames
        EphemerisInterval
PropagatorSPICE
        propagate
        step
        spice
        body_name
        segments
        available_body_names
        ephemeris_interval
IAgVePropagatorStkExternal
        Propagate
        StartTime
        StopTime
        Step
        Filename
        Override
        FileFormat
        EphemerisStartEpoch
        LimitEphemerisToScenarioInterval
        MessageLevel
PropagatorSTKExternal
        propagate
        start_time
        stop_time
        step
        filename
        override
        file_format
        ephemeris_start_epoch
        limit_ephemeris_to_scenario_interval
        message_level
IAgVePropagatorTwoBody
        Propagate
        Step
        InitialState
        EphemerisInterval
        PropagationFrame
        SupportedPropagationFrames
        DisplayCoordType
PropagatorTwoBody
        propagate
        step
        initial_state
        ephemeris_interval
        propagation_frame
        supported_propagation_frames
        display_coordinate_type
IAgVePropagatorUserExternal
        Propagate
        StartTime
        StopTime
        Step
        Propagator
        File
        VehicleID
        Description
        AvailableVehicleIDs
        AvailablePropagators
        EphemerisInterval
PropagatorUserExternal
        propagate
        start_time
        stop_time
        step
        propagator
        file
        vehicle_id
        description
        available_vehicle_identifiers
        available_propagators
        ephemeris_interval
IAgVeLvInitialState
        Launch
        BurnoutVel
        Burnout
        TrajectoryEpoch
LaunchVehicleInitialState
        launch
        burnout_velocity
        burnout
        trajectory_epoch
IAgVePropagatorSimpleAscent
        Propagate
        Step
        InitialState
        EphemerisInterval
PropagatorSimpleAscent
        propagate
        step
        initial_state
        ephemeris_interval
IAgVeWayPtAltitudeRef
        Type
IVehicleWaypointAltitudeReference
        type
IAgVeWayPtAltitudeRefTerrain
        Granularity
        InterpMethod
VehicleWaypointAltitudeReferenceTerrain
        granularity
        interpolation_method
IAgVeWaypointsElement
        Latitude
        Longitude
        Altitude
        Speed
        Acceleration
        Time
        TurnRadius
VehicleWaypointsElement
        latitude
        longitude
        altitude
        speed
        acceleration
        time
        turn_radius
IAgVeWaypointsCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
        Contains
        IndexOf
        ToArray
VehicleWaypointsCollection
        count
        item
        remove_at
        remove_all
        add
        contains
        index_of
        to_array
IAgVePropagatorGreatArc
        Propagate
        Method
        AltitudeRefType
        SetAltitudeRefType
        IsAltitudeRefTypeSupported
        AltitudeRefSupportedTypes
        AltitudeRef
        ArcGranularity
        Waypoints
        ImportWaypointsFromFile
        SetPointsSpecifyTimeAndPropagate
        SetPointsSpecifyVelocityAndPropagate
        SetPointsSmoothRateAndPropagate
        EphemerisInterval
        DefaultAltitude
        DefaultRate
        DefaultTurnRadius
PropagatorGreatArc
        propagate
        method
        altitude_reference_type
        set_altitude_reference_type
        is_altitude_reference_type_supported
        altitude_reference_supported_types
        altitude_reference
        arc_granularity
        waypoints
        import_waypoints_from_file
        set_points_specify_time_and_propagate
        set_points_specify_velocity_and_propagate
        set_points_smooth_rate_and_propagate
        ephemeris_interval
        default_altitude
        default_rate
        default_turn_radius
IAgVePropagatorAviator
        GetFlightMission
        AvtrPropagator
PropagatorAviator
        get_flight_mission
        aviator_propagator
IAgVeLaunchLLA
        Lat
        Lon
        Alt
LaunchVehicleLocationDetic
        latitude
        longitude
        altitude
IAgVeLaunchLLR
        Lat
        Lon
        Radius
LaunchVehicleLocationCentric
        latitude
        longitude
        radius
IAgVeImpactLLA
        Lat
        Lon
        Alt
VehicleImpactLocationDetic
        latitude
        longitude
        altitude
IAgVeImpactLLR
        Lat
        Lon
        Radius
VehicleImpactLocationCentric
        latitude
        longitude
        radius
IAgVeLaunchControlFixedApogeeAlt
        ApogeeAlt
LaunchVehicleControlFixedApogeeAltitude
        apogee_altitude
IAgVeLaunchControlFixedDeltaV
        DeltaV
LaunchVehicleControlFixedDeltaV
        delta_v
IAgVeLaunchControlFixedDeltaVMinEcc
        DeltaVMin
LaunchVehicleControlFixedDeltaVMinimumEccentricity
        delta_v_min
IAgVeLaunchControlFixedTimeOfFlight
        TimeOfFlight
LaunchVehicleControlFixedTimeOfFlight
        time_of_flight
IAgVeImpactLocationLaunchAzEl
        DeltaV
        Elevation
        Azimuth
VehicleImpactLocationLaunchAzEl
        delta_v
        elevation
        azimuth
IAgVeImpact IVehicleImpact
IAgVeLaunchControl IVehicleLaunchControl
IAgVeImpactLocationPoint
        ImpactType
        SetImpactType
        IsImpactTypeSupported
        ImpactSupportedTypes
        Impact
        LaunchControlType
        SetLaunchControlType
        IsLaunchControlTypeSupported
        LaunchControlSupportedTypes
        LaunchControl
VehicleImpactLocationPoint
        impact_type
        set_impact_type
        is_impact_type_supported
        impact_supported_types
        impact
        launch_control_type
        set_launch_control_type
        is_launch_control_type_supported
        launch_control_supported_types
        launch_control
IAgVeLaunch IVehicleLaunch
IAgVeImpactLocation IVehicleImpactLocation
IAgVePropagatorBallistic
        Propagate
        Step
        LaunchType
        SetLaunchType
        IsLaunchTypeSupported
        LaunchSupportedTypes
        Launch
        ImpactLocationType
        SetImpactLocationType
        IsImpactLocationTypeSupported
        ImpactLocationSupportedTypes
        ImpactLocation
        EphemerisInterval
PropagatorBallistic
        propagate
        step
        launch_type
        set_launch_type
        is_launch_type_supported
        launch_supported_types
        launch
        impact_location_type
        set_impact_location_type
        is_impact_location_type_supported
        impact_location_supported_types
        impact_location
        ephemeris_interval
IAgVeRealtimePointBuilder
        B1950
        ECF
        ECI
        LLAHPS
        LLA
        AGL_LLA
        MSL_LLA
        UTM
        GetPointsInFrame
        RemoveAllPoints
PropagatorRealtimePointBuilder
        ephemeris_in_b1950_frame
        ephemeris_in_central_body_fixed_frame
        ephemeris_in_central_body_inertial_frame
        ephemeris_in_heading_pitch
        ephemeris_in_latitude_longituide_altitude
        ephemeris_in_latitude_longitude_altitude_above_terrain
        ephemeris_in_latitude_longitude_altitude_above_mean_sea_level_
        ephemeris_in_utm
        get_points_in_frame
        remove_all_points
IAgVePropagatorRealtime
        Propagate
        Duration
        InterpolationOrder
        LookAheadPropagator
        SupportedLookAheadPropagators
        IsLookAheadPropagatorSupported
        TimeStep
        TimeoutGap
        PointBuilder
PropagatorRealtime
        propagate
        duration
        interpolation_order
        look_ahead_propagator
        supported_look_ahead_propagators
        is_look_ahead_propagator_supported
        time_step
        timeout_gap
        point_builder
IAgVeGPSAlmanacProperties
        Type
IVehicleGPSAlmanacProperties
        type
IAgVeGPSAlmanacPropertiesYUMA
        WeekNumber
        AlmanacWeek
        ReferenceWeek
        TimeOfAlmanac
        DateOfAlmanac
        Health
VehicleGPSAlmanacPropertiesYUMA
        week_number
        almanac_week
        reference_week
        time_of_almanac
        date_of_almanac
        health
IAgVeGPSAlmanacPropertiesSEM
        AvgURA
        AlmanacWeek
        ReferenceWeek
        TimeOfAlmanac
        DateOfAlmanac
        Health
VehicleGPSAlmanacPropertiesSEM
        avg_ura
        almanac_week
        reference_week
        time_of_almanac
        date_of_almanac
        health
IAgVeGPSAlmanacPropertiesSP3
        AlmanacWeek
        TimeOfAlmanac
        DateOfAlmanac
VehicleGPSAlmanacPropertiesSP3
        almanac_week
        time_of_almanac
        date_of_almanac
IAgVeGPSSpecifyAlmanac
        Filename
        Properties
VehicleGPSSpecifyAlmanac
        filename
        properties
IAgVeGPSAutoUpdateProperties
        Selection
        SwitchMethod
        WeekReferenceEpoch
VehicleGPSAutoUpdateProperties
        selection
        switch_method
        week_reference_epoch
IAgVeGPSAutoUpdateFileSource
        Filename
        Preview
VehicleGPSAutoUpdateFileSource
        filename
        preview
IAgVeGPSAutoUpdateOnlineSource
        Preview
VehicleGPSAutoUpdateOnlineSource
        preview
IAgVeGPSAutoUpdate
        SelectedSource
        Properties
        FileSource
        OnlineSource
VehicleGPSAutoUpdate
        selected_source
        properties
        file_source
        online_source
IAgVePropagatorGPS
        Propagate
        Step
        PRN
        AvailablePRNs
        AutoUpdateEnabled
        AutoUpdate
        SpecifyCatalog
        EphemerisInterval
PropagatorGPS
        propagate
        step
        prn
        available_prns
        automatic_update_enabled
        automatic_update_settings
        specify_catalog
        ephemeris_interval
IAgVePropagator11ParamDescriptor
        Epoch
        Filename
        SatelliteIdentification
        NominalLongitude
        LM0
        LM1
        LM2
        LONC
        LONC1
        LONS
        LONS1
        LATC
        LATC1
        LATS
        LATS1
Propagator11ParametersDescriptor
        epoch
        filename
        satellite_identifier
        nominal_longitude
        lm0
        lm1
        lm2
        lonc
        lonc1
        lons
        lons1
        latc
        latc1
        lats
        lats1
IAgVePropagator11ParamDescriptorCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
        AddFromArray
Propagator11ParametersDescriptorCollection
        count
        item
        remove_at
        remove_all
        add
        add_from_array
IAgVePropagator11Param
        Propagate
        Step
        EphemerisInterval
        ParameterFiles
Propagator11Parameters
        propagate
        step
        ephemeris_interval
        parameter_files
IAgVePropagatorSP3File
        Filename
        StartTime
        StopTime
        ReferenceTime
        StepSize
        Agency
        OrbitType
        AvailableIdentifiers
PropagatorSP3File
        filename
        start_time
        stop_time
        reference_time
        step_size
        agency
        orbit_type
        available_identifiers
IAgVePropagatorSP3FileCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
PropagatorSP3FileCollection
        count
        item
        remove_at
        remove_all
        add
IAgVePropagatorSP3
        Propagate
        InterpolationOrder
        InterpolationMethod
        InterpolateAcrossBoundaries
        Extrapolate1PastEnd
        SatelliteIdentifier
        Files
        AvailableIdentifiers
PropagatorSP3
        propagate
        interpolation_order
        interpolation_method
        interpolate_across_boundaries
        extrapolate_one_step_past_end
        satellite_identifier
        files
        available_identifiers
IAgVeTargetPointingElement
        Target
        AlignedVector
        ConstrainedVector
        ConstrainedVectorReference
        ResetConstrainedVectorReference
        AvailableConstrainedVectors
        Latitude
        Longitude
        Altitude
        Intervals
VehicleTargetPointingElement
        target
        aligned_vector
        constrained_vector
        constrained_vector_reference
        reset_constrained_vector_reference
        available_constrained_vectors
        latitude
        longitude
        altitude
        intervals
IAgVeAccessAdvanced
        UseLightTimeDelay
        TimeSense
VehicleAccessAdvancedSettings
        use_light_time_delay
        time_sense
IAgVeAttTargetSlew
        SlewModeType
        SetSlewModeType
        IsSlewModeTypeSupported
        SlewModeSupportedTypes
        SlewMode
VehicleAttitudeTargetSlew
        slew_mode_type
        set_slew_mode_type
        is_slew_mode_type_supported
        slew_mode_supported_types
        slew_mode
IAgVeTorque
        UseTorqueFile
        TorqueFile
AttitudeTorque
        use_torque_file
        torque_filename
IAgVeIntegratedAttitude
        StartTime
        StopTime
        Epoch
        Orientation
        Wx
        Wy
        Wz
        Torque
        InitFromAtt
        SaveToFile
VehicleIntegratedAttitude
        start_time
        stop_time
        epoch
        orientation
        wx
        wy
        wz
        torque
        initialize_from_attitude
        save_to_file
IAgVeVector
        Body
        ReferenceVector
        AvailableReferenceVectors
VehicleVector
        body
        reference_vector
        available_reference_vectors
IAgVeRateOffset
        Rate
        Offset
RotationRateAndOffset
        rate
        offset
IAgVeAttProfile
        Type
IVehicleAttitudeProfile
        type
IAgVeProfileAlignedAndConstrained
        AlignedVector
        ConstrainedVector
        DisplayedAlignedVectorType
        DisplayedConstrainedVectorType
AttitudeProfileAlignedAndConstrained
        aligned_vector
        constrained_vector
        displayed_aligned_vector_type
        displayed_constrained_vector_type
IAgVeProfileInertial
        Inertial
AttitudeProfileInertial
        inertial
IAgVeProfileYawToNadir
        Inertial
AttitudeProfileYawToNadir
        inertial
IAgVeProfileConstraintOffset
        ConstraintOffset
AttitudeProfileConstraintOffset
        constraint_offset
IAgVeProfileAlignmentOffset
        AlignmentOffset
AttitudeProfileAlignmentOffset
        alignment_offset
IAgVeProfileFixedInAxes
        Orientation
        ReferenceAxes
        AvailableReferenceAxes
AttitudeProfileFixedInAxes
        orientation
        reference_axes
        available_reference_axes
IAgVeProfilePrecessingSpin
        Body
        InertialPrecession
        Precession
        Spin
        NutationAngle
        ReferenceAxes
        SmartEpoch
AttitudeProfilePrecessingSpin
        body
        inertial_precession
        precession
        spin
        nutation_angle
        reference_axes
        smart_epoch
IAgVeProfileSpinAboutXXX
        Rate
        Offset
        SmartEpoch
AttitudeProfileSpinAboutSettings
        rate
        offset
        smart_epoch
IAgVeProfileSpinning
        Body
        Inertial
        Rate
        Offset
        SmartEpoch
AttitudeProfileSpinning
        body
        inertial
        rate
        offset
        smart_epoch
IAgVeProfileCoordinatedTurn
        TimeOffset
AttitudeProfileCoordinatedTurn
        time_offset
IAgVeScheduleTimesElement
        Start
        Stop
        Target
AttitudeScheduleTimesElement
        start
        stop
        target
IAgVeScheduleTimesCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
        AvailableTargets
AttitudeScheduleTimesCollection
        count
        item
        remove_at
        remove_all
        add
        available_targets
IAgVeTargetTimes
        UseAccessTimes
        AccessTimes
        ScheduleTimes
        Deconflict
VehicleTargetTimes
        use_access_times
        access_times
        schedule_times
        deconflict
IAgVeTargetPointingIntervalCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
VehicleTargetPointingIntervalCollection
        count
        item
        remove_at
        remove_all
        add
IAgVeTargetPointingCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
        AvailableTargets
        Contains
        Remove
        AddPositionAsTarget
VehicleTargetPointingCollection
        count
        item
        remove_at
        remove_all
        add
        available_targets
        contains
        remove
        add_position_as_target
IAgVePointing
        UseTargetPointing
        Targets
        TargetTimes
IVehiclePointing
        use_target_pointing
        targets
        target_times
IAgVeAttPointing
        Advanced
        TargetSlew
VehicleAttitudePointing
        advanced
        target_slew
IAgVeStandardBasic
        ProfileType
        SetProfileType
        IsProfileTypeSupported
        ProfileSupportedTypes
        Profile
AttitudeStandardBasic
        profile_type
        set_profile_type
        is_profile_type_supported
        profile_supported_types
        profile
IAgVeAttExternal
        Enabled
        StartTime
        StopTime
        Filename
        Reload
        Load
        Disable
        FilePath
        Override
        AttitudeStartEpoch
        MessageLevel
VehicleAttitudeExternal
        enabled
        start_time
        stop_time
        filename
        reload
        load
        disable
        file_path
        override
        attitude_start_epoch
        message_level
IAgVeAttitude IVehicleAttitude
IAgVeAttitudeRealTimeDataReference
        ProfileType
        SetProfileType
        IsProfileTypeSupported
        ProfileSupportedTypes
        Profile
VehicleAttitudeRealTimeDataReference
        profile_type
        set_profile_type
        is_profile_type_supported
        profile_supported_types
        profile
IAgVeAttitudeRealTime
        LookAheadMethod
        Duration
        AddCBFQuaternion
        AddQuaternion
        AddYPR
        AddECIYPR
        AddEuler
        ClearAll
        DataReference
        BlockFactor
VehicleAttitudeRealTime
        look_ahead_method
        duration
        add_quaternion_relative_to_central_body_fixed
        add_quaternion
        add_ypl_angles
        add_ypr_angles_relative_to_central_body_inertial
        add_euler_angles
        clear_all
        data_reference
        block_factor
IAgVeAttitudeStandard
        Type
IVehicleAttitudeStandard
        type
IAgVeTrajectoryAttitudeStandard
        Basic
        Pointing
        External
AttitudeStandardTrajectory
        basic
        pointing
        external
IAgVeOrbitAttitudeStandard
        Basic
        Pointing
        External
        IntegratedAttitude
AttitudeStandardOrbit
        basic
        pointing
        external
        integrated_attitude
IAgVeRouteAttitudeStandard
        Basic
        External
AttitudeStandardRoute
        basic
        external
IAgVeProfileGPS
        ModelType
AttitudeProfileGPS
        model_type
IAgVeAttTrendControlAviator
        ComputeTrends
        TimeTolerance
        AngleRateTolerance
        KinkAngle
        UseYawTrend
        UsePitchTrend
        UseRollTrend
VehicleAttitudeTrendingControlAviator
        compute_trends
        time_tolerance
        angle_rate_tolerance
        kink_angle
        use_yaw_trend
        use_pitch_trend
        use_roll_trend
IAgVeProfileAviator
        TrendingControls
AttitudeProfileAviator
        trending_controls
IAgVeGfxIntervalsCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
VehicleGraphics2DIntervalsCollection
        count
        item
        remove_at
        remove_all
        add
IAgVeGfxWaypointMarkersElement
        Time
        IsVisible
        IsLabelVisible
        Label
        UseVehColor
        Color
        MarkerStyle
VehicleGraphics2DWaypointMarkersElement
        time
        show_graphics
        show_label
        label
        use_vehicle_color
        color
        marker_style
IAgVeGfxWaypointMarkersCollection
        Count
        Item
VehicleGraphics2DWaypointMarkersCollection
        count
        item
IAgVeGfxWaypointMarker
        IsWaypointMarkersVisible
        IsTurnMarkersVisible
        WaypointMarkers
VehicleGraphics2DWaypointMarker
        show_waypoint_markers
        show_turn_markers
        waypoint_markers
IAgVeGfxPassResolution
        GroundTrack
        Orbit
        MinGroundTrack
        MinOrbit
VehicleGraphics2DPassResolution
        ground_track
        orbit
        minimum_ground_track
        minimum_orbit
IAgVeGfxRouteResolution
        Route
        MinRoute
VehicleGraphics2DRouteResolution
        route
        minimum_route
IAgVeGfxTrajectoryResolution
        GroundTrack
        Trajectory
        MinGroundTrack
        MinTrajectory
VehicleGraphics2DTrajectoryResolution
        ground_track
        trajectory
        minimum_ground_track
        minimum_trajectory
IAgVeGfxElevationsElement
        Elevation
        Color
        LineStyle
        LineWidth
        DistanceVisible
        UserTextVisible
        UserText
        LabelAngle
VehicleGraphics2DElevationsElement
        elevation
        color
        line_style
        line_width
        show_distance_label
        show_user_text_visible
        user_text
        label_angle
IAgVeGfxElevationsCollection
        Count
        Item
        RemoveAt
        RemoveAll
        AddLevel
        AddLevelRange
VehicleGraphics2DElevationsCollection
        count
        item
        remove_at
        remove_all
        add_level
        add_level_range
IAgVeGfxElevContours
        IsVisible
        IsFillVisible
        FillStyle
        NumOfDecimalDigits
        Elevations
        FillTranslucency
VehicleGraphics2DElevationContours
        show_graphics
        show_filled_contours
        fill_style
        number_of_decimal_digits
        elevations
        fill_translucency
IAgVeGfxSAA
        IsVisible
        UseVehicleAlt
        Altitude
        IsFillVisible
        Translucency
VehicleGraphics2DSAA
        show_graphics
        use_vehicle_altitude
        altitude
        show_filled_contours
        translucency
IAgVeGfxPassShowPasses
        FirstPass
        LastPass
VehicleGraphics2DPassShowPasses
        first_pass
        last_pass
IAgVeGfxPass IVehicleGraphics2DPass
IAgVeGfxPasses
        PassType
        SetPassType
        IsPassTypeSupported
        PassSupportedTypes
        Pass
        VisibleSides
        IsPassLabelsVisible
        IsPathLabelsVisible
VehicleGraphics2DPasses
        pass_type
        set_pass_type
        is_pass_type_supported
        pass_supported_types
        satellite_pass
        visible_sides
        show_pass_labels
        show_path_labels
IAgVeGfxTimeEventTypeLine
        Color
        LineStyle
        LineWidth
        UniqueID
        OffsetType
        SetOffsetType
        IsOffsetTypeSupported
        OffsetSupportedTypes
        OffsetPixels
        EventInterval
VehicleGraphics2DTimeEventTypeLine
        color
        line_style
        line_width
        unique_identifer
        offset_type
        set_offset_type
        is_offset_type_supported
        offset_supported_types
        offset_pixels
        event_interval
IAgVeGfxTimeEventTypeMarker
        Color
        MarkerStyle
        UniqueID
        EventInterval
VehicleGraphics2DTimeEventTypeMarker
        color
        marker_style
        unique_identifer
        event_interval
IAgVeGfxTimeEventTypeText
        Color
        Text
        UniqueID
        OffsetType
        SetOffsetType
        IsOffsetTypeSupported
        OffsetSupportedTypes
        OffsetPixels
        EventInterval
VehicleGraphics2DTimeEventTypeText
        color
        text
        unique_identifer
        offset_type
        set_offset_type
        is_offset_type_supported
        offset_supported_types
        offset_pixels
        event_interval
IAgVeGfxTimeEventType IVehicleGraphics2DTimeEventType
IAgVeGfxTimeEventsElement
        IsVisible
        TimeEventType
        SetTimeEventType
        IsTimeEventTypeSupported
        TimeEventTypeSupportedTypes
        TimeEventTypeData
VehicleGraphics2DTimeEventsElement
        show_graphics
        time_event_type
        set_time_event_type
        is_time_event_type_supported
        time_event_type_supported_types
        time_event_type_data
IAgVeGfxTimeEventsCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
VehicleGraphics2DTimeEventsCollection
        count
        item
        remove_at
        remove_all
        add
IAgVeGfxGroundEllipsesElement
        EllipseSetName
        StaticGfx
        DynamicGfx
        Interpolate
        IsNameVisible
        IsCenterVisible
        Color
        LineWidth
VehicleGraphics2DGroundEllipsesElement
        ellipse_set_name
        static_graphics_2d
        dynamic_graphics_2d
        interpolate
        show_name
        show_center_point_marker
        color
        line_width
IAgVeGfxGroundEllipsesCollection
        Count
        Item
VehicleGraphics2DGroundEllipsesCollection
        count
        item
IAgVeGfxLeadTrailData
        LeadDataType
        SetLeadDataType
        IsLeadDataTypeSupported
        LeadDataSupportedTypes
        LeadData
        TrailDataType
        SetTrailDataType
        IsTrailDataTypeSupported
        TrailDataSupportedTypes
        TrailData
        HasLeadData
        HasTrailData
        SetTrailSameAsLead
VehicleGraphics2DLeadTrailData
        lead_data_type
        set_lead_data_type
        is_lead_data_type_supported
        lead_data_supported_types
        lead_data
        trail_data_type
        set_trail_data_type
        is_trail_data_type_supported
        trail_data_supported_types
        trail_data
        has_lead_data
        has_trail_data
        set_trail_same_as_lead
IAgVeGfxTrajectoryPassData
        GroundTrack
        Trajectory
VehicleGraphics2DTrajectoryPassData
        ground_track
        trajectory
IAgVeGfxOrbitPassData
        GroundTrack
        Orbit
VehicleGraphics2DOrbitPassData
        ground_track
        orbit
IAgVeGfxRoutePassData
        Route
VehicleGraphics2DRoutePassData
        route
IAgVeGfxLightingElement
        Visible
        Color
        MarkerStyle
        LineStyle
        LineWidth
VehicleGraphics2DLightingElement
        visible
        color
        marker_style
        line_style
        line_width
IAgVeGfxLighting
        Sunlight
        Penumbra
        Umbra
        IsSunLightPenumbraVisible
        IsPenumbraUmbraVisible
        IsSolarSpecularReflectionPointVisible
VehicleGraphics2DLighting
        sunlight
        penumbra
        umbra
        show_sunlight_penumbra_divider
        show_penumbra_umbra_divider
        show_solar_specular_reflection_point
IAgVeGfxLine
        Style
        Width
VehicleGraphics2DLine
        style
        width
IAgVeGfxAttributes IVehicleGraphics2DAttributes
IAgVeGfxAttributesBasic
        Inherit
        IsVisible
        Color
        MarkerStyle
        LabelVisible
        Line
IVehicleGraphics2DAttributesBasic
        inherit
        show_graphics
        color
        marker_style
        show_label
        line
IAgVeGfxAttributesDisplayState
        GetDisplayIntervals
IVehicleGraphics2DAttributesDisplayState
        get_display_intervals
IAgVeGfxAttributesAccess
        AccessObjects
        DuringAccess
        NoAccess
VehicleGraphics2DAttributesAccess
        access_objects
        during_access
        no_access
IAgVeGfxAttributesTrajectory
        IsGroundTrackVisible
        IsGroundMarkerVisible
        IsTrajectoryVisible
        IsTrajectoryMarkerVisible
        PickString
VehicleGraphics2DAttributesTrajectory
        show_ground_track
        show_ground_marker
        show_trajectory
        show_trajectory_marker
        pick_string
IAgVeGfxAttributesOrbit
        IsGroundTrackVisible
        IsGroundMarkerVisible
        IsOrbitVisible
        IsOrbitMarkerVisible
        PickString
VehicleGraphics2DAttributesOrbit
        show_ground_track
        show_ground_marker
        show_orbit
        show_orbit_marker
        pick_string
IAgVeGfxAttributesRoute
        IsRouteVisible
        IsRouteMarkerVisible
        PickString
VehicleGraphics2DAttributesRoute
        show_route
        show_route_marker
        pick_string
IAgVeGfxAttributesRealtime
        History
        Spline
        LookAhead
        DropOut
VehicleGraphics2DAttributesRealtime
        history
        spline
        look_ahead
        drop_out
IAgVeGfxElevationGroundElevation
        Angle
VehicleGraphics2DElevationGroundElevation
        angle
IAgVeGfxElevationSwathHalfWidth
        Distance
VehicleGraphics2DElevationSwathHalfWidth
        distance
IAgVeGfxElevationVehicleHalfAngle
        Angle
VehicleGraphics2DElevationVehicleHalfAngle
        angle
IAgVeGfxElevation IVehicleGraphics2DElevation
IAgVeGfxSwath
        ElevationType
        SetElevationType
        IsElevationTypeSupported
        ElevationSupportedTypes
        Elevation
        Options
VehicleGraphics2DSwath
        elevation_type
        set_elevation_type
        is_elevation_type_supported
        elevation_supported_types
        elevation
        options
IAgVeGfxInterval
        GfxAttributes
        StartTime
        StopTime
VehicleGraphics2DInterval
        graphics_2d_attributes
        start_time
        stop_time
IAgVeGfxAttributesCustom
        Default
        Intervals
        Deconflict
        PreemptiveIntervals
VehicleGraphics2DAttributesCustom
        default
        intervals
        deconflict
        preemptive_intervals
IAgVeGfxTimeComponentsElement
        QualifiedPath
        Priority
        IncreasePriority
        DecreasePriority
        SetHighestPriority
        SetLowestPriority
IVehicleGraphics2DTimeComponentsElement
        qualified_path
        priority
        increase_priority
        decrease_priority
        set_highest_priority
        set_lowest_priority
IAgVeGfxTimeComponentsEventElement
        Attributes
        GetTimeComponent
VehicleGraphics2DTimeComponentsEventElement
        attributes
        get_time_component
IAgVeGfxTimeComponentsEventCollectionElement
        UseColorRamp
        ColorRampStartColor
        ColorRampEndColor
        Umbra
        Penumbra
        Sunlight
        GetTimeComponent
VehicleGraphics2DTimeComponentsEventCollectionElement
        use_color_ramp
        color_ramp_start_color
        color_ramp_end_color
        umbra
        penumbra
        sunlight
        get_time_component
IAgVeGfxTimeComponentsCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
VehicleGraphics2DTimeComponentsCollection
        count
        item
        remove_at
        remove_all
        add
IAgVeGfxAttributesTimeComponents
        Default
        TimeComponents
VehicleGraphics2DAttributesTimeComponents
        default
        time_components
IAgVeTrajectoryVOModel
        TrajectoryMarker
        GroundMarker
        IsPointVisible
        PointSize
        GltfReflectionMapType
        GltfImageBased
VehicleGraphics3DModelTrajectory
        trajectory_marker
        ground_marker
        show_point
        point_size
        gltf_reflection_map_type
        gltf_image_based
IAgVeRouteVOModel
        RouteMarker
        IsPointVisible
        PointSize
        GltfReflectionMapType
        GltfImageBased
VehicleGraphics3DModelRoute
        route_marker
        show_point
        point_size
        gltf_reflection_map_type
        gltf_image_based
IAgVeVOLeadTrailData
        LeadDataType
        TrailDataType
        SetLeadDataType
        SetTrailDataType
        LeadData
        TrailData
        HasLeadData
        HasTrailData
        IsDataTypeSupported
        SupportedDataTypes
        SetTrailSameAsLead
VehicleGraphics3DLeadTrailData
        lead_data_type
        trail_data_type
        set_lead_data_type
        set_trail_data_type
        lead_data
        trail_data
        has_lead_data
        has_trail_data
        is_data_type_supported
        supported_data_types
        set_trail_same_as_lead
IAgVeVOSystemsElementBase
        Inherit
        Color
        VOWindow
        AvailableVOWindows
        PersistForAllPasses
IVehicleGraphics3DSystemsElementBase
        inherit
        color
        graphics_3d_window
        available_graphics_3d_windows
        persist_for_all_passes
IAgVeVOSystemsElement
        Name
        IsVisible
        GetVOWindowIds
        SetVOWindowIds
VehicleGraphics3DSystemsElement
        name
        show_graphics
        get_graphics_3d_window_identifiers
        set_graphics_3d_window_identifiers
IAgVeVOSystemsSpecialElement
        IsVisible
        GetVOWindowIds
        SetVOWindowIds
VehicleGraphics3DSystemsSpecialElement
        show_graphics
        get_graphics_3d_window_identifiers
        set_graphics_3d_window_identifiers
IAgVeVOSystemsCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
        SupportedSystems
        Contains
        InertialByWindow
        FixedByWindow
        Remove
VehicleGraphics3DSystemsCollection
        count
        item
        remove_at
        remove_all
        add
        supported_systems
        contains
        inertial_by_window
        fixed_by_window
        remove
IAgVeVODropLinePosItem
        Type
        IsVisible
        Use2DColor
        Color
        LineWidth
        LineStyle
VehicleGraphics3DDropLinePositionItem
        type
        show_graphics
        use_2d_color
        color
        line_width
        line_style
IAgVeVODropLinePosItemCollection
        Count
        Item
VehicleGraphics3DDropLinePositionItemCollection
        count
        item
IAgVeVODropLinePathItem
        Type
        IsVisible
        Use2DColor
        Color
        LineWidth
        Interval
        LineStyle
VehicleGraphics3DDropLinePathItem
        type
        show_graphics
        use_2d_color
        color
        line_width
        interval
        line_style
IAgVeVODropLinePathItemCollection
        Count
        Item
VehicleGraphics3DDropLinePathItemCollection
        count
        item
IAgVeVOOrbitDropLines
        Position
        Orbit
VehicleGraphics3DOrbitDropLines
        position
        orbit
IAgVeVORouteDropLines
        Position
        Route
VehicleGraphics3DRouteDropLines
        position
        route
IAgVeVOTrajectoryDropLines
        Position
        Trajectory
VehicleGraphics3DTrajectoryDropLines
        position
        trajectory
IAgVeVOProximityAreaObject
        IsVisible
        Color
        LineWidth
        IsLabelVisible
        IsTextVisible
        Text
        LineStyle
IVehicleGraphics3DProximityAreaObject
        show_graphics
        color
        line_width
        show_label
        show_text
        text
        line_style
IAgVeVOEllipsoid
        XSemiAxisLength
        YSemiAxisLength
        ZSemiAxisLength
        XAxisOffset
        YAxisOffset
        ZAxisOffset
        UseTranslucency
        Translucency
        Granularity
        ReferenceFrame
VehicleGraphics3DEllipsoid
        x_semiaxis_length
        y_semiaxis_length
        z_semiaxis_length
        x_axis_offset
        y_axis_offset
        z_axis_offset
        use_translucency
        translucency
        granularity
        reference_frame
IAgVeVOControlBox
        UseTranslucency
        Translucency
        ReferenceFrame
        XAxisLength
        YAxisLength
        ZAxisLength
        XOffset
        YOffset
        ZOffset
VehicleGraphics3DControlBox
        use_translucency
        translucency
        reference_frame
        x_axis_length
        y_axis_length
        z_axis_length
        x_offset
        y_offset
        z_offset
IAgVeVOBearingBox
        Bearing
        Length
        Width
        Height
        LengthOffset
        WidthOffset
        HeightOffset
        UseTranslucency
        Translucency
VehicleGraphics3DBearingBox
        bearing
        length
        width
        height
        length_offset
        width_offset
        height_offset
        use_translucency
        translucency
IAgVeVOBearingEllipse
        Bearing
        SemiMajorAxis
        SemiMinorAxis
        Granularity
        MajorAxisOffset
        MinorAxisOffset
VehicleGraphics3DBearingEllipse
        bearing
        semi_major_axis
        semi_minor_axis
        granularity
        major_axis_offset
        minor_axis_offset
IAgVeVOLineOfBearing
        Bearing
        OriginLatitude
        OriginLongitude
        OriginAltitude
        Length
        BearingError
        ErrorColor
        ErrorLineWidth
VehicleGraphics3DLineOfBearing
        bearing
        origin_latitude
        origin_longitude
        origin_altitude
        length
        bearing_error
        error_color
        error_line_width
IAgVeVOGeoBox
        IsVisible
        Longitude
        NorthSouth
        EastWest
        Radius
        Color
        Reposition
VehicleGraphics3DGeoBox
        show_graphics
        longitude
        north_south
        east_west
        radius
        color
        reposition
IAgVeVOProximity IVehicleGraphics3DProximity
IAgVeVORouteProximity
        ControlBox
        BearingBox
        BearingEllipse
        LineOfBearing
        AOULabelSwapDistance
        Ellipsoid
VehicleGraphics3DRouteProximity
        control_box
        bearing_box
        bearing_ellipse
        line_of_bearing
        uncertainty_area_label_swap_distance
        ellipsoid
IAgVeVOOrbitProximity
        GeoBox
        ControlBox
        BearingBox
        BearingEllipse
        LineOfBearing
        AOULabelSwapDistance
        Ellipsoid
VehicleGraphics3DOrbitProximity
        geo_box
        control_box
        bearing_box
        bearing_ellipse
        line_of_bearing
        uncertainty_area_label_swap_distance
        ellipsoid
IAgVeVOTrajectoryProximity
        ControlBox
        BearingBox
        BearingEllipse
        LineOfBearing
        AOULabelSwapDistance
        Ellipsoid
VehicleGraphics3DTrajectoryProximity
        control_box
        bearing_box
        bearing_ellipse
        line_of_bearing
        uncertainty_area_label_swap_distance
        ellipsoid
IAgVeVOElevContours
        IsVisible
        IsConesVisible
        Translucency
        Fill
        FillTranslucency
VehicleGraphics3DElevationContours
        show_graphics
        show_filled_cones
        translucency
        fill
        fill_translucency
IAgVeVOSAA
        IsVisible
VehicleGraphics3DSAA
        show_graphics
IAgVeVOSigmaScaleProbability
        Probability
VehicleGraphics3DSigmaScaleProbability
        probability
IAgVeVOSigmaScaleScale
        ScaleValue
VehicleGraphics3DSigmaScaleScale
        scale_value
IAgVeVODefaultAttributes
        IsVisible
        Color
        LineWidth
        Translucency
VehicleGraphics3DDefaultAttributes
        show_graphics
        color
        line_width
        translucency
IAgVeVOIntervalsElement
        StartTime
        StopTime
        IsVisible
        Color
        LineWidth
        Translucency
VehicleGraphics3DIntervalsElement
        start_time
        stop_time
        show_graphics
        color
        line_width
        translucency
IAgVeVOIntervalsCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
VehicleGraphics3DIntervalsCollection
        count
        item
        remove_at
        remove_all
        add
IAgVeVOAttributesBasic
        IsVisible
        Color
        LineWidth
        Translucency
        UseCustomColor
VehicleGraphics3DAttributesBasic
        show_graphics
        color
        line_width
        translucency
        use_custom_color
IAgVeVOAttributesIntervals
        DefaultAttributes
        Intervals
VehicleGraphics3DAttributesIntervals
        default_attributes
        intervals
IAgVeVOSize
        ScaleToAttitudeSphere
        ScaleValue
VehicleGraphics3DSize
        scale_to_attitude_sphere
        scale_value
IAgVeVOSigmaScale IVehicleGraphics3DSigmaScale
IAgVeVOAttributes IVehicleGraphics3DAttributes
IAgVeVOCovariancePointingContour
        SigmaScaleType
        SetSigmaScaleType
        IsSigmaScaleTypeSupported
        SigmaScaleSupportedTypes
        SigmaScale
        AttributesType
        SetAttributesType
        IsAttributesTypeSupported
        AttributesSupportedTypes
        Attributes
        IsConeVisible
        Size
        ToObject
VehicleGraphics3DCovariancePointingContour
        sigma_scale_type
        set_sigma_scale_type
        is_sigma_scale_type_supported
        sigma_scale_supported_types
        sigma_scale
        attributes_type
        set_attributes_type
        is_attributes_type_supported
        attributes_supported_types
        attributes
        show_cone
        size
        to_object
IAgVeVOOrbitPassData
        GroundTrack
        Orbit
VehicleGraphics3DOrbitPassData
        ground_track
        orbit
IAgVeVOTrajectoryPassData
        GroundTrack
        Trajectory
VehicleGraphics3DTrajectoryPassData
        ground_track
        trajectory
IAgVeVOOrbitTrackData
        InheritFrom2D
        PassData
VehicleGraphics3DOrbitTrackData
        inherit_from_2d
        pass_data
IAgVeVOTrajectoryTrackData
        InheritFrom2D
        PassData
VehicleGraphics3DTrajectoryTrackData
        inherit_from_2d
        pass_data
IAgVeVOTickData IVehicleGraphics3DTickData
IAgVeVOPathTickMarks
        IsVisible
        TickDataType
        SetTickDataType
        IsTickDataTypeSupported
        TickDataSupportedTypes
        TickData
VehicleGraphics3DPathTickMarks
        show_graphics
        tick_data_type
        set_tick_data_type
        is_tick_data_type_supported
        tick_data_supported_types
        tick_data
IAgVeVOTrajectoryTickMarks
        TimeBetweenTicks
        GroundTrack
        Trajectory
VehicleGraphics3DTrajectoryTickMarks
        time_between_ticks
        ground_track
        trajectory
IAgVeVOTrajectory
        TrackData
        TickMarks
VehicleGraphics3DTrajectory
        track_data
        tick_marks
IAgVeVOTickDataLine
        Length
        LineWidth
VehicleGraphics3DTickDataLine
        length
        line_width
IAgVeVOTickDataPoint
        Size
VehicleGraphics3DTickDataPoint
        size
IAgVeVOOrbitTickMarks
        TimeBetweenTicks
        GroundTrack
        Orbit
VehicleGraphics3DOrbitTickMarks
        time_between_ticks
        ground_track
        orbit
IAgVeVOPass
        TrackData
        TickMarks
VehicleGraphics3DPass
        track_data
        tick_marks
IAgVeVOCovariance
        SigmaScaleType
        SetSigmaScaleType
        IsSigmaScaleTypeSupported
        SigmaScaleSupportedTypes
        SigmaScale
        AttributesType
        SetAttributesType
        IsAttributesTypeSupported
        AttributesSupportedTypes
        Attributes
VehicleGraphics3DCovariance
        sigma_scale_type
        set_sigma_scale_type
        is_sigma_scale_type_supported
        sigma_scale_supported_types
        sigma_scale
        attributes_type
        set_attributes_type
        is_attributes_type_supported
        attributes_supported_types
        attributes
IAgVeVOVelCovariance
        Scale
        AttributesType
        SetAttributesType
        IsAttributesTypeSupported
        AttributesSupportedTypes
        Attributes
VehicleGraphics3DVelocityCovariance
        scale
        attributes_type
        set_attributes_type
        is_attributes_type_supported
        attributes_supported_types
        attributes
IAgVeVOWaypointMarkersElement
        Time
        MarkerType
        Shape
        MarkerFile
        PixelSize
        IsTransparent
        SetImageFile
VehicleGraphics3DWaypointMarkersElement
        time
        marker_type
        shape
        marker_filename
        pixel_size
        is_transparent
        set_image_file
IAgVeVOWaypointMarkersCollection
        Count
        Item
VehicleGraphics3DWaypointMarkersCollection
        count
        item
IAgVeVORoute
        InheritTrackDataFrom2D
        TrackData
        WaypointMarkers
VehicleGraphics3DRoute
        inherit_track_data_from_2d
        track_data
        waypoint_markers
IAgVeEclipseBodies
        UseCustomizedList
        AvailableCentralBodies
        IsCentralBodyAssigned
        AssignedCentralBodies
        AssignCentralBody
        RemoveCentralBody
        RemoveAll
VehicleEclipseBodies
        use_customized_list
        available_central_bodies
        is_central_body_assigned
        assigned_central_bodies
        assign_central_body
        remove_central_body
        remove_all
IAgGreatArcGraphics
        AttributesType
        SetAttributesType
        IsAttributesTypeSupported
        AttributesSupportedTypes
        Attributes
        PassData
        WaypointMarker
        Resolution
        RangeContours
        Lighting
        GroundEllipses
        LabelNotes
        UseInstNameLabel
        LabelName
        IsObjectGraphicsVisible
IGreatArcGraphics
        attributes_type
        set_attributes_type
        is_attributes_type_supported
        attributes_supported_types
        attributes
        pass_data
        waypoint_marker
        resolution
        range_contours
        lighting
        ground_ellipses
        label_notes
        use_instance_name_label
        label_name
        show_graphics
IAgGreatArcVO
        Model
        Route
        Offsets
        RangeContours
        Covariance
        Vector
        DataDisplay
        ModelPointing
        VelocityCovariance
IGreatArcGraphics3D
        model
        route
        offsets
        range_contours
        covariance
        vector
        data_display
        model_pointing
        velocity_covariance
IAgGreatArcVehicle
        RouteType
        SetRouteType
        IsRouteTypeSupported
        RouteSupportedTypes
        Route
        AttitudeType
        SetAttitudeType
        IsAttitudeTypeSupported
        AttitudeSupportedTypes
        Attitude
        GroundEllipses
        AccessConstraints
        EclipseBodies
        UseTerrainInLightingComputations
        LightingMaxStep
IGreatArcVehicle
        route_type
        set_route_type
        is_route_type_supported
        route_supported_types
        route
        attitude_type
        set_attitude_type
        is_attitude_type_supported
        attitude_supported_types
        attitude
        ground_ellipses
        access_constraints
        eclipse_bodies
        use_terrain_in_lighting_computations
        lighting_maximum_step
IAgVeVOBPlaneTemplateDisplayElement
        IsVisible
        Name
        Color
        ScaleFactor
        IsLabelVisible
VehicleGraphics3DBPlaneTemplateDisplayElement
        show_graphics
        name
        color
        scale_factor
        show_label
IAgVeVOBPlaneTemplateDisplayCollection
        Count
        Item
VehicleGraphics3DBPlaneTemplateDisplayCollection
        count
        item
IAgVeVOBPlaneTemplate
        Name
        Description
        CentralBody
        AvailableCentralBodies
        ReferenceVector
        AvailableVectors
        IsCartesianGridVisible
        IsPolarGridVisible
        GridSpacing
        DisplayElements
VehicleGraphics3DBPlaneTemplate
        name
        description
        central_body
        available_central_bodies
        reference_vector
        available_vectors
        show_cartesian_grid
        show_polar_grid
        grid_spacing
        display_elements
IAgVeVOBPlaneTemplatesCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
VehicleGraphics3DBPlaneTemplatesCollection
        count
        item
        remove_at
        remove_all
        add
IAgVeVOBPlaneEvent
        EventEpoch
        BeforeEvent
        AfterEvent
        AlwaysDisplay
VehicleGraphics3DBPlaneEvent
        event_epoch
        before_event
        after_event
        always_display
IAgVeVOBPlanePoint
        Name
        BMulT
        BMulR
        BMag
        Theta
VehicleGraphics3DBPlanePoint
        name
        b_dot_t
        b_dot_r
        b_magnitude
        theta
IAgVeVOBPlaneTargetPointPosition IVehicleGraphics3DBPlaneTargetPointPosition
IAgVeVOBPlaneTargetPointPositionCartesian
        BMulT
        BMulR
VehicleGraphics3DBPlaneTargetPointPositionCartesian
        b_dot_t
        b_dot_r
IAgVeVOBPlaneTargetPointPositionPolar
        BMag
        Theta
VehicleGraphics3DBPlaneTargetPointPositionPolar
        b_magnitude
        theta
IAgVeVOBPlaneTargetPoint
        IsVisible
        Color
        PositionType
        SetPositionType
        IsPositionTypeSupported
        PositionSupportedTypes
        Position
VehicleGraphics3DBPlaneTargetPoint
        show_graphics
        color
        position_type
        set_position_type
        is_position_type_supported
        position_supported_types
        position
IAgVeVOBPlanePointCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
        PointColor
        FirstPointColor
VehicleGraphics3DBPlanePointCollection
        count
        item
        remove_at
        remove_all
        add
        point_color
        first_point_color
IAgVeVOBPlaneInstance
        IsVisible
        Name
        Description
        Definition
        EventName
        Event
        TargetPoint
        IsLabelVisible
        PointSize
        IsConnectPointsVisible
        ConnectPointsColor
        ConnectPointLineWidth
        VOWindow
        AvailableVOWindows
        AdditionalPoints
VehicleGraphics3DBPlaneInstance
        show_graphics
        name
        description
        definition
        event_name
        event
        target_point
        show_label
        point_size
        connect_additional_points
        connect_points_color
        connect_point_line_width
        graphics_3d_window
        available_graphics_3d_windows
        additional_points
IAgVeVOBPlaneInstancesCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
VehicleGraphics3DBPlaneInstancesCollection
        count
        item
        remove_at
        remove_all
        add
IAgVeVOBPlanes
        Templates
        Instances
VehicleGraphics3DBPlanes
        templates
        instances
IAgVeSpEnvSpaceEnvironment
        SAAContour
        MagneticField
        VehTemperature
        ParticleFlux
        Radiation
        Graphics
SpaceEnvironment
        saa_contour
        magnetic_field
        vehicle_temperature
        particle_flux
        radiation
        graphics
IAgEOIR IEOIR
IAgSaVOModel
        OrbitMarker
        GroundMarker
        SolarPanelsPointAtSun
        IsPointVisible
        PointSize
        GltfReflectionMapType
        GltfImageBased
SatelliteGraphics3DModel
        orbit_marker
        ground_marker
        solar_panels_point_at_sun
        show_point
        point_size
        gltf_reflection_map_type
        gltf_image_based
IAgSaVO
        Model
        OrbitSystems
        Proximity
        ElevContours
        SAA
        CovariancePointingContour
        Pass
        Offsets
        RangeContours
        Covariance
        Vector
        DataDisplay
        ModelPointing
        DropLines
        BPlanes
        VaporTrail
        VelocityCovariance
        RadarCrossSection
SatelliteGraphics3D
        model
        orbit_systems
        proximity
        elevation_contours
        saa
        covariance_pointing_contour
        satellite_pass
        offsets
        range_contours
        covariance
        vector
        data_display
        model_pointing
        drop_lines
        b_planes
        vapor_trail
        velocity_covariance
        radar_cross_section
IAgVeCentralBodies
        AvailableCentralBodies
        IsCentralBodyAssigned
        AssignedCentralBodies
        AssignCentralBody
        RemoveCentralBody
        RemoveAll
VehicleCentralBodies
        available_central_bodies
        is_central_body_assigned
        assigned_central_bodies
        assign_central_body
        remove_central_body
        remove_all
IAgSaGraphics
        AttributesType
        SetAttributesType
        IsAttributesTypeSupported
        AttributesSupportedTypes
        Attributes
        TimeEvents
        Passes
        PassData
        Resolution
        ElevContours
        SAA
        RangeContours
        Lighting
        Swath
        GroundEllipses
        LabelNotes
        GroundTrackCentralBodyDisplay
        UseInstNameLabel
        LabelName
        IsObjectGraphicsVisible
        RadarCrossSection
SatelliteGraphics
        attributes_type
        set_attributes_type
        is_attributes_type_supported
        attributes_supported_types
        attributes
        time_events
        passes
        pass_data
        resolution
        elevation_contours
        saa
        range_contours
        lighting
        swath
        ground_ellipses
        label_notes
        ground_track_central_body_display
        use_instance_name_label
        label_name
        show_graphics
        radar_cross_section
IAgVeRepeatGroundTrackNumbering
        FirstPathNum
        RevsToRepeat
RepeatGroundTrackNumbering
        first_pass_number
        revolutions_to_repeat
IAgVeBreakAngle IVehicleBreakAngle
IAgVeBreakAngleBreakByLatitude
        Latitude
VehicleBreakAngleBreakByLatitude
        latitude
IAgVeBreakAngleBreakByLongitude
        Longitude
VehicleBreakAngleBreakByLongitude
        longitude
IAgVeDefinition
        BreakAngleType
        SetBreakAngleType
        BreakAngle
        Direction
VehicleDefinition
        break_angle_type
        set_break_angle_type
        break_angle
        direction
IAgVePassNumbering IVehiclePassNumbering
IAgVePassNumberingDateOfFirstPass
        FirstPassNum
        PassDataEpoch
PassBreakNumberingDateOfFirstPass
        first_pass_number
        pass_data_epoch
IAgVePassNumberingFirstPassNum
        FirstPassNum
PassBreakNumberingFirstPassNumber
        first_pass_number
IAgVePassBreak
        Definition
        PartialPassMeasurement
        CoordinateSystem
        RepeatGroundTrackNumbering
        PassNumberingType
        SetPassNumberingType
        PassNumbering
        SupportedCoordinateSystems
PassBreak
        definition
        partial_pass_measurement
        coordinate_system
        repeat_ground_track_numbering
        pass_numbering_type
        set_pass_numbering_type
        pass_numbering
        supported_coordinate_systems
IAgVeInertia
        Ixx
        Iyy
        Izz
        Ixy
        Ixz
        Iyz
VehicleInertia
        ixx
        iyy
        izz
        ixy
        ixz
        iyz
IAgVeMassProperties
        Mass
        Inertia
VehicleMassProperties
        mass
        inertia
IAgExportToolTimePeriod
        Start
        Stop
        TimePeriodType
ExportToolTimePeriod
        start
        stop
        time_period_type
IAgExportToolStepSize
        Value
        StepSizeType
        TimeArray
ExportToolStepSize
        value
        step_size_type
        time_array
IAgVeEphemerisCode500ExportTool
        SatID
        StepSize
        TimePeriod
        Export
VehicleEphemerisCode500ExportTool
        satellite_identifer
        step_size
        time_period
        export
IAgVeEphemerisCCSDSExportTool
        Originator
        ObjectID
        ObjectName
        CentralBodyName
        ReferenceFrame
        DateFormat
        EphemerisFormat
        TimePrecision
        StepSize
        TimePeriod
        ReferenceFramesSupported
        UseSatelliteCenterAndFrame
        Export
        TimeSystem
VehicleEphemerisCCSDSExportTool
        originator
        object_identifier
        object_name
        central_body_name
        reference_frame
        date_format
        ephemeris_format
        time_precision
        step_size
        time_period
        reference_frames_supported
        use_satellite_center_and_frame
        export
        time_system
IAgVeEphemerisStkExportTool
        CoordinateSystem
        CentralBodyName
        VersionFormat
        IncludeInterp
        TimePeriod
        StepSize
        CovarianceType
        Export
        UseVehicleCentralBody
VehicleEphemerisExportTool
        coordinate_system
        central_body_name
        version_format
        include_interpolation_boundaries
        time_period
        step_size
        covariance_type
        export
        use_vehicle_central_body
IAgVeCoordinateAxes IVehicleCoordinateAxes
IAgVeCoordinateAxesCustom
        ReferenceAxesName
VehicleCoordinateAxesCustom
        reference_axes_name
IAgVeAttitudeExportTool
        CoordinateAxesType
        SetCoordinateAxesType
        CoordinateAxes
        TimePeriod
        Include
        VersionFormat
        StepSize
        SupportedCoordinateAxes
        CentralBodyName
        Export
VehicleAttitudeExportTool
        coordinate_axes_type
        set_coordinate_axes_type
        coordinate_axes
        time_period
        include
        version_format
        step_size
        supported_coordinate_axes
        central_body_name
        export
IAgVeEphemerisSpiceExportTool
        CentralBodyName
        SatID
        InterpolationType
        Interpolation
        StepSize
        TimePeriod
        Export
        UseVehicleCentralBody
VehicleEphemerisSPICEExportTool
        central_body_name
        satellite_identifer
        interpolation_type
        interpolation
        step_size
        time_period
        export
        use_vehicle_central_body
IAgVePropDefExportTool
        Export
PropagatorDefinitionExportTool
        export
IAgVeEphemerisStkBinaryExportTool
        CoordinateSystem
        CentralBodyName
        VersionFormat
        IncludeInterp
        TimePeriod
        StepSize
        CovarianceType
        Export
        UseVehicleCentralBody
VehicleEphemerisBinaryExportTool
        coordinate_system
        central_body_name
        version_format
        include_interpolation_boundaries
        time_period
        step_size
        covariance_type
        export
        use_vehicle_central_body
IAgVeEphemerisCCSDSv2ExportTool
        Originator
        ObjectID
        ObjectName
        CentralBodyName
        ReferenceFrame
        DateFormat
        EphemerisFormat
        TimePrecision
        StepSize
        TimePeriod
        ReferenceFramesSupported
        UseSatelliteCenterAndFrame
        Export
        TimeSystem
        IncludeAcceleration
        IncludeCovariance
        HasCovarianceData
        FileFormat
VehicleEphemerisCCSDSv2ExportTool
        originator
        object_identifier
        object_name
        central_body_name
        reference_frame
        date_format
        ephemeris_format
        time_precision
        step_size
        time_period
        reference_frames_supported
        use_satellite_center_and_frame
        export
        time_system
        include_acceleration
        include_covariance
        has_covariance_data
        file_format
IAgSaExportTools
        GetEphemerisCCSDSExportTool
        GetEphemerisStkExportTool
        GetEphemerisSpiceExportTool
        GetEphemerisCode500ExportTool
        GetPropDefExportTool
        GetAttitudeExportTool
        GetEphemerisStkBinaryExportTool
        GetEphemerisCCSDSv2ExportTool
SatelliteExportTools
        get_ephemeris_ccsds_export_tool
        get_ephemeris_stk_export_tool
        get_ephemeris_spice_export_tool
        get_ephemeris_code500_export_tool
        get_propagator_definition_export_tool
        get_attitude_export_tool
        get_ephemeris_stk_binary_export_tool
        get_ephemeris_ccsds_v2_export_tool
IAgSatellite
        PropagatorType
        SetPropagatorType
        Propagator
        AttitudeType
        SetAttitudeType
        IsAttitudeTypeSupported
        AttitudeSupportedTypes
        Attitude
        MassProperties
        PassBreak
        GroundEllipses
        Graphics
        VO
        AccessConstraints
        EclipseBodies
        IsPropagatorTypeSupported
        PropagatorSupportedTypes
        ExportTools
        SpaceEnvironment
        ReferenceVehicle
        RadarClutterMap
        RadarCrossSection
        UseTerrainInLightingComputations
        LightingMaxStep
        LightingMaxStepTerrain
        LightingMaxStepCbShape
        GetEOIR
Satellite
        propagator_type
        set_propagator_type
        propagator
        attitude_type
        set_attitude_type
        is_attitude_type_supported
        attitude_supported_types
        attitude
        mass_properties
        pass_break
        ground_ellipses
        graphics
        graphics_3d
        access_constraints
        eclipse_bodies
        is_propagator_type_supported
        propagator_supported_types
        export_tools
        space_environment
        reference_vehicle
        radar_clutter_map
        radar_cross_section
        use_terrain_in_lighting_computations
        lighting_maximum_step
        lighting_maximum_step_terrain
        lighting_maximum_step_central_body_shape
        get_eoir_settings
IAgLvGraphics
        AttributesType
        SetAttributesType
        IsAttributesTypeSupported
        AttributesSupportedTypes
        Attributes
        PassData
        Resolution
        ElevContours
        RangeContours
        Lighting
        Swath
        GroundEllipses
        UseInstName
        LabelNotes
        UseInstNameLabel
        LabelName
        SAA
        IsObjectGraphicsVisible
        RadarCrossSection
LaunchVehicleGraphics
        attributes_type
        set_attributes_type
        is_attributes_type_supported
        attributes_supported_types
        attributes
        pass_data
        resolution
        elevation_contours
        range_contours
        lighting
        swath
        ground_ellipses
        use_instance_name
        label_notes
        use_instance_name_label
        label_name
        saa
        show_graphics
        radar_cross_section
IAgLvVO
        Model
        TrajectorySystems
        Proximity
        ElevContours
        CovariancePointingContour
        Trajectory
        Offsets
        RangeContours
        Covariance
        Vector
        DataDisplay
        ModelPointing
        DropLines
        VaporTrail
        SAA
        VelocityCovariance
        RadarCrossSection
LaunchVehicleGraphics3D
        model
        trajectory_systems
        proximity
        elevation_contours
        covariance_pointing_contour
        trajectory
        offsets
        range_contours
        covariance
        vector
        data_display
        model_pointing
        drop_lines
        vapor_trail
        saa
        velocity_covariance
        radar_cross_section
IAgLvExportTools
        GetEphemerisStkExportTool
        GetPropDefExportTool
        GetAttitudeExportTool
        GetEphemerisStkBinaryExportTool
LaunchVehicleExportTools
        get_ephemeris_stk_export_tool
        get_propagator_definition_export_tool
        get_attitude_export_tool
        get_ephemeris_stk_binary_export_tool
IAgLaunchVehicle
        TrajectoryType
        SetTrajectoryType
        IsTrajectoryTypeSupported
        TrajectorySupportedTypes
        Trajectory
        AttitudeType
        SetAttitudeType
        IsAttitudeTypeSupported
        AttitudeSupportedTypes
        Attitude
        Graphics
        VO
        GroundEllipses
        AccessConstraints
        ExportTools
        SpaceEnvironment
        Atmosphere
        RadarClutterMap
        RadarCrossSection
        EclipseBodies
        UseTerrainInLightingComputations
        LightingMaxStep
        LaserEnvironment
        RFEnvironment
        LightingMaxStepTerrain
        LightingMaxStepCbShape
LaunchVehicle
        trajectory_type
        set_trajectory_type
        is_trajectory_type_supported
        trajectory_supported_types
        trajectory
        attitude_type
        set_attitude_type
        is_attitude_type_supported
        attitude_supported_types
        attitude
        graphics
        graphics_3d
        ground_ellipses
        access_constraints
        export_tools
        space_environment
        atmosphere
        radar_clutter_map
        radar_cross_section
        eclipse_bodies
        use_terrain_in_lighting_computations
        lighting_maximum_step
        laser_environment
        rf_environment
        lighting_maximum_step_terrain
        lighting_maximum_step_central_body_shape
IAgGvGraphics
        RadarCrossSection
GroundVehicleGraphics
        radar_cross_section
IAgGvVO
        VaporTrail
        RadarCrossSection
GroundVehicleGraphics3D
        vapor_trail
        radar_cross_section
IAgGvExportTools
        GetEphemerisStkExportTool
        GetPropDefExportTool
        GetAttitudeExportTool
        GetEphemerisStkBinaryExportTool
GroundVehicleExportTools
        get_ephemeris_stk_export_tool
        get_propagator_definition_export_tool
        get_attitude_export_tool
        get_ephemeris_stk_binary_export_tool
IAgGroundVehicle
        Graphics
        VO
        ExportTools
        Atmosphere
        RadarClutterMap
        RadarCrossSection
        LaserEnvironment
        RFEnvironment
        LightingMaxStepTerrain
        LightingMaxStepCbShape
        GetEOIR
GroundVehicle
        graphics
        graphics_3d
        export_tools
        atmosphere
        radar_clutter_map
        radar_cross_section
        laser_environment
        rf_environment
        lighting_maximum_step_terrain
        lighting_maximum_step_central_body_shape
        get_eoir_settings
IAgMsGraphics
        AttributesType
        SetAttributesType
        IsAttributesTypeSupported
        AttributesSupportedTypes
        Attributes
        PassData
        Resolution
        ElevContours
        GroundEllipses
        RangeContours
        Lighting
        Swath
        LabelNotes
        UseInstNameLabel
        LabelName
        SAA
        IsObjectGraphicsVisible
        RadarCrossSection
MissileGraphics
        attributes_type
        set_attributes_type
        is_attributes_type_supported
        attributes_supported_types
        attributes
        pass_data
        resolution
        elevation_contours
        ground_ellipses
        range_contours
        lighting
        swath
        label_notes
        use_instance_name_label
        label_name
        saa
        show_graphics
        radar_cross_section
IAgMsVO
        Model
        Proximity
        ElevContours
        CovariancePointingContour
        TrajectorySystems
        Trajectory
        Offsets
        RangeContours
        Covariance
        Vector
        DataDisplay
        ModelPointing
        DropLines
        VaporTrail
        SAA
        VelocityCovariance
        RadarCrossSection
MissileGraphics3D
        model
        proximity
        elevation_contours
        covariance_pointing_contour
        trajectory_systems
        trajectory
        offsets
        range_contours
        covariance
        vector
        data_display
        model_pointing
        drop_lines
        vapor_trail
        saa
        velocity_covariance
        radar_cross_section
IAgMsExportTools
        GetEphemerisStkExportTool
        GetPropDefExportTool
        GetAttitudeExportTool
        GetEphemerisStkBinaryExportTool
MissileExportTools
        get_ephemeris_stk_export_tool
        get_propagator_definition_export_tool
        get_attitude_export_tool
        get_ephemeris_stk_binary_export_tool
IAgMissile
        TrajectoryType
        SetTrajectoryType
        IsTrajectoryTypeSupported
        TrajectorySupportedTypes
        Trajectory
        AttitudeType
        SetAttitudeType
        IsAttitudeTypeSupported
        AttitudeSupportedTypes
        Attitude
        Graphics
        VO
        GroundEllipses
        AccessConstraints
        ExportTools
        SpaceEnvironment
        Atmosphere
        RadarClutterMap
        RadarCrossSection
        EclipseBodies
        UseTerrainInLightingComputations
        LightingMaxStep
        LaserEnvironment
        RFEnvironment
        LightingMaxStepTerrain
        LightingMaxStepCbShape
        GetEOIR
Missile
        trajectory_type
        set_trajectory_type
        is_trajectory_type_supported
        trajectory_supported_types
        trajectory
        attitude_type
        set_attitude_type
        is_attitude_type_supported
        attitude_supported_types
        attitude
        graphics
        graphics_3d
        ground_ellipses
        access_constraints
        export_tools
        space_environment
        atmosphere
        radar_clutter_map
        radar_cross_section
        eclipse_bodies
        use_terrain_in_lighting_computations
        lighting_maximum_step
        laser_environment
        rf_environment
        lighting_maximum_step_terrain
        lighting_maximum_step_central_body_shape
        get_eoir_settings
IAgAcGraphics
        ElevContours
        Swath
        RadarCrossSection
AircraftGraphics
        elevation_contours
        swath
        radar_cross_section
IAgAcVO
        Proximity
        ElevContours
        CovariancePointingContour
        DropLines
        VaporTrail
        RadarCrossSection
AircraftGraphics3D
        proximity
        elevation_contours
        covariance_pointing_contour
        drop_lines
        vapor_trail
        radar_cross_section
IAgAcExportTools
        GetEphemerisStkExportTool
        GetPropDefExportTool
        GetAttitudeExportTool
        GetEphemerisStkBinaryExportTool
AircraftExportTools
        get_ephemeris_stk_export_tool
        get_propagator_definition_export_tool
        get_attitude_export_tool
        get_ephemeris_stk_binary_export_tool
IAgAircraft
        Graphics
        VO
        ExportTools
        Atmosphere
        RadarClutterMap
        RadarCrossSection
        LaserEnvironment
        RFEnvironment
        LightingMaxStepTerrain
        LightingMaxStepCbShape
        GetEOIR
Aircraft
        graphics
        graphics_3d
        export_tools
        atmosphere
        radar_clutter_map
        radar_cross_section
        laser_environment
        rf_environment
        lighting_maximum_step_terrain
        lighting_maximum_step_central_body_shape
        get_eoir_settings
IAgShGraphics
        RadarCrossSection
ShipGraphics
        radar_cross_section
IAgShVO
        Proximity
        DropLines
        VaporTrail
        RadarCrossSection
ShipGraphics3D
        proximity
        drop_lines
        vapor_trail
        radar_cross_section
IAgShExportTools
        GetEphemerisStkExportTool
        GetPropDefExportTool
        GetAttitudeExportTool
        GetEphemerisStkBinaryExportTool
ShipExportTools
        get_ephemeris_stk_export_tool
        get_propagator_definition_export_tool
        get_attitude_export_tool
        get_ephemeris_stk_binary_export_tool
IAgShip
        Graphics
        VO
        ExportTools
        Atmosphere
        RadarClutterMap
        RadarCrossSection
        LaserEnvironment
        RFEnvironment
        LightingMaxStepTerrain
        LightingMaxStepCbShape
        GetEOIR
Ship
        graphics
        graphics_3d
        export_tools
        atmosphere
        radar_clutter_map
        radar_cross_section
        laser_environment
        rf_environment
        lighting_maximum_step_terrain
        lighting_maximum_step_central_body_shape
        get_eoir_settings
IAgMtoGfxMarker
        IsVisible
        Color
        Style
MTOGraphics2DMarker
        show_graphics
        color
        style
IAgMtoGfxLine
        IsVisible
        Color
        Style
        Width
        Translucency
        AlwayShowEntireLine
MTOGraphics2DLine
        show_graphics
        color
        style
        width
        translucency
        alway_show_entire_line
IAgMtoGfxFadeTimes
        UsePreFade
        PreFadeTime
        UsePostFade
        PostFadeTime
MTOGraphics2DFadeTimes
        use_pre_fade
        pre_fade_time
        use_post_fade
        post_fade_time
IAgMtoGfxLeadTrailTimes
        UseLeadTrail
        LeadTime
        TrailTime
MTOGraphics2DLeadTrailTimes
        use_lead_trail
        lead_time
        trail_time
IAgMtoGfxTrack
        IsVisible
        Color
        LabelVisible
        LabelColor
        Marker
        Line
        FadeTimes
        LeadTrailTimes
        RangeContours
        Id
MTOGraphics2DTrack
        show_graphics
        color
        show_label
        label_color
        marker
        line
        fade_times
        lead_trail_times
        range_contours
        identifier
IAgMtoGfxTrackCollection
        Count
        Item
        GetTrackFromId
        Recycling
MTOGraphics2DTrackCollection
        count
        item
        get_track_from_identifier
        recycling
IAgMtoDefaultGfxTrack
        IsVisible
        Color
        LabelVisible
        LabelColor
        Marker
        Line
        FadeTimes
        LeadTrailTimes
        RangeContours
MTODefaultGraphics2DTrack
        show_graphics
        color
        show_label
        label_color
        marker
        line
        fade_times
        lead_trail_times
        range_contours
IAgMtoGfxGlobalTrackOptions
        TracksVisible
MTOGraphics2DGlobalTrackOptions
        show_tracks
IAgMtoGraphics
        Tracks
        DefaultTrack
        GlobalTrackOptions
        IsObjectGraphicsVisible
MTOGraphics
        tracks
        default_track
        global_track_options
        show_graphics
IAgMtoVOModelArtic
        EnableDefaultSave
        GetTransValue
        SetTransValue
        GetAvailableArticulations
        GetAvailableTransformations
        LODCount
        ReadArticFileOnLoad
        SaveArticFileOnSave
MTOGraphics3DModelArticulation
        enable_default_save
        get_transformation_value
        set_transformation_value
        get_available_articulations
        get_available_transformations
        level_of_detail_count
        read_articulation_file_on_load
        save_articulation_file_on_save
IAgMtoVOMarker
        PixelSize
        MarkerType
        Angle
        XOrigin
        YOrigin
        MarkerData
        SetMarkerImageFile
        RotateFromNorth
        OrientationMode
MTOGraphics3DMarker
        pixel_size
        marker_type
        angle
        x_origin
        y_origin
        marker_data
        set_marker_image_filename
        rotate_from_north
        orientation_mode
IAgMtoVOPoint
        IsVisible
        Size
MTOGraphics3DPoint
        show_graphics
        size
IAgMtoVOModel
        IsVisible
        Filename
        ScaleValue
        InitialBearing
        ZPointsNadir
        Articulation
        FilePath
MTOGraphics3DModel
        show_graphics
        filename
        scale_value
        initial_bearing
        z_points_nadir
        articulation
        file_path
IAgMtoVOSwapDistances
        UseSwapDistances
        LabelFrom
        LabelTo
        ModelFrom
        ModelTo
        MarkerFrom
        MarkerTo
        PointFrom
        PointTo
MTOGraphics3DSwapDistances
        use_swap_distances
        label_from
        label_to
        model_from
        model_to
        marker_from
        marker_to
        point_from
        point_to
IAgMtoVODropLines
        Position
        Ephemeris
MTOGraphics3DDropLines
        position
        ephemeris
IAgMtoVOTrack
        IsVisible
        Marker
        Point
        Model
        Label
        SwapDistances
        RangeContours
        DropLines
        Id
        ShouldFadeOverTrailTime
MTOGraphics3DTrack
        show_graphics
        marker
        point
        model
        label
        swap_distances
        range_contours
        drop_lines
        identifier
        should_fade_over_trail_time
IAgMtoVOTrackCollection
        Count
        Item
        GetTrackFromId
        Recycling
MTOGraphics3DTrackCollection
        count
        item
        get_track_from_identifier
        recycling
IAgMtoDefaultVOTrack
        IsVisible
        Marker
        Point
        Model
        Label
        SwapDistances
        RangeContours
        DropLines
        ShouldFadeOverTrailTime
MTODefaultGraphics3DTrack
        show_graphics
        marker
        point
        model
        label
        swap_distances
        range_contours
        drop_lines
        should_fade_over_trail_time
IAgMtoVOGlobalTrackOptions
        TracksVisible
        LabelsVisible
        MarkersVisible
        LinesVisible
        PointsVisible
        OptimizeLines
MTOGraphics3DGlobalTrackOptions
        show_tracks
        show_label
        show_markers
        show_lines
        show_points
        optimize_lines
IAgMtoVO
        Tracks
        DefaultTrack
        GlobalTrackOptions
MTOGraphics3D
        tracks
        default_track
        global_track_options
IAgMtoTrackPoint
        Time
        Latitude
        Longitude
        Altitude
        Position
        Id
MTOTrackPoint
        time
        latitude
        longitude
        altitude
        position
        identifier
IAgMtoTrackPointCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
        AddPoint
        LoadPoints
        Extend
        Recycling
        InsertPoint
MTOTrackPointCollection
        count
        item
        remove_at
        remove_all
        add
        add_point
        load_points
        extend
        recycling
        insert_point
IAgMtoTrack
        Name
        Interpolate
        Id
        Points
MTOTrack
        name
        interpolate
        identifier
        points
IAgMtoTrackCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
        AddTrack
        LoadCommandFile
        GetTrackFromId
        Recycling
        Remove
        RemoveById
        AddTracks
        RemoveTracks
        RemoveTracksById
        AddTracksWithPosData
        ExtendTracksWithPosData
        SetInputDataVGTSystem
        ClearInputDataVGTSystem
MTOTrackCollection
        count
        item
        remove_at
        remove_all
        add
        add_track
        load_command_file
        get_track_from_identifier
        recycling
        remove
        remove_by_identifier
        add_tracks
        remove_tracks
        remove_tracks_by_identifier
        add_tracks_with_position_data
        extend_tracks_with_position_data
        set_input_data_vector_geometry_tool_system_name
        clear_input_data_system
IAgMtoDefaultTrack
        Name
        Interpolate
MTODefaultTrack
        name
        interpolate
IAgMtoGlobalTrackOptions
        SaveTrackData
        ComputationTrackId
        BlockSize
        AltitudeRef
        IsStatic
        PruneMaxNumPts
MTOGlobalTrackOptions
        save_track_data
        computation_track_identifier
        block_size
        altitude_reference
        is_static
        maximum_number_of_points_before_pruning
IAgMtoAnalysisPosition
        AltRef
        ComputeAllTracks
        ComputeTracks
        ComputeTrack
MTOAnalysisPosition
        altitude_reference
        compute_all_tracks
        compute_tracks
        compute_track
IAgMtoAnalysisVisibility
        IsAnyTrackVisible
        AreAllTracksVisible
        UseTerrain
        Entirety
        ObjectInterval
        ObjectData
        IsTrackVisible
        StkObjectPath
        AreTracksVisible
        ComputeTracks
        ComputeAllTracks
MTOAnalysisVisibility
        show_any_track
        are_all_tracks_visible
        use_terrain
        entirety
        object_interval
        object_data
        show_track
        object_path
        are_tracks_visible
        compute_tracks
        compute_all_tracks
IAgMtoAnalysisFieldOfView
        IsAnyTrackInFOV
        AreAllTracksInFOV
        IsTrackInFOV
        ComputeTracks
        ComputeAllTracks
        Sensor
        Entirety
        AreTracksInFOV
MTOAnalysisFieldOfView
        is_any_track_in_field_of_view
        are_all_tracks_in_field_of_view
        is_track_in_field_of_view
        compute_tracks
        compute_all_tracks
        sensor
        entirety
        are_tracks_in_field_of_view
IAgMtoAnalysisRange
        LowerLimit
        UpperLimit
        ObjectInterval
        ObjectData
        StkObjectPath
        IsAnyTrackInRange
        AreAllTracksInRange
        IsTrackInRange
        ComputeRanges
        ComputeAllRanges
        Entirety
        AreTracksInRange
MTOAnalysisRange
        lower_limit
        upper_limit
        object_interval
        object_data
        object_path
        is_any_track_in_range
        are_all_tracks_in_range
        is_track_in_range
        compute_ranges
        compute_all_ranges
        entirety
        are_tracks_in_range
IAgMtoAnalysis
        Position
        Range
        FieldOfView
        Visibility
MTOAnalysis
        position
        range
        field_of_view
        visibility
IAgMto
        Tracks
        DefaultTrack
        GlobalTrackOptions
        Graphics
        VO
        Analysis
MTO
        tracks
        default_track
        global_track_options
        graphics
        graphics_3d
        analysis
IAgLtGraphics
        LabelName
        BoundingRectVisible
        LineWidth
        LineStyle
        LinePtsVisible
        UseInstNameLabel
        LabelVisible
        LabelColor
        MarkerStyle
        Color
        Inherit
        LabelNotes
        IsObjectGraphicsVisible
LineTargetGraphics
        label_name
        show_bounding_rectangle
        line_width
        line_style
        show_line_points
        use_instance_name_label
        show_label
        label_color
        marker_style
        color
        inherit
        label_notes
        show_graphics
IAgLtVO
        EnableLabelMaxViewingDist
        LabelMaxViewingDist
        BorderWall
        Vector
LineTargetGraphics3D
        enable_label_max_viewing_dist
        label_maximum_viewing_dist
        border_wall
        vector
IAgLtPoint
        Lat
        Lon
LineTargetPoint
        latitude
        longitude
IAgLtPointCollection
        Count
        Item
        Add
        Remove
        RemoveAll
        AnchorPoint
LineTargetPointCollection
        count
        item
        add
        remove
        remove_all
        anchor_point
IAgLineTarget
        Points
        Graphics
        VO
        AccessConstraints
        AllowObjectAccess
LineTarget
        points
        graphics
        graphics_3d
        access_constraints
        allow_object_access
IAgChGfxStatic
        IsVisible
        Color
        LineWidth
ChainGraphics2DStatic
        show_graphics
        color
        line_width
IAgChGfxAnimation
        IsHighlightVisible
        IsLineVisible
        IsDirectionVisible
        Color
        LineWidth
        OptimalPathIsLineVisible
        OptimalPathColor
        OptimalPathLineWidth
        UseHideAnimationGfxIfMoreThanNStrands
        HideAnimationGfxIfMoreThanNStrandsNum
        NumberOfOptStrandsToDisplay
        OptimalPathColorRampStartColor
        OptimalPathColorRampEndColor
ChainGraphics2DAnimation
        show_highlight
        show_line
        show_link_numbers_in_strands
        color
        line_width
        show_optimal_path_line
        optimal_path_color
        optimal_path_line_width
        use_hide_animation_graphics_2d_if_more_than_n_strands
        hide_animation_graphics_2d_if_more_than_n_strands_number
        number_of_optimal_strands_to_display
        optimal_path_color_ramp_start_color
        optimal_path_color_ramp_end_color
IAgChGraphics
        Static
        Animation
        IsObjectGraphicsVisible
        IsObjectGraphicsVisibleIn2D
ChainGraphics
        static
        animation_settings
        show_graphics
        show_graphics_2d
IAgChVO
        DataDisplay
ChainGraphics3D
        data_display
IAgAccessEventDetection
        Type
        SetType
        IsTypeSupported
        SupportedTypes
        Strategy
AccessEventDetection
        type
        set_type
        is_type_supported
        supported_types
        strategy
IAgAccessSampling
        Type
        SetType
        IsTypeSupported
        SupportedTypes
        Strategy
AccessSampling
        type
        set_type
        is_type_supported
        supported_types
        strategy
IAgChConnectionCollection
        Count
        Item
        ItemByFromToObjects
        RemoveAt
        Remove
        Add
        AddWithParentRestriction
        Clear
ChainConnectionCollection
        count
        item
        item_by_from_to_objects
        remove_at
        remove
        add
        add_with_parent_restriction
        clear
IAgChTimePeriodBase
        Type
IChainTimePeriod
        type
IAgChUserSpecifiedTimePeriod
        TimeInterval
ChainUserSpecifiedTimePeriod
        time_interval
IAgChConstraints
        UseMinAngle
        MinAngle
        UseMaxAngle
        MaxAngle
        UseMinLinkTime
        MinLinkTime
        UseLoadIntervalFile
        LoadIntervalFile
ChainConstraints
        use_minimum_angle
        minimum_angle
        use_maximum_angle
        maximum_angle
        use_minimum_link_time
        minimum_link_time
        filter_access_intervals_by_file
        load_interval_file
IAgChConnection
        FromObject
        ToObject
        MinNumUses
        MaxNumUses
        ParentPlatformRestriction
ChainConnection
        from_object
        to_object
        min_num_uses
        max_num_uses
        parent_platform_restriction
IAgChOptimalStrandOpts
        Compute
        SamplingTimeStep
        IncludeAccessEdgeTimesInSamples
        NumStrandsToStore
        Type
        LinkComparisonType
        StrandComparisonType
        CalcScalarType
        CalcScalarName
        CalcScalarFileName
ChainOptimalStrandOpts
        compute
        sampling_time_step
        include_access_edge_times_in_samples
        num_strands_to_store
        type
        link_comparison_type
        strand_comparison_type
        calc_scalar_type
        calc_scalar_name
        calc_scalar_file_name
IAgChain
        Objects
        AutoRecompute
        TimePeriodType
        SetTimePeriodType
        TimePeriod
        DataSaveMode
        SetAccessIntervalsFile
        ResetAccessIntervalsFile
        AccessIntervalsFile
        EnableLightTimeDelay
        MaxTimeStep
        TimeConvergence
        Constraints
        Graphics
        VO
        ComputeAccess
        ClearAccess
        EventDetection
        Sampling
        DetectEventsBasedOnSamplesOnly
        ConstConstraintsMode
        KeepEmptyStrands
        AllowDupObjsInStrands
        CovAssetMode
        StartObject
        EndObject
        MaxStrandDepth
        Connections
        OptimalStrandOpts
Chain
        objects
        recompute_automatically
        time_period_type
        set_time_period_type
        time_period
        data_save_mode
        set_access_intervals_file
        reset_access_intervals_file
        access_intervals_filename
        enable_light_time_delay
        maximum_time_step
        time_convergence
        constraints
        graphics
        graphics_3d
        compute_access
        clear_access
        event_detection
        sampling
        detect_events_based_on_samples_only
        const_constraints_mode
        keep_empty_strands
        allow_duplicate_objects_in_strands
        coverage_asset_mode
        start_object
        end_object
        max_strand_depth
        connections
        optimal_strand_opts
IAgCvGfxStatic
        IsRegionVisible
        IsPointsVisible
        IsLabelsVisible
        Color
        FillPoints
        MarkerStyle
        FillTranslucency
CoverageGraphics2DStatic
        show_region
        show_points
        show_labels
        color
        fill_points
        marker_style
        fill_translucency
IAgCvGfxAnimation
        IsSatisfactionVisible
        Color
        FillTranslucency
CoverageGraphics2DAnimation
        show_satisfaction
        color
        fill_translucency
IAgCvGfxProgress
        IsVisible
        Color
CoverageGraphics2DProgress
        show_graphics
        color
IAgCvGraphics
        Static
        Animation
        Progress
        IsObjectGraphicsVisible
CoverageGraphics
        static
        animation_settings
        progress
        show_graphics
IAgCvVOAttributes
        IsVisible
        Translucency
        PointSize
CoverageGraphics3DAttributes
        show_graphics
        translucency
        point_size
IAgCvVO
        Static
        Animation
        Granularity
        ShowAtAlt
        DrawAtAltMode
        AutoGranularity
CoverageGraphics3D
        static
        animation_graphics_3d_settings
        granularity
        show_at_altitude
        draw_at_altitude_mode
        automatic_computation_of_granularity
IAgCvSelectedGridPoint
        Latitude
        Longitude
        Intervals
CoverageSelectedGridPoint
        latitude
        longitude
        intervals
IAgCvGridPointSelection
        ToArray
        Count
        Item
CoverageGridPointSelection
        to_array
        count
        item
IAgCvGridInspector
        SelectPoint
        SelectRegion
        PointCoverage
        PointDailyCoverage
        PointProbOfCoverage
        RegionCoverage
        RegionFullCoverage
        RegionPassCoverage
        ClearSelection
        Message
        GetGridPointSelection
CoverageGridInspector
        select_point
        select_region
        point_coverage
        point_daily_coverage
        point_probability_of_coverage
        region_coverage
        region_full_coverage
        region_pass_coverage
        clear_selection
        message
        get_grid_point_selection
IAgCvRegionFilesCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
        Remove
CoverageRegionFilesCollection
        count
        item
        remove_at
        remove_all
        add
        remove
IAgCvAreaTargetsCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
        Remove
        AvailableAreaTargets
CoverageAreaTargetsCollection
        count
        item
        remove_at
        remove_all
        add
        remove
        available_area_targets
IAgCvEllipse
        SemiMajorAxis
        SemiMinorAxis
        Bearing
        Center
CoverageEllipse
        semi_major_axis
        semi_minor_axis
        bearing
        center
IAgCvEllipseCollection
        Count
        Item
        Add
        RemoveAt
        RemoveAll
CoverageEllipseCollection
        count
        item
        add
        remove_at
        remove_all
IAgCvLatLonBox
        LongitudeSpan
        LatitudeSpan
        Center
CoverageLatLonBox
        longitude_span
        latitude_span
        center
IAgCvLatLonBoxCollection
        Count
        Item
        Add
        RemoveAt
        RemoveAll
CoverageLatLonBoxCollection
        count
        item
        add
        remove_at
        remove_all
IAgCvPointFileListCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
        Remove
CoveragePointFileListCollection
        count
        item
        remove_at
        remove_all
        add
        remove
IAgCvBounds ICoverageBounds
IAgCvBoundsCustomBoundary
        RegionFiles
        BoundaryObjects
CoverageBoundsCustomBoundary
        region_files
        boundary_objects
IAgCvBoundsCustomRegions
        RegionFiles
        AreaTargets
        CheckForHoles
        SmallRegionAlgorithm
        Ellipses
        Boxes
CoverageBoundsCustomRegions
        region_files
        area_targets
        check_for_holes
        small_region_algorithm
        ellipses
        boxes
IAgCvBoundsGlobal CoverageBoundsGlobal
IAgCvBoundsLat
        MinLatitude
        MaxLatitude
CoverageBoundsLatitude
        minimum_latitude
        maximum_latitude
IAgCvBoundsLatLine
        StartLongitude
        StopLongitude
        Latitude
CoverageBoundsLatitudeLine
        start_longitude
        stop_longitude
        latitude
IAgCvBoundsLonLine
        MinLatitude
        MaxLatitude
        Longitude
CoverageBoundsLongitudeLine
        minimum_latitude
        maximum_latitude
        longitude
IAgCvBoundsLatLonRegion
        MinLatitude
        MaxLatitude
        MinLongitude
        MaxLongitude
CoverageBoundsLatitudeLongitudeRegion
        minimum_latitude
        maximum_latitude
        minimum_longitude
        maximum_longitude
IAgCvResolution ICoverageResolution
IAgCvResolutionArea
        Area
CoverageResolutionArea
        area
IAgCvResolutionDistance
        Distance
CoverageResolutionDistance
        distance
IAgCvResolutionLatLon
        LatLon
CoverageResolutionLatLon
        latitude_longitude
IAgCvGrid
        BoundsType
        Bounds
        ResolutionType
        Resolution
CoverageGrid
        bounds_type
        bounds
        resolution_type
        resolution
IAgCvPointDefinition
        PointLocationMethod
        PointFileList
        GridClass
        UseGridSeed
        UseObjectAsSeed
        AltitudeMethod
        Altitude
        SeedInstance
        AvailableSeeds
        SetPointsLLA
        GroundAltitudeMethod
        GroundAltitude
        PointAltitudeMethod
CoveragePointDefinition
        point_location_method
        point_file_list
        grid_class
        use_grid_seed
        use_object_as_seed
        altitude_method
        altitude
        seed_instance
        available_seeds
        set_points_detic
        ground_altitude_method
        ground_altitude
        point_altitude_method
IAgCvAssetListElement
        AssetStatus
        Grouping
        ObjectName
        ContainsSubAssets
        SubAssetList
        Required
        UseConstConstraints
CoverageAssetListElement
        asset_status
        grouping
        object_name
        contains_sub_assets
        sub_asset_list
        required
        use_constellation_constraints
IAgCvAdvanced
        DataRetention
        AutoRecompute
        SaveMode
        RegionAccessAcceleration
        EnableLightTimeDelay
        EventDetection
        Sampling
        NAssetsSatisfactionThreshold
        NAssetsSatisfactionType
CoverageAdvancedSettings
        data_retention
        recompute_automatically
        save_mode
        region_access_acceleration
        enable_light_time_delay
        event_detection
        sampling
        n_assets_satisfaction_threshold
        n_assets_satisfaction_type
IAgCvInterval
        UseScenarioInterval
        AnalysisInterval
CoverageInterval
        use_scenario_interval
        analysis_interval
IAgCoverageDefinition
        Grid
        PointDefinition
        AssetList
        Advanced
        Interval
        Graphics
        VO
        ComputeAccesses
        ClearAccesses
        ReloadAccesses
        ExportAccessesAsText
        GridInspector
CoverageDefinition
        grid
        point_definition
        asset_list
        advanced
        interval
        graphics
        graphics_3d
        compute_accesses
        clear_accesses
        reload_accesses
        export_accesses_as_text
        grid_inspector
IAgFmVOLegendWindow
        IsVisibleOnMap
        PositionOnMap
        Translucency
FigureOfMeritGraphics3DLegendWindow
        show_on_map
        position_on_map
        translucency
IAgFmGfxRampColor
        StartColor
        EndColor
FigureOfMeritGraphics2DRampColor
        start_color
        end_color
IAgFmGfxLevelAttributesElement
        Level
        Color
FigureOfMeritGraphics2DLevelAttributesElement
        level
        color
IAgFmGfxLevelAttributesCollection
        Count
        Item
        RemoveAt
        RemoveAll
        AddLevelRange
        AddLevel
FigureOfMeritGraphics2DLevelAttributesCollection
        count
        item
        remove_at
        remove_all
        add_level_range
        add_level
IAgFmGfxPositionOnMap
        X
        Y
FigureOfMeritGraphics2DPositionOnMap
        x
        y
IAgFmGfxLegendWindow
        IsVisibleOnMap
        PositionOnMap
FigureOfMeritGraphics2DLegendWindow
        show_on_map
        position_on_map
IAgFmGfxColorOptions
        Background
        Text
        BackgroundColor
        TextColor
FigureOfMeritGraphics2DColorOptions
        background
        text
        background_color
        text_color
IAgFmGfxTextOptions
        Title
        NumDecimalDigits
        FloatingPointFormat
FigureOfMeritGraphics2DTextOptions
        title
        number_of_decimal_digits
        floating_point_format
IAgFmGfxRangeColorOptions
        Direction
        MaxSquaresPerRow
        MaxSquaresPerColumn
        ColorSquareWidth
        ColorSquareHeight
FigureOfMeritGraphics2DRangeColorOptions
        direction
        maximum_squares_per_row
        maximum_squares_per_column
        color_square_width
        color_square_height
IAgFmGfxLegend
        ColorOptions
        TextOptions
        RangeColorOptions
        GfxWindow
        VOWindow
FigureOfMeritGraphics2DLegend
        color_options
        text_options
        range_color_options
        graphics_2d_window
        graphics_3d_window
IAgFmGfxContours
        IsVisible
        ContourType
        ColorMethod
        RampColor
        LevelAttributes
        Legend
        ShowUpToMaxOnly
        ShowContourLines
        LineWidth
        UseStaticContours
        LineStyle
IFigureOfMeritGraphics2DContours
        show_graphics
        contour_type
        color_method
        ramp_color
        level_attributes
        legend
        show_up_to_maximum_only
        show_contour_lines
        line_width
        use_static_contours
        line_style
IAgFmGfxAttributes
        IsVisible
        Color
        FillPoints
        MarkerStyle
        Contours
        FillTranslucency
IFigureOfMeritGraphics2DAttributes
        show_graphics
        color
        fill_points
        marker_style
        contours
        fill_translucency
IAgFmGfxContoursAnimation FigureOfMeritGraphics2DContoursAnimation
IAgFmGfxAttributesAnimation
        Accumulation
FigureOfMeritGraphics2DAttributesAnimation
        accumulation
IAgFmVOAttributes
        IsVisible
        Translucency
        PointSize
FigureOfMeritGraphics3DAttributes
        show_graphics
        translucency
        point_size
IAgFmVO
        Static
        Animation
        Granularity
        PixelsPerDeg
FigureOfMeritGraphics3D
        static
        animation_graphics_3d_settings
        granularity
        pixels_per_degree
IAgFmDefScalarCalculation
        TimeStep
        CalcScalar
        ShouldUpdateAccesses
FigureOfMeritDefinitionScalarCalculation
        time_step
        calculation_scalar
        should_update_accesses
IAgFmGridInspector
        SelectPoint
        ClearSelection
        SelectRegion
        RegionFOM
        RegionSatisfaction
        PointFOM
        PointSatisfaction
        Message
FigureOfMeritGridInspector
        select_point
        clear_selection
        select_region
        region_figure_of_merit
        region_satisfaction
        point_figure_of_merit
        point_satisfaction
        message
IAgFmNAMethod IFigureOfMeritNavigationAccuracyMethod
IAgFmNAMethodElevationAngle
        Filename
        FilePath
FigureOfMeritNavigationAccuracyMethodElevationAngle
        filename
        file_path
IAgFmNAMethodConstant
        Value
FigureOfMeritNavigationAccuracyMethodConstant
        value
IAgFmAssetListElement
        MethodType
        Method
        Asset
FigureOfMeritAssetListElement
        method_type
        method
        asset
IAgFmAssetListCollection
        Count
        Item
FigureOfMeritAssetListCollection
        count
        item
IAgFmUncertainties
        ReceiverRange
        AssetList
FigureOfMeritUncertainties
        receiver_range
        asset_list
IAgFmSatisfaction
        EnableSatisfaction
        SatisfactionType
        SatisfactionThreshold
        InvalidDataIndicator
        UseValueRangeCheck
        MinValueRange
        MaxValueRange
        ExcludeValueRange
FigureOfMeritSatisfaction
        enable_satisfaction
        satisfaction_type
        satisfaction_threshold
        invalid_data_indicator
        use_value_range_check
        minimum_value_range
        maximum_value_range
        exclude_value_range
IAgFmDefinitionData IFigureOfMeritDefinitionData
IAgFmDefDataMinMax
        MinValue
        MaxValue
FigureOfMeritDefinitionDataMinimumMaximum
        minimum_value
        maximum_value
IAgFmDefDataPercentLevel
        PercentLevel
FigureOfMeritDefinitionDataPercentLevel
        percent_level
IAgFmDefDataMinAssets
        MinAssets
FigureOfMeritDefinitionDataMinimumNumberOfAssets
        minimum_assets
IAgFmDefDataBestN
        BestN
        BestNMetric
        IsBestNMetricSupported
        BestNMetricSupportedTypes
FigureOfMeritDefinitionDataBestN
        best_n
        best_n_metric
        is_best_n_metric_supported
        best_n_metric_supported_types
IAgFmDefDataBest4
        Best4Metric
        IsBest4MetricSupported
        Best4MetricSupportedTypes
FigureOfMeritDefinitionDataBest4
        best_4_metric
        is_best_4_metric_supported
        best_4_metric_supported_types
IAgFmDefResponseTime
        MinAssets
IFigureOfMeritDefinitionResponseTime
        minimum_assets
IAgFmDefRevisitTime
        EndGapOption
FigureOfMeritDefinitionRevisitTime
        end_gap_option
IAgFmDefSimpleCoverage FigureOfMeritDefinitionSimpleCoverage
IAgFmDefTimeAverageGap FigureOfMeritDefinitionTimeAverageGap
IAgFmDefDilutionOfPrecision
        Method
        SetMethod
        IsMethodSupported
        SupportedMethods
        Type
        SetType
        IsTypeSupported
        SupportedTypes
        TimeStep
        TypeData
        InvalidValueAction
IFigureOfMeritDefinitionDilutionOfPrecision
        method
        set_method
        is_method_supported
        supported_methods
        type
        set_type
        is_type_supported
        supported_types
        time_step
        type_data
        invalid_value_action
IAgFmDefNavigationAccuracy
        Uncertainties
FigureOfMeritDefinitionNavigationAccuracy
        uncertainties
IAgFmDefAccessSeparation
        MinMaxData
FigureOfMeritDefinitionAccessSeparation
        minimum_maximum_data
IAgFigureOfMerit
        DefinitionType
        SetDefinitionType
        IsDefinitionTypeSupported
        DefinitionSupportedTypes
        Definition
        SetAccessConstraintDefinition
        Graphics
        VO
        GridInspector
        SetAccessConstraintDefinitionName
        SetScalarCalculationDefinition
FigureOfMerit
        definition_type
        set_definition_type
        is_definition_type_supported
        definition_supported_types
        definition
        set_access_constraint_definition
        graphics
        graphics_3d
        grid_inspector
        set_access_constraint_definition_name
        set_scalar_calculation_definition
IAgFmDefSystemResponseTime
        CommandStationPath
        ReceiveStationPath
        CommandPerpTime
        CommandingTime
        PreCollectionTime
        CollectionTime
        PostCollectionTime
        DownlinkTime
        AllowForwardCrosslink
        TimeStep
FigureOfMeritDefinitionSystemResponseTime
        command_station_path
        receive_station_path
        command_preparation_time
        commanding_time
        pre_collection_time
        collection_time
        post_collection_time
        downlink_time
        allow_forward_crosslink
        time_step
IAgFmDefAgeOfData
        MinAssets
FigureOfMeritDefinitionAgeOfData
        minimum_assets
IAgFmDefSystemAgeOfData
        CommandStationPath
        ReceiveStationPath
        CommandPrepTime
        CommandingTime
        PreCollectionTime
        CollectionTime
        PostCollectionTime
        DownlinkTime
        AllowForwardCrosslink
        TimeStep
FigureOfMeritDefinitionSystemAgeOfData
        command_station_path
        receive_station_path
        command_preparation_time
        commanding_time
        pre_collection_time
        collection_time
        post_collection_time
        downlink_time
        allow_forward_crosslink
        time_step
IAgCnCnstrRestriction IConstellationConstraintRestriction
IAgCnCnstrObjectRestriction
        NumberOfObjects
ConstellationConstraintObjectRestriction
        number_of_objects
IAgCnConstraints
        FromParentConstraint
        ToParentConstraint
        FromRestrictionType
        SetFromRestrictionType
        FromRestriction
        ToRestrictionType
        SetToRestrictionType
        ToRestriction
ConstellationConstraints
        from_parent_constraint
        to_parent_constraint
        from_restriction_type
        set_from_restriction_type
        from_restriction
        to_restriction_type
        set_to_restriction_type
        to_restriction
IAgCnGraphics
        HideGraphics
        RestoreGraphics
ConstellationGraphics
        hide_graphics
        restore_graphics
IAgCnRouting
        UseRoutingFile
        RoutingFile
ConstellationRouting
        use_routing_file
        routing_filename
IAgConstellation
        Objects
        Constraints
        Graphics
        Routing
Constellation
        objects
        constraints
        graphics
        routing
IAgEventDetectionStrategy IEventDetectionStrategy
IAgEventDetectionNoSubSampling EventDetectionNoSubSampling
IAgEventDetectionSubSampling
        TimeConvergence
        AbsValueConvergence
        RelValueConvergence
EventDetectionSubSampling
        time_convergence
        absolute_value_convergence
        relative_value_convergence
IAgSamplingMethodStrategy ISamplingMethodStrategy
IAgSamplingMethodAdaptive
        MaxTimeStep
        MinTimeStep
SamplingMethodAdaptive
        maximum_time_step
        minimum_time_step
IAgSamplingMethodFixedStep
        FixedTimeStep
        TimeBound
SamplingMethodFixedStep
        fixed_time_step
        time_bound
IAgSpEnvRadEnergyMethodSpecify
        ElectronEnergies
        ProtonEnergies
SpaceEnvironmentRadiationEnergyMethodEnergies
        electron_energies
        proton_energies
IAgSpEnvRadEnergyValues
        UseDefault
        Custom
SpaceEnvironmentRadiationEnergyValues
        use_default
        custom
IAgSpEnvRadiationEnvironment
        CrresProtonActivity
        CrresRadiationActivity
        NasaEnergyValues
        GetCrresElectronEnergies
        GetCrresProtonEnergies
        GetNasaElectronEnergies
        GetNasaProtonEnergies
        NasaModelsActivity
SpaceEnvironmentRadiationEnvironment
        crres_proton_activity
        crres_radiation_activity
        nasa_energy_values
        get_crres_electron_energies
        get_crres_proton_energies
        get_nasa_electron_energies
        get_nasa_proton_energies
        nasa_models_activity
IAgSpEnvMagFieldGfx
        IsMagFieldVisible
        ColorMode
        ColorScale
        FieldLineRefresh
        ColorRampStart
        ColorRampStop
        LineStyle
        LineWidth
        RefLongitude
        StartLatitude
        StopLatitude
        NumFieldLines
        NumLongitudes
        MainField
        ExternalField
        IGRF_UpdateRate
        ComputeBField
        ComputeBFieldAsArray
        ComputeDipoleL
        ComputeMcIlwainL
        ComputeBBeq
        MaxTranslucency
        ColorRampStartColor
        ColorRampStopColor
SpaceEnvironmentMagnitudeFieldGraphics2D
        show_magnetic_field
        color_mode
        color_scale
        field_line_refresh
        color_ramp_start
        color_ramp_stop
        line_style
        line_width
        reference_longitude
        start_latitude
        stop_latitude
        number_of_field_lines
        number_of_longitudes
        main_field
        external_field
        igrf_update_rate
        compute_b_field
        compute_b_field_as_array
        compute_dipole__shell
        compute_mcilwain_l_shell
        compute_b_over_beq
        maximum_translucency
        color_ramp_start_color
        color_ramp_stop_color
IAgSpEnvScenExtVO
        MagneticField
SpaceEnvironmentScenarioGraphics3D
        magnetic_field
IAgSpEnvSAAContour
        Channel
        FluxLevel
        ComputeSAAFluxIntensity
SpaceEnvironmentSAAContour
        channel
        flux_level
        compute_saa_flux_intensity
IAgVeSpEnvMagneticField
        MainField
        ExternalField
        IGRF_UpdateRate
        ComputeBField
        ComputeBFieldAsArray
        ComputeDipoleL
        ComputeMcIlwainL
        ComputeBBeq
SpaceEnvironmentMagneticField
        main_field
        external_field
        igrf_update_rate
        compute_b_field
        compute_b_field_as_array
        compute_dipole_l_shell
        compute_mcilwain_l_shell
        compute_b_over_beq
IAgVeSpEnvVehTemperature
        EarthAlbedo
        MaterialEmissivity
        MaterialAbsorptivity
        Dissipation
        CrossSectionalArea
        ShapeModel
        NormalVector
        ComputeTemperature
SpaceEnvironmentVehicleTemperature
        earth_albedo
        material_emissivity
        material_absorptivity
        dissipation
        cross_sectional_area
        shape_model
        normal_vector
        compute_temperature
IAgVeSpEnvParticleFlux
        F10p7Source
        F10p7
        Material
        Area
        PitDepth
        UseSporadicMeteors
        MaterialDensity
        TensileStrength
        FluxFile
        GetParticleMassArray
        ComputeMeteorImpactFlux
        ComputeMeteorDamageImpactFlux
        ComputeMeteorImpactFluxDistribution
        ComputeMeteorDamageImpactFluxDistribution
        ComputeDebrisImpactFlux
        ComputeDebrisDamageImpactFlux
        ComputeDebrisImpactFluxDistribution
        ComputeDebrisDamageImpactFluxDistribution
SpaceEnvironmentParticleFlux
        f10p7_source
        f10p7
        material
        area
        pit_depth
        use_sporadic_meteors
        material_density
        tensile_strength
        flux_filename
        get_particle_mass_array
        compute_meteor_impact_flux
        compute_meteor_damage_impact_flux
        compute_meteor_impact_flux_distribution
        compute_meteor_damage_impact_flux_distribution
        compute_debris_impact_flux
        compute_debris_damage_impact_flux
        compute_debris_impact_flux_distribution
        compute_debris_damage_impact_flux_distribution
IAgVeSpEnvRadDoseRateElement
        ShieldingThickness
        IsElectronDoseRateValid
        ElectronDoseRate
        IsElectronBremsstrahlungDoseRateValid
        ElectronBremsstrahlungDoseRate
        IsProtonDoseRateValid
        ProtonDoseRate
        IsTotalDoseRateValid
        TotalDoseRate
SpaceEnvironmentRadiationDoseRateElement
        shielding_thickness
        is_electron_dose_rate_valid
        electron_dose_rate
        is_electron_bremsstrahlung_dose_rate_valid
        electron_bremsstrahlung_dose_rate
        is_proton_dose_rate_valid
        proton_dose_rate
        is_total_dose_rate_valid
        total_dose_rate
IAgVeSpEnvRadDoseRateCollection
        Count
        Item
SpaceEnvironmentRadiationDoseRateCollection
        count
        item
IAgVeSpEnvRadiation
        ComputationMode
        FluxStatus
        DoseChannel
        UseNuclearAttenuation
        DetectorType
        ShieldingThicknesses
        ApSource
        Ap
        FluxFile
        IncludeNuclearAttenNeutrons
        GetElectronEnergies
        GetProtonEnergies
        ComputeElectronFluxes
        ComputeProtonFluxes
        ComputeDoseRates
        DetectorGeometry
        ComputeElectronIntegralFluxes
        ComputeProtonIntegralFluxes
        UseModelEpoch
        ShiftSAA
        DoseIntegrationStep
        DoseReportStep
SpaceEnvironmentRadiation
        computation_mode
        flux_status
        dose_channel
        use_nuclear_attenuation
        detector_type
        shielding_thicknesses
        ap_source
        ap
        flux_filename
        include_nuclear_attenuation_neutrons
        get_electron_energies
        get_proton_energies
        compute_electron_fluxes
        compute_proton_fluxes
        compute_dose_rates
        detector_geometry
        compute_electron_integral_fluxes
        compute_proton_integral_fluxes
        use_model_epoch
        shift_saa
        dose_integration_step
        dose_report_step
IAgVeSpEnvMagFieldLine
        Is2DVisible
        Is3DVisible
        Color
        LineStyle
        LineWidth
        LabelVisible
SpaceEnvironmentMagnitudeFieldLine
        show_graphics_2d
        show_graphics_3d
        color
        line_style
        line_width
        show_label
IAgVeSpEnvGraphics
        MagFieldLine
SpaceEnvironmentGraphics
        magnetic_field_line
IAgStkPreferencesVDF
        SaveScenarioAsVDF
        BaseDirectory
PreferencesVDF
        save_scenario_as_vdf
        base_directory
IAgStkPreferencesConnect
        AllowConnect
        AllowAsync
        MaxConnections
        PollPeriod
        Socket
        AcknowledgeMessageReceipt
        ErrorNotifyMode
        WildcardIgnoreNack
        Verbose
        AllowLogging
        LogFile
        AllowExtConnect
PreferencesConnect
        allow_connect
        allow_asynchronous_communications
        maximum_connections
        polling_period
        socket
        acknowledge_message_receipt
        error_notify_mode
        wildcard_ignore_nack
        verbose
        allow_logging
        log_filename
        allow_external_connect
IAgStkPreferencesPythonPlugins
        AccessConstraintPaths
        EphemerisFileReaderPaths
PreferencesPythonPlugins
        access_constraint_paths
        ephemeris_file_reader_paths
IAgPathCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
        Remove
PathCollection
        count
        item
        remove_at
        remove_all
        add
        remove
IAgVeAttMaximumSlewRate
        Magnitude
        PerAxisXEnabled
        PerAxisYEnabled
        PerAxisZEnabled
        PerAxisX
        PerAxisY
        PerAxisZ
VehicleAttitudeMaximumSlewRate
        magnitude
        slew_rate_along_x_axis_enabled
        slew_rate_along_y_axis_enabled
        slew_rate_along_z_axis_enabled
        slew_rate_along_x_axis
        slew_rate_along_y_axis
        slew_rate_along_z_axis
IAgVeAttMaximumSlewAcceleration
        Magnitude
        PerAxisXAccelEnabled
        PerAxisYAccelEnabled
        PerAxisZAccelEnabled
        PerAxisXAccel
        PerAxisYAccel
        PerAxisZAccel
VehicleAttitudeMaximumSlewAcceleration
        magnitude
        slew_acceleration_along_x_axis_enabled
        slew_acceleration_along_y_axis_enabled
        slew_acceleration_along_z_axis_enabled
        slew_acceleration_along_x_axis
        slew_acceleration_along_y_axis
        slew_acceleration_along_z_axis
IAgVeAttSlewBase
        Type
IVehicleAttitudeSlewBase
        type
IAgVeAttSlewConstrained
        MaximumSlewTime
        SlewTimingBetweenTargets
        MaximumSlewRate
        MaximumSlewAcceleration
VehicleAttitudeSlewConstrained
        maximum_slew_time
        slew_timing_between_targets
        maximum_slew_rate
        maximum_slew_acceleration
IAgVeAttSlewFixedRate
        MaximumSlewTime
        SlewTimingBetweenTargets
        MaximumSlewRate
VehicleAttitudeSlewFixedRate
        maximum_slew_time
        slew_timing_between_targets
        maximum_slew_rate
IAgVeAttSlewFixedTime
        SlewTime
        MatchAngularVelocity
VehicleAttitudeSlewFixedTime
        slew_time
        match_angular_velocity
IAgVmGridDefinition IVolumetricGridDefinition
IAgVmAnalysisInterval
        AnalysisInterval
        EvaluationOfSpatialCalcType
        SetEvaluationOfSpatialCalcType
        TimeArray
        StepSize
        AvailableAnalysisIntervals
        AvailableTimesFromTimeArray
VolumetricAnalysisInterval
        analysis_interval
        evaluation_of_spatial_calculation_type
        set_spatial_calcuation_evaluation_type
        time_array
        step_size
        available_analysis_intervals
        available_times_from_time_array
IAgVmAdvanced
        AutomaticRecompute
        SaveComputedDataType
VolumetricAdvancedSettings
        recompute_automatically
        save_computed_data_type
IAgVmVO
        Visible
        Smoothing
        Shading
        Quality
        Grid
        CrossSection
        Volume
        ShowBoundaryLegend
        ShowFillLegend
        BoundaryLegend
        FillLegend
        VolumeType
VolumetricGraphics3D
        visible
        smoothing
        shading
        quality
        grid
        cross_section
        volume
        show_boundary_legend
        show_fill_legend
        boundary_legend
        fill_legend
        volume_type
IAgVmVOGrid
        ShowGrid
        ShowGridPoints
        PointSize
        PointColor
        ShowGridLines
        LineColor
VolumetricGraphics3DGrid
        show_grid
        show_grid_points
        point_size
        point_color
        show_grid_lines
        line_color
IAgVmVOCrossSection
        Show
        Opacity
        Planes
VolumetricGraphics3DCrossSection
        show
        opacity
        planes
IAgVmVOCrossSectionPlaneCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
VolumetricGraphics3DCrossSectionPlaneCollection
        count
        item
        remove_at
        remove_all
        add
IAgVmVOVolume
        ActiveGridPoints
        SpatialCalculationLevels
VolumetricGraphics3DVolume
        active_grid_points
        spatial_calculation_levels
IAgVmVOActiveGridPoints
        ShowActiveInactiveBoundary
        ActiveInactiveBoundaryColor
        ActiveInactiveBoundaryTranslucency
        ShowActiveInactiveFill
        InactiveFillColor
        InactiveFillTranslucency
        ActiveFillColor
        ActiveFillTranslucency
VolumetricGraphics3DActiveGridPoints
        show_active_inactive_boundary
        active_inactive_boundary_color
        active_inactive_boundary_translucency
        show_active_inactive_fill
        inactive_fill_color
        inactive_fill_translucency
        active_fill_color
        active_fill_translucency
IAgVmVOSpatialCalculationLevels
        ShowBoundaryLevels
        BoundaryLevels
        ShowFillLevels
        DisplayColorsOutsideMinMax
        FillLevels
VolumetricGraphics3DSpatialCalculationLevels
        show_boundary_levels
        boundary_levels
        show_fill_levels
        display_colors_outside_minimum_maximum
        fill_levels
IAgVmVOSpatialCalculationLevelCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
VolumetricGraphics3DSpatialCalculationLevelCollection
        count
        item
        remove_at
        remove_all
        add
IAgVmVOLegend
        PositionX
        PositionY
        Translucency
        BackgroundColor
        Title
        DecimalDigits
        Notation
        TextColor
        LevelOrder
        MaxColorSquares
        ColorSquareWidth
        ColorSquareHeight
VolumetricGraphics3DLegend
        position_x
        position_y
        translucency
        background_color
        title
        decimal_digits
        notation
        text_color
        level_order
        maximum_color_squares
        color_square_width
        color_square_height
IAgVmExportTool
        ExportDataFormatType
        VolumeGridExportType
        IncludeGridPointCartesian
        IncludeGridPointNative
        IncludeGridReference
        Export
VolumetricExportTool
        export_data_format_type
        volume_grid_export_type
        include_grid_point_cartesian
        include_grid_point_native
        include_grid_reference
        export
IAgVolumetric
        VolumeGridDefinitionType
        SetVolumeGridDefinitionType
        VolumeGridDefinition
        VolumeAnalysisInterval
        Advanced
        VO
        Compute
        Clear
        GetVolumetricExportTool
        ComputeInParallel
Volumetric
        volume_grid_definition_type
        set_volume_grid_definition_type
        volume_grid_definition
        volume_analysis_interval
        advanced
        graphics_3d
        compute
        clear
        get_volumetric_export_tool
        compute_in_parallel
IAgVmGridSpatialCalculation
        VolumeGrid
        UseSpatialCalculation
        SpatialCalculation
        AvailableVolumeGrids
        AvailableSpatialCalculations
VolumetricGridSpatialCalculation
        volume_grid
        use_spatial_calculation
        spatial_calculation
        available_volume_grids
        available_spatial_calculations
IAgVmExternalFile
        Filename
        Reload
VolumetricExternalFile
        filename
        reload
IAgVmVOCrossSectionPlane
        Plane
VolumetricGraphics3DCrossSectionPlane
        plane
IAgVmVOSpatialCalculationLevel
        Value
        Color
        Translucency
VolumetricGraphics3DSpatialCalculationLevel
        value
        color
        translucency
IAgSatelliteCollection
        Compute
SatelliteCollection
        compute
IAgSubset Subset
IAgAdvCATAvailableObjectCollection
        Count
        GetAvailableObject
        ToArray
AdvCATAvailableObjectCollection
        count
        get_available_object
        to_array
IAgAdvCATChosenObjectCollection
        Count
        Item
        RemoveAt
        RemoveAll
        Add
AdvCATChosenObjectCollection
        count
        item
        remove_at
        remove_all
        add
IAgAdvCATPreFilters
        UseOutOfDateFilter
        OutOfDatePad
        UseApogeePerigeeFilter
        ApogeePerigeePad
        UseOrbitPathFilter
        OrbitPathPad
        UseTimeFilter
        TimeDistancePad
AdvCATPreFilters
        use_out_of_date_filter
        out_of_date_pad
        use_apogee_perigee_filter
        apogee_perigee_pad
        use_orbit_path_filter
        orbit_path_pad
        use_time_filter
        time_distance_pad
IAgAdvCATAdvEllipsoid
        ScaleFactor
        QuadraticInTimeDB
        FixedByOrbitClassDB
        QuadraticByOrbitClassDB
AdvCATAdvancedEllipsoid
        scale_factor
        quadratic_in_time_database
        fixed_by_orbit_class_database
        quadratic_by_orbit_class_database
IAgAdvCATAdvanced
        AdvEllipsoid
        PreFilters
        UseLogFile
        LogFileName
        UseCorrelationFile
        CorrelationFile
        UseCrossRefDB
        CrossReferenceDB
        UseSSCHardBodyRadiusFile
        SSCHardBodyRadiusFile
        ShowMsgInMsgViewer
        ForceRepropagationOnLoad
        ComputeOnLoad
        AllowPartialEphemeris
        RemoveSecondaryBySSC
        MaxSampleStepSize
        MinSampleStepSize
        ConjunctionType
AdvCATAdvancedSettings
        ellipsoid_advanced_settings
        pre_filters
        use_log_file
        log_filename
        use_correlation_file
        correlation_filename
        use_cross_reference_database
        cross_reference_database
        use_ssc_hard_body_radius_file
        ssc_hard_body_radius_file
        show_message_in_message_viewer
        force_repropagation_on_load
        compute_on_load
        allow_partial_ephemeris
        remove_secondary_by_ssc
        maximum_sample_step_size
        minimum_sample_step_size
        conjunction_type
IAgAdvCATVO
        Show
        ShowPrimaryEllipsoids
        ShowSecondaryEllipsoids
        ShowSecondaryEllipsoidsType
AdvCATGraphics3D
        show
        show_primary_ellipsoids
        show_secondary_ellipsoids
        show_secondary_ellipsoids_type
IAgAdvCAT
        TimePeriod
        Threshold
        UseRangeMeasure
        DisplayAckWhenDone
        Compute
        GetAvailableObjects
        GetPrimaryChosenObjects
        GetSecondaryChosenObjects
        PrimaryDefaultClass
        Advanced
        VO
        PrimaryDefaultTangential
        PrimaryDefaultCrossTrack
        PrimaryDefaultNormal
        SecondaryDefaultClass
        SecondaryDefaultTangential
        SecondaryDefaultCrossTrack
        SecondaryDefaultNormal
AdvCAT
        time_period
        threshold
        use_range_measure
        display_acknowledgement_when_done
        compute
        get_available_objects
        get_primary_chosen_objects
        get_secondary_chosen_objects
        primary_default_class
        advanced
        graphics_3d
        primary_default_tangential
        primary_default_cross_track
        primary_default_normal
        secondary_default_class
        secondary_default_tangential
        secondary_default_cross_track
        secondary_default_normal
IAgAdvCATChosenObject
        Name
        EllipsoidClass
        Tangential
        CrossTrack
        Normal
        Type
        HardBodyRadius
        NumberID
        StringID
AdvCATChosenObject
        name
        ellipsoid_class
        tangential
        cross_track
        normal
        type
        hard_body_radius
        number_identifier
        string_identifier
IAgEOIRShapeObject
        Type
IEOIRShapeObject
        type
IAgEOIRShapeBox
        Width
        Depth
        Height
EOIRShapeBox
        width
        depth
        height
IAgEOIRShapeCone
        Radius
        Height
EOIRShapeCone
        radius
        height
IAgEOIRShapePlate
        Width
        Length
EOIRShapePlate
        width
        length
IAgEOIRShapeSphere
        Radius
EOIRShapeSphere
        radius
IAgEOIRShapeCoupler
        Radius1
        Height
        Radius2
EOIRShapeCoupler
        radius_1
        height
        radius_2
IAgEOIRShapeNone EOIRShapeNone
IAgEOIRShapeGEOComm EOIRShapeGEOComm
IAgEOIRShapeLEOComm EOIRShapeLEOComm
IAgEOIRShapeLEOImaging EOIRShapeLEOImaging
IAgEOIRShapeCustomMesh
        MaxDimension
EOIRShapeCustomMesh
        maximum_dimension
IAgEOIRShapeTargetSignature EOIRShapeTargetSignature
IAgEOIRStagePlume
        OnTimeDelta
        OffTimeDelta
        Temperature
        RelativeWidth
        RelativeLength
EOIRStagePlume
        on_time_delta
        off_time_delta
        temperature
        relative_width
        relative_length
IAgEOIRShape
        ShapeType
        MeshFile
        ShapeObject
        DimensionA
        DimensionB
        DimensionC
        MaterialSpecificationType
        MaterialMapFile
        MaterialElementIndex
        MaterialElementsCount
        MaterialElements
        TargetSignatureFile
EOIRShape
        shape_type
        mesh_filename
        shape_object
        dimension_a
        dimension_b
        dimension_c
        material_specification_type
        material_map_filename
        material_element_index
        material_elements_count
        material_elements
        target_signature_filename
IAgEOIRStage
        FlightType
        Plume
EOIRStage
        flight_type
        plume
IAgEOIRShapeCollection
        Item
        Add
        RemoveAt
        Count
EOIRShapeCollection
        item
        add
        remove_at
        count
IAgEOIRMaterialElement
        TemperatureModel
        BodyTemperature
        TemperatureFile
        Reflectance
        Material
        ReflectanceFile
        MaterialElementLabel
        AvailableMaterials
        DataProvider
        AvailableDataProviders
EOIRMaterialElement
        temperature_model
        body_temperature
        temperature_filename
        reflectance
        material
        reflectance_filename
        material_element_label
        available_materials
        data_provider
        available_data_providers
IAgEOIRMaterialElementCollection
        Count
        Item
EOIRMaterialElementCollection
        count
        item
IAgMsEOIR
        Shapes
        Stage
MissileEOIR
        shapes
        stage
IAgVeEOIR
        Shape
VehicleEOIR
        shape
IAgEOIRShapeCylinder
        Radius
        Height
EOIRShapeCylinder
        radius
        height
IAgStkObjectChangedEventArgs
        Path
STKObjectChangedEventArguments
        path
IAgScenarioBeforeSaveEventArgs
        Path
        ContinueSave
        SaveAs
        VDFSave
        SDFSave
ScenarioBeforeSaveEventArguments
        path
        continue_save
        save_as
        save_as_vdf
        save_to_sdf
IAgPctCmpltEventArgs
        Cancel
        Canceled
        CanCancel
        PercentCompleted
        Message
ProgressBarEventArguments
        cancel
        canceled
        can_cancel
        percent_completed
        message
IAgStkObjectPreDeleteEventArgs
        Path
        Continue
STKObjectPreDeleteEventArguments
        path
        continue_object_deletion
IAgStkObjectCutCopyPasteEventArgs
        SelectedObjectPath
        ObjectPaths
        PastedObjectPaths
STKObjectCutCopyPasteEventArguments
        selected_object_path
        object_paths
        pasted_object_paths
AgEAvtrClosureMode
        eClosureNotSet
        eClosureRequired
        eHOBS
ClosureMode
        CLOSURE_NOT_SET
        CLOSURE_REQUIRED
        HOBS
AgAvtrStrategyMATLABNav StrategyMATLABNavigation
AgAvtrStrategyMATLABProfile StrategyMATLABProfile
AgAvtrStrategyMATLABFull3D StrategyMATLABFull3D
AgAvtrStrategyMATLAB3DGuidance StrategyMATLAB3DGuidance
AgAvtrBasicManeuverMATLABFactory BasicManeuverMATLABFactory
IAgAvtrStrategyMATLABNav
        FunctionName
        IsFunctionPathValid
        CheckForErrors
        DisplayOutput
StrategyMATLABNavigation
        function_name
        is_function_path_valid
        check_for_errors
        display_output
IAgAvtrStrategyMATLABProfile
        FunctionName
        IsFunctionPathValid
        CheckForErrors
        DisplayOutput
StrategyMATLABProfile
        function_name
        is_function_path_valid
        check_for_errors
        display_output
IAgAvtrStrategyMATLABFull3D
        FunctionName
        IsFunctionPathValid
        CheckForErrors
        DisplayOutput
StrategyMATLABFull3D
        function_name
        is_function_path_valid
        check_for_errors
        display_output
IAgAvtrStrategyMATLAB3DGuidance
        TargetName
        ValidTargetNames
        TargetResolution
        UseStopTimeToGo
        StopTimeToGo
        SetStopTimeToGo
        UseStopSlantRange
        StopSlantRange
        SetStopSlantRange
        FunctionName
        IsFunctionPathValid
        CheckForErrors
        DisplayOutput
        ClosureMode
        HOBSMaxAngle
        HOBSAngleTol
        ComputeTASDot
        AirspeedOptions
        PosVelStrategies
        CancelTgtPosVel
StrategyMATLAB3DGuidance
        target_name
        valid_target_names
        target_resolution
        use_stop_time_to_go
        stop_time_to_go
        set_stop_time_to_go
        use_stop_slant_range
        stop_slant_range
        set_stop_slant_range
        function_name
        is_function_path_valid
        check_for_errors
        display_output
        closure_mode
        hobs_max_angle
        hobs_angle_tol
        compute_tas_dot
        airspeed_options
        position_velocity_strategies
        cancel_target_position_velocity
AgEAvtrErrorCodes
        eAvtrErrorObjectNotFound
        eAvtrErrorIndexOutOfRange
        eAvtrErrorInvalidAttribute
        eAvtrErrorCommandFailed
        eAvtrAvtrErrorInvalidArg
        eAvtrErrorEmptyArg
        eAvtrErrorObjectNotRemoved
        eAvtrErrorFailedToRenameObject
        eAvtrErrorUnknownClassType
        eAvtrErrorFailedToCreateObject
        eAvtrErrorObjectLinkInvalidChoice
        eAvtrErrorObjectLinkNoChoices
        eAvtrErrorReadOnlyAttribute
        eAvtrErrorCstrInvalidCstrList
        eAvtrErrorCstrInvalidConstraint
        eAvtrErrorListReadOnly
        eAvtrErrorListInsertFailed
        eAvtrErrorInvalidLength
        eAvtrErrorFailedToLoadFile
        eAvtrErrorInvalidOperation
        eAvtrErrorMethodInvokeFailed
        eAvtrErrorDeprecated
ErrorCodes
        OBJECT_NOT_FOUND
        INDEX_OUT_OF_RANGE
        INVALID_ATTRIBUTE
        COMMAND_FAILED
        ERROR_INVALID_ARG
        EMPTY_ARG
        OBJECT_NOT_REMOVED
        FAILED_TO_RENAME_OBJECT
        UNKNOWN_CLASS_TYPE
        FAILED_TO_CREATE_OBJECT
        OBJECT_LINK_INVALID_CHOICE
        OBJECT_LINK_NO_CHOICES
        READ_ONLY_ATTRIBUTE
        INVALID_CSTR_LIST
        INVALID_CONSTRAINT
        LIST_READ_ONLY
        LIST_INSERT_FAILED
        INVALID_LENGTH
        FAILED_TO_LOAD_FILE
        INVALID_OPERATION
        METHOD_INVOKE_FAILED
        DEPRECATED
AgEAvtrClosureValue
        eClosureMode
        eMaxAngle
        eAngleTol
ClosureValue
        CLOSURE_MODE
        MAX_ANGLE
        ANGLE_TOL
AgEAvtrProcedureType
        eProcAirway
        eProcAirwayRouter
        eProcArcEnroute
        eProcArcPointToPoint
        eProcAreaTargetSearch
        eProcBasicManeuver
        eProcBasicPointToPoint
        eProcDelay
        eProcEnroute
        eProcFlightLine
        eProcFormationRecover
        eProcHoldingCircular
        eProcHoldingFigure8
        eProcHoldingRacetrack
        eProcHover
        eProcHoverTranslate
        eProcInFormation
        eProcLanding
        eProcLaunch
        eProcParallelFlightLine
        eProcReferenceState
        eProcSuperProcedure
        eProcTakeoff
        eProcTerrainFollowing
        eProcTransitionToForwardFlight
        eProcTransitionToHover
        eProcVerticalLanding
        eProcVerticalTakeoff
        eProcVGTPoint
        eProcLaunchDynState
        eProcLaunchWaypoint
        eProcFormationFlyer
        eProcExtEphem
ProcedureType
        PROCEDURE_AIRWAY
        PROCEDURE_AIRWAY_ROUTER
        PROCEDURE_ARC_ENROUTE
        PROCEDURE_ARC_POINT_TO_POINT
        PROCEDURE_AREA_TARGET_SEARCH
        PROCEDURE_BASIC_MANEUVER
        PROCEDURE_BASIC_POINT_TO_POINT
        PROCEDURE_DELAY
        PROCEDURE_ENROUTE
        PROCEDURE_FLIGHT_LINE
        PROCEDURE_FORMATION_RECOVER
        PROCEDURE_HOLDING_CIRCULAR
        PROCEDURE_HOLDING_FIGURE8
        PROCEDURE_HOLDING_RACETRACK
        PROCEDURE_HOVER
        PROCEDURE_HOVER_TRANSLATE
        PROCEDURE_IN_FORMATION
        PROCEDURE_LANDING
        PROCEDURE_LAUNCH
        PROCEDURE_PARALLEL_FLIGHT_LINE
        PROCEDURE_REFERENCE_STATE
        PROCEDURE_SUPER_PROCEDURE
        PROCEDURE_TAKEOFF
        PROCEDURE_TERRAIN_FOLLOWING
        PROCEDURE_TRANSITION_TO_FORWARD_FLIGHT
        PROCEDURE_TRANSITION_TO_HOVER
        PROCEDURE_VERTICAL_LANDING
        PROCEDURE_VERTICAL_TAKEOFF
        PROCEDURE_VGT_POINT
        PROCEDURE_LAUNCH_DYNAMIC_STATE
        PROCEDURE_LAUNCH_WAYPOINT
        PROCEDURE_FORMATION_FLYER
        PROCEDURE_EXT_EPHEM
AgEAvtrSiteType
        eSiteAirportFromCatalog
        eSiteEndOfPrevProcedure
        eSiteNavaidFromCatalog
        eSiteReferenceState
        eSiteRelativeToPrevProcedure
        eSiteRelativeToStationarySTKObject
        eSiteRunway
        eSiteRunwayFromCatalog
        eSiteSTKAreaTarget
        eSiteSTKObjectWaypoint
        eSiteSTKStaticObject
        eSiteSTKVehicle
        eSiteSuperProcedure
        eSiteVTOLPoint
        eSiteVTOLPointFromCatalog
        eSiteWaypoint
        eSiteWaypointFromCatalog
        eSiteDynState
SiteType
        SITE_AIRPORT_FROM_CATALOG
        SITE_END_OF_PREV_PROCEDURE
        SITE_NAVAID_FROM_CATALOG
        SITE_REFERENCE_STATE
        SITE_RELATIVE_TO_PREV_PROCEDURE
        SITE_RELATIVE_TO_STATIONARY_STK_OBJECT
        SITE_RUNWAY
        SITE_RUNWAY_FROM_CATALOG
        SITE_STK_AREA_TARGET
        SITE_STK_OBJECT_WAYPOINT
        SITE_STK_STATIC_OBJECT
        SITE_STK_VEHICLE
        SITE_SUPER_PROCEDURE
        SITE_VTOL_POINT
        SITE_VTOL_POINT_FROM_CATALOG
        SITE_WAYPOINT
        SITE_WAYPOINT_FROM_CATALOG
        SITE_DYNAMIC_STATE
AgEAvtrBasicManeuverStrategy
        eStraightAhead
        eWeave
BasicManeuverStrategy
        STRAIGHT_AHEAD
        WEAVE
AgEAvtrStraightAheadRefFrame
        eMaintainCourse
        eMaintainHeading
        eNoLateralAcc
        eCompensateCoriolis
StraightAheadReferenceFrame
        MAINTAIN_COURSE
        MAINTAIN_HEADING
        NO_LATERAL_ACC
        COMPENSATE_CORIOLIS
AgEAvtrAirspeedType
        eMach
        eEAS
        eCAS
        eTAS
AirspeedType
        MACH
        EAS
        CAS
        TAS
AgEAvtrAeroPropSimpleMode
        eFixedWing
        eHelicopter
AerodynamicPropulsionSimpleMode
        FIXED_WING
        HELICOPTER
AgEAvtrAeroPropFlightMode
        eFlightPerfForwardFlight
        eFlightPerfHover
        eFlightPerfTakeoff
        eFlightPerfLanding
        eFlightPerfWeightOnWheels
AerodynamicPropulsionFlightMode
        FLIGHT_PERFORMANCE_FORWARD_FLIGHT
        FLIGHT_PERFORMANCE_HOVER
        FLIGHT_PERFORMANCE_TAKEOFF
        FLIGHT_PERFORMANCE_LANDING
        FLIGHT_PERFORMANCE_WEIGHT_ON_WHEELS
AgEAvtrPhaseOfFlight
        eFlightPhaseTakeoff
        eFlightPhaseClimb
        eFlightPhaseCruise
        eFlightPhaseDescend
        eFlightPhaseLanding
        eFlightPhaseVTOL
PhaseOfFlight
        FLIGHT_PHASE_TAKEOFF
        FLIGHT_PHASE_CLIMB
        FLIGHT_PHASE_CRUISE
        FLIGHT_PHASE_DESCEND
        FLIGHT_PHASE_LANDING
        FLIGHT_PHASE_VTOL
AgEAvtrCruiseSpeed
        eMinAirspeed
        eMaxEnduranceAirspeed
        eMaxRangeAirspeed
        eOtherAirspeed
        eMaxAirspeed
        eMaxPerfAirspeed
CruiseSpeed
        MIN_AIRSPEED
        MAX_ENDURANCE_AIRSPEED
        MAX_RANGE_AIRSPEED
        OTHER_AIRSPEED
        MAX_AIRSPEED
        MAX_PERFORMANCE_AIRSPEED
AgEAvtrTakeoffMode
        eTakeoffNormal
        eTakeoffFlyToDeparturePoint
        eTakeoffLowTransition
TakeoffMode
        TAKEOFF_NORMAL
        TAKEOFF_FLY_TO_DEPARTURE_POINT
        TAKEOFF_LOW_TRANSITION
AgEAvtrApproachMode
        eStandardInstrumentApproach
        eInterceptGlideslope
        eEnterDownwindPattern
ApproachMode
        STANDARD_INSTRUMENT_APPROACH
        INTERCEPT_GLIDESLOPE
        ENTER_DOWNWIND_PATTERN
AgEAvtrNavigatorTurnDir
        eNavigatorTurnAuto
        eNavigatorTurnLeft
        eNavigatorTurnRight
NavigatorTurnDirection
        NAVIGATOR_TURN_AUTO
        NAVIGATOR_TURN_LEFT
        NAVIGATOR_TURN_RIGHT
AgEAvtrBasicManeuverFuelFlowType
        eBasicManeuverFuelFlowTakeoff
        eBasicManeuverFuelFlowCruise
        eBasicManeuverFuelFlowLanding
        eBasicManeuverFuelFlowVTOL
        eBasicManeuverFuelFlowAeroProp
        eBasicManeuverFuelFlowOverride
        eBasicManeuverFuelFlowThrustModel
BasicManeuverFuelFlowType
        BASIC_MANEUVER_FUEL_FLOW_TAKEOFF
        BASIC_MANEUVER_FUEL_FLOW_CRUISE
        BASIC_MANEUVER_FUEL_FLOW_LANDING
        BASIC_MANEUVER_FUEL_FLOW_VTOL
        BASIC_MANEUVER_FUEL_FLOW_AERODYNAMIC_PROPULSION
        BASIC_MANEUVER_FUEL_FLOW_OVERRIDE
        BASIC_MANEUVER_FUEL_FLOW_THRUST_MODEL
AgEAvtrBasicManeuverAltitudeLimit
        eBasicManeuverAltLimitError
        eBasicManeuverAltLimitStop
        eBasicManeuverAltLimitContinue
BasicManeuverAltitudeLimit
        BASIC_MANEUVER_ALTITUDE_LIMIT_ERROR
        BASIC_MANEUVER_ALTITUDE_LIMIT_STOP
        BASIC_MANEUVER_ALTITUDE_LIMIT_CONTINUE
AgEAvtrRunwayHighLowEnd
        eHighEnd
        eLowEnd
        eHeadwind
RunwayHighLowEnd
        HIGH_END
        LOW_END
        HEADWIND
AgEAvtrBasicManeuverRefFrame
        eEarthFrame
        eWindFrame
BasicManeuverReferenceFrame
        EARTH_FRAME
        WIND_FRAME
AgEAvtrBasicManeuverStrategyNavControlLimit
        eNavUseAccelPerfModel
        eNavMinTurnRadius
        eNavMaxTurnRate
        eNavMaxHorizAccel
BasicManeuverStrategyNavigationControlLimit
        NAVIGATION_USE_ACCELERATION_PERFORMANCE_MODEL
        NAVIGATION_MIN_TURN_RADIUS
        NAVIGATION_MAX_TURN_RATE
        NAVIGATION_MAX_HORIZONTAL_ACCELERATION
AgEAvtrAccelManeuverMode
        eAccelManeuverModeNormal
        eAccelManeuverModeDensityScale
        eAccelManeuverModeAeroProp
AccelerationManeuverMode
        ACCELERATION_MANEUVER_MODE_NORMAL
        ACCELERATION_MANEUVER_MODE_DENSITY_SCALE
        ACCELERATION_MANEUVER_MODE_AERODYNAMIC_PROPULSION
AgEAvtrAircraftAeroStrategy
        eAircraftAeroSimple
        eAircraftAeroExternalFile
        eAircraftAeroBasicFixedWing
        eAircraftAeroAdvancedMissile
        eAircraftAeroFourPoint
AircraftAerodynamicStrategy
        AIRCRAFT_AERODYNAMIC_SIMPLE
        AIRCRAFT_AERODYNAMIC_EXTERNAL_FILE
        AIRCRAFT_AERODYNAMIC_BASIC_FIXED_WING
        AIRCRAFT_AERODYNAMIC_ADVANCED_MISSILE
        AIRCRAFT_AERODYNAMIC_FOUR_POINT
AgEAvtrAircraftPropStrategy
        eAircraftPropSimple
        eAircraftPropExternalFile
        eAircraftPropBasicFixedWing
        eAircraftPropMissileRamjet
        eAircraftPropMissileRocket
        eAircraftPropMissileTurbojet
AircraftPropulsionStrategy
        AIRCRAFT_PROPULSION_SIMPLE
        AIRCRAFT_PROPULSION_EXTERNAL_FILE
        AIRCRAFT_PROPULSION_BASIC_FIXED_WING
        AIRCRAFT_PROPULSION_MISSILE_RAMJET
        AIRCRAFT_PROPULSION_MISSILE_ROCKET
        AIRCRAFT_PROPULSION_MISSILE_TURBOJET
AgEAvtrAGLMSL
        eAltAGL
        eAltMSL
AGLMSL
        ALTITUDE_AGL
        ALTITUDE_MSL
AgEAvtrLandingApproachFixRangeMode
        eRelToRunwayCenter
        eRelToRunwayEnd
LandingApproachFixRangeMode
        RELATIVE_TO_RUNWAY_CENTER
        RELATIVE_TO_RUNWAY_END
AgEAvtrAccelerationAdvAccelMode
        eAccelModeMaxAccel
        eAccelModeOverrideAccel
AccelerationAdvancedAccelerationMode
        ACCELERATION_MODE_MAX_ACCELERATION
        ACCELERATION_MODE_OVERRIDE_ACCELERATION
AgEAvtrAccelManeuverAeroPropMode
        eUseThrustAndLiftCoefficient
        eUseLiftCoefficientOnly
AccelerationManeuverAerodynamicPropulsionMode
        USE_THRUST_AND_LIFT_COEFFICIENT
        USE_LIFT_COEFFICIENT_ONLY
AgEAvtrBasicManeuverStrategyAirspeedPerfLimits
        eConstrainIfViolated
        eStopIfViolated
        eErrorIfViolated
        eIgnoreIfViolated
BasicManeuverStrategyAirspeedPerformanceLimits
        CONSTRAIN_IF_VIOLATED
        STOP_IF_VIOLATED
        ERROR_IF_VIOLATED
        IGNORE_IF_VIOLATED
AgEAvtrBasicManeuverStrategyPoweredCruiseMode
        eGlideSpecifyUnPoweredCruise
        eGlideSpecifyThrottle
        eGlideSpecifyThrustModel
BasicManeuverStrategyPoweredCruiseMode
        GLIDE_SPECIFY_UN_POWERED_CRUISE
        GLIDE_SPECIFY_THROTTLE
        GLIDE_SPECIFY_THRUST_MODEL
AgEAvtrTurnMode
        eTurnModeTurnG
        eTurnModeBankAngle
        eTurnModeAccel
        eTurnModeRadius
        eTurnModeRate
TurnMode
        TURN_MODE_TURN_G
        TURN_MODE_BANK_ANGLE
        TURN_MODE_ACCELERATION
        TURN_MODE_RADIUS
        TURN_MODE_RATE
AgEAvtrPointToPointMode
        eFlyDirect
        eArriveOnCourseForNext
        eArriveOnCourse
        eInscribedTurn
        eArriveOnHdgIntoWind
PointToPointMode
        FLY_DIRECT
        ARRIVE_ON_COURSE_FOR_NEXT
        ARRIVE_ON_COURSE
        INSCRIBED_TURN
        ARRIVE_ON_HDG_INTO_WIND
AgEAvtrAltitudeConstraintManeuverMode
        eLevelOffAutomaticManeuver
        eLevelOffLeftTurnManeuver
        eLevelOffRightTurnManeuver
        eLevelOffNoManeuver
AltitudeConstraintManeuverMode
        LEVEL_OFF_AUTOMATIC_MANEUVER
        LEVEL_OFF_LEFT_TURN_MANEUVER
        LEVEL_OFF_RIGHT_TURN_MANEUVER
        LEVEL_OFF_NO_MANEUVER
AgEAvtrWindModelType
        eConstantWind
        eADDS
        eDisabled
WindModelType
        CONSTANT_WIND
        ADDS
        DISABLED
AgEAvtrWindAtmosModelSource
        eScenarioModel
        eMissionModel
        eProcedureModel
WindAtmosphereModelSource
        SCENARIO_MODEL
        MISSION_MODEL
        PROCEDURE_MODEL
AgEAvtrADDSMsgInterpType
        eInterpOnePoint
        eInterpTwoPoint
ADDSMessageInterpolationType
        INTERPOLATION_ONE_POINT
        INTERPOLATION_TWO_POINT
AgEAvtrADDSMissingMsgType
        eMissingMsgZeroWind
        eMissingMsgInterpEndPoints
ADDSMissingMessageType
        MISSING_MESSAGE_ZERO_WIND
        MISSING_MESSAGE_INTERPOLATION_END_POINTS
AgEAvtrADDSMsgExtrapType
        eExtrapMsgZeroWind
        eExtrapMsgHoldEndPoints
ADDSMessageExtrapolationType
        EXTRAPOLATION_MESSAGE_ZERO_WIND
        EXTRAPOLATION_MESSAGE_HOLD_END_POINTS
AgEAvtrADDSForecastType
        e6Hour
        e12Hour
        e24Hour
ADDSForecastType
        HOUR_6
        HOUR_12
        HOUR_24
AgEAvtrAtmosphereModel
        eStandard1976
        eMILHot
        eMILCold
        eMILLowDensity
        eMILHighDensity
        eMILInterpolate
AtmosphereModelType
        STANDARD1976
        MIL_HOT
        MIL_COLD
        MIL_LOW_DENSITY
        MIL_HIGH_DENSITY
        MIL_INTERPOLATE
AgEAvtrSmoothTurnMode
        eSmoothTurnLoadFactor
        eSmoothTurnRollAngle
SmoothTurnMode
        SMOOTH_TURN_LOAD_FACTOR
        SMOOTH_TURN_ROLL_ANGLE
AgEAvtrPerfModelOverride
        ePerfModelValue
        eOverride
PerformanceModelOverride
        PERFORMANCE_MODEL_VALUE
        OVERRIDE
AgEAvtrBasicManeuverAirspeedMode
        eMaintainCurrentAirspeed
        eMaintainSpecifiedAirspeed
        eMaintainMinAirspeed
        eMaintainMaxEnduranceAirspeed
        eMaintainMaxRangeAirspeed
        eMaintainMaxAirspeed
        eMaintainMaxPerformanceAirspeed
        eAccelAtG
        eDecelAtG
        eAccelDecelUnderGravity
        eAccelDecelAeroProp
        eThrust
        eInterpolateAccelDecel
BasicManeuverAirspeedMode
        MAINTAIN_CURRENT_AIRSPEED
        MAINTAIN_SPECIFIED_AIRSPEED
        MAINTAIN_MIN_AIRSPEED
        MAINTAIN_MAX_ENDURANCE_AIRSPEED
        MAINTAIN_MAX_RANGE_AIRSPEED
        MAINTAIN_MAX_AIRSPEED
        MAINTAIN_MAX_PERFORMANCE_AIRSPEED
        ACCELERATION_AT_G
        DECELERATION_AT_G
        ACCELERATION_DECELERATION_UNDER_GRAVITY
        ACCELERATION_DECELERATION_AERODYNAMIC_PROPULSION
        THRUST
        INTERPOLATE_ACCELERATION_DECELERATION
AgEAvtrAileronRollFlightPath
        eStraightLineFlightPath
        eZeroGFlightPath
AileronRollFlightPath
        STRAIGHT_LINE_FLIGHT_PATH
        ZERO_G_FLIGHT_PATH
AgEAvtrRollLeftRight
        eRollLeft
        eRollRight
RollLeftRight
        ROLL_LEFT
        ROLL_RIGHT
AgEAvtrRollUprightInverted
        eRollUpright
        eRollInverted
RollUprightInverted
        ROLL_UPRIGHT
        ROLL_INVERTED
AgEAvtrAileronRollMode
        eRollToAngle
        eRollToOrientation
AileronRollMode
        ROLL_TO_ANGLE
        ROLL_TO_ORIENTATION
AgEAvtrFlyAOALeftRight
        eFlyAOALeft
        eFlyAOARight
        eFlyAOANoRoll
FlyAOALeftRight
        FLY_AOA_LEFT
        FLY_AOA_RIGHT
        FLY_AOA_NO_ROLL
AgEAvtrSmoothAccelLeftRight
        eSmoothAccelLeft
        eSmoothAccelRight
        eSmoothAccelNoRoll
SmoothAccelerationLeftRight
        SMOOTH_ACCELERATION_LEFT
        SMOOTH_ACCELERATION_RIGHT
        SMOOTH_ACCELERATION_NO_ROLL
AgEAvtrPullMode
        ePullToAngle
        ePullToHorizon
PullMode
        PULL_TO_ANGLE
        PULL_TO_HORIZON
AgEAvtrRollingPullMode
        eRollToAngleMode
        eRollToOrientationMode
        ePullToAngleMode
        ePullToHorizonMode
RollingPullMode
        ROLL_TO_ANGLE_MODE
        ROLL_TO_ORIENTATION_MODE
        PULL_TO_ANGLE_MODE
        PULL_TO_HORIZON_MODE
AgEAvtrSmoothAccelStopConditions
        eRollRateANDLoadFactor
        eRollRateORLoadFactor
        eSmoothAccelNormalStopConditions
SmoothAccelerationStopConditions
        ROLL_RATE_AND_LOAD_FACTOR
        ROLL_RATE_OR_LOAD_FACTOR
        SMOOTH_ACCELERATION_NORMAL_STOP_CONDITIONS
AgEAvtrAutopilotHorizPlaneMode
        eAutopilotAbsoluteHeading
        eAutopilotAbsoluteCourse
        eAutopilotRelativeHeading
        eAutopilotRelativeCourse
        eAutopilotHeadingRate
        eAutopilotCourseRate
AutopilotHorizontalPlaneMode
        AUTOPILOT_ABSOLUTE_HEADING
        AUTOPILOT_ABSOLUTE_COURSE
        AUTOPILOT_RELATIVE_HEADING
        AUTOPILOT_RELATIVE_COURSE
        AUTOPILOT_HEADING_RATE
        AUTOPILOT_COURSE_RATE
AgEAvtrAngleMode
        eRelativeAngle
        eAbsoluteAngle
AngleMode
        RELATIVE_ANGLE
        ABSOLUTE_ANGLE
AgEAvtrHoverAltitudeMode
        eHoverHoldInitAltitude
        eHoverSpecifyAltitude
        eHoverSpecifyAltitudeChange
        eHoverSpecifyAltitudeRate
        eHoverHoldInitAltitudeRate
        eHoverParachute
HoverAltitudeMode
        HOVER_HOLD_INIT_ALTITUDE
        HOVER_SPECIFY_ALTITUDE
        HOVER_SPECIFY_ALTITUDE_CHANGE
        HOVER_SPECIFY_ALTITUDE_RATE
        HOVER_HOLD_INIT_ALTITUDE_RATE
        HOVER_PARACHUTE
AgEAvtrHoverHeadingMode
        eHoverRelative
        eHoverAbsolute
        eHoverIntoWind
        eHoverOppositeWind
HoverHeadingMode
        HOVER_RELATIVE
        HOVER_ABSOLUTE
        HOVER_INTO_WIND
        HOVER_OPPOSITE_WIND
AgEAvtrAutopilotAltitudeMode
        eAutopilotHoldInitAltitude
        eAutopilotSpecifyAltitude
        eAutopilotSpecifyAltitudeChange
        eAutopilotSpecifyAltitudeRate
        eAutopilotHoldInitAltitudeRate
        eAutopilotSpecifyFPA
        eAutopilotHoldInitFPA
        eAutopilotBallistic
AutopilotAltitudeMode
        AUTOPILOT_HOLD_INIT_ALTITUDE
        AUTOPILOT_SPECIFY_ALTITUDE
        AUTOPILOT_SPECIFY_ALTITUDE_CHANGE
        AUTOPILOT_SPECIFY_ALTITUDE_RATE
        AUTOPILOT_HOLD_INIT_ALTITUDE_RATE
        AUTOPILOT_SPECIFY_FLIGHT_PATH_ANGLE
        AUTOPILOT_HOLD_INIT_FLIGHT_PATH_ANGLE
        AUTOPILOT_BALLISTIC
AgEAvtrAutopilotAltitudeControlMode
        eAutopilotAltitudeRate
        eAutopilotFPA
        eAutopilotPerfModels
AutopilotAltitudeControlMode
        AUTOPILOT_ALTITUDE_RATE
        AUTOPILOT_FLIGHT_PATH_ANGLE
        AUTOPILOT_PERFORMANCE_MODELS
AgEAvtrInterceptMode
        eTargetAspect
        eLateralSeparation
InterceptMode
        TARGET_ASPECT
        LATERAL_SEPARATION
AgEAvtrRendezvousStopCondition
        eStopNormal
        eStopAfterTargetCurrentProcedure
        eStopAfterTargetCurrentPhase
        eStopWhenTargetPerfModeChanges
        eStopWhenTargetPhaseOfFlightChanges
RendezvousStopCondition
        STOP_NORMAL
        STOP_AFTER_TARGET_CURRENT_PROCEDURE
        STOP_AFTER_TARGET_CURRENT_PHASE
        STOP_WHEN_TARGET_PERFORMANCE_MODE_CHANGES
        STOP_WHEN_TARGET_PHASE_OF_FLIGHT_CHANGES
AgEAvtrFormationFlyerStopCondition
        eFormationFlyerStopAfterFullMission
        eFormationFlyerStopAfterTime
        eFormationFlyerStopAfterFuelState
        eFormationFlyerStopAfterDownRange
        eFormationFlyerStopWhenTargetProcedureChanges
        eFormationFlyerStopWhenTargetMissionChanges
        eFormationFlyerStopWhenTargetPhaseOfFlightChanges
        eFormationFlyerStopWhenTargetPerfModeChanges
FormationFlyerStopCondition
        FORMATION_FLYER_STOP_AFTER_FULL_MISSION
        FORMATION_FLYER_STOP_AFTER_TIME
        FORMATION_FLYER_STOP_AFTER_FUEL_STATE
        FORMATION_FLYER_STOP_AFTER_DOWN_RANGE
        FORMATION_FLYER_STOP_WHEN_TARGET_PROCEDURE_CHANGES
        FORMATION_FLYER_STOP_WHEN_TARGET_MISSION_CHANGES
        FORMATION_FLYER_STOP_WHEN_TARGET_PHASE_OF_FLIGHT_CHANGES
        FORMATION_FLYER_STOP_WHEN_TARGET_PERFORMANCE_MODE_CHANGES
AgEAvtrExtEphemFlightMode
        eExtEphemFlightModeForwardFlightClimb
        eExtEphemFlightModeForwardFlightCruise
        eExtEphemFlightModeForwardFlightDescend
        eExtEphemFlightModeLanding
        eExtEphemFlightModeLandingWOW
        eExtEphemFlightModeTakeoff
        eExtEphemFlightModeTakeoffWOW
        eExtEphemFlightModeVTOLHover
ExtEphemFlightMode
        EXT_EPHEM_FLIGHT_MODE_FORWARD_FLIGHT_CLIMB
        EXT_EPHEM_FLIGHT_MODE_FORWARD_FLIGHT_CRUISE
        EXT_EPHEM_FLIGHT_MODE_FORWARD_FLIGHT_DESCEND
        EXT_EPHEM_FLIGHT_MODE_LANDING
        EXT_EPHEM_FLIGHT_MODE_LANDING_WOW
        EXT_EPHEM_FLIGHT_MODE_TAKEOFF
        EXT_EPHEM_FLIGHT_MODE_TAKEOFF_WOW
        EXT_EPHEM_FLIGHT_MODE_VTOL_HOVER
AgEAvtrAccelPerfModelOverride
        eAccelPerfModelValue
        eAccelOverride
        eAccelNoLimit
AccelerationPerformanceModelOverride
        ACCELERATION_PERFORMANCE_MODEL_VALUE
        ACCELERATION_OVERRIDE
        ACCELERATION_NO_LIMIT
AgEAvtrStationkeepingStopCondition
        eStopConditionNotSet
        eStopAfterTurnCount
        eStopAfterDuration
        eStopAfterTime
StationkeepingStopCondition
        STOP_CONDITION_NOT_SET
        STOP_AFTER_TURN_COUNT
        STOP_AFTER_DURATION
        STOP_AFTER_TIME
AgEAvtrTurnDirection
        eTurnLeft
        eTurnRight
TurnDirection
        TURN_LEFT
        TURN_RIGHT
AgEAvtrProfileControlLimit
        eProfileAccelPerfModel
        eProfilePitchRate
ProfileControlLimit
        PROFILE_ACCELERATION_PERFORMANCE_MODEL
        PROFILE_PITCH_RATE
AgEAvtrRelSpeedAltStopCondition
        eRelSpeedAltStopNormal
        eRelSpeedAltStopMinRangeForEqualSpeed
        eRelSpeedAltStopTransitionSpeedRange
        eRelSpeedAltStopAfterTargetCurrentProcedure
        eRelSpeedAltStopAfterTargetCurrentPhase
        eRelSpeedAltStopWhenTargetPerfModeChanges
        eRelSpeedAltStopWhenTargetPhaseOfFlightChanges
RelativeSpeedAltitudeStopCondition
        RELATIVE_SPEED_ALTITUDE_STOP_NORMAL
        RELATIVE_SPEED_ALTITUDE_STOP_MIN_RANGE_FOR_EQUAL_SPEED
        RELATIVE_SPEED_ALTITUDE_STOP_TRANSITION_SPEED_RANGE
        RELATIVE_SPEED_ALTITUDE_STOP_AFTER_TARGET_CURRENT_PROCEDURE
        RELATIVE_SPEED_ALTITUDE_STOP_AFTER_TARGET_CURRENT_PHASE
        RELATIVE_SPEED_ALTITUDE_STOP_WHEN_TARGET_PERFORMANCE_MODE_CHANGES
        RELATIVE_SPEED_ALTITUDE_STOP_WHEN_TARGET_PHASE_OF_FLIGHT_CHANGES
AgEAvtrRelativeAltitudeMode
        eHoldOffsetAlt
        eHoldInitAltOffset
        eHoldElevationAngle
        eHoldInitElevationAngle
RelativeAltitudeMode
        HOLD_OFFSET_ALTITUDE
        HOLD_INIT_ALTITUDE_OFFSET
        HOLD_ELEVATION_ANGLE
        HOLD_INIT_ELEVATION_ANGLE
AgEAvtrFlyToFlightPathAngleMode
        eFlyToAltRate
        eFlyToFlightPathAngle
FlyToFlightPathAngleMode
        FLY_TO_ALTITUDE_RATE
        FLY_TO_FLIGHT_PATH_ANGLE
AgEAvtrPushPull
        ePullUp
        ePushOver
PushPull
        PULL_UP
        PUSH_OVER
AgEAvtrAccelMode
        eAccel
        eDecel
        eMaintainSpeed
AccelerationMode
        ACCELERATION
        DECELERATION
        MAINTAIN_SPEED
AgEAvtrDelayAltMode
        eDelayLevelOff
        eDelayDefaultCruiseAlt
        eDelayOverride
DelayAltitudeMode
        DELAY_LEVEL_OFF
        DELAY_DEFAULT_CRUISE_ALTITUDE
        DELAY_OVERRIDE
AgEAvtrJoinExitArcMethod
        eJoinExitOutbound
        eJoinExitOn
        eJoinExitInbound
JoinExitArcMethod
        JOIN_EXIT_OUTBOUND
        JOIN_EXIT_ON
        JOIN_EXIT_INBOUND
AgEAvtrFlightLineProcType
        eProcTypeEnroute
        eProcTypeBasicPointToPoint
        eProcTypeTerrainFollow
FlightLineProcedureType
        PROCEDURE_TYPE_ENROUTE
        PROCEDURE_TYPE_BASIC_POINT_TO_POINT
        PROCEDURE_TYPE_TERRAIN_FOLLOW
AgEAvtrTransitionToHoverMode
        eFullStop
        eTranslationOnly
        eTranslationAndAltitude
TransitionToHoverMode
        FULL_STOP
        TRANSLATION_ONLY
        TRANSLATION_AND_ALTITUDE
AgEAvtrVTOLRateMode
        eHaltAutomatic
        eAlwaysStop
VTOLRateMode
        HALT_AUTOMATIC
        ALWAYS_STOP
AgEAvtrHoldingProfileMode
        eSTK8Compatible
        eLevelOffCruiseSpeed
        eClimbDescentOnStation
HoldingProfileMode
        STK8_COMPATIBLE
        LEVEL_OFF_CRUISE_SPEED
        CLIMB_DESCENT_ON_STATION
AgEAvtrHoldingDirection
        eInboundLeftTurn
        eInboundRightTurn
        eOutboundLeftTurn
        eOutboundRightTurn
HoldingDirection
        INBOUND_LEFT_TURN
        INBOUND_RIGHT_TURN
        OUTBOUND_LEFT_TURN
        OUTBOUND_RIGHT_TURN
AgEAvtrHoldRefuelDumpMode
        eFullNumerOfTurns
        eExitAtEndOfTurn
        eImmediateExit
HoldRefuelDumpMode
        FULL_NUMER_OF_TURNS
        EXIT_AT_END_OF_TURN
        IMMEDIATE_EXIT
AgEAvtrHoldingEntryManeuver
        eHoldEntryNoManeuver
        eUseStandardEntryTurns
        eUseAlternateEntryPoints
HoldingEntryManeuver
        HOLD_ENTRY_NO_MANEUVER
        USE_STANDARD_ENTRY_TURNS
        USE_ALTERNATE_ENTRY_POINTS
AgEAvtrVTOLTransitionMode
        eTransitionRelativeHdg
        eTransitionAbsoluteHdg
        eTransitionIntoWind
VTOLTransitionMode
        TRANSITION_RELATIVE_HDG
        TRANSITION_ABSOLUTE_HDG
        TRANSITION_INTO_WIND
AgEAvtrVTOLFinalHeadingMode
        eFinalHeadingRelative
        eFinalHeadingAbsolute
        eFinalHeadingTranslationCourse
VTOLFinalHeadingMode
        FINAL_HEADING_RELATIVE
        FINAL_HEADING_ABSOLUTE
        FINAL_HEADING_TRANSLATION_COURSE
AgEAvtrVTOLTranslationMode
        eSetBearingAndRange
        eComeToStop
        eMaintainRate
VTOLTranslationMode
        SET_BEARING_AND_RANGE
        COME_TO_STOP
        MAINTAIN_RATE
AgEAvtrVTOLTranslationFinalCourseMode
        eTranslateDirect
        eBisectInboundOutbound
        eAnticipateNextTranslation
VTOLTranslationFinalCourseMode
        TRANSLATE_DIRECT
        BISECT_INBOUND_OUTBOUND
        ANTICIPATE_NEXT_TRANSLATION
AgEAvtrHoverMode
        eHoverModeFixedTime
        eHoverModeManeuver
HoverMode
        HOVER_MODE_FIXED_TIME
        HOVER_MODE_MANEUVER
AgEAvtrVTOLHeadingMode
        eHeadingIndependent
        eHeadingAlignTranslationCourse
        eHeadingIntoWind
VTOLHeadingMode
        HEADING_INDEPENDENT
        HEADING_ALIGN_TRANSLATION_COURSE
        HEADING_INTO_WIND
AgEAvtrVertLandingMode
        eVertLandingIndependent
        eVertLandingAlignTranslationCourse
        eVertLandingIntoWind
        eVertLandingAlignTranslationCourseOverride
VertLandingMode
        VERT_LANDING_INDEPENDENT
        VERT_LANDING_ALIGN_TRANSLATION_COURSE
        VERT_LANDING_INTO_WIND
        VERT_LANDING_ALIGN_TRANSLATION_COURSE_OVERRIDE
AgEAvtrLaunchAttitudeMode
        eLaunchAlignDirectionVector
        eLaunchHoldParentAttitude
        eLaunchVTOL
LaunchAttitudeMode
        LAUNCH_ALIGN_DIRECTION_VECTOR
        LAUNCH_HOLD_PARENT_ATTITUDE
        LAUNCH_VTOL
AgEAvtrFuelFlowType
        eFuelFlowTakeoff
        eFuelFlowCruise
        eFuelFlowLanding
        eFuelFlowVTOL
        eFuelFlowAeroProp
        eFuelFlowOverride
FuelFlowType
        FUEL_FLOW_TAKEOFF
        FUEL_FLOW_CRUISE
        FUEL_FLOW_LANDING
        FUEL_FLOW_VTOL
        FUEL_FLOW_AERODYNAMIC_PROPULSION
        FUEL_FLOW_OVERRIDE
AgEAvtrLineOrientation
        eFlightLineToLeft
        eFlightLineToRight
LineOrientation
        FLIGHT_LINE_TO_LEFT
        FLIGHT_LINE_TO_RIGHT
AgEAvtrRelAbsBearing
        eRelativeBearing
        eTrueBearing
        eMagneticBearing
RelativeAbsoluteBearing
        RELATIVE_BEARING
        TRUE_BEARING
        MAGNETIC_BEARING
AgEAvtrBasicFixedWingPropMode
        eSpecifyThrust
        eSpecifyPower
BasicFixedWingPropulsionMode
        SPECIFY_THRUST
        SPECIFY_POWER
AgEAvtrClimbSpeedType
        eClimbSpeedBestRate
        eClimbSpeedBestAngle
        eClimbSpeedMinFuel
        eClimbSpeedOverride
ClimbSpeedType
        CLIMB_SPEED_BEST_RATE
        CLIMB_SPEED_BEST_ANGLE
        CLIMB_SPEED_MIN_FUEL
        CLIMB_SPEED_OVERRIDE
AgEAvtrCruiseMaxPerfSpeedType
        eCornerSpeed
        eMaxPsDryThrust
        eMaxPsAfterburner
        eMaxSpeedDryThrust
        eMaxRangeAfterburner
CruiseMaxPerformanceSpeedType
        CORNER_SPEED
        MAX_PS_DRY_THRUST
        MAX_PS_AFTERBURNER
        MAX_SPEED_DRY_THRUST
        MAX_RANGE_AFTERBURNER
AgEAvtrDescentSpeedType
        eDescentMaxRangeCruise
        eDescentMaxGlideRatio
        eDescentMinSinkRate
        eDescentStallSpeedRatio
        eDescentSpeedOverride
DescentSpeedType
        DESCENT_MAX_RANGE_CRUISE
        DESCENT_MAX_GLIDE_RATIO
        DESCENT_MIN_SINK_RATE
        DESCENT_STALL_SPEED_RATIO
        DESCENT_SPEED_OVERRIDE
AgEAvtrTakeoffLandingSpeedMode
        eTakeoffLandingStallSpeedRatio
        eTakeoffLandingAngleOfAttack
TakeoffLandingSpeedMode
        TAKEOFF_LANDING_STALL_SPEED_RATIO
        TAKEOFF_LANDING_ANGLE_OF_ATTACK
AgEAvtrDepartureSpeedMode
        eMaxClimbAngle
        eMaxClimbRate
        eUseClimbModel
DepartureSpeedMode
        MAX_CLIMB_ANGLE
        MAX_CLIMB_RATE
        USE_CLIMB_MODEL
AgEAvtrAdvFixedWingAeroStrategy
        eExternalAeroFile
        eSubSuperHyperAero
        eSubsonicAero
        eSupersonicAero
        eFourPointAero
AdvancedFixedWingAerodynamicStrategy
        EXTERNAL_AERODYNAMIC_FILE
        SUB_SUPER_HYPER_AERODYNAMIC
        SUBSONIC_AERODYNAMIC
        SUPERSONIC_AERODYNAMIC
        FOUR_POINT_AERODYNAMIC
AgEAvtrAdvFixedWingGeometry
        eBasicGeometry
        eVariableGeometry
AdvancedFixedWingGeometry
        BASIC_GEOMETRY
        VARIABLE_GEOMETRY
AgEAvtrAdvFixedWingPowerplantStrategy
        eElectricPowerplant
        eExternalPropFile
        ePistonPowerplant
        eSubSuperHyperPowerplant
        eTurbofanBasicAB
        eTurbofanHighBypass
        eTurbofanLowBypass
        eTurbofanLowBypassAfterburning
        eTurbojetAfterburning
        eTurbojetBasicAB
        eTurbojet
        eTurboprop
AdvancedFixedWingPowerplantStrategy
        ELECTRIC_POWERPLANT
        EXTERNAL_PROPULSION_FILE
        PISTON_POWERPLANT
        SUB_SUPER_HYPER_POWERPLANT
        TURBOFAN_BASIC_AB
        TURBOFAN_HIGH_BYPASS
        TURBOFAN_LOW_BYPASS
        TURBOFAN_LOW_BYPASS_AFTERBURNING
        TURBOJET_AFTERBURNING
        TURBOJET_BASIC_AB
        TURBOJET
        TURBOPROP
AgEAvtrMissileAeroStrategy
        eMissileAeroSimple
        eMissileAeroExternalFile
        eMissileAeroAdvanced
        eMissileAeroFourPoint
MissileAerodynamicStrategy
        MISSILE_AERODYNAMIC_SIMPLE
        MISSILE_AERODYNAMIC_EXTERNAL_FILE
        MISSILE_AERODYNAMIC_ADVANCED
        MISSILE_AERODYNAMIC_FOUR_POINT
AgEAvtrMissilePropStrategy
        eMissilePropSimple
        eMissilePropExternalFile
        eMissilePropRamjet
        eMissilePropRocket
        eMissilePropTurbojet
MissilePropulsionStrategy
        MISSILE_PROPULSION_SIMPLE
        MISSILE_PROPULSION_EXTERNAL_FILE
        MISSILE_PROPULSION_RAMJET
        MISSILE_PROPULSION_ROCKET
        MISSILE_PROPULSION_TURBOJET
AgEAvtrRotorcraftPowerplantType
        eRotorcraftElectric
        eRotorcraftTurboshaft
        eRotorcraftPiston
RotorcraftPowerplantType
        ROTORCRAFT_ELECTRIC
        ROTORCRAFT_TURBOSHAFT
        ROTORCRAFT_PISTON
AgEAvtrMinimizeSiteProcTimeDiff
        eMinimizeTimeDifferenceOff
        eMinimizeTimeDifferenceAlways
        eMinimizeTimeDifferenceNextUpdate
MinimizeSiteProcedureTimeDiff
        MINIMIZE_TIME_DIFFERENCE_OFF
        MINIMIZE_TIME_DIFFERENCE_ALWAYS
        MINIMIZE_TIME_DIFFERENCE_NEXT_UPDATE
AgEAvtrSTKObjectWaypointOffsetMode
        eOffsetNone
        eOffsetBearingRange
        eOffsetVGTPoint
        eOffsetRelativeBearingRange
STKObjectWaypointOffsetMode
        OFFSET_NONE
        OFFSET_BEARING_RANGE
        OFFSET_VGT_POINT
        OFFSET_RELATIVE_BEARING_RANGE
AgEAvtrSearchPatternCourseMode
        eCourseModeLow
        eCourseModeHigh
        eCourseModeOverride
SearchPatternCourseMode
        COURSE_MODE_LOW
        COURSE_MODE_HIGH
        COURSE_MODE_OVERRIDE
AgEAvtrDelayTurnDir
        eDelayTurnAuto
        eDelayTurnLeft
        eDelayTurnRight
DelayTurnDirection
        DELAY_TURN_AUTO
        DELAY_TURN_LEFT
        DELAY_TURN_RIGHT
AgEAvtrTrajectoryBlendMode
        eBlendBodyQuadratic
        eBlendBodyCubic
        eBlendLHQuadratic
        eBlendLHCubic
        eBlendECFQuadratic
        eBlendECFCubic
TrajectoryBlendMode
        BLEND_BODY_QUADRATIC
        BLEND_BODY_CUBIC
        BLEND_LH_QUADRATIC
        BLEND_LH_CUBIC
        BLEND_ECF_QUADRATIC
        BLEND_ECF_CUBIC
AgEAvtrRefStatePerfMode
        eRefStateClimb
        eRefStateCruise
        eRefStateDescend
        eRefStateHover
        eRefStateLanding
        eRefStateTakeoff
        eRefStateLandingRollout
        eRefStateTakeoffRun
ReferenceStatePerformanceMode
        REFERENCE_STATE_CLIMB
        REFERENCE_STATE_CRUISE
        REFERENCE_STATE_DESCEND
        REFERENCE_STATE_HOVER
        REFERENCE_STATE_LANDING
        REFERENCE_STATE_TAKEOFF
        REFERENCE_STATE_LANDING_ROLLOUT
        REFERENCE_STATE_TAKEOFF_RUN
AgEAvtrRefStateLongitudinalAccelMode
        eSpecifyTASDot
        eSpecifyGroundSpeedDot
ReferenceStateLongitudinalAccelerationMode
        SPECIFY_TAS_DOT
        SPECIFY_GROUND_SPEED_DOT
AgEAvtrRefStateLateralAccelMode
        eSpecifyHeadingDot
        eSpecifyCourseDot
ReferenceStateLateralAccelerationMode
        SPECIFY_HEADING_DOT
        SPECIFY_COURSE_DOT
AgEAvtrRefStateAttitudeMode
        eSpecifyPushPullG
        eSpecifyPitchRate
ReferenceStateAttitudeMode
        SPECIFY_PUSH_PULL_G
        SPECIFY_PITCH_RATE
AgEAvtrAndOr
        eAvtrAND
        eAvtrOR
AndOr
        AND
        OR
AgEAvtrJetEngineTechnologyLevel
        eIdeal
        eLevel1
        eLevel2
        eLevel3
        eLevel4
        eLevel5
JetEngineTechnologyLevel
        IDEAL
        LEVEL1
        LEVEL2
        LEVEL3
        LEVEL4
        LEVEL5
AgEAvtrJetEngineIntakeType
        eSubsonicNacelles
        eSubsonicEmbedded
        eSupersonicEmbedded
JetEngineIntakeType
        SUBSONIC_NACELLES
        SUBSONIC_EMBEDDED
        SUPERSONIC_EMBEDDED
AgEAvtrJetEngineTurbineType
        eUncooled
        eCooled
JetEngineTurbineType
        UNCOOLED
        COOLED
AgEAvtrJetEngineExhaustNozzleType
        eFixedAreaConvergent
        eVariableAreaConvergent
        eVariableAreaConvergentDivergent
JetEngineExhaustNozzleType
        FIXED_AREA_CONVERGENT
        VARIABLE_AREA_CONVERGENT
        VARIABLE_AREA_CONVERGENT_DIVERGENT
AgEAvtrJetFuelType
        eKeroseneAFPROP
        eKeroseneCEA
        eHydrogen
JetFuelType
        KEROSENE_AFPROP
        KEROSENE_CEA
        HYDROGEN
AgEAvtrAFPROPFuelType
        eAFPROPOverride
        eAFPROPJetA
        eAFPROPJetA1
        eAFPROPJP5
        eAFPROPJP7
AFPROPFuelType
        AFPROP_OVERRIDE
        AFPROP_JET_A
        AFPROP_JET_A1
        AFPROPJP5
        AFPROPJP7
AgEAvtrCEAFuelType
        eCEAOverride
        eCEAJetA
        eCEAJetA1
        eCEAJP5
        eCEAJP7
CEAFuelType
        CEA_OVERRIDE
        CEA_JET_A
        CEA_JET_A1
        CEAJP5
        CEAJP7
AgEAvtrTurbineMode
        eTurbineModeDisabled
        eTurbineModeTurbojetBasicAB
        eTurbineModeTurbofanBasicAB
TurbineMode
        TURBINE_MODE_DISABLED
        TURBINE_MODE_TURBOJET_BASIC_AB
        TURBINE_MODE_TURBOFAN_BASIC_AB
AgEAvtrRamjetMode
        eRamjetModeDisabled
        eRamjetModeBasic
RamjetMode
        RAMJET_MODE_DISABLED
        RAMJET_MODE_BASIC
AgEAvtrScramjetMode
        eScramjetModeDisabled
        eScramjetModeBasic
ScramjetMode
        SCRAMJET_MODE_DISABLED
        SCRAMJET_MODE_BASIC
AgEAvtrNumericalIntegrator
        eRK4
        eRK45
AviatorNumericalIntegrator
        RUNGE_KUTTA4
        RUNGE_KUTTA45
AgEAvtrBallistic3DControlMode
        eBallistic3DCompensateForWind
        eBallistic3DWindPushesVehicle
        eBallistic3DParachuteMode
Ballistic3DControlMode
        BALLISTIC_3D_COMPENSATE_FOR_WIND
        BALLISTIC_3D_WIND_PUSHES_VEHICLE
        BALLISTIC_3D_PARACHUTE_MODE
AgEAvtrLaunchDynStateCoordFrame
        eLaunchDynStateCoordFrameBody
        eLaunchDynStateCoordFrameLocalHorizontal
LaunchDynamicStateCoordFrame
        LAUNCH_DYNAMIC_STATE_COORD_FRAME_BODY
        LAUNCH_DYNAMIC_STATE_COORD_FRAME_LOCAL_HORIZONTAL
AgEAvtrLaunchDynStateBearingRef
        eLaunchDynStateBearingRefVelocity
        eLaunchDynStateBearingRefCoordFrameX
        eLaunchDynStateBearingRefNorth
LaunchDynamicStateBearingReference
        LAUNCH_DYNAMIC_STATE_BEARING_REFERENCE_VELOCITY
        LAUNCH_DYNAMIC_STATE_BEARING_REFERENCE_COORD_FRAME_X
        LAUNCH_DYNAMIC_STATE_BEARING_REFERENCE_NORTH
AgEAvtrAltitudeRef
        eAltitudeRefWGS84
        eAltitudeRefMSL
        eAltitudeRefTerrain
AltitudeReference
        ALTITUDE_REFERENCE_WGS84
        ALTITUDE_REFERENCE_MSL
        ALTITUDE_REFERENCE_TERRAIN
AgEAvtrSmoothTurnFPAMode
        eSmoothTurnFPAHoldInitial
        eSmoothTurnFPALevelOff
SmoothTurnFlightPathAngleMode
        SMOOTH_TURN_FLIGHT_PATH_ANGLE_HOLD_INITIAL
        SMOOTH_TURN_FLIGHT_PATH_ANGLE_LEVEL_OFF
AgEAvtrPitch3DControlMode
        ePitch3DCompensateForWind
        ePitch3DWindPushesVehicle
Pitch3DControlMode
        PITCH_3D_COMPENSATE_FOR_WIND
        PITCH_3D_WIND_PUSHES_VEHICLE
AgEAvtrRefuelDumpMode
        eRefuelDumpDisabled
        eRefuelTopOff
        eRefuelToFuelState
        eRefuelToWeight
        eRefuelQuantity
        eDumpToFuelState
        eDumpToWeight
        eDumpQuantity
RefuelDumpMode
        REFUEL_DUMP_DISABLED
        REFUEL_TOP_OFF
        REFUEL_TO_FUEL_STATE
        REFUEL_TO_WEIGHT
        REFUEL_QUANTITY
        DUMP_TO_FUEL_STATE
        DUMP_TO_WEIGHT
        DUMP_QUANTITY
AgEAvtrBasicManeuverGlideSpeedControlMode
        eGlideSpeedImmediateChange
        eGlideSpeedAtAltitude
BasicManeuverGlideSpeedControlMode
        GLIDE_SPEED_IMMEDIATE_CHANGE
        GLIDE_SPEED_AT_ALTITUDE
AgEAvtrTargetPosVelType
        eSurfaceTargetPosVel
        eBearingRangeTargetPosVel
        eDisabledPosVel
TargetPositionVelocityType
        SURFACE_TARGET_POSITION_VELOCITY
        BEARING_RANGE_TARGET_POSITION_VELOCITY
        DISABLED_POSITION_VELOCITY
AgEAvtrEphemShiftRotateAltMode
        eAltModeMSL
        eAltModeWGS
        eAltModeRel
EphemShiftRotateAltitudeMode
        ALTITUDE_MODE_MSL
        ALTITUDE_MODE_WGS
        ALTITUDE_MODE_RELATIVE
AgEAvtrEphemShiftRotateCourseMode
        eCourseModeTrue
        eCourseModeMag
        eCourseModeRel
EphemShiftRotateCourseMode
        COURSE_MODE_TRUE
        COURSE_MODE_MAGNITUDE
        COURSE_MODE_RELATIVE
AgAvtrSiteWaypoint SiteWaypoint
AgAvtrSiteEndOfPrevProcedure SiteEndOfPrevProcedure
AgAvtrSiteVTOLPoint SiteVTOLPoint
AgAvtrSiteReferenceState SiteReferenceState
AgAvtrSiteSTKVehicle SiteSTKVehicle
AgAvtrSiteSuperProcedure SiteSuperProcedure
AgAvtrSiteRelToPrevProcedure SiteRelativeToPrevProcedure
AgAvtrSiteSTKObjectWaypoint SiteSTKObjectWaypoint
AgAvtrSiteSTKStaticObject SiteSTKStaticObject
AgAvtrSiteRelToSTKObject SiteRelativeToSTKObject
AgAvtrSiteSTKAreaTarget SiteSTKAreaTarget
AgAvtrSiteRunway SiteRunway
AgAvtrSite Site
AgAvtrProcedureLanding ProcedureLanding
AgAvtrProcedureEnroute ProcedureEnroute
AgAvtrProcedureExtEphem ProcedureExtEphem
AgAvtrProcedureFormationFlyer ProcedureFormationFlyer
AgAvtrProcedureBasicPointToPoint ProcedureBasicPointToPoint
AgAvtrProcedureArcEnroute ProcedureArcEnroute
AgAvtrProcedureArcPointToPoint ProcedureArcPointToPoint
AgAvtrProcedureFlightLine ProcedureFlightLine
AgAvtrProcedureDelay ProcedureDelay
AgAvtrProcedureTakeoff ProcedureTakeoff
AgAvtrProcedureCollection ProcedureCollection
AgAvtrPhase Phase
AgAvtrPhaseCollection PhaseCollection
AgAvtrMission Mission
AgAvtrPropagator AviatorPropagator
AgAvtrProcedureBasicManeuver ProcedureBasicManeuver
AgAvtrBasicManeuverStrategyWeave BasicManeuverStrategyWeave
AgAvtrProcedureTimeOptions ProcedureTimeOptions
AgAvtrCalculationOptions CalculationOptions
AgAvtrAircraftCategory AircraftCategory
AgAvtrCatalog Catalog
AgAvtrAircraft AircraftModel
AgAvtrMissile MissileModel
AgAvtrRotorcraft RotorcraftModel
AgAvtrRotorcraftAero RotorcraftAerodynamic
AgAvtrRotorcraftProp RotorcraftPropulsion
AgAvtrAircraftAcceleration AircraftAcceleration
AgAvtrAircraftBasicAccelerationModel AircraftBasicAccelerationModel
AgAvtrAircraftClimb AircraftClimb
AgAvtrAircraftCruise AircraftCruise
AgAvtrAircraftDescent AircraftDescent
AgAvtrAircraftLanding AircraftLanding
AgAvtrAircraftTakeoff AircraftTakeoff
AgAvtrAircraftBasicClimbModel AircraftBasicClimbModel
AgAvtrAircraftAdvClimbModel AircraftAdvancedClimbModel
AgAvtrAircraftBasicCruiseModel AircraftBasicCruiseModel
AgAvtrAircraftAdvCruiseModel AircraftAdvancedCruiseModel
AgAvtrAircraftBasicDescentModel AircraftBasicDescentModel
AgAvtrAircraftAdvDescentModel AircraftAdvancedDescentModel
AgAvtrAircraftBasicTakeoffModel AircraftBasicTakeoffModel
AgAvtrAircraftAdvTakeoffModel AircraftAdvancedTakeoffModel
AgAvtrAircraftBasicLandingModel AircraftBasicLandingModel
AgAvtrAircraftAdvLandingModel AircraftAdvancedLandingModel
AgAvtrAirportCategory AirportCategory
AgAvtrARINC424Airport ARINC424Airport
AgAvtrARINC424Runway ARINC424Runway
AgAvtrDAFIFRunway DAFIFRunway
AgAvtrDAFIFHelipad DAFIFHelipad
AgAvtrDAFIFWaypoint DAFIFWaypoint
AgAvtrRunwayCategory RunwayCategory
AgAvtrUserRunwaySource UserRunwaySource
AgAvtrUserRunway UserRunway
AgAvtrAltitudeMSLOptions AltitudeMSLOptions
AgAvtrAltitudeOptions AltitudeOptions
AgAvtrArcAltitudeOptions ArcAltitudeOptions
AgAvtrArcAltitudeAndDelayOptions ArcAltitudeAndDelayOptions
AgAvtrArcOptions ArcOptions
AgAvtrAltitudeMSLAndLevelOffOptions AltitudeMSLAndLevelOffOptions
AgAvtrCruiseAirspeedOptions CruiseAirspeedOptions
AgAvtrCruiseAirspeedProfile CruiseAirspeedProfile
AgAvtrCruiseAirspeedAndProfileOptions CruiseAirspeedAndProfileOptions
AgAvtrLandingCruiseAirspeedAndProfileOptions LandingCruiseAirspeedAndProfileOptions
AgAvtrEnrouteOptions EnrouteOptions
AgAvtrEnrouteAndDelayOptions EnrouteAndDelayOptions
AgAvtrLandingEnrouteOptions LandingEnrouteOptions
AgAvtrEnrouteTurnDirectionOptions EnrouteTurnDirectionOptions
AgAvtrNavigationOptions NavigationOptions
AgAvtrVerticalPlaneOptions VerticalPlaneOptions
AgAvtrArcVerticalPlaneOptions ArcVerticalPlaneOptions
AgAvtrVerticalPlaneAndFlightPathOptions VerticalPlaneAndFlightPathOptions
AgAvtrLandingVerticalPlaneOptions LandingVerticalPlaneOptions
AgAvtrRunwayHeadingOptions RunwayHeadingOptions
AgAvtrLandingEnterDownwindPattern LandingEnterDownwindPattern
AgAvtrLandingInterceptGlideslope LandingInterceptGlideslope
AgAvtrLandingStandardInstrumentApproach LandingStandardInstrumentApproach
AgAvtrTakeoffDeparturePoint TakeoffDeparturePoint
AgAvtrTakeoffLowTransition TakeoffLowTransition
AgAvtrTakeoffNormal TakeoffNormal
AgAvtrLevelTurns LevelTurns
AgAvtrAttitudeTransitions AttitudeTransitions
AgAvtrClimbAndDescentTransitions ClimbAndDescentTransitions
AgAvtrAeroPropManeuverModeHelper AerodynamicPropulsionManeuverModeHelper
AgAvtrAircraftAdvAccelerationModel AircraftAdvancedAccelerationModel
AgAvtrAircraftAccelerationMode AircraftAccelerationMode
AgAvtrAircraftSimpleAero AircraftSimpleAerodynamic
AgAvtrAircraftExternalAero AircraftExternalAerodynamic
AgAvtrAircraftAero AircraftAerodynamic
AgAvtrAircraftBasicFixedWingAero AircraftBasicFixedWingAerodynamic
AgAvtrAircraftProp AircraftPropulsion
AgAvtrAircraftSimpleProp AircraftSimplePropulsion
AgAvtrAircraftExternalProp AircraftExternalPropulsion
AgAvtrAircraftBasicFixedWingProp AircraftBasicFixedWingPropulsion
AgAvtrARINC424Source ARINC424Source
AgAvtrDAFIFSource DAFIFSource
AgAvtrBasicFixedWingFwdFlightLiftHelper BasicFixedWingForwardFlightLiftHelper
AgAvtrBasicManeuverStrategyStraightAhead BasicManeuverStrategyStraightAhead
AgAvtrBasicManeuverStrategyCruiseProfile BasicManeuverStrategyCruiseProfile
AgAvtrBasicManeuverStrategyGlideProfile BasicManeuverStrategyGlideProfile
AgAvtrAircraftModels AircraftModels
AgAvtrMissileModels MissileModels
AgAvtrRotorcraftModels RotorcraftModels
AgAvtrConfiguration Configuration
AgAvtrFuelTankInternal FuelTankInternal
AgAvtrFuelTankExternal FuelTankExternal
AgAvtrPayloadStation PayloadStation
AgAvtrStationCollection StationCollection
AgAvtrWindModel WindModel
AgAvtrWindModelConstant WindModelConstant
AgAvtrWindModelADDS WindModelADDS
AgAvtrADDSMessage ADDSMessage
AgAvtrADDSMessageCollection ADDSMessageCollection
AgAvtrProcedure Procedure
AgAvtrAtmosphereModel AtmosphereModel
AgAvtrAtmosphereModelBasic AtmosphereModelBasic
AgAvtrBasicManeuverStrategySimpleTurn BasicManeuverStrategySimpleTurn
AgAvtrBasicManeuverStrategyAileronRoll BasicManeuverStrategyAileronRoll
AgAvtrBasicManeuverStrategyFlyAOA BasicManeuverStrategyFlyAOA
AgAvtrBasicManeuverStrategyPull BasicManeuverStrategyPull
AgAvtrBasicManeuverStrategyRollingPull BasicManeuverStrategyRollingPull
AgAvtrBasicManeuverStrategySmoothAccel BasicManeuverStrategySmoothAcceleration
AgAvtrBasicManeuverStrategySmoothTurn BasicManeuverStrategySmoothTurn
AgAvtrBasicManeuverAirspeedOptions BasicManeuverAirspeedOptions
AgAvtrPropulsionThrust PropulsionThrust
AgAvtrBasicManeuverStrategyAutopilotNav BasicManeuverStrategyAutopilotNavigation
AgAvtrBasicManeuverStrategyAutopilotProf BasicManeuverStrategyAutopilotProf
AgAvtrBasicManeuverStrategyBarrelRoll BasicManeuverStrategyBarrelRoll
AgAvtrBasicManeuverStrategyLoop BasicManeuverStrategyLoop
AgAvtrBasicManeuverStrategyLTAHover BasicManeuverStrategyLTAHover
AgAvtrBasicManeuverStrategyIntercept BasicManeuverStrategyIntercept
AgAvtrBasicManeuverStrategyRelativeBearing BasicManeuverStrategyRelativeBearing
AgAvtrBasicManeuverStrategyRelativeCourse BasicManeuverStrategyRelativeCourse
AgAvtrBasicManeuverStrategyRendezvous BasicManeuverStrategyRendezvous
AgAvtrBasicManeuverStrategyStationkeeping BasicManeuverStrategyStationkeeping
AgAvtrBasicManeuverStrategyRelativeFPA BasicManeuverStrategyRelativeFlightPathAngle
AgAvtrBasicManeuverStrategyRelSpeedAlt BasicManeuverStrategyRelativeSpeedAltitude
AgAvtrBasicManeuverStrategyBezier BasicManeuverStrategyBezier
AgAvtrBasicManeuverStrategyPushPull BasicManeuverStrategyPushPull
AgAvtrProcedureHoldingCircular ProcedureHoldingCircular
AgAvtrProcedureHoldingFigure8 ProcedureHoldingFigure8
AgAvtrProcedureHoldingRacetrack ProcedureHoldingRacetrack
AgAvtrProcedureTransitionToHover ProcedureTransitionToHover
AgAvtrProcedureTerrainFollow ProcedureTerrainFollow
AgAvtrProcedureHover ProcedureHover
AgAvtrProcedureHoverTranslate ProcedureHoverTranslate
AgAvtrProcedureTransitionToForwardFlight ProcedureTransitionToForwardFlight
AgAvtrHoverAltitudeOptions HoverAltitudeOptions
AgAvtrProcedureVerticalTakeoff ProcedureVerticalTakeoff
AgAvtrProcedureVerticalLanding ProcedureVerticalLanding
AgAvtrProcedureReferenceState ProcedureReferenceState
AgAvtrProcedureSuperProcedure ProcedureSuperProcedure
AgAvtrProcedureLaunch ProcedureLaunch
AgAvtrProcedureAirway ProcedureAirway
AgAvtrProcedureAirwayRouter ProcedureAirwayRouter
AgAvtrProcedureAreaTargetSearch ProcedureAreaTargetSearch
AgAvtrProcedureFormationRecover ProcedureFormationRecover
AgAvtrProcedureInFormation ProcedureInFormation
AgAvtrProcedureParallelFlightLine ProcedureParallelFlightLine
AgAvtrProcedureVGTPoint ProcedureVGTPoint
AgAvtrPerformanceModelOptions PerformanceModelOptions
AgAvtrAdvFixedWingTool AdvancedFixedWingTool
AgAvtrAdvFixedWingExternalAero AdvancedFixedWingExternalAerodynamic
AgAvtrAdvFixedWingSubsonicAero AdvancedFixedWingSubsonicAerodynamic
AgAvtrAdvFixedWingSubSuperHypersonicAero AdvancedFixedWingSubSuperHypersonicAerodynamic
AgAvtrAdvFixedWingSupersonicAero AdvancedFixedWingSupersonicAerodynamic
AgAvtrPerformanceModel PerformanceModel
AgAvtrAdvFixedWingGeometryBasic AdvancedFixedWingGeometryBasic
AgAvtrAdvFixedWingGeometryVariable AdvancedFixedWingGeometryVariable
AgAvtrAdvFixedWingElectricPowerplant AdvancedFixedWingElectricPowerplant
AgAvtrAdvFixedWingExternalProp AdvancedFixedWingExternalPropulsion
AgAvtrAdvFixedWingSubSuperHypersonicProp AdvancedFixedWingSubSuperHypersonicPropulsion
AgAvtrAdvFixedWingPistonPowerplant AdvancedFixedWingPistonPowerplant
AgAvtrAdvFixedWingEmpiricalJetEngine AdvancedFixedWingEmpiricalJetEngine
AgAvtrAdvFixedWingTurbofanBasicABPowerplant AdvancedFixedWingTurbofanBasicABPowerplant
AgAvtrAdvFixedWingTurbojetBasicABPowerplant AdvancedFixedWingTurbojetBasicABPowerplant
AgAvtrAdvFixedWingTurbofanBasicABProp AdvancedFixedWingTurbofanBasicABPropulsion
AgAvtrAdvFixedWingTurbojetBasicABProp AdvancedFixedWingTurbojetBasicABPropulsion
AgAvtrAdvFixedWingTurbopropPowerplant AdvancedFixedWingTurbopropPowerplant
AgAvtrMissileSimpleAero MissileSimpleAerodynamic
AgAvtrMissileExternalAero MissileExternalAerodynamic
AgAvtrMissileAdvancedAero MissileAdvancedAerodynamic
AgAvtrMissileAero MissileAerodynamic
AgAvtrMissileProp MissilePropulsion
AgAvtrMissileSimpleProp MissileSimplePropulsion
AgAvtrMissileExternalProp MissileExternalPropulsion
AgAvtrMissileRamjetProp MissileRamjetPropulsion
AgAvtrMissileRocketProp MissileRocketPropulsion
AgAvtrMissileTurbojetProp MissileTurbojetPropulsion
AgAvtrRefStateForwardFlightOptions ReferenceStateForwardFlightOptions
AgAvtrRefStateTakeoffLandingOptions ReferenceStateTakeoffLandingOptions
AgAvtrRefStateHoverOptions ReferenceStateHoverOptions
AgAvtrRefStateWeightOnWheelsOptions ReferenceStateWeightOnWheelsOptions
AgAvtrSiteRunwayFromCatalog SiteRunwayFromCatalog
AgAvtrSiteAirportFromCatalog SiteAirportFromCatalog
AgAvtrSiteNavaidFromCatalog SiteNavaidFromCatalog
AgAvtrSiteVTOLPointFromCatalog SiteVTOLPointFromCatalog
AgAvtrSiteWaypointFromCatalog SiteWaypointFromCatalog
AgAvtrNavaidCategory NavaidCategory
AgAvtrVTOLPointCategory VTOLPointCategory
AgAvtrWaypointCategory WaypointCategory
AgAvtrARINC424Navaid ARINC424Navaid
AgAvtrARINC424Helipad ARINC424Helipad
AgAvtrARINC424Waypoint ARINC424Waypoint
AgAvtrUserVTOLPointSource UserVTOLPointSource
AgAvtrUserVTOLPoint UserVTOLPoint
AgAvtrUserWaypointSource UserWaypointSource
AgAvtrUserWaypoint UserWaypoint
AgAvtrPropulsionEfficiencies PropulsionEfficiencies
AgAvtrFuelModelKeroseneAFPROP FuelModelKeroseneAFPROP
AgAvtrFuelModelKeroseneCEA FuelModelKeroseneCEA
AgAvtrAdvFixedWingRamjetBasic AdvancedFixedWingRamjetBasic
AgAvtrAdvFixedWingScramjetBasic AdvancedFixedWingScramjetBasic
AgAvtrAircraftVTOLModel AircraftVTOLModel
AgAvtrAircraftVTOL AircraftVTOL
AgAvtrAircraftTerrainFollowModel AircraftTerrainFollowModel
AgAvtrAircraftTerrainFollow AircraftTerrainFollow
AgAvtrBasicManeuverStrategyBallistic3D BasicManeuverStrategyBallistic3D
AgAvtrProcedureLaunchDynState ProcedureLaunchDynamicState
AgAvtrProcedureLaunchWaypoint ProcedureLaunchWaypoint
AgAvtrSiteDynState SiteDynamicState
AgAvtrBasicManeuverStrategyPitch3D BasicManeuverStrategyPitch3D
AgAvtrRefuelDumpProperties RefuelDumpProperties
AgAvtrProcedureFastTimeOptions ProcedureFastTimeOptions
AgAvtrBasicManeuverTargetPosVel BasicManeuverTargetPositionVelocity
AgAvtrBasicManeuverTargetPosVelNoisyBrgRng BasicManeuverTargetPositionVelocityNoisyBearingRange
AgAvtrBasicManeuverTargetPosVelNoisySurfTgt BasicManeuverTargetPositionVelocityNoisySurfTarget
AgAvtrAdvFixedWingFourPointAero AdvancedFixedWingFourPointAerodynamic
AgAvtrMissileFourPointAero MissileFourPointAerodynamic
AgAvtrFourPointAero FourPointAerodynamic
IAgAvtrSite
        Name
ISite
        name
IAgAvtrWindModel
        WindModelType
        WindModelTypeString
        WindModelSource
        ModeAsConstant
        ModeAsADDS
        Copy
        Paste
WindModel
        wind_model_type
        wind_model_type_string
        wind_model_source
        mode_as_constant
        mode_as_adds
        copy
        paste
IAgAvtrADDSMessage
        StartTime
        StopTime
        MessageTime
        Type
        Source
ADDSMessage
        start_time
        stop_time
        message_time
        type
        source
IAgAvtrFuelTankInternal
        Name
        Capacity
        ConsumptionOrder
        InitialFuelState
        PositionX
        PositionY
        PositionZ
        SetPosition
FuelTankInternal
        name
        capacity
        consumption_order
        initial_fuel_state
        position_x
        position_y
        position_z
        set_position
IAgAvtrFuelTankExternal
        Name
        EmptyWeight
        Capacity
        InitialFuelState
        ConsumptionOrder
        DragIndex
FuelTankExternal
        name
        empty_weight
        capacity
        initial_fuel_state
        consumption_order
        drag_index
IAgAvtrPayloadStation
        Name
        PositionX
        PositionY
        PositionZ
        SetPosition
        RemoveSubItem
        AddExternalFuelTank
        GetExternalFuelTank
PayloadStation
        name
        position_x
        position_y
        position_z
        set_position
        remove_sub_item
        add_external_fuel_tank
        get_external_fuel_tank
IAgAvtrAircraft
        PerfModelTypes
        Acceleration
        Climb
        Cruise
        Descent
        Landing
        Takeoff
        DefaultConfiguration
        AdvFixedWingTool
        GetAsCatalogItem
        VTOL
        TerrainFollow
AircraftModel
        performance_model_types
        acceleration
        climb
        cruise
        descent
        landing
        takeoff
        default_configuration
        advanced_fixed_wing_tool
        get_as_catalog_item
        vtol
        terrain_follow
IAgAvtrAircraftSimpleAero
        OperatingMode
        SRef
        ClMax
        Cd
AircraftSimpleAerodynamic
        operating_mode
        s_reference
        cl_max
        cd
IAgAvtrLevelTurns
        TurnMode
        TurnG
        BankAngle
        TurnAcceleration
        TurnRadius
        TurnRate
        SetLevelTurn
        ManeuverMode
        ManeuverModeHelper
LevelTurns
        turn_mode
        turn_g
        bank_angle
        turn_acceleration
        turn_radius
        turn_rate
        set_level_turn
        maneuver_mode
        maneuver_mode_helper
IAgAvtrAttitudeTransitions
        RollRate
        PitchRate
        YawRate
AttitudeTransitions
        roll_rate
        pitch_rate
        yaw_rate
IAgAvtrClimbAndDescentTransitions
        MaxPullUpG
        MaxPushOverG
        ManeuverMode
        IgnoreFPA
        ManeuverModeHelper
ClimbAndDescentTransitions
        max_pull_up_g
        max_push_over_g
        maneuver_mode
        ignore_flight_path_angle
        maneuver_mode_helper
IAgAvtrCatalogItem
        Name
        Description
        Duplicate
        Remove
        Save
        IsReadOnly
        ChildNames
        GetChildItemByName
        ChildTypes
        AddDefaultChild
        AddChildOfType
        ContainsChildItem
ICatalogItem
        name
        description
        duplicate
        remove
        save
        is_read_only
        child_names
        get_child_item_by_name
        child_types
        add_default_child
        add_child_of_type
        contains_child_item
IAgAvtrAircraftBasicClimbModel
        CeilingAltitude
        Airspeed
        AirspeedType
        SetAirspeed
        AltitudeRate
        UseAeroPropFuel
        ScaleFuelFlowByNonStdDensity
        FuelFlow
        EnableRelativeAirspeedTolerance
        RelativeAirspeedTolerance
        GetAsCatalogItem
AircraftBasicClimbModel
        ceiling_altitude
        airspeed
        airspeed_type
        set_airspeed
        altitude_rate
        use_aerodynamic_propulsion_fuel
        scale_fuel_flow_by_non_std_density
        fuel_flow
        enable_relative_airspeed_tolerance
        relative_airspeed_tolerance
        get_as_catalog_item
IAgAvtrAircraftBasicAccelerationModel
        LevelTurns
        AttitudeTransitions
        ClimbAndDescentTransitions
        Aerodynamics
        Propulsion
        GetAsCatalogItem
AircraftBasicAccelerationModel
        level_turns
        attitude_transitions
        climb_and_descent_transitions
        aerodynamics
        propulsion
        get_as_catalog_item
IAgAvtrAircraftCategory
        AircraftModels
        MissileModels
        RotorcraftModels
AircraftCategory
        aircraft_models
        missile_models
        rotorcraft_models
IAgAvtrRunwayCategory
        UserRunways
        ARINC424Runways
        DAFIFRunways
RunwayCategory
        user_runways
        arinc424_runways
        dafif_runways
IAgAvtrBasicManeuverStrategy IBasicManeuverStrategy
IAgAvtrAircraftVTOL
        GetVTOLByName
        GetAsCatalogItem
AircraftVTOL
        get_vtol_by_name
        get_as_catalog_item
IAgAvtrAircraftExternalAero
        ForwardFlightFilepath
        SetForwardFlightFilepath
        ReloadForwardFlightFile
        ForwardFlightRefArea
        CanSetForwardFlightRefArea
        IsForwardFlightValid
        TakeoffLandingFilepath
        SetTakeoffLandingFilepath
        ReloadTakeoffLandingFile
        TakeoffLandingRefArea
        CanSetTakeoffLandingRefArea
        IsTakeoffLandingValid
AircraftExternalAerodynamic
        forward_flight_filepath
        set_forward_flight_filepath
        reload_forward_flight_file
        forward_flight_reference_area
        can_set_forward_flight_reference_area
        is_forward_flight_valid
        takeoff_landing_filepath
        set_takeoff_landing_filepath
        reload_takeoff_landing_file
        takeoff_landing_reference_area
        can_set_takeoff_landing_reference_area
        is_takeoff_landing_valid
IAgAvtrAircraftSimpleProp
        MaxThrustAccel
        MinThrustDecel
        UseDensityScaling
        DensityRatioExponent
        SetDensityScaling
AircraftSimplePropulsion
        max_thrust_acceleration
        min_thrust_deceleration
        use_density_scaling
        density_ratio_exponent
        set_density_scaling
IAgAvtrAircraftExternalProp
        PropFilepath
        SetPropFilepath
        ReloadPropFile
        IsValid
        CanSetAccelDecel
        MaxThrustAccel
        MinThrustDecel
        UseDensityScaling
        DensityRatioExponent
        SetDensityScaling
AircraftExternalPropulsion
        propulsion_filepath
        set_propulsion_filepath
        reload_propulsion_file
        is_valid
        can_set_acceleration_deceleration
        max_thrust_acceleration
        min_thrust_deceleration
        use_density_scaling
        density_ratio_exponent
        set_density_scaling
IAgAvtrAircraftBasicFixedWingProp
        PropulsionMode
        PropellerCount
        PropellerDiameter
        PropellerRPM
        MinPowerThrust
        MinFuelFlow
        MaxPowerThrust
        MaxFuelFlow
        MaxThrustAccel
        MinThrustDecel
        UseDensityScaling
        DensityRatioExponent
        SetDensityScaling
AircraftBasicFixedWingPropulsion
        propulsion_mode
        propeller_count
        propeller_diameter
        propeller_rpm
        min_power_thrust
        min_fuel_flow
        max_power_thrust
        max_fuel_flow
        max_thrust_acceleration
        min_thrust_deceleration
        use_density_scaling
        density_ratio_exponent
        set_density_scaling
IAgAvtrAircraftAdvClimbModel
        ClimbSpeedType
        ClimbOverrideAirspeedType
        ClimbOverrideAirspeed
        SetClimbOverrideAirspeed
        UseAfterburner
        UseAirspeedLimit
        AltitudeLimit
        AirspeedLimitType
        AirspeedLimit
        SetAirspeedLimit
        UseFlightPathAngleLimit
        FlightPathAngle
        SetFlightPathAngle
        ComputeDeltaAltitude
        GetAsCatalogItem
AircraftAdvancedClimbModel
        climb_speed_type
        climb_override_airspeed_type
        climb_override_airspeed
        set_climb_override_airspeed
        use_afterburner
        use_airspeed_limit
        altitude_limit
        airspeed_limit_type
        airspeed_limit
        set_airspeed_limit
        use_flight_path_angle_limit
        flight_path_angle
        set_flight_path_angle
        compute_delta_altitude
        get_as_catalog_item
IAgAvtrAircraftBasicCruiseModel
        CeilingAltitude
        DefaultCruiseAltitude
        UseAeroPropFuel
        ScaleFuelFlowByNonStdDensity
        AirspeedType
        MinAirspeed
        MaxEnduranceAirspeed
        MaxRangeAirspeed
        MaxAirspeed
        MaxPerfAirspeed
        MinAirspeedFuelFlow
        MaxEnduranceFuelFlow
        MaxRangeFuelFlow
        MaxAirspeedFuelFlow
        MaxPerfAirspeedFuelFlow
        GetAsCatalogItem
AircraftBasicCruiseModel
        ceiling_altitude
        default_cruise_altitude
        use_aerodynamic_propulsion_fuel
        scale_fuel_flow_by_non_std_density
        airspeed_type
        min_airspeed
        max_endurance_airspeed
        max_range_airspeed
        max_airspeed
        max_performance_airspeed
        min_airspeed_fuel_flow
        max_endurance_fuel_flow
        max_range_fuel_flow
        max_airspeed_fuel_flow
        max_performance_airspeed_fuel_flow
        get_as_catalog_item
IAgAvtrAircraftAdvCruiseModel
        DefaultCruiseAltitude
        MaxPerfAirspeed
        UseAirspeedLimit
        AltitudeLimit
        AirspeedLimitType
        AirspeedLimit
        SetAirspeedLimit
        ComputeDeltaDownrange
        GetAsCatalogItem
AircraftAdvancedCruiseModel
        default_cruise_altitude
        max_performance_airspeed
        use_airspeed_limit
        altitude_limit
        airspeed_limit_type
        airspeed_limit
        set_airspeed_limit
        compute_delta_downrange
        get_as_catalog_item
IAgAvtrAircraftBasicDescentModel
        CeilingAltitude
        Airspeed
        AirspeedType
        SetAirspeed
        AltitudeRate
        UseAeroPropFuel
        ScaleFuelFlowByNonStdDensity
        FuelFlow
        EnableRelativeAirspeedTolerance
        RelativeAirspeedTolerance
        GetAsCatalogItem
AircraftBasicDescentModel
        ceiling_altitude
        airspeed
        airspeed_type
        set_airspeed
        altitude_rate
        use_aerodynamic_propulsion_fuel
        scale_fuel_flow_by_non_std_density
        fuel_flow
        enable_relative_airspeed_tolerance
        relative_airspeed_tolerance
        get_as_catalog_item
IAgAvtrAircraftAdvDescentModel
        DescentSpeedType
        DescentStallSpeedRatio
        DescentOverrideAirspeedType
        DescentOverrideAirspeed
        SetDescentOverrideAirspeed
        Speedbrakes
        UseAirspeedLimit
        AltitudeLimit
        AirspeedLimitType
        AirspeedLimit
        SetAirspeedLimit
        ComputeDeltaAltitude
        GetAsCatalogItem
AircraftAdvancedDescentModel
        descent_speed_type
        descent_stall_speed_ratio
        descent_override_airspeed_type
        descent_override_airspeed
        set_descent_override_airspeed
        speedbrakes
        use_airspeed_limit
        altitude_limit
        airspeed_limit_type
        airspeed_limit
        set_airspeed_limit
        compute_delta_altitude
        get_as_catalog_item
IAgAvtrAircraftBasicLandingModel
        LandingSpeed
        LandingSpeedType
        SetLandingSpeed
        SeaLevelGroundRoll
        UseAeroPropFuel
        ScaleFuelFlowByNonStdDensity
        FuelFlow
        GetAsCatalogItem
AircraftBasicLandingModel
        landing_speed
        landing_speed_type
        set_landing_speed
        sea_level_ground_roll
        use_aerodynamic_propulsion_fuel
        scale_fuel_flow_by_non_std_density
        fuel_flow
        get_as_catalog_item
IAgAvtrAircraftAdvLandingModel
        LandingSpeedMode
        StallSpeedRatio
        SetStallSpeedRatio
        AngleOfAttack
        SetAngleOfAttack
        Flaps
        Speedbrakes
        BrakingDecelG
        GetAsCatalogItem
AircraftAdvancedLandingModel
        landing_speed_mode
        stall_speed_ratio
        set_stall_speed_ratio
        angle_of_attack
        set_angle_of_attack
        flaps
        speedbrakes
        braking_deceleration_g
        get_as_catalog_item
IAgAvtrAircraftBasicTakeoffModel
        TakeoffSpeed
        TakeoffSpeedType
        SetTakeoffSpeed
        SeaLevelGroundRoll
        DepartureSpeed
        DepartureSpeedType
        SetDepartureSpeed
        UseAeroPropFuel
        ScaleFuelFlowByNonStdDensity
        AccelFuelFlow
        DepartureFuelFlow
        GetAsCatalogItem
AircraftBasicTakeoffModel
        takeoff_speed
        takeoff_speed_type
        set_takeoff_speed
        sea_level_ground_roll
        departure_speed
        departure_speed_type
        set_departure_speed
        use_aerodynamic_propulsion_fuel
        scale_fuel_flow_by_non_std_density
        acceleration_fuel_flow
        departure_fuel_flow
        get_as_catalog_item
IAgAvtrAircraftAdvTakeoffModel
        TakeoffSpeedMode
        StallSpeedRatio
        SetStallSpeedRatio
        AngleOfAttack
        SetAngleOfAttack
        Flaps
        DepartureSpeedMode
        DepartureSpeedLimit
        DepartureSpeedLimitType
        SetDepartureSpeedLimit
        UseAfterburner
        GetAsCatalogItem
AircraftAdvancedTakeoffModel
        takeoff_speed_mode
        stall_speed_ratio
        set_stall_speed_ratio
        angle_of_attack
        set_angle_of_attack
        flaps
        departure_speed_mode
        departure_speed_limit
        departure_speed_limit_type
        set_departure_speed_limit
        use_afterburner
        get_as_catalog_item
IAgAvtrAircraftVTOLModel
        MaxHoverAltitude
        UseAeroPropFuel
        ScaleFuelFlowByNonStdDensity
        HoverFuel
        HeadingRate
        HeadingTransitionTime
        VerticalRate
        VerticalTransitionTime
        TranslationRate
        TranslationTransitionTime
        ForwardFlightAirspeed
        ForwardFlightAirspeedType
        SetForwardFlightAirspeed
        ForwardFlightTransitionTime
AircraftVTOLModel
        max_hover_altitude
        use_aerodynamic_propulsion_fuel
        scale_fuel_flow_by_non_std_density
        hover_fuel
        heading_rate
        heading_transition_time
        vertical_rate
        vertical_transition_time
        translation_rate
        translation_transition_time
        forward_flight_airspeed
        forward_flight_airspeed_type
        set_forward_flight_airspeed
        forward_flight_transition_time
IAgAvtrAircraftTerrainFollow
        GetTerrainFollowByName
        GetAsCatalogItem
AircraftTerrainFollow
        get_terrain_follow_by_name
        get_as_catalog_item
IAgAvtrPerformanceModelOptions
        LinkToCatalog
        CopyFromCatalog
        CreateNew
        Rename
        Delete
        Name
        IsLinkedToCatalog
        Properties
PerformanceModelOptions
        link_to_catalog
        copy_from_catalog
        create_new
        rename
        delete
        name
        is_linked_to_catalog
        properties
IAgAvtrAdvFixedWingTool
        WingArea
        FlapsArea
        SpeedbrakesArea
        MaxAltitude
        MaxMach
        MaxEAS
        MinLoadFactor
        MaxLoadFactor
        UseMaxTemperatureLimit
        MaxTemperature
        CacheAeroData
        CacheFuelFlow
        AeroStrategy
        AeroModeAsExternal
        AeroModeAsSubsonic
        AeroModeAsSubSuperHypersonic
        AeroModeAsSupersonic
        PowerplantStrategy
        PowerplantModeAsElectric
        PowerplantModeAsExternal
        PowerplantModeAsPiston
        PowerplantModeAsTurboprop
        PowerplantModeAsEmpiricalJetEngine
        CreateAllPerfModels
        PowerplantModeAsBasicTurbofan
        PowerplantModeAsBasicTurbojet
        PowerplantModeAsSubSuperHypersonic
        AeroModeAsFourPoint
AdvancedFixedWingTool
        wing_area
        flaps_area
        speedbrakes_area
        max_altitude
        max_mach
        max_eas
        min_load_factor
        max_load_factor
        use_max_temperature_limit
        max_temperature
        cache_aerodynamic_data
        cache_fuel_flow
        aerodynamic_strategy
        aerodynamic_mode_as_external
        aerodynamic_mode_as_subsonic
        aerodynamic_mode_as_sub_super_hypersonic
        aerodynamic_mode_as_supersonic
        powerplant_strategy
        powerplant_mode_as_electric
        powerplant_mode_as_external
        powerplant_mode_as_piston
        powerplant_mode_as_turboprop
        powerplant_mode_as_empirical_jet_engine
        create_all_performance_models
        powerplant_mode_as_basic_turbofan
        powerplant_mode_as_basic_turbojet
        powerplant_mode_as_sub_super_hypersonic
        aerodynamic_mode_as_four_point
IAgAvtrAdvFixedWingExternalAero
        Filepath
        SetFilepath
        IsValid
AdvancedFixedWingExternalAerodynamic
        filepath
        set_filepath
        is_valid
IAgAvtrAdvFixedWingFourPointAero
        MaxAOA
        Mach_1
        AOA_1
        CL_1
        CD_1
        Mach_2
        AOA_2
        CL_2
        CD_2
        Mach_3
        AOA_3
        CL_3
        CD_3
        Mach_4
        AOA_4
        CL_4
        CD_4
        ValidateLiftDesignPoints
        ValidateDragDesignPoints
AdvancedFixedWingFourPointAerodynamic
        max_aoa
        mach_1
        aoa_1
        cl_1
        cd_1
        mach_2
        aoa_2
        cl_2
        cd_2
        mach_3
        aoa_3
        cl_3
        cd_3
        mach_4
        aoa_4
        cl_4
        cd_4
        validate_lift_design_points
        validate_drag_design_points
IAgAvtrAdvFixedWingSubsonicAero
        GeometryType
        GeometryModeAsBasic
        GeometryModeAsVariable
        MaxAOA
        Cd0
        MachDivergence
        TransonicMachDragFactor
AdvancedFixedWingSubsonicAerodynamic
        geometry_type
        geometry_mode_as_basic
        geometry_mode_as_variable
        max_aoa
        cd0
        mach_divergence
        transonic_mach_drag_factor
IAgAvtrAdvFixedWingSubSuperHypersonicAero
        MaxAOA
        TransonicMinMach
        TransonicMaxMach
        SuperHyperMachTransition
        LeadingEdgeFrontalAreaRatio
        SubsonicAspectRatio
        TransonicMachDragFactor
        WaveDragFactor
AdvancedFixedWingSubSuperHypersonicAerodynamic
        max_aoa
        transonic_min_mach
        transonic_max_mach
        super_hyper_mach_transition
        leading_edge_frontal_area_ratio
        subsonic_aspect_ratio
        transonic_mach_drag_factor
        wave_drag_factor
IAgAvtrAdvFixedWingSubSuperHypersonicProp
        TurbineMode
        TurbineModeAsTurbojet
        TurbineModeAsTurbofan
        RamjetMode
        RamjetModeAsBasic
        ScramjetMode
        ScramjetModeAsBasic
        TurbineRefArea
        RamjetRefArea
        ScramjetRefArea
        MaxTurbineCompressionTemp
        MaxTurbineBurnerTemp
        CanRamCompressorPressureRatio
        MustRamCompressorPressureRatio
        MaxRamScramCompressionTemperature
        MaxRamScramBurnerTotalTemperature
AdvancedFixedWingSubSuperHypersonicPropulsion
        turbine_mode
        turbine_mode_as_turbojet
        turbine_mode_as_turbofan
        ramjet_mode
        ramjet_mode_as_basic
        scramjet_mode
        scramjet_mode_as_basic
        turbine_reference_area
        ramjet_reference_area
        scramjet_reference_area
        max_turbine_compression_temp
        max_turbine_burner_temp
        can_ram_compressor_pressure_ratio
        must_ram_compressor_pressure_ratio
        max_ram_scram_compression_temperature
        max_ram_scram_burner_total_temperature
IAgAvtrAdvFixedWingSupersonicAero
        GeometryType
        GeometryModeAsBasic
        GeometryModeAsVariable
        MaxAOA
        SubsonicCd0
        TransonicMinMach
        TransonicMaxMach
        SupersonicMaxMach
        TransonicMachDragFactor
        SupersonicMachDragFactor
        LeadingEdgeSuctionEfficiency
AdvancedFixedWingSupersonicAerodynamic
        geometry_type
        geometry_mode_as_basic
        geometry_mode_as_variable
        max_aoa
        subsonic_cd0
        transonic_min_mach
        transonic_max_mach
        supersonic_max_mach
        transonic_mach_drag_factor
        supersonic_mach_drag_factor
        leading_edge_suction_efficiency
IAgAvtrAdvFixedWingGeometryBasic
        AspectRatio
        SetAspectRatio
        WingSweep
AdvancedFixedWingGeometryBasic
        aspect_ratio
        set_aspect_ratio
        wing_sweep
IAgAvtrAdvFixedWingGeometryVariable
        AspectRatio
        SetAspectRatio
        StartSweepMach
        StopSweepMach
        MinSweepAngle
        MaxSweepAngle
AdvancedFixedWingGeometryVariable
        aspect_ratio
        set_aspect_ratio
        start_sweep_mach
        stop_sweep_mach
        min_sweep_angle
        max_sweep_angle
IAgAvtrAdvFixedWingElectricPowerplant
        MaxPower
        PropellerCount
        PropellerDiameter
AdvancedFixedWingElectricPowerplant
        max_power
        propeller_count
        propeller_diameter
IAgAvtrAdvFixedWingExternalProp
        Filepath
        SetFilepath
        IsValid
AdvancedFixedWingExternalPropulsion
        filepath
        set_filepath
        is_valid
IAgAvtrAdvFixedWingPistonPowerplant
        MaxSeaLevelStaticPower
        CriticalAltitude
        PropellerCount
        PropellerDiameter
        FuelFlow
AdvancedFixedWingPistonPowerplant
        max_sea_level_static_power
        critical_altitude
        propeller_count
        propeller_diameter
        fuel_flow
IAgAvtrAdvFixedWingTurbopropPowerplant
        MaxSeaLevelStaticPower
        PropellerCount
        PropellerDiameter
        FuelFlow
AdvancedFixedWingTurbopropPowerplant
        max_sea_level_static_power
        propeller_count
        propeller_diameter
        fuel_flow
IAgAvtrAdvFixedWingEmpiricalJetEngine
        MaxSeaLevelStaticThrust
        DesignPointAltitude
        DesignPointMachNumber
        FuelFlow
AdvancedFixedWingEmpiricalJetEngine
        max_sea_level_static_thrust
        design_point_altitude
        design_point_mach_number
        fuel_flow
IAgAvtrAdvFixedWingTurbojetBasicABProp
        CanUseAfterburner
        DesignAltitude
        DesignMach
        DesignThrust
        AfterburnerOn
        MaxCompressionTemp
        MaxBurnerTemp
        MaxAfterburnerTemp
        HPCPressureRatio
        LPCPressureRatio
        EfficienciesAndLosses
        FuelType
        FuelModeAsAFPROP
        FuelModeAsCEA
AdvancedFixedWingTurbojetBasicABPropulsion
        can_use_afterburner
        design_altitude
        design_mach
        design_thrust
        afterburner_on
        max_compression_temp
        max_burner_temp
        max_afterburner_temp
        hpc_pressure_ratio
        lpc_pressure_ratio
        efficiencies_and_losses
        fuel_type
        fuel_mode_as_afprop
        fuel_mode_as_cea
IAgAvtrAdvFixedWingTurbofanBasicABProp
        CanUseAfterburner
        DesignAltitude
        DesignMach
        DesignThrust
        AfterburnerOn
        MaxCompressionTemp
        MaxBurnerTemp
        MaxAfterburnerTemp
        HPCPressureRatio
        LPCPressureRatio
        FanPressureRatio
        EfficienciesAndLosses
        FuelType
        FuelModeAsAFPROP
        FuelModeAsCEA
AdvancedFixedWingTurbofanBasicABPropulsion
        can_use_afterburner
        design_altitude
        design_mach
        design_thrust
        afterburner_on
        max_compression_temp
        max_burner_temp
        max_afterburner_temp
        hpc_pressure_ratio
        lpc_pressure_ratio
        fan_pressure_ratio
        efficiencies_and_losses
        fuel_type
        fuel_mode_as_afprop
        fuel_mode_as_cea
IAgAvtrVehicle
        GetAsCatalogItem
IAviatorVehicle
        get_as_catalog_item
IAgAvtrMissile
        MaxLoadFactor
        ManeuverMode
        ManeuverModeHelper
        AttitudeTransitions
        IgnoreFPAForClimbDescentTransitions
        ClimbAirspeed
        ClimbAirspeedType
        SetClimbAirspeed
        ClimbMaxFPA
        ClimbMinFPA
        ClimbFailOnInsufficientPerformance
        CruiseMaxAirspeed
        CruiseMaxAirspeedType
        SetCruiseMaxAirspeed
        CruiseDefaultAltitude
        DescentAirspeed
        DescentAirspeedType
        SetDescentAirspeed
        DescentMaxFPA
        DescentMinFPA
        DescentFailOnInsufficientPerformance
        UseTotalTempLimit
        TotalTempLimit
        UseMachLimit
        MachLimit
        UseEASLimit
        EASLimit
        DefaultConfiguration
        Aerodynamics
        Propulsion
        GetAsCatalogItem
MissileModel
        max_load_factor
        maneuver_mode
        maneuver_mode_helper
        attitude_transitions
        ignore_flight_path_angle_for_climb_descent_transitions
        climb_airspeed
        climb_airspeed_type
        set_climb_airspeed
        climb_max_flight_path_angle
        climb_min_flight_path_angle
        climb_fail_on_insufficient_performance
        cruise_max_airspeed
        cruise_max_airspeed_type
        set_cruise_max_airspeed
        cruise_default_altitude
        descent_airspeed
        descent_airspeed_type
        set_descent_airspeed
        descent_max_flight_path_angle
        descent_min_flight_path_angle
        descent_fail_on_insufficient_performance
        use_total_temp_limit
        total_temp_limit
        use_mach_limit
        mach_limit
        use_eas_limit
        eas_limit
        default_configuration
        aerodynamics
        propulsion
        get_as_catalog_item
IAgAvtrMissileAero
        AeroStrategy
        ModeAsSimple
        ModeAsExternal
        ModeAsAdvanced
        ModeAsFourPoint
MissileAerodynamic
        aerodynamic_strategy
        mode_as_simple
        mode_as_external
        mode_as_advanced
        mode_as_four_point
IAgAvtrMissileProp
        PropStrategy
        ModeAsSimple
        ModeAsExternal
        ModeAsRamjet
        ModeAsTurbojet
        ModeAsRocket
MissilePropulsion
        propulsion_strategy
        mode_as_simple
        mode_as_external
        mode_as_ramjet
        mode_as_turbojet
        mode_as_rocket
IAgAvtrMissileSimpleAero
        SRef
        ClMax
        Cd
        CalculateAOA
        MaxAOA
        SetMaxAOA
MissileSimpleAerodynamic
        s_reference
        cl_max
        cd
        calculate_aoa
        max_aoa
        set_max_aoa
IAgAvtrMissileSimpleProp
        MaxThrust
        FuelFlow
        NoThrustWhenNoFuel
MissileSimplePropulsion
        max_thrust
        fuel_flow
        no_thrust_when_no_fuel
IAgAvtrMissileExternalAero
        Filepath
        SetFilepath
        Reload
        RefArea
        CanSetRefArea
        IsValid
MissileExternalAerodynamic
        filepath
        set_filepath
        reload
        reference_area
        can_set_reference_area
        is_valid
IAgAvtrMissileExternalProp
        Filepath
        SetFilepath
        Reload
        NoThrustWhenNoFuel
        IsValid
MissileExternalPropulsion
        filepath
        set_filepath
        reload
        no_thrust_when_no_fuel
        is_valid
IAgAvtrMissileAdvancedAero
        BodyWidth
        BodyHeight
        BodyLength
        NoseLength
        NoseTipDiameter
        NozzleDiameter
        MaxAOA
        MinMach
        WingCount
        WingSpan
        WingSurfaceArea
        WingLeadingEdgeSweepAngle
        WingLeadingEdgeSectionAngle
        WingMeanAeroChordLength
        WingMaxThicknessAlongMAC
        WingLiftFraction
        TailCount
        TailSpan
        TailSurfaceArea
        TailLeadingEdgeSweepAngle
        TailLeadingEdgeSectionAngle
        TailMeanAeroChordLength
        TailMaxThicknessAlongMAC
        TailLiftFraction
MissileAdvancedAerodynamic
        body_width
        body_height
        body_length
        nose_length
        nose_tip_diameter
        nozzle_diameter
        max_aoa
        min_mach
        wing_count
        wing_span
        wing_surface_area
        wing_leading_edge_sweep_angle
        wing_leading_edge_section_angle
        wing_mean_aerodynamic_chord_length
        wing_max_thickness_along_mac
        wing_lift_fraction
        tail_count
        tail_span
        tail_surface_area
        tail_leading_edge_sweep_angle
        tail_leading_edge_section_angle
        tail_mean_aerodynamic_chord_length
        tail_max_thickness_along_mac
        tail_lift_fraction
IAgAvtrMissileRamjetProp
        DesignMach
        DesignAltitude
        DesignThrust
        EngineTemp
        FuelHeatingValue
        InletPressureRatio
        BurnerPressureRatio
        NozzlePressureRatio
        P0overP9
        BurnerEfficiency
        NoThrustWhenNoFuel
MissileRamjetPropulsion
        design_mach
        design_altitude
        design_thrust
        engine_temp
        fuel_heating_value
        inlet_pressure_ratio
        burner_pressure_ratio
        nozzle_pressure_ratio
        p_0over_p9
        burner_efficiency
        no_thrust_when_no_fuel
IAgAvtrMissileRocketProp
        NozzleExpansionRatio
        NozzleExitDiameter
        CombustionChamberPressure
        PropellantSpecificHeatRatio
        PropellantCharacteristicVelocity
        UseBoostSustainMode
        BoostFuelFraction
        BoostChamberPressure
        NoThrustWhenNoFuel
MissileRocketPropulsion
        nozzle_expansion_ratio
        nozzle_exit_diameter
        combustion_chamber_pressure
        propellant_specific_heat_ratio
        propellant_characteristic_velocity
        use_boost_sustain_mode
        boost_fuel_fraction
        boost_chamber_pressure
        no_thrust_when_no_fuel
IAgAvtrMissileTurbojetProp
        DesignMach
        DesignAltitude
        DesignThrust
        TurbineTemp
        CompressorPressureRatio
        FuelHeatingValue
        InletSubsonicPressureRatio
        BurnerPressureRatio
        NozzlePressureRatio
        P0overP9
        CompressorEfficiency
        TurbineEfficiency
        BurnerEfficiency
        MechanicalEfficiency
        NoThrustWhenNoFuel
MissileTurbojetPropulsion
        design_mach
        design_altitude
        design_thrust
        turbine_temp
        compressor_pressure_ratio
        fuel_heating_value
        inlet_subsonic_pressure_ratio
        burner_pressure_ratio
        nozzle_pressure_ratio
        p_0over_p9
        compressor_efficiency
        turbine_efficiency
        burner_efficiency
        mechanical_efficiency
        no_thrust_when_no_fuel
IAgAvtrRotorcraft
        MaxAltitude
        DefaultCruiseAltitude
        DescentRateFactor
        MaxClimbAngle
        ClimbAtCruiseAirspeed
        MaxDescentAngle
        MinDescentRate
        MaxLoadFactor
        RollRate
        PitchRate
        YawRate
        YawRateDot
        MaxTransitionPitchAngle
        TFMaxFlightPathAngle
        TFTerrainWindow
        ComputeDeltaAlt
        MaxSafeAirspeed
        MaxSafeAirspeedType
        SetMaxSafeAirspeed
        MaxSafeTranslationSpeed
        MaxSafeTranslationSpeedType
        SetMaxSafeTranslationSpeed
        IgnoreFPAForClimbDescentTransitions
        DefaultConfiguration
        Aerodynamics
        Propulsion
        GetAsCatalogItem
RotorcraftModel
        max_altitude
        default_cruise_altitude
        descent_rate_factor
        max_climb_angle
        climb_at_cruise_airspeed
        max_descent_angle
        min_descent_rate
        max_load_factor
        roll_rate
        pitch_rate
        yaw_rate
        yaw_rate_dot
        max_transition_pitch_angle
        tf_max_flight_path_angle
        tf_terrain_window
        compute_delta_altitude
        max_safe_airspeed
        max_safe_airspeed_type
        set_max_safe_airspeed
        max_safe_translation_speed
        max_safe_translation_speed_type
        set_max_safe_translation_speed
        ignore_flight_path_angle_for_climb_descent_transitions
        default_configuration
        aerodynamics
        propulsion
        get_as_catalog_item
IAgAvtrRotorcraftAero
        RotorCount
        RotorDiameter
        BladesPerRotor
        BladeChord
        RotorTipMach
        FuselageFlatPlateArea
        TailRotorOffset
        TailRotorDiameter
        BladeProfileDragCD0
        BladeProfileDragK
        InducedPowerCorrectionFactor
RotorcraftAerodynamic
        rotor_count
        rotor_diameter
        blades_per_rotor
        blade_chord
        rotor_tip_mach
        fuselage_flat_plate_area
        tail_rotor_offset
        tail_rotor_diameter
        blade_profile_drag_cd0
        blade_profile_drag_k
        induced_power_correction_factor
IAgAvtrRotorcraftProp
        PowerplantType
        MaxSLPower
        MaxSLFuelFlow
RotorcraftPropulsion
        powerplant_type
        max_sl_power
        max_sl_fuel_flow
IAgAvtrUserRunwaySource
        GetUserRunway
        AddUserRunway
        GetAsCatalogSource
UserRunwaySource
        get_user_runway
        add_user_runway
        get_as_catalog_source
IAgAvtrUserRunway
        GetAsCatalogItem
        Altitude
        GetTerrainAlt
        Latitude
        Longitude
        Length
        LowEndHeading
        HighEndHeading
        IsMagnetic
        CopySite
        PasteSite
UserRunway
        get_as_catalog_item
        altitude
        get_terrain_altitude
        latitude
        longitude
        length
        low_end_heading
        high_end_heading
        is_magnetic
        copy_site
        paste_site
IAgAvtrARINC424Item
        GetAsCatalogItem
        GetValue
        GetAllFields
        GetAllFieldsAndValues
        CopySite
IARINC424Item
        get_as_catalog_item
        get_value
        get_all_fields
        get_all_fields_and_values
        copy_site
IAgAvtrARINC424Source
        GetARINC424Item
        UseMasterDataFile
        MasterDataFilepath
        OverrideDataFilepath
        GetAsCatalogSource
ARINC424Source
        get_arinc424_item
        use_master_data_file
        master_data_filepath
        override_data_filepath
        get_as_catalog_source
IAgAvtrDAFIFSource
        GetDAFIFItem
        DataPath
        EffectiveDate
        ExpirationDate
        SpecRevision
        GetAsCatalogSource
DAFIFSource
        get_dafif_item
        data_path
        effective_date
        expiration_date
        spec_revision
        get_as_catalog_source
IAgAvtrUserVTOLPoint
        Altitude
        GetTerrainAlt
        Latitude
        Longitude
        CopySite
        PasteSite
        GetAsCatalogItem
UserVTOLPoint
        altitude
        get_terrain_altitude
        latitude
        longitude
        copy_site
        paste_site
        get_as_catalog_item
IAgAvtrUserVTOLPointSource
        GetUserVTOLPoint
        AddUserVTOLPoint
        GetAsCatalogSource
UserVTOLPointSource
        get_user_vtol_point
        add_user_vtol_point
        get_as_catalog_source
IAgAvtrUserWaypoint
        Latitude
        Longitude
        CopySite
        PasteSite
        GetAsCatalogItem
UserWaypoint
        latitude
        longitude
        copy_site
        paste_site
        get_as_catalog_item
IAgAvtrUserWaypointSource
        GetUserWaypoint
        AddUserWaypoint
        GetAsCatalogSource
UserWaypointSource
        get_user_waypoint
        add_user_waypoint
        get_as_catalog_source
IAgAvtrPropulsionEfficiencies
        TechnologyLevel
        IntakeType
        TurbineType
        ExhaustNozzleType
PropulsionEfficiencies
        technology_level
        intake_type
        turbine_type
        exhaust_nozzle_type
IAgAvtrFuelModelKeroseneAFPROP
        Subtype
        SpecificEnergy
FuelModelKeroseneAFPROP
        subtype
        specific_energy
IAgAvtrFuelModelKeroseneCEA
        Subtype
        SpecificEnergy
FuelModelKeroseneCEA
        subtype
        specific_energy
IAgAvtrAdvFixedWingRamjetBasic
        DesignAltitude
        DesignMach
        DesignThrust
        MaxCompressionTemp
        MaxBurnerTemp
        FuelType
        FuelModeAsAFPROP
        FuelModeAsCEA
        EfficienciesAndLosses
AdvancedFixedWingRamjetBasic
        design_altitude
        design_mach
        design_thrust
        max_compression_temp
        max_burner_temp
        fuel_type
        fuel_mode_as_afprop
        fuel_mode_as_cea
        efficiencies_and_losses
IAgAvtrAdvFixedWingScramjetBasic
        DesignAltitude
        DesignMach
        DesignThrust
        MaxCompressionTemp
        MaxBurnerTemp
        FuelType
        FuelModeAsAFPROP
        FuelModeAsCEA
        EfficienciesAndLosses
AdvancedFixedWingScramjetBasic
        design_altitude
        design_mach
        design_thrust
        max_compression_temp
        max_burner_temp
        fuel_type
        fuel_mode_as_afprop
        fuel_mode_as_cea
        efficiencies_and_losses
IAgAvtrRefuelDumpProperties
        RefuelDumpMode
        RefuelDumpModeValue
        SetRefuelDumpMode
        RefuelDumpRate
        RefuelDumpTimeOffset
        CanUseEndOfEnrouteSegmentAsEpoch
        UseEndOfEnrouteSegmentAsEpoch
RefuelDumpProperties
        refuel_dump_mode
        refuel_dump_mode_value
        set_refuel_dump_mode
        refuel_dump_rate
        refuel_dump_time_offset
        can_use_end_of_enroute_segment_as_epoch
        use_end_of_enroute_segment_as_epoch
IAgAvtrProcedureFastTimeOptions
        StartTime
        SetStartTime
        SetInterruptTime
        StopTime
        SetStopTime
ProcedureFastTimeOptions
        start_time
        set_start_time
        set_interrupt_time
        stop_time
        set_stop_time
IAgAvtrMissileFourPointAero
        Mach_1
        AOA_1
        CL_1
        CD_1
        Mach_2
        AOA_2
        CL_2
        CD_2
        Mach_3
        AOA_3
        CL_3
        CD_3
        Mach_4
        AOA_4
        CL_4
        CD_4
        ValidateLiftDesignPoints
        ValidateDragDesignPoints
        SRef
        SetAOA
        MaxAOA
        MaxEnduranceAOA
        MaxRangeAOA
MissileFourPointAerodynamic
        mach_1
        aoa_1
        cl_1
        cd_1
        mach_2
        aoa_2
        cl_2
        cd_2
        mach_3
        aoa_3
        cl_3
        cd_3
        mach_4
        aoa_4
        cl_4
        cd_4
        validate_lift_design_points
        validate_drag_design_points
        s_reference
        set_aoa
        max_aoa
        max_endurance_aoa
        max_range_aoa
IAgAvtrFourPointAero
        Mach_1
        AOA_1
        CL_1
        CD_1
        Mach_2
        AOA_2
        CL_2
        CD_2
        Mach_3
        AOA_3
        CL_3
        CD_3
        Mach_4
        AOA_4
        CL_4
        CD_4
        ValidateLiftDesignPoints
        ValidateDragDesignPoints
        SRef
        MaxAOA
FourPointAerodynamic
        mach_1
        aoa_1
        cl_1
        cd_1
        mach_2
        aoa_2
        cl_2
        cd_2
        mach_3
        aoa_3
        cl_3
        cd_3
        mach_4
        aoa_4
        cl_4
        cd_4
        validate_lift_design_points
        validate_drag_design_points
        s_reference
        max_aoa
IAgAvtrAtmosphereModelBasic
        Name
        BasicModelType
        UseNonStandardAtmosphere
        Temperature
        Pressure
        DensityAlt
AtmosphereModelBasic
        name
        basic_model_type
        use_non_standard_atmosphere
        temperature
        pressure
        density_altitude
IAgAvtrAtmosphereModel
        AtmosphereModelTypeString
        AtmosphereModelSource
        ModeAsBasic
        Copy
        Paste
AtmosphereModel
        atmosphere_model_type_string
        atmosphere_model_source
        mode_as_basic
        copy
        paste
IAgAvtrADDSMessageCollection
        Count
        Item
        RemoveMessage
        ClearMessages
ADDSMessageCollection
        count
        item
        remove_message
        clear_messages
IAgAvtrWindModelADDS
        Name
        BlendTime
        MsgInterpolationType
        MsgExtrapolationType
        MissingMsgType
        InterpBlendTime
        AddCurrentForecast
        Messages
WindModelADDS
        name
        blend_time
        message_interpolation_type
        message_extrapolation_type
        missing_message_type
        interpolation_blend_time
        add_current_forecast
        messages
IAgAvtrWindModelConstant
        Name
        BlendTime
        WindSpeed
        WindBearing
WindModelConstant
        name
        blend_time
        wind_speed
        wind_bearing
IAgAvtrStation IStation
IAgAvtrStationCollection
        Count
        Item
        GetInternalFuelTankByName
        AddInternalFuelTank
        GetPayloadStationByName
        AddPayloadStation
        ContainsStation
        RemoveStationByName
        RemoveAtIndex
        StationNames
StationCollection
        count
        item
        get_internal_fuel_tank_by_name
        add_internal_fuel_tank
        get_payload_station_by_name
        add_payload_station
        contains_station
        remove_station_by_name
        remove_at_index
        station_names
IAgAvtrConfiguration
        EmptyWeight
        MaxLandingWeight
        BaseDragIndex
        EmptyCGX
        EmptyCGY
        EmptyCGZ
        SetEmptyCG
        TotalWeight
        TotalWeightMaxFuel
        TotalDragIndex
        TotalCGX
        TotalCGY
        TotalCGZ
        PasteConfiguration
        GetStations
        TotalCapacity
        InitialFuelState
        Save
Configuration
        empty_weight
        max_landing_weight
        base_drag_index
        empty_cgx
        empty_cgy
        empty_cgz
        set_empty_cg
        total_weight
        total_weight_max_fuel
        total_drag_index
        total_cgx
        total_cgy
        total_cgz
        paste_configuration
        get_stations
        total_capacity
        initial_fuel_state
        save
IAgAvtrCatalogSource
        ChildNames
        Contains
        RemoveChild
        Save
ICatalogSource
        child_names
        contains
        remove_child
        save
IAgAvtrAircraftModels
        GetAircraft
        AddAircraft
        GetAsCatalogSource
AircraftModels
        get_aircraft
        add_aircraft
        get_as_catalog_source
IAgAvtrMissileModels
        GetMissile
        AddMissile
        GetAsCatalogSource
MissileModels
        get_missile
        add_missile
        get_as_catalog_source
IAgAvtrRotorcraftModels
        GetRotorcraft
        AddRotorcraft
        GetAsCatalogSource
RotorcraftModels
        get_rotorcraft
        add_rotorcraft
        get_as_catalog_source
IAgAvtrBasicFixedWingLiftHelper IBasicFixedWingLiftHelper
IAgAvtrAircraftBasicFixedWingAero
        ForwardFlightReferenceArea
        ForwardFlightUseCompressibleFlow
        ForwardFlightCl0
        ForwardFlightClAlpha
        ForwardFlightMinAOA
        ForwardFlightMaxAOA
        ForwardFlightCd0
        ForwardFlightK
        TakeoffLandingReferenceArea
        TakeoffLandingUseCompressibleFlow
        TakeoffLandingCl0
        TakeoffLandingClAlpha
        TakeoffLandingMinAOA
        TakeoffLandingMaxAOA
        TakeoffLandingCd0
        TakeoffLandingK
AircraftBasicFixedWingAerodynamic
        forward_flight_reference_area
        forward_flight_use_compressible_flow
        forward_flight_cl0
        forward_flight_cl_alpha
        forward_flight_min_aoa
        forward_flight_max_aoa
        forward_flight_cd0
        forward_flight_k
        takeoff_landing_reference_area
        takeoff_landing_use_compressible_flow
        takeoff_landing_cl0
        takeoff_landing_cl_alpha
        takeoff_landing_min_aoa
        takeoff_landing_max_aoa
        takeoff_landing_cd0
        takeoff_landing_k
IAgAvtrAircraftAero
        AeroStrategy
        ModeAsSimple
        ModeAsBasicFixedWing
        ModeAsExternal
        ModeAsAdvancedMissile
        LiftFactor
        DragFactor
        ModeAsFourPoint
AircraftAerodynamic
        aerodynamic_strategy
        mode_as_simple
        mode_as_basic_fixed_wing
        mode_as_external
        mode_as_advanced_missile
        lift_factor
        drag_factor
        mode_as_four_point
IAgAvtrAircraftProp
        PropStrategy
        ModeAsSimple
        ModeAsBasicFixedWing
        ModeAsExternal
        LiftFactor
        DragFactor
        ModeAsRamjet
        ModeAsTurbojet
        ModeAsRocket
AircraftPropulsion
        propulsion_strategy
        mode_as_simple
        mode_as_basic_fixed_wing
        mode_as_external
        lift_factor
        drag_factor
        mode_as_ramjet
        mode_as_turbojet
        mode_as_rocket
IAgAvtrAircraftAccelerationMode
        AccelMode
        AccelG
AircraftAccelerationMode
        acceleration_mode
        acceleration_g
IAgAvtrAircraftAdvAccelerationModel
        LevelTurns
        AttitudeTransitions
        ClimbAndDescentTransitions
        AccelerationMode
        GetAsCatalogItem
AircraftAdvancedAccelerationModel
        level_turns
        attitude_transitions
        climb_and_descent_transitions
        acceleration_mode
        get_as_catalog_item
IAgAvtrAeroPropManeuverModeHelper
        Mode
        FlightMode
        UseAfterburner
        RefWeight
        RefAltitude
        RefAirspeed
        RefAirspeedType
        SetRefAirspeed
        RefLoadFactor
        EstimatedPs
        ControlAuthority
        StatusMsg
AerodynamicPropulsionManeuverModeHelper
        mode
        flight_mode
        use_afterburner
        reference_weight
        reference_altitude
        reference_airspeed
        reference_airspeed_type
        set_reference_airspeed
        reference_load_factor
        estimated_ps
        control_authority
        status_message
IAgAvtrCatalogRunway ICatalogRunway
IAgAvtrCatalogAirport ICatalogAirport
IAgAvtrCatalogNavaid ICatalogNavaid
IAgAvtrCatalogVTOLPoint ICatalogVTOLPoint
IAgAvtrCatalogWaypoint ICatalogWaypoint
IAgAvtrARINC424Airport
        GetAsCatalogItem
IARINC424Airport
        get_as_catalog_item
IAgAvtrDAFIFItem
        GetValue
        GetAllFields
        GetAllFieldsAndValues
        CopySite
        GetAsCatalogItem
IDAFIFItem
        get_value
        get_all_fields
        get_all_fields_and_values
        copy_site
        get_as_catalog_item
IAgAvtrARINC424Runway
        GetAsCatalogItem
ARINC424Runway
        get_as_catalog_item
IAgAvtrAirportCategory
        ARINC424Airports
AirportCategory
        arinc424_airports
IAgAvtrNavaidCategory
        ARINC424Navaids
NavaidCategory
        arinc424_navaids
IAgAvtrVTOLPointCategory
        UserVTOLPoints
        ARINC424Helipads
        DAFIFHelipads
VTOLPointCategory
        user_vtol_points
        arinc424_helipads
        dafif_helipads
IAgAvtrWaypointCategory
        UserWaypoints
        UserRunways
        UserVTOLPoints
        ARINC424Airports
        ARINC424Helipads
        ARINC424Navaids
        ARINC424Runways
        ARINC424Waypoints
        DAFIFHelipads
        DAFIFRunways
        DAFIFWaypoints
WaypointCategory
        user_waypoints
        user_runways
        user_vtol_points
        arinc424_airports
        arinc424_helipads
        arinc424_navaids
        arinc424_runways
        arinc424_waypoints
        dafif_helipads
        dafif_runways
        dafif_waypoints
IAgAvtrAircraftClimb
        GetBuiltInModel
        GetBasicClimbByName
        GetAdvClimbByName
        GetAsCatalogItem
AircraftClimb
        get_built_in_model
        get_basic_climb_by_name
        get_advanced_climb_by_name
        get_as_catalog_item
IAgAvtrAircraftCruise
        GetBuiltInModel
        GetBasicCruiseByName
        GetAdvCruiseByName
        GetAsCatalogItem
AircraftCruise
        get_built_in_model
        get_basic_cruise_by_name
        get_advanced_cruise_by_name
        get_as_catalog_item
IAgAvtrAircraftDescent
        GetBuiltInModel
        GetBasicDescentByName
        GetAdvDescentByName
        GetAsCatalogItem
AircraftDescent
        get_built_in_model
        get_basic_descent_by_name
        get_advanced_descent_by_name
        get_as_catalog_item
IAgAvtrAircraftLanding
        GetBuiltInModel
        GetBasicLandingByName
        GetAdvLandingByName
        GetAsCatalogItem
AircraftLanding
        get_built_in_model
        get_basic_landing_by_name
        get_advanced_landing_by_name
        get_as_catalog_item
IAgAvtrAircraftTakeoff
        GetBuiltInModel
        GetBasicTakeoffByName
        GetAdvTakeoffByName
        GetAsCatalogItem
AircraftTakeoff
        get_built_in_model
        get_basic_takeoff_by_name
        get_advanced_takeoff_by_name
        get_as_catalog_item
IAgAvtrAircraftAcceleration
        GetBuiltInModel
        GetBasicAccelerationByName
        GetAdvAccelerationByName
        GetAsCatalogItem
AircraftAcceleration
        get_built_in_model
        get_basic_acceleration_by_name
        get_advanced_acceleration_by_name
        get_as_catalog_item
IAgAvtrCatalog
        AircraftCategory
        RunwayCategory
        AirportCategory
        NavaidCategory
        VTOLPointCategory
        WaypointCategory
Catalog
        aircraft_category
        runway_category
        airport_category
        navaid_category
        vtol_point_category
        waypoint_category
IAgAvtrProcedureTimeOptions
        StartTimeEnabled
        UseStartTime
        StartTime
        SetStartTime
        InterruptTimeEnabled
        UseInterruptTime
        InterruptTime
        SetInterruptTime
        StopTimeEnabled
        UseStopTime
        StopTime
        SetStopTime
ProcedureTimeOptions
        start_time_enabled
        use_start_time
        start_time
        set_start_time
        interrupt_time_enabled
        use_interrupt_time
        interrupt_time
        set_interrupt_time
        stop_time_enabled
        use_stop_time
        stop_time
        set_stop_time
IAgAvtrCalculationOptions
        MaxRelMotionFactor
        StateCacheTimeInterval
        TimeResolution
        MaxIterations
        MaxBadSteps
        IntegratorType
        IntegratorTypeString
CalculationOptions
        max_relative_motion_factor
        state_cache_time_interval
        time_resolution
        max_iterations
        max_bad_steps
        integrator_type
        integrator_type_string
IAgAvtrNavigationOptions
        NavMode
        ArriveOnCourse
        UseMagneticHeading
        EnrouteFirstTurn
        EnrouteSecondTurn
NavigationOptions
        navigation_mode
        arrive_on_course
        use_magnetic_heading
        enroute_first_turn
        enroute_second_turn
IAgAvtrAltitudeMSLAndLevelOffOptions
        UseDefaultCruiseAltitude
        MSLAltitude
        MustLevelOff
        LevelOffMode
AltitudeMSLAndLevelOffOptions
        use_default_cruise_altitude
        msl_altitude
        must_level_off
        level_off_mode
IAgAvtrAltitudeMSLOptions
        UseDefaultCruiseAltitude
        MSLAltitude
AltitudeMSLOptions
        use_default_cruise_altitude
        msl_altitude
IAgAvtrAltitudeOptions
        UseDefaultCruiseAltitude
        AltitudeReference
        Altitude
AltitudeOptions
        use_default_cruise_altitude
        altitude_reference
        altitude
IAgAvtrHoverAltitudeOptions
        AltitudeReference
        Altitude
        FinalAltitudeRate
HoverAltitudeOptions
        altitude_reference
        altitude
        final_altitude_rate
IAgAvtrArcAltitudeOptions
        UseDefaultCruiseAltitude
        StartArcAltitude
        StopArcAltitude
ArcAltitudeOptions
        use_default_cruise_altitude
        start_arc_altitude
        stop_arc_altitude
IAgAvtrArcAltitudeAndDelayOptions
        UseDefaultCruiseAltitude
        DelayArcClimbDescents
        StartArcAltitude
        StopArcAltitude
ArcAltitudeAndDelayOptions
        use_default_cruise_altitude
        delay_arc_climb_descents
        start_arc_altitude
        stop_arc_altitude
IAgAvtrArcOptions
        TurnDirection
        StartBearing
        UseMagneticHeading
        Radius
        TurnAngle
        JoinArc
        ExitArc
ArcOptions
        turn_direction
        start_bearing
        use_magnetic_heading
        radius
        turn_angle
        join_arc
        exit_arc
IAgAvtrVerticalPlaneOptions
        MinEnrouteFlightPathAngle
        MaxEnrouteFlightPathAngle
        MaxVertPlaneRadiusFactor
IVerticalPlaneOptions
        min_enroute_flight_path_angle
        max_enroute_flight_path_angle
        max_vert_plane_radius_factor
IAgAvtrVerticalPlaneAndFlightPathOptions
        FinalFlightPathAngle
        MinEnrouteFlightPathAngle
        MaxEnrouteFlightPathAngle
        MaxVertPlaneRadiusFactor
VerticalPlaneAndFlightPathOptions
        final_flight_path_angle
        min_enroute_flight_path_angle
        max_enroute_flight_path_angle
        max_vert_plane_radius_factor
IAgAvtrArcVerticalPlaneOptions
        StartArcFlightPathAngle
        StopArcFlightPathAngle
        MinEnrouteFlightPathAngle
        MaxEnrouteFlightPathAngle
        MaxVertPlaneRadiusFactor
ArcVerticalPlaneOptions
        start_arc_flight_path_angle
        stop_arc_flight_path_angle
        min_enroute_flight_path_angle
        max_enroute_flight_path_angle
        max_vert_plane_radius_factor
IAgAvtrEnrouteOptions
        UseMaxSpeedTurns
        MaxTurnRadiusFactor
EnrouteOptions
        use_max_speed_turns
        max_turn_radius_factor
IAgAvtrEnrouteAndDelayOptions
        DelayEnrouteClimbDescents
        UseMaxSpeedTurns
        MaxTurnRadiusFactor
IEnrouteAndDelayOptions
        delay_enroute_climb_descents
        use_max_speed_turns
        max_turn_radius_factor
IAgAvtrEnrouteTurnDirectionOptions
        EnrouteFirstTurn
        EnrouteSecondTurn
EnrouteTurnDirectionOptions
        enroute_first_turn
        enroute_second_turn
IAgAvtrCruiseAirspeedOptions
        CruiseSpeedType
        OtherAirspeedType
        OtherAirspeed
        SetOtherAirspeed
CruiseAirspeedOptions
        cruise_speed_type
        other_airspeed_type
        other_airspeed
        set_other_airspeed
IAgAvtrCruiseAirspeedProfile
        FlyCruiseAirspeedProfile
CruiseAirspeedProfile
        fly_cruise_airspeed_profile
IAgAvtrCruiseAirspeedAndProfileOptions
        CruiseSpeedType
        OtherAirspeedType
        OtherAirspeed
        SetOtherAirspeed
        FlyCruiseAirspeedProfile
ICruiseAirspeedAndProfileOptions
        cruise_speed_type
        other_airspeed_type
        other_airspeed
        set_other_airspeed
        fly_cruise_airspeed_profile
IAgAvtrAutomationStrategyFactory
        ConstructStrategy
IAutomationStrategyFactory
        construct_strategy
IAgAvtrConnect
        ExecuteCommand
IConnect
        execute_command
IAgAvtrRunwayHeadingOptions
        RunwayMode
RunwayHeadingOptions
        runway_mode
IAgAvtrProcedure
        Name
        Site
        TimeOptions
        WindModel
        AtmosphereModel
        CalculationOptions
        RefuelDumpIsSupported
        RefuelDumpProperties
        FastTimeOptions
IProcedure
        name
        site
        time_options
        wind_model
        atmosphere_model
        calculation_options
        refuel_dump_is_supported
        refuel_dump_properties
        fast_time_options
IAgAvtrProcedureCollection
        Count
        Item
        Add
        AddAtIndex
        Remove
        RemoveAtIndex
        EnableAutoPropagate
        DisableAutoPropagate
ProcedureCollection
        count
        item
        add
        add_at_index
        remove
        remove_at_index
        enable_auto_propagate
        disable_auto_propagate
IAgAvtrPhase
        Procedures
        Name
        GetPerformanceModelByType
        SetDefaultPerfModels
        CopyPerformanceModels
        PastePerformanceModels
Phase
        procedures
        name
        get_performance_model_by_type
        set_default_performance_models
        copy_performance_models
        paste_performance_models
IAgAvtrPhaseCollection
        Count
        Item
        Add
        AddAtIndex
        Remove
        RemoveAtIndex
PhaseCollection
        count
        item
        add
        add_at_index
        remove
        remove_at_index
IAgAvtrMission
        Phases
        Vehicle
        Configuration
        WindModel
        AtmosphereModel
        IsValid
        GetFirstInvalidProcedure
Mission
        phases
        vehicle
        configuration
        wind_model
        atmosphere_model
        is_valid
        get_first_invalid_procedure
IAgAvtrPropagator
        AvtrMission
        Propagate
        AutoRecalculate
        AvtrCatalog
AviatorPropagator
        aviator_mission
        propagate
        auto_recalculate
        aviator_catalog
IAgAvtrPerformanceModel IPerformanceModel
IAgAvtrAdvFixedWingGeometry IAdvancedFixedWingGeometry
IAgAvtrAdvFixedWingTurbofanBasicABPowerplant AdvancedFixedWingTurbofanBasicABPowerplant
IAgAvtrAdvFixedWingTurbojetBasicABPowerplant AdvancedFixedWingTurbojetBasicABPowerplant
IAgAvtrAdvFixedWingPowerplant IAdvancedFixedWingPowerplant
IAgAvtrSiteUnknown ISiteUnknown
IAgAvtrAircraftTerrainFollowModel
        AirspeedType
        UseAeroPropFuel
        ScaleFuelFlowByNonStdDensity
        MinAirspeed
        MaxEnduranceAirspeed
        MaxRangeAirspeed
        MaxAirspeed
        MaxPerfAirspeed
        MinAirspeedFuelFlow
        MaxEnduranceFuelFlow
        MaxRangeFuelFlow
        MaxAirspeedFuelFlow
        MaxPerfAirspeedFuelFlow
        MaxPitchAngle
        TerrainWindow
        MaxLoadFactor
AircraftTerrainFollowModel
        airspeed_type
        use_aerodynamic_propulsion_fuel
        scale_fuel_flow_by_non_std_density
        min_airspeed
        max_endurance_airspeed
        max_range_airspeed
        max_airspeed
        max_performance_airspeed
        min_airspeed_fuel_flow
        max_endurance_fuel_flow
        max_range_fuel_flow
        max_airspeed_fuel_flow
        max_performance_airspeed_fuel_flow
        max_pitch_angle
        terrain_window
        max_load_factor
IAgAvtrBasicManeuverTargetPosVel
        TargetPosVelType
        TargetPosVelTypeString
        ModeAsNoisyBrgRng
        ModeAsNoisySurfTgt
        ApplyPosVel
        CancelPosVel
BasicManeuverTargetPositionVelocity
        target_position_velocity_type
        target_position_velocity_type_string
        mode_as_noisy_bearing_range
        mode_as_noisy_surf_target
        apply_position_velocity
        cancel_position_velocity
IAgAvtrPropulsionThrust
        UseConstantThrust
        ConstantThrust
        BoostThrust
        BoostThrustTimeLimit
        SustainThrust
        SustainThrustTimeLimit
        MinAirspeedType
        MinAirspeed
        SetMinAirspeed
        MaxAirspeedType
        MaxAirspeed
        SetMaxAirspeed
PropulsionThrust
        use_constant_thrust
        constant_thrust
        boost_thrust
        boost_thrust_time_limit
        sustain_thrust
        sustain_thrust_time_limit
        min_airspeed_type
        min_airspeed
        set_min_airspeed
        max_airspeed_type
        max_airspeed
        set_max_airspeed
IAgAvtrBasicManeuverAirspeedOptions
        AirspeedMode
        MinSpeedLimits
        MaxSpeedLimits
        MaintainAirspeedType
        SpecifiedAirspeedType
        SpecifiedAccelDecelMode
        SpecifiedAirspeed
        SpecifiedAccelDecelG
        AccelG
        DecelG
        AccelMode
        DecelMode
        Throttle
        InterpolateInitG
        InterpolateEndG
        InterpolateEndTime
        InterpolateStopAtEndTime
        Thrust
BasicManeuverAirspeedOptions
        airspeed_mode
        min_speed_limits
        max_speed_limits
        maintain_airspeed_type
        specified_airspeed_type
        specified_acceleration_deceleration_mode
        specified_airspeed
        specified_acceleration_deceleration_g
        acceleration_g
        deceleration_g
        acceleration_mode
        deceleration_mode
        throttle
        interpolate_init_g
        interpolate_end_g
        interpolate_end_time
        interpolate_stop_at_end_time
        thrust
IAgAvtrBasicManeuverStrategyAileronRoll
        FlightPathOption
        ActiveMode
        ActiveTurnDirection
        ActiveAngle
        RollOrientation
        RollRateMode
        OverrideRollRate
        AirspeedOptions
BasicManeuverStrategyAileronRoll
        flight_path_option
        active_mode
        active_turn_direction
        active_angle
        roll_orientation
        roll_rate_mode
        override_roll_rate
        airspeed_options
IAgAvtrBasicManeuverStrategyAutopilotNav
        ActiveMode
        ActiveHeadingCourseValue
        DampingRatio
        ControlLimitMode
        ControlLimitTurnRadius
        ControlLimitTurnRate
        ControlLimitHorizAccel
        SetControlLimit
        CompensateForCoriolisAccel
        StopWhenConditionsMet
BasicManeuverStrategyAutopilotNavigation
        active_mode
        active_heading_course_value
        damping_ratio
        control_limit_mode
        control_limit_turn_radius
        control_limit_turn_rate
        control_limit_horizontal_acceleration
        set_control_limit
        compensate_for_coriolis_acceleration
        stop_when_conditions_met
IAgAvtrBasicManeuverStrategyAutopilotProf
        AltitudeMode
        AbsoluteAltitude
        RelativeAltitudeChange
        AltitudeRate
        FPA
        AltitudeControlMode
        ControlAltitudeRateValue
        ControlFPAValue
        ControlLimitMode
        MaxPitchRate
        FlyBallistic
        DampingRatio
        AirspeedOptions
        CompensateForCoriolisAccel
        StopWhenConditionsMet
BasicManeuverStrategyAutopilotProf
        altitude_mode
        absolute_altitude
        relative_altitude_change
        altitude_rate
        flight_path_angle
        altitude_control_mode
        control_altitude_rate_value
        control_flight_path_angle_value
        control_limit_mode
        max_pitch_rate
        fly_ballistic
        damping_ratio
        airspeed_options
        compensate_for_coriolis_acceleration
        stop_when_conditions_met
IAgAvtrBasicManeuverStrategyBarrelRoll
        HelixAngle
        HelixAngleMode
        TopLoadFactor
        BottomLoadFactor
        TorsionAngle
        HoldInitTAS
        AirspeedType
        TopAirspeed
        BottomAirspeed
        SetAirspeeds
BasicManeuverStrategyBarrelRoll
        helix_angle
        helix_angle_mode
        top_load_factor
        bottom_load_factor
        torsion_angle
        hold_init_tas
        airspeed_type
        top_airspeed
        bottom_airspeed
        set_airspeeds
IAgAvtrBasicManeuverStrategyLoop
        LoopAngle
        LoopAngleMode
        TopLoadFactor
        BottomLoadFactor
        HoldInitTAS
        AirspeedType
        TopAirspeed
        BottomAirspeed
        SetAirspeeds
BasicManeuverStrategyLoop
        loop_angle
        loop_angle_mode
        top_load_factor
        bottom_load_factor
        hold_init_tas
        airspeed_type
        top_airspeed
        bottom_airspeed
        set_airspeeds
IAgAvtrBasicManeuverStrategyLTAHover
        HeadingMode
        RelativeHeading
        AbsoluteHeading
        UseMagneticHeading
        HeadingRate
        AltitudeMode
        AbsoluteAltitude
        RelativeAltitudeChange
        ControlAltRate
        AltitudeRate
        ParachuteArea
        ParachuteCd
BasicManeuverStrategyLTAHover
        heading_mode
        relative_heading
        absolute_heading
        use_magnetic_heading
        heading_rate
        altitude_mode
        absolute_altitude
        relative_altitude_change
        control_altitude_rate
        altitude_rate
        parachute_area
        parachute_cd
IAgAvtrBasicManeuverStrategyFlyAOA
        TurnDirection
        RollRateMode
        OverrideRollRate
        RollRateDot
        ControlRollAngle
        RollAngle
        StopOnRollAngle
        AOA
        AirspeedOptions
BasicManeuverStrategyFlyAOA
        turn_direction
        roll_rate_mode
        override_roll_rate
        roll_rate_dot
        control_roll_angle
        roll_angle
        stop_on_roll_angle
        aoa
        airspeed_options
IAgAvtrBasicManeuverStrategyPull
        ActiveMode
        ActiveAngle
        PullGMode
        OverridePullG
        AirspeedOptions
BasicManeuverStrategyPull
        active_mode
        active_angle
        pull_g_mode
        override_pull_g
        airspeed_options
IAgAvtrBasicManeuverStrategyRollingPull
        ActiveMode
        TurnDirection
        Angle
        RollOrientation
        RollRateMode
        OverrideRollRate
        PullGMode
        OverridePullG
        AirspeedOptions
BasicManeuverStrategyRollingPull
        active_mode
        turn_direction
        angle
        roll_orientation
        roll_rate_mode
        override_roll_rate
        pull_g_mode
        override_pull_g
        airspeed_options
IAgAvtrBasicManeuverStrategySmoothAccel
        TurnDirection
        RollRateMode
        OverrideRollRate
        RollRateDot
        ControlRollAngle
        RollAngle
        LoadFactorMode
        OverrideLoadFactor
        LoadFactorDot
        ControlPitchAngle
        PitchAngle
        StopConditions
        StopOnRollAngle
        StopOnPitchAngle
        AirspeedOptions
BasicManeuverStrategySmoothAcceleration
        turn_direction
        roll_rate_mode
        override_roll_rate
        roll_rate_dot
        control_roll_angle
        roll_angle
        load_factor_mode
        override_load_factor
        load_factor_dot
        control_pitch_angle
        pitch_angle
        stop_conditions
        stop_on_roll_angle
        stop_on_pitch_angle
        airspeed_options
IAgAvtrBasicManeuverStrategySmoothTurn
        HeadingChange
        TurnMode
        LoadFactorMode
        MaxLoadFactorRate
        OverrideLoadFactor
        RollRateMode
        RollAngle
        OverrideRollRate
        AirspeedOptions
        FPAMode
BasicManeuverStrategySmoothTurn
        heading_change
        turn_mode
        load_factor_mode
        max_load_factor_rate
        override_load_factor
        roll_rate_mode
        roll_angle
        override_roll_rate
        airspeed_options
        flight_path_angle_mode
IAgAvtrBasicManeuverStrategySimpleTurn
        ReferenceFrame
        TurnAngle
        TurnRadiusFactor
        CompensateForCoriolisAccel
BasicManeuverStrategySimpleTurn
        reference_frame
        turn_angle
        turn_radius_factor
        compensate_for_coriolis_acceleration
IAgAvtrBasicManeuverStrategyIntercept
        TargetName
        ValidTargetNames
        TargetResolution
        UseStopTimeToGo
        StopTimeToGo
        SetStopTimeToGo
        UseStopSlantRange
        StopSlantRange
        SetStopSlantRange
        InterceptMode
        TargetAspect
        LateralSeparation
        ManeuverFactor
        ControlLimitMode
        ControlLimitTurnRadius
        ControlLimitTurnRate
        ControlLimitHorizAccel
        SetControlLimit
        ClosureMode
        HOBSMaxAngle
        HOBSAngleTol
        CompensateForCoriolisAccel
        PosVelStrategies
        CancelTgtPosVel
BasicManeuverStrategyIntercept
        target_name
        valid_target_names
        target_resolution
        use_stop_time_to_go
        stop_time_to_go
        set_stop_time_to_go
        use_stop_slant_range
        stop_slant_range
        set_stop_slant_range
        intercept_mode
        target_aspect
        lateral_separation
        maneuver_factor
        control_limit_mode
        control_limit_turn_radius
        control_limit_turn_rate
        control_limit_horizontal_acceleration
        set_control_limit
        closure_mode
        hobs_max_angle
        hobs_angle_tol
        compensate_for_coriolis_acceleration
        position_velocity_strategies
        cancel_target_position_velocity
IAgAvtrBasicManeuverStrategyRelativeBearing
        TargetName
        ValidTargetNames
        TargetResolution
        RelBearing
        MinRange
        ControlLimitMode
        ControlLimitTurnRadius
        ControlLimitTurnRate
        ControlLimitHorizAccel
        SetControlLimit
        CompensateForCoriolisAccel
        PosVelStrategies
        CancelTgtPosVel
BasicManeuverStrategyRelativeBearing
        target_name
        valid_target_names
        target_resolution
        relative_bearing
        min_range
        control_limit_mode
        control_limit_turn_radius
        control_limit_turn_rate
        control_limit_horizontal_acceleration
        set_control_limit
        compensate_for_coriolis_acceleration
        position_velocity_strategies
        cancel_target_position_velocity
IAgAvtrBasicManeuverStrategyRelativeCourse
        TargetName
        ValidTargetNames
        TargetResolution
        UseRelativeCourse
        Course
        InTrack
        CrossTrack
        ManeuverFactor
        UseApproachTurnMode
        ControlLimitMode
        ControlLimitTurnRadius
        ControlLimitTurnRate
        ControlLimitHorizAccel
        SetControlLimit
        ClosureMode
        DownrangeOffset
        HOBSMaxAngle
        HOBSAngleTol
        CompensateForCoriolisAccel
        PosVelStrategies
        CancelTgtPosVel
BasicManeuverStrategyRelativeCourse
        target_name
        valid_target_names
        target_resolution
        use_relative_course
        course
        in_track
        cross_track
        maneuver_factor
        use_approach_turn_mode
        control_limit_mode
        control_limit_turn_radius
        control_limit_turn_rate
        control_limit_horizontal_acceleration
        set_control_limit
        closure_mode
        downrange_offset
        hobs_max_angle
        hobs_angle_tol
        compensate_for_coriolis_acceleration
        position_velocity_strategies
        cancel_target_position_velocity
IAgAvtrBasicManeuverStrategyRendezvous
        TargetName
        ValidTargetNames
        TargetResolution
        UseCounterTurnLogic
        EnableCollisionAvoidance
        CPA
        SetCPA
        RelativeBearing
        RelativeRange
        AltitudeSplit
        ManeuverFactor
        UsePerfModelLimits
        AltitudeRateControl
        MinLoadFactorG
        MaxLoadFactorG
        MaxSpeedAdvantage
        AirspeedControlMode
        AccelDecelG
        UseSeparateAirspeedControl
        AirspeedFactor
        SetAirspeedFactor
        StopCondition
        PosVelStrategies
        CancelTgtPosVel
BasicManeuverStrategyRendezvous
        target_name
        valid_target_names
        target_resolution
        use_counter_turn_logic
        enable_collision_avoidance
        cpa
        set_cpa
        relative_bearing
        relative_range
        altitude_split
        maneuver_factor
        use_performance_model_limits
        altitude_rate_control
        min_load_factor_g
        max_load_factor_g
        max_speed_advantage
        airspeed_control_mode
        acceleration_deceleration_g
        use_separate_airspeed_control
        airspeed_factor
        set_airspeed_factor
        stop_condition
        position_velocity_strategies
        cancel_target_position_velocity
IAgAvtrBasicManeuverStrategyStationkeeping
        TargetName
        ValidTargetNames
        TargetResolution
        MaxTargetSpeedFraction
        RelBearing
        RelRange
        DesiredRadius
        TurnDirection
        ManeuverFactor
        StopCondition
        UseRelativeCourse
        StopCourse
        StopAfterTurnCount
        StopAfterDuration
        StopAfterTime
        ControlLimitMode
        ControlLimitTurnRadius
        ControlLimitTurnRate
        ControlLimitHorizAccel
        SetControlLimit
        CompensateForCoriolisAccel
        PosVelStrategies
        CancelTgtPosVel
BasicManeuverStrategyStationkeeping
        target_name
        valid_target_names
        target_resolution
        max_target_speed_fraction
        relative_bearing
        relative_range
        desired_radius
        turn_direction
        maneuver_factor
        stop_condition
        use_relative_course
        stop_course
        stop_after_turn_count
        stop_after_duration
        stop_after_time
        control_limit_mode
        control_limit_turn_radius
        control_limit_turn_rate
        control_limit_horizontal_acceleration
        set_control_limit
        compensate_for_coriolis_acceleration
        position_velocity_strategies
        cancel_target_position_velocity
IAgAvtrBasicManeuverStrategyRelativeFPA
        FPA
        AnchorAltOffset
        ManeuverFactor
        ControlLimitMode
        ControlLimitPitchRate
        SetControlLimit
        AirspeedOptions
        MinAbsoluteAltitude
        UseMinAbsoluteAltitude
        SetMinAbsoluteAltitude
        MaxAbsoluteAltitude
        UseMaxAbsoluteAltitude
        SetMaxAbsoluteAltitude
        MinAltitudeRelAnchor
        UseMinAltitudeRelAnchor
        SetMinAltitudeRelAnchor
        MaxAltitudeRelAnchor
        UseMaxAltitudeRelAnchor
        SetMaxAltitudeRelAnchor
        CompensateForCoriolisAccel
BasicManeuverStrategyRelativeFlightPathAngle
        flight_path_angle
        anchor_altitude_offset
        maneuver_factor
        control_limit_mode
        control_limit_pitch_rate
        set_control_limit
        airspeed_options
        min_absolute_altitude
        use_min_absolute_altitude
        set_min_absolute_altitude
        max_absolute_altitude
        use_max_absolute_altitude
        set_max_absolute_altitude
        min_altitude_relative_anchor
        use_min_altitude_relative_anchor
        set_min_altitude_relative_anchor
        max_altitude_relative_anchor
        use_max_altitude_relative_anchor
        set_max_altitude_relative_anchor
        compensate_for_coriolis_acceleration
IAgAvtrBasicManeuverStrategyRelSpeedAlt
        TargetName
        ValidTargetNames
        TargetResolution
        RelativeAltitudeMode
        ElevationAngle
        AltitudeOffset
        AirspeedOffsetType
        AirspeedOffset
        SetAirspeedOffset
        UseTgtAspectForAirspeed
        UsePerfModelLimits
        RangeForEqualSpeed
        RangeToTransitionSpeed
        MinAltitude
        MaxAltitude
        MinAirspeed
        MinAirspeedType
        SetMinAirspeed
        MaxAirspeed
        MaxAirspeedType
        SetMaxAirspeed
        StopCondition
        CompensateForCoriolisAccel
        PosVelStrategies
        CancelTgtPosVel
BasicManeuverStrategyRelativeSpeedAltitude
        target_name
        valid_target_names
        target_resolution
        relative_altitude_mode
        elevation_angle
        altitude_offset
        airspeed_offset_type
        airspeed_offset
        set_airspeed_offset
        use_target_aspect_for_airspeed
        use_performance_model_limits
        range_for_equal_speed
        range_to_transition_speed
        min_altitude
        max_altitude
        min_airspeed
        min_airspeed_type
        set_min_airspeed
        max_airspeed
        max_airspeed_type
        set_max_airspeed
        stop_condition
        compensate_for_coriolis_acceleration
        position_velocity_strategies
        cancel_target_position_velocity
IAgAvtrBasicManeuverStrategyBezier
        ReferenceFrame
        Altitude
        Downrange
        Airspeed
        AirspeedType
        SetAirspeed
        VerticalVelocityMode
        FlightPathAngle
        AltitudeRate
        SetVerticalVelocity
        UseStopAtAltitudeRate
        StopAltitudeRate
        SetStopAltitudeRate
        UseStopAtAirspeed
        StopAirspeed
        StopAirspeedType
        SetStopAirspeed
        CompensateForCoriolisAccel
BasicManeuverStrategyBezier
        reference_frame
        altitude
        downrange
        airspeed
        airspeed_type
        set_airspeed
        vertical_velocity_mode
        flight_path_angle
        altitude_rate
        set_vertical_velocity
        use_stop_at_altitude_rate
        stop_altitude_rate
        set_stop_altitude_rate
        use_stop_at_airspeed
        stop_airspeed
        stop_airspeed_type
        set_stop_airspeed
        compensate_for_coriolis_acceleration
IAgAvtrBasicManeuverStrategyPushPull
        ReferenceFrame
        PushPull
        PushPullG
        AccelMode
        AccelDecelG
        MaintainAirspeedType
        MaintainAirspeed
        StopFlightPathAngle
        UseStopAtAltitude
        StopAltitude
        SetStopAltitude
        UseStopAtAltitudeRate
        StopAltitudeRate
        SetStopAltitudeRate
        UseStopAtAirspeed
        StopAirspeed
        StopAirspeedType
        SetStopAirspeed
        CompensateForCoriolisAccel
BasicManeuverStrategyPushPull
        reference_frame
        push_pull
        push_pull_g
        acceleration_mode
        acceleration_deceleration_g
        maintain_airspeed_type
        maintain_airspeed
        stop_flight_path_angle
        use_stop_at_altitude
        stop_altitude
        set_stop_altitude
        use_stop_at_altitude_rate
        stop_altitude_rate
        set_stop_altitude_rate
        use_stop_at_airspeed
        stop_airspeed
        stop_airspeed_type
        set_stop_airspeed
        compensate_for_coriolis_acceleration
IAgAvtrBasicManeuverStrategyGlideProfile
        HoldInitialAirspeed
        Airspeed
        AirspeedType
        MinG
        MaxG
        MaxSpeedLimits
        SetAirspeed
        CompensateForCoriolisAccel
        PoweredCruiseMode
        PoweredCruiseThrottle
        PoweredCruiseThrustModel
        GlideSpeedControlMode
        GlideSpeedControlAlt
        SetGlideSpeedControlMode
BasicManeuverStrategyGlideProfile
        hold_initial_airspeed
        airspeed
        airspeed_type
        min_g
        max_g
        max_speed_limits
        set_airspeed
        compensate_for_coriolis_acceleration
        powered_cruise_mode
        powered_cruise_throttle
        powered_cruise_thrust_model
        glide_speed_control_mode
        glide_speed_control_altitude
        set_glide_speed_control_mode
IAgAvtrBasicManeuverStrategyCruiseProfile
        ReferenceFrame
        UseDefaultCruiseAltitude
        LevelOff
        RequestedAltitude
        CruiseAirspeedOptions
        StopAfterLevelOff
        CompensateForCoriolisAccel
BasicManeuverStrategyCruiseProfile
        reference_frame
        use_default_cruise_altitude
        level_off
        requested_altitude
        cruise_airspeed_options
        stop_after_level_off
        compensate_for_coriolis_acceleration
IAgAvtrBasicManeuverStrategyStraightAhead
        ReferenceFrame
        CompensateForCoriolisAccel
BasicManeuverStrategyStraightAhead
        reference_frame
        compensate_for_coriolis_acceleration
IAgAvtrBasicManeuverStrategyWeave
        HeadingChange
        MaxNumCycles
        MaxDistance
        ControlLimitMode
        ControlLimitTurnRadius
        ControlLimitTurnRate
        ControlLimitHorizAccel
        SetControlLimit
        CompensateForCoriolisAccel
BasicManeuverStrategyWeave
        heading_change
        max_num_cycles
        max_distance
        control_limit_mode
        control_limit_turn_radius
        control_limit_turn_rate
        control_limit_horizontal_acceleration
        set_control_limit
        compensate_for_coriolis_acceleration
IAgAvtrBasicManeuverStrategyBallistic3D
        ControlMode
        AirspeedOptions
        ParachuteArea
        ParachuteCd
        WindForceEffectiveArea
BasicManeuverStrategyBallistic3D
        control_mode
        airspeed_options
        parachute_area
        parachute_cd
        wind_force_effective_area
IAgAvtrBasicManeuverStrategyPitch3D
        ControlMode
        CommandFPA
        ControlFPADot
        StopWhenFPAAchieved
        AirspeedOptions
        WindForceEffectiveArea
BasicManeuverStrategyPitch3D
        control_mode
        command_flight_path_angle
        control_flight_path_angle_dot
        stop_when_flight_path_angle_achieved
        airspeed_options
        wind_force_effective_area
IAgAvtrBasicManeuverTargetPosVelNoisyBrgRng
        NewRandomEngineSeed
        SmoothingConstant
        VelocityTimeStep
        AngleErrorStdDev
        RangeErrorStdDev
        ApplyPosVel
        CancelPosVel
        SetBaseDynStateLinkName
BasicManeuverTargetPositionVelocityNoisyBearingRange
        new_random_engine_seed
        smoothing_constant
        velocity_time_step
        angle_error_std_dev
        range_error_std_dev
        apply_position_velocity
        cancel_position_velocity
        set_base_dynamic_state_link_name
IAgAvtrBasicManeuverTargetPosVelNoisySurfTgt
        NewRandomEngineSeed
        MeasurementTimeStep
        PositionCEP
        CourseError
        SpeedError
        ApplyPosVel
        CancelPosVel
        SetBaseDynStateLinkName
BasicManeuverTargetPositionVelocityNoisySurfTarget
        new_random_engine_seed
        measurement_time_step
        position_cep
        course_error
        speed_error
        apply_position_velocity
        cancel_position_velocity
        set_base_dynamic_state_link_name
IAgAvtrTakeoffNormal
        TakeoffClimbAngle
        DepartureAltitude
        UseRunwayTerrain
        RunwayAltitudeOffset
        HoldOnDeck
TakeoffNormal
        takeoff_climb_angle
        departure_altitude
        use_runway_terrain
        runway_altitude_offset
        hold_on_deck
IAgAvtrTakeoffDeparturePoint
        TakeoffClimbAngle
        DepartureAltitude
        DeparturePointRange
        UseRunwayTerrain
        RunwayAltitudeOffset
        HoldOnDeck
TakeoffDeparturePoint
        takeoff_climb_angle
        departure_altitude
        departure_point_range
        use_runway_terrain
        runway_altitude_offset
        hold_on_deck
IAgAvtrTakeoffLowTransition
        UseRunwayTerrain
        RunwayAltitudeOffset
        HoldOnDeck
TakeoffLowTransition
        use_runway_terrain
        runway_altitude_offset
        hold_on_deck
IAgAvtrRefStateForwardFlightOptions
        AirspeedType
        Airspeed
        SetAirspeed
        AltitudeRate
        FlightPathAngle
        TASDot
        GroundspeedDot
        LongitudinalAccelType
        SetLongitudinalAccel
        Heading
        HeadingIsMagnetic
        Course
        CourseIsMagnetic
        HeadingDot
        CourseDot
        LateralAccelType
        SetLateralAccel
        RollAngle
        AOA
        Sideslip
        PitchRate
        PushPullG
        AttitudeRateType
        SetAttitudeRate
ReferenceStateForwardFlightOptions
        airspeed_type
        airspeed
        set_airspeed
        altitude_rate
        flight_path_angle
        tas_dot
        groundspeed_dot
        longitudinal_acceleration_type
        set_longitudinal_acceleration
        heading
        heading_is_magnetic
        course
        course_is_magnetic
        heading_dot
        course_dot
        lateral_acceleration_type
        set_lateral_acceleration
        roll_angle
        aoa
        sideslip
        pitch_rate
        push_pull_g
        attitude_rate_type
        set_attitude_rate
IAgAvtrRefStateHoverOptions
        Groundspeed
        AltitudeRate
        TASDot
        GroundspeedDot
        LongitudinalAccelType
        SetLongitudinalAccel
        Heading
        HeadingIsMagnetic
        Course
        CourseIsMagnetic
        HeadingDot
        CourseDot
        RollAngle
        AOA
        PitchRate
        PushPullG
        AttitudeRateType
        SetAttitudeRate
ReferenceStateHoverOptions
        groundspeed
        altitude_rate
        tas_dot
        groundspeed_dot
        longitudinal_acceleration_type
        set_longitudinal_acceleration
        heading
        heading_is_magnetic
        course
        course_is_magnetic
        heading_dot
        course_dot
        roll_angle
        aoa
        pitch_rate
        push_pull_g
        attitude_rate_type
        set_attitude_rate
IAgAvtrRefStateWeightOnWheelsOptions
        Groundspeed
        TASDot
        GroundspeedDot
        LongitudinalAccelType
        SetLongitudinalAccel
        Heading
        HeadingIsMagnetic
        HeadingDot
        CourseDot
        LateralAccelType
        SetLateralAccel
ReferenceStateWeightOnWheelsOptions
        groundspeed
        tas_dot
        groundspeed_dot
        longitudinal_acceleration_type
        set_longitudinal_acceleration
        heading
        heading_is_magnetic
        heading_dot
        course_dot
        lateral_acceleration_type
        set_lateral_acceleration
IAgAvtrRefStateTakeoffLandingOptions
        AirspeedType
        Airspeed
        SetAirspeed
        AltitudeRate
        FlightPathAngle
        TASDot
        GroundspeedDot
        LongitudinalAccelType
        SetLongitudinalAccel
        Heading
        HeadingIsMagnetic
        Course
        CourseIsMagnetic
        HeadingDot
        CourseDot
        LateralAccelType
        SetLateralAccel
        RollAngle
        AOA
        Sideslip
        PitchRate
        PushPullG
        AttitudeRateType
        SetAttitudeRate
ReferenceStateTakeoffLandingOptions
        airspeed_type
        airspeed
        set_airspeed
        altitude_rate
        flight_path_angle
        tas_dot
        groundspeed_dot
        longitudinal_acceleration_type
        set_longitudinal_acceleration
        heading
        heading_is_magnetic
        course
        course_is_magnetic
        heading_dot
        course_dot
        lateral_acceleration_type
        set_lateral_acceleration
        roll_angle
        aoa
        sideslip
        pitch_rate
        push_pull_g
        attitude_rate_type
        set_attitude_rate
IAgAvtrLandingEnterDownwindPattern
        ApproachFixRange
        ApproachFixRangeMode
        AbeamDistance
        AbeamAltitude
        FinalTurn
        Glideslope
        RunwayAltitudeOffset
        UseRunwayTerrain
        TouchAndGo
LandingEnterDownwindPattern
        approach_fix_range
        approach_fix_range_mode
        abeam_distance
        abeam_altitude
        final_turn
        glideslope
        runway_altitude_offset
        use_runway_terrain
        touch_and_go
IAgAvtrLandingInterceptGlideslope
        ApproachFixRange
        ApproachFixRangeMode
        Glideslope
        RunwayAltitudeOffset
        UseRunwayTerrain
        TouchAndGo
LandingInterceptGlideslope
        approach_fix_range
        approach_fix_range_mode
        glideslope
        runway_altitude_offset
        use_runway_terrain
        touch_and_go
IAgAvtrLandingStandardInstrumentApproach
        ApproachAltitude
        LevelOffMode
        ApproachFixRange
        ApproachFixRangeMode
        Glideslope
        RunwayAltitudeOffset
        UseRunwayTerrain
        TouchAndGo
LandingStandardInstrumentApproach
        approach_altitude
        level_off_mode
        approach_fix_range
        approach_fix_range_mode
        glideslope
        runway_altitude_offset
        use_runway_terrain
        touch_and_go
IAgAvtrProcedureBasicManeuver
        MaxTimeOfFlight
        UseMaxTimeOfFlight
        StopFuelState
        UseStopFuelState
        MaxDownrange
        UseMaxDownrange
        AltitudeLimitMode
        TerrainImpactMode
        TerrainImpactTimeOffset
        NavigationStrategyType
        Navigation
        ProfileStrategyType
        Profile
        FlightMode
        FuelFlowType
        OverrideFuelFlowValue
        ScaleFuelFlow
        AttitudeBlendTime
        ControlTimeConstant
        GetAsProcedure
ProcedureBasicManeuver
        max_time_of_flight
        use_max_time_of_flight
        stop_fuel_state
        use_stop_fuel_state
        max_downrange
        use_max_downrange
        altitude_limit_mode
        terrain_impact_mode
        terrain_impact_time_offset
        navigation_strategy_type
        navigation
        profile_strategy_type
        profile
        flight_mode
        fuel_flow_type
        override_fuel_flow_value
        scale_fuel_flow
        attitude_blend_time
        control_time_constant
        get_as_procedure
IAgAvtrSiteWaypoint
        Latitude
        Longitude
        GetAsSite
SiteWaypoint
        latitude
        longitude
        get_as_site
IAgAvtrSiteEndOfPrevProcedure
        GetAsSite
SiteEndOfPrevProcedure
        get_as_site
IAgAvtrSiteVTOLPoint
        Latitude
        Longitude
        Altitude
        AltitudeReference
        GetAsSite
SiteVTOLPoint
        latitude
        longitude
        altitude
        altitude_reference
        get_as_site
IAgAvtrSiteSTKVehicle
        ObjectName
        ValidObjectNames
        GetAsSite
SiteSTKVehicle
        object_name
        valid_object_names
        get_as_site
IAgAvtrSiteReferenceState
        GetAsSite
SiteReferenceState
        get_as_site
IAgAvtrSiteSuperProcedure
        GetAsSite
SiteSuperProcedure
        get_as_site
IAgAvtrSiteRelToPrevProcedure
        BearingMode
        Bearing
        Range
        GetAsSite
SiteRelativeToPrevProcedure
        bearing_mode
        bearing
        range
        get_as_site
IAgAvtrSiteSTKObjectWaypoint
        ObjectName
        ValidObjectNames
        MinTime
        WaypointTime
        MinimizeSiteProcTimeDiff
        MaxTime
        OffsetMode
        Bearing
        UseMagneticBearing
        Range
        VGTPoint
        GetAsSite
SiteSTKObjectWaypoint
        object_name
        valid_object_names
        min_time
        waypoint_time
        minimize_site_procedure_time_diff
        max_time
        offset_mode
        bearing
        use_magnetic_bearing
        range
        vgt_point
        get_as_site
IAgAvtrSiteSTKStaticObject
        ObjectName
        ValidObjectNames
        GetAsSite
SiteSTKStaticObject
        object_name
        valid_object_names
        get_as_site
IAgAvtrSiteRelToSTKObject
        ObjectName
        ValidObjectNames
        Bearing
        UseMagneticBearing
        Range
        GetAsSite
SiteRelativeToSTKObject
        object_name
        valid_object_names
        bearing
        use_magnetic_bearing
        range
        get_as_site
IAgAvtrSiteSTKAreaTarget
        ObjectName
        ValidObjectNames
        GetAsSite
SiteSTKAreaTarget
        object_name
        valid_object_names
        get_as_site
IAgAvtrSiteRunway
        Altitude
        Latitude
        Longitude
        Length
        AltitudeRef
        LowEndHeading
        HighEndHeading
        IsMagnetic
        AddToCatalog
        CopyFromCatalog
        GetAsSite
SiteRunway
        altitude
        latitude
        longitude
        length
        altitude_reference
        low_end_heading
        high_end_heading
        is_magnetic
        add_to_catalog
        copy_from_catalog
        get_as_site
IAgAvtrProcedureLanding
        ModeAsStandardInstrumentApproach
        ModeAsInterceptGlideslope
        ModeAsEnterDownwindPattern
        RunwayHeadingOptions
        EnrouteCruiseAirspeedOptions
        EnrouteTurnDirectionOptions
        EnrouteOptions
        VerticalPlaneOptions
        ApproachMode
        GetAsProcedure
ProcedureLanding
        mode_as_standard_instrument_approach
        mode_as_intercept_glideslope
        mode_as_enter_downwind_pattern
        runway_heading_options
        enroute_cruise_airspeed_options
        enroute_turn_direction_options
        enroute_options
        vertical_plane_options
        approach_mode
        get_as_procedure
IAgAvtrProcedureEnroute
        AltitudeMSLOptions
        NavigationOptions
        EnrouteOptions
        EnrouteCruiseAirspeedOptions
        GetAsProcedure
ProcedureEnroute
        altitude_msl_options
        navigation_options
        enroute_options
        enroute_cruise_airspeed_options
        get_as_procedure
IAgAvtrProcedureExtEphem
        EphemerisFile
        EphemerisFileDuration
        UseStartDuration
        StartTime
        Duration
        FlightMode
        GetAsProcedure
        UseShiftRotate
        ShiftTime
        Latitude
        Longitude
        Altitude
        Course
        CourseMode
        AltitudeMode
        ShiftRotateSet
ProcedureExtEphem
        ephemeris_file
        ephemeris_file_duration
        use_start_duration
        start_time
        duration
        flight_mode
        get_as_procedure
        use_shift_rotate
        shift_time
        latitude
        longitude
        altitude
        course
        course_mode
        altitude_mode
        shift_rotate_set
IAgAvtrProcedureFormationFlyer
        MinTimeStep
        MaxTimeStep
        CrossRangeCloseRate
        InitialCloseMaxSpeedAdvantage
        StopCondition
        StopTime
        StopDownRange
        StopFuelState
        GetAsProcedure
        StopOnHover
ProcedureFormationFlyer
        min_time_step
        max_time_step
        cross_range_close_rate
        initial_close_max_speed_advantage
        stop_condition
        stop_time
        stop_down_range
        stop_fuel_state
        get_as_procedure
        stop_on_hover
IAgAvtrProcedureBasicPointToPoint
        AltitudeOptions
        NavigationOptions
        EnrouteOptions
        EnrouteCruiseAirspeedOptions
        VerticalPlaneOptions
        GetAsProcedure
ProcedureBasicPointToPoint
        altitude_options
        navigation_options
        enroute_options
        enroute_cruise_airspeed_options
        vertical_plane_options
        get_as_procedure
IAgAvtrProcedureDelay
        AltitudeMode
        Altitude
        CruiseAirspeedOptions
        TurnDirection
        TurnRadiusFactor
ProcedureDelay
        altitude_mode
        altitude
        cruise_airspeed_options
        turn_direction
        turn_radius_factor
IAgAvtrProcedureTakeoff
        RunwayHeadingOptions
        ModeAsNormal
        ModeAsDeparturePoint
        ModeAsLowTransition
        TakeoffMode
        GetAsProcedure
ProcedureTakeoff
        runway_heading_options
        mode_as_normal
        mode_as_departure_point
        mode_as_low_transition
        takeoff_mode
        get_as_procedure
IAgAvtrProcedureArcEnroute
        AltitudeOptions
        ArcOptions
        ArcCruiseAirspeedOptions
        EnrouteOptions
        EnrouteCruiseAirspeedOptions
        EnrouteTurnDirectionOptions
        GetAsProcedure
ProcedureArcEnroute
        altitude_options
        arc_options
        arc_cruise_airspeed_options
        enroute_options
        enroute_cruise_airspeed_options
        enroute_turn_direction_options
        get_as_procedure
IAgAvtrProcedureArcPointToPoint
        AltitudeOptions
        ArcOptions
        ArcCruiseAirspeedOptions
        EnrouteOptions
        EnrouteCruiseAirspeedOptions
        EnrouteTurnDirectionOptions
        FlyCruiseAirspeedProfile
        VerticalPlaneOptions
        GetAsProcedure
ProcedureArcPointToPoint
        altitude_options
        arc_options
        arc_cruise_airspeed_options
        enroute_options
        enroute_cruise_airspeed_options
        enroute_turn_direction_options
        fly_cruise_airspeed_profile
        vertical_plane_options
        get_as_procedure
IAgAvtrProcedureFlightLine
        AltitudeOptions
        FlyCruiseAirspeedProfile
        FlightLineAirspeedOptions
        EnrouteOptions
        EnrouteTurnDirectionOptions
        EnrouteCruiseAirspeedOptions
        ProcedureType
        OutboundCourse
        UseMagneticHeading
        LegLength
        MustLevelOff
        LevelOffMode
        GetAsProcedure
ProcedureFlightLine
        altitude_options
        fly_cruise_airspeed_profile
        flight_line_airspeed_options
        enroute_options
        enroute_turn_direction_options
        enroute_cruise_airspeed_options
        procedure_type
        outbound_course
        use_magnetic_heading
        leg_length
        must_level_off
        level_off_mode
        get_as_procedure
IAgAvtrProcedureHoldingCircular
        AltitudeOptions
        ProfileMode
        LevelOffMode
        Bearing
        UseMagneticHeading
        Range
        Diameter
        UseAlternateEntryPoints
        TurnDirection
        Turns
        RefuelDumpMode
        HoldCruiseAirspeedOptions
        EnrouteOptions
        EnrouteCruiseAirspeedOptions
        EnrouteTurnDirectionOptions
        GetMinimumDiameter
        GetAsProcedure
ProcedureHoldingCircular
        altitude_options
        profile_mode
        level_off_mode
        bearing
        use_magnetic_heading
        range
        diameter
        use_alternate_entry_points
        turn_direction
        turns
        refuel_dump_mode
        hold_cruise_airspeed_options
        enroute_options
        enroute_cruise_airspeed_options
        enroute_turn_direction_options
        get_minimum_diameter
        get_as_procedure
IAgAvtrProcedureHoldingFigure8
        AltitudeOptions
        ProfileMode
        LevelOffMode
        Bearing
        UseMagneticHeading
        Range
        Length
        Width
        UseAlternateEntryPoints
        Turns
        RefuelDumpMode
        HoldCruiseAirspeedOptions
        EnrouteOptions
        EnrouteCruiseAirspeedOptions
        EnrouteTurnDirectionOptions
        GetMinimumWidth
        GetAsProcedure
ProcedureHoldingFigure8
        altitude_options
        profile_mode
        level_off_mode
        bearing
        use_magnetic_heading
        range
        length
        width
        use_alternate_entry_points
        turns
        refuel_dump_mode
        hold_cruise_airspeed_options
        enroute_options
        enroute_cruise_airspeed_options
        enroute_turn_direction_options
        get_minimum_width
        get_as_procedure
IAgAvtrProcedureHoldingRacetrack
        AltitudeOptions
        ProfileMode
        LevelOffMode
        Bearing
        UseMagneticHeading
        Range
        Length
        Width
        EntryManeuver
        Turns
        RefuelDumpMode
        HoldCruiseAirspeedOptions
        EnrouteOptions
        EnrouteCruiseAirspeedOptions
        EnrouteTurnDirectionOptions
        GetMinimumWidth
        GetAsProcedure
ProcedureHoldingRacetrack
        altitude_options
        profile_mode
        level_off_mode
        bearing
        use_magnetic_heading
        range
        length
        width
        entry_maneuver
        turns
        refuel_dump_mode
        hold_cruise_airspeed_options
        enroute_options
        enroute_cruise_airspeed_options
        enroute_turn_direction_options
        get_minimum_width
        get_as_procedure
IAgAvtrProcedureTransitionToHover
        AltitudeReference
        Altitude
        UseMagneticHeading
        Course
        TransitionIntoWind
        SetTransitionCourse
        SetTransitionIntoWind
        EnrouteOptions
        EnrouteTurnDirectionOptions
        VerticalPlaneOptions
        SmoothTransitionMode
        GetAsProcedure
ProcedureTransitionToHover
        altitude_reference
        altitude
        use_magnetic_heading
        course
        transition_into_wind
        set_transition_course
        set_transition_into_wind
        enroute_options
        enroute_turn_direction_options
        vertical_plane_options
        smooth_transition_mode
        get_as_procedure
IAgAvtrProcedureTerrainFollow
        AltitudeAGL
        NavigationOptions
        TerrainFollowingAirspeedOptions
        ReduceTurnRadii
        TurnFactor
        GetAsProcedure
ProcedureTerrainFollow
        altitude_agl
        navigation_options
        terrain_following_airspeed_options
        reduce_turn_radii
        turn_factor
        get_as_procedure
IAgAvtrProcedureHover
        AltitudeOptions
        HoverMode
        FixedTime
        HeadingMode
        FinalHeadingMode
        SetRelativeCourse
        SetAbsoluteCourse
        SetFinalTranslationCourse
        AbsoluteCourse
        RelativeCourse
        UseMagneticHeading
        FinalHeadingRate
        TranslationMode
        Bearing
        UseMagneticBearing
        Range
        FinalCourseMode
        SmoothTranslationMode
        RadiusFactor
        GetAsProcedure
ProcedureHover
        altitude_options
        hover_mode
        fixed_time
        heading_mode
        final_heading_mode
        set_relative_course
        set_absolute_course
        set_final_translation_course
        absolute_course
        relative_course
        use_magnetic_heading
        final_heading_rate
        translation_mode
        bearing
        use_magnetic_bearing
        range
        final_course_mode
        smooth_translation_mode
        radius_factor
        get_as_procedure
IAgAvtrProcedureHoverTranslate
        AltitudeOptions
        HeadingMode
        FinalHeadingMode
        SetRelativeCourse
        SetAbsoluteCourse
        SetFinalTranslationCourse
        AbsoluteCourse
        RelativeCourse
        UseMagneticHeading
        FinalHeadingRate
        FinalCourseMode
        SmoothTranslationMode
        RadiusFactor
        GetAsProcedure
ProcedureHoverTranslate
        altitude_options
        heading_mode
        final_heading_mode
        set_relative_course
        set_absolute_course
        set_final_translation_course
        absolute_course
        relative_course
        use_magnetic_heading
        final_heading_rate
        final_course_mode
        smooth_translation_mode
        radius_factor
        get_as_procedure
IAgAvtrProcedureTransitionToForwardFlight
        TransitionCourseMode
        SetTransitionIntoWind
        SetAbsoluteCourse
        SetRelativeCourse
        UseMagneticHeading
        AbsoluteCourse
        RelativeCourse
        FlightPathAngle
        GetAsProcedure
ProcedureTransitionToForwardFlight
        transition_course_mode
        set_transition_into_wind
        set_absolute_course
        set_relative_course
        use_magnetic_heading
        absolute_course
        relative_course
        flight_path_angle
        get_as_procedure
IAgAvtrProcedureVerticalTakeoff
        AltitudeAbovePoint
        FinalAltitudeRate
        AltitudeOffset
        SetHeading
        Heading
        UseMagneticHeading
        HeadingIntoWind
        HoldOnDeck
        GetAsProcedure
ProcedureVerticalTakeoff
        altitude_above_point
        final_altitude_rate
        altitude_offset
        set_heading
        heading
        use_magnetic_heading
        heading_into_wind
        hold_on_deck
        get_as_procedure
IAgAvtrProcedureVerticalLanding
        AltitudeAbovePoint
        FinalAltitudeRate
        AltitudeOffset
        HeadingMode
        SetHeading
        Heading
        UseMagneticHeading
        RadiusFactor
        GetAsProcedure
ProcedureVerticalLanding
        altitude_above_point
        final_altitude_rate
        altitude_offset
        heading_mode
        set_heading
        heading
        use_magnetic_heading
        radius_factor
        get_as_procedure
IAgAvtrProcedureReferenceState
        StartTime
        GetAsProcedure
        Latitude
        Longitude
        UseDefaultCruiseAltitude
        MSLAltitude
        PerformanceMode
        ReferenceFrame
        FuelFlow
        ModeAsForwardFlight
        ModeAsTakeoffLanding
        ModeAsHover
        ModeAsWeightOnWheels
ProcedureReferenceState
        start_time
        get_as_procedure
        latitude
        longitude
        use_default_cruise_altitude
        msl_altitude
        performance_mode
        reference_frame
        fuel_flow
        mode_as_forward_flight
        mode_as_takeoff_landing
        mode_as_hover
        mode_as_weight_on_wheels
IAgAvtrProcedureSuperProcedure
        GetAsProcedure
        LoadProceduresFromClipboard
        LoadProceduresFromFile
ProcedureSuperProcedure
        get_as_procedure
        load_procedures_from_clipboard
        load_procedures_from_file
IAgAvtrProcedureLaunch
        LaunchTime
        PositionPointName
        DirectionVecName
        AttitudeMode
        SpecifyLaunchAirspeed
        AccelG
        AirspeedType
        Airspeed
        SetAirspeed
        FuelFlowType
        OverrideFuelFlow
        GetAsProcedure
        TrueCourseHint
ProcedureLaunch
        launch_time
        position_point_name
        direction_vec_name
        attitude_mode
        specify_launch_airspeed
        acceleration_g
        airspeed_type
        airspeed
        set_airspeed
        fuel_flow_type
        override_fuel_flow
        get_as_procedure
        true_course_hint
IAgAvtrProcedureAirway
        GetAsProcedure
        AltitudeOptions
        EnrouteOptions
        EnrouteCruiseAirspeedOptions
        Router
        AirwayID
        GetAirwayNames
        Sequence
        GetSequences
        EntryID
        ExitID
        GetWaypoints
        CopyProcedures
ProcedureAirway
        get_as_procedure
        altitude_options
        enroute_options
        enroute_cruise_airspeed_options
        router
        airway_id
        get_airway_names
        sequence
        get_sequences
        entry_id
        exit_id
        get_waypoints
        copy_procedures
IAgAvtrProcedureAirwayRouter
        GetAsProcedure
        AltitudeOptions
        EnrouteOptions
        EnrouteCruiseAirspeedOptions
        Router
        OptimizeForWind
        BoundingBoxPad
        MaxWaypointRange
        EntryExitAndOr
        MaxWaypointCount
        UpdateRoute
        GetWaypoints
        GetSegments
        CopyProcedures
ProcedureAirwayRouter
        get_as_procedure
        altitude_options
        enroute_options
        enroute_cruise_airspeed_options
        router
        optimize_for_wind
        bounding_box_pad
        max_waypoint_range
        entry_exit_and_or
        max_waypoint_count
        update_route
        get_waypoints
        get_segments
        copy_procedures
IAgAvtrProcedureAreaTargetSearch
        GetAsProcedure
        AltitudeOptions
        EnrouteOptions
        EnrouteCruiseAirspeedOptions
        ProcedureType
        MaxSeparation
        CourseMode
        FirstLegRetrograde
        CentroidTrueCourse
        FlyCruiseAirspeedProfile
        MustLevelOff
        LevelOffMode
        CopyProcedures
ProcedureAreaTargetSearch
        get_as_procedure
        altitude_options
        enroute_options
        enroute_cruise_airspeed_options
        procedure_type
        max_separation
        course_mode
        first_leg_retrograde
        centroid_true_course
        fly_cruise_airspeed_profile
        must_level_off
        level_off_mode
        copy_procedures
IAgAvtrProcedureFormationRecover
        GetAsProcedure
        EnrouteOptions
        DelayCruiseAirspeedOptions
        GetMinimumTime
        StartTime
        FindFirstValidStartTime
        MaximumTime
        FormationPoint
        InterpolatePointPosVel
        AltitudeOffset
        FuelFlowType
        OverrideFuelFlowValue
        ConsiderAccelForFuelFlow
        FirstPause
        TransitionTime
        SecondPause
        DisplayStepTime
        FlightMode
        FlightPathAngle
        RadiusFactor
        UseDelay
        DelayTurnDir
ProcedureFormationRecover
        get_as_procedure
        enroute_options
        delay_cruise_airspeed_options
        get_minimum_time
        start_time
        find_first_valid_start_time
        maximum_time
        formation_point
        interpolate_point_position_velocity
        altitude_offset
        fuel_flow_type
        override_fuel_flow_value
        consider_acceleration_for_fuel_flow
        first_pause
        transition_time
        second_pause
        display_step_time
        flight_mode
        flight_path_angle
        radius_factor
        use_delay
        delay_turn_direction
IAgAvtrProcedureInFormation
        GetAsProcedure
        FlightMode
        FormationPoint
        TransitionTime
        HoldTime
        DisplayStepTime
        TrajectoryBlending
        FuelFlowType
        OverrideFuelFlowValue
        ConsiderAccelForFuelFlow
ProcedureInFormation
        get_as_procedure
        flight_mode
        formation_point
        transition_time
        hold_time
        display_step_time
        trajectory_blending
        fuel_flow_type
        override_fuel_flow_value
        consider_acceleration_for_fuel_flow
IAgAvtrProcedureParallelFlightLine
        AltitudeOptions
        EnrouteOptions
        EnrouteCruiseAirspeedOptions
        EnrouteTurnDirectionOptions
        ProcedureType
        Orientation
        Separation
        Offset
        LegLength
        MustLevelOff
        LevelOffMode
        GetAsProcedure
ProcedureParallelFlightLine
        altitude_options
        enroute_options
        enroute_cruise_airspeed_options
        enroute_turn_direction_options
        procedure_type
        orientation
        separation
        offset
        leg_length
        must_level_off
        level_off_mode
        get_as_procedure
IAgAvtrProcedureVGTPoint
        GetAsProcedure
        MinimumTime
        StartTime
        MaximumTime
        FormationPoint
        InterpolatePointPosVel
        Duration
        UseMaxPointStopTime
        FuelFlowType
        OverrideFuelFlowValue
        ConsiderAccelForFuelFlow
        FlightMode
        DisplayStepTime
ProcedureVGTPoint
        get_as_procedure
        minimum_time
        start_time
        maximum_time
        formation_point
        interpolate_point_position_velocity
        duration
        use_max_point_stop_time
        fuel_flow_type
        override_fuel_flow_value
        consider_acceleration_for_fuel_flow
        flight_mode
        display_step_time
IAgAvtrSiteRunwayFromCatalog
        GetCatalogRunway
        SetCatalogRunway
        GetAsSite
SiteRunwayFromCatalog
        get_catalog_runway
        set_catalog_runway
        get_as_site
IAgAvtrSiteAirportFromCatalog
        GetCatalogAirport
        SetCatalogAirport
        GetAsSite
SiteAirportFromCatalog
        get_catalog_airport
        set_catalog_airport
        get_as_site
IAgAvtrSiteNavaidFromCatalog
        GetCatalogNavaid
        SetCatalogNavaid
        GetAsSite
SiteNavaidFromCatalog
        get_catalog_navaid
        set_catalog_navaid
        get_as_site
IAgAvtrSiteVTOLPointFromCatalog
        GetCatalogVTOLPoint
        SetCatalogVTOLPoint
        GetAsSite
SiteVTOLPointFromCatalog
        get_catalog_vtol_point
        set_catalog_vtol_point
        get_as_site
IAgAvtrSiteWaypointFromCatalog
        GetCatalogWaypoint
        SetCatalogWaypoint
        GetAsSite
SiteWaypointFromCatalog
        get_catalog_waypoint
        set_catalog_waypoint
        get_as_site
IAgAvtrProcedureLaunchDynState
        LaunchTime
        CoordFrame
        BearingRef
        LaunchBearing
        LaunchElevation
        AttitudeMode
        SpecifyLaunchAirspeed
        AccelG
        AirspeedType
        Airspeed
        SetAirspeed
        FuelFlowType
        OverrideFuelFlow
        TrueCourseHint
        GetAsProcedure
ProcedureLaunchDynamicState
        launch_time
        coord_frame
        bearing_reference
        launch_bearing
        launch_elevation
        attitude_mode
        specify_launch_airspeed
        acceleration_g
        airspeed_type
        airspeed
        set_airspeed
        fuel_flow_type
        override_fuel_flow
        true_course_hint
        get_as_procedure
IAgAvtrProcedureLaunchWaypoint
        LaunchTime
        AltitudeRef
        LaunchAltitude
        LaunchTrueBearing
        LaunchElevation
        AccelG
        AirspeedType
        Airspeed
        SetAirspeed
        FuelFlowType
        OverrideFuelFlow
        GetAsProcedure
ProcedureLaunchWaypoint
        launch_time
        altitude_reference
        launch_altitude
        launch_true_bearing
        launch_elevation
        acceleration_g
        airspeed_type
        airspeed
        set_airspeed
        fuel_flow_type
        override_fuel_flow
        get_as_procedure
IAgAvtrSiteDynState
        ObjectName
        ValidObjectNames
        GetAsSite
SiteDynamicState
        object_name
        valid_object_names
        get_as_site
STKEngineTimerType
        DisableTimers
        TkinterMainloop
        InteractivePython
        SigAlarm
        SigRt
STKEngineTimerType
        DISABLE_TIMERS
        TKINTER_MAIN_LOOP
        INTERACTIVE_PYTHON
        SIG_ALARM
        SIG_RT
STKEngineApplication
        NewObjectRoot
        NewObjectModelContext
        SetGrpcOptions
        NewGrpcCallBatcher
        ShutDown
STKEngineApplication
        new_object_root
        new_object_model_context
        set_grpc_options
        new_grpc_call_batcher
        shutdown
STKEngine
        StartApplication
STKEngine
        start_application
Color
        FromRGB
        GetRGB
Color
        from_rgb
        get_rgb
Colors
        FromRGB
        FromRGBA
        FromARGB
Colors
        from_rgb
        from_rgba
        from_argb
AgEPositionType
        eCartesian
        eCylindrical
        eGeocentric
        eGeodetic
        eSpherical
        ePlanetocentric
        ePlanetodetic
PositionType
        CARTESIAN
        CYLINDRICAL
        GEOCENTRIC
        GEODETIC
        SPHERICAL
        PLANETOCENTRIC
        PLANETODETIC
AgEEulerDirectionSequence
        e12
        e21
        e31
        e32
EulerDirectionSequence
        SEQUENCE_12
        SEQUENCE_21
        SEQUENCE_31
        SEQUENCE_32
AgEPRSequence
        ePR
PRSequence
        PR
AgEOrientationType
        eAzEl
        eEulerAngles
        eQuaternion
        eYPRAngles
OrientationType
        AZ_EL
        EULER_ANGLES
        QUATERNION
        YPR_ANGLES
AgEPropertyInfoValueType
        ePropertyInfoValueTypeInt
        ePropertyInfoValueTypeReal
        ePropertyInfoValueTypeQuantity
        ePropertyInfoValueTypeDate
        ePropertyInfoValueTypeString
        ePropertyInfoValueTypeBool
        ePropertyInfoValueTypeInterface
PropertyInfoValueType
        INT
        REAL
        QUANTITY
        DATE
        STRING
        BOOL
        INTERFACE
AgExecCmdResult ExecuteCommandResult
AgExecMultiCmdResult ExecuteMultipleCommandsResult
AgUnitPrefsUnit UnitPreferencesUnit
AgUnitPrefsUnitCollection UnitPreferencesUnitCollection
AgUnitPrefsDim UnitPreferencesDimension
AgUnitPrefsDimCollection UnitPreferencesDimensionCollection
AgConversionUtility ConversionUtility
AgQuantity Quantity
AgDate Date
AgPosition Position
AgCartesian Cartesian
AgGeodetic Geodetic
AgGeocentric Geocentric
AgPlanetodetic Planetodetic
AgPlanetocentric Planetocentric
AgSpherical Spherical
AgCylindrical Cylindrical
AgDirection Direction
AgDirectionEuler DirectionEuler
AgDirectionPR DirectionPR
AgDirectionRADec DirectionRADec
AgDirectionXYZ DirectionXYZ
AgOrientation Orientation
AgOrientationAzEl OrientationAzEl
AgOrientationEulerAngles OrientationEulerAngles
AgOrientationQuaternion OrientationQuaternion
AgOrientationYPRAngles OrientationYPRAngles
AgDoublesCollection DoublesCollection
AgCartesian3Vector Cartesian3Vector
AgCartesian2Vector Cartesian2Vector
AgPropertyInfo PropertyInfo
AgPropertyInfoCollection PropertyInfoCollection
AgRuntimeTypeInfo RuntimeTypeInfo
AgCROrientationAzEl CommRadOrientationAzEl
AgCROrientationEulerAngles CommRadOrientationEulerAngles
AgCROrientationQuaternion CommRadOrientationQuaternion
AgCROrientationYPRAngles CommRadOrientationYPRAngles
AgCROrientationOffsetCart CommRadOrientationOffsetCart
IAgLocationData ILocationData
IAgPosition
        ConvertTo
        PosType
        Assign
        AssignGeocentric
        AssignGeodetic
        AssignSpherical
        AssignCylindrical
        AssignCartesian
        AssignPlanetocentric
        AssignPlanetodetic
        QueryPlanetocentric
        QueryPlanetodetic
        QuerySpherical
        QueryCylindrical
        QueryCartesian
        CentralBodyName
        QueryPlanetocentricArray
        QueryPlanetodeticArray
        QuerySphericalArray
        QueryCylindricalArray
        QueryCartesianArray
IPosition
        convert_to
        position_type
        assign
        assign_geocentric
        assign_geodetic
        assign_spherical
        assign_cylindrical
        assign_cartesian
        assign_planetocentric
        assign_planetodetic
        query_planetocentric
        query_planetodetic
        query_spherical
        query_cylindrical
        query_cartesian
        central_body_name
        query_planetocentric_array
        query_planetodetic_array
        query_spherical_array
        query_cylindrical_array
        query_cartesian_array
IAgPlanetocentric
        Lat
        Lon
        Alt
Planetocentric
        latitude
        longitude
        altitude
IAgGeocentric
        Lat
        Lon
        Alt
Geocentric
        latitude
        longitude
        altitude
IAgSpherical
        Lat
        Lon
        Radius
Spherical
        latitude
        longitude
        radius
IAgCylindrical
        Radius
        Z
        Lon
Cylindrical
        radius
        z
        longitude
IAgCartesian
        X
        Y
        Z
Cartesian
        x
        y
        z
IAgGeodetic
        Lat
        Lon
        Alt
Geodetic
        latitude
        longitude
        altitude
IAgPlanetodetic
        Lat
        Lon
        Alt
Planetodetic
        latitude
        longitude
        altitude
IAgDirection
        ConvertTo
        DirectionType
        Assign
        AssignEuler
        AssignPR
        AssignRADec
        AssignXYZ
        QueryEuler
        QueryPR
        QueryRADec
        QueryXYZ
        QueryEulerArray
        QueryPRArray
        QueryRADecArray
        QueryXYZArray
IDirection
        convert_to
        direction_type
        assign
        assign_euler
        assign_pr
        assign_ra_dec
        assign_xyz
        query_euler
        query_pr
        query_ra_dec
        query_xyz
        query_euler_array
        query_pr_array
        query_ra_dec_array
        query_xyz_array
IAgDirectionEuler
        B
        C
        Sequence
DirectionEuler
        b
        c
        sequence
IAgDirectionPR
        Pitch
        Roll
        Sequence
DirectionPR
        pitch
        roll
        sequence
IAgDirectionRADec
        Dec
        RA
        Magnitude
DirectionRADec
        dec
        ra
        magnitude
IAgDirectionXYZ
        X
        Y
        Z
DirectionXYZ
        x
        y
        z
IAgCartesian3Vector
        X
        Y
        Z
        Get
        Set
        ToArray
ICartesian3Vector
        x
        y
        z
        get
        set
        to_array
IAgOrientation
        ConvertTo
        OrientationType
        Assign
        AssignAzEl
        AssignEulerAngles
        AssignQuaternion
        AssignYPRAngles
        QueryAzEl
        QueryEulerAngles
        QueryQuaternion
        QueryYPRAngles
        QueryAzElArray
        QueryEulerAnglesArray
        QueryQuaternionArray
        QueryYPRAnglesArray
IOrientation
        convert_to
        orientation_type
        assign
        assign_az_el
        assign_euler_angles
        assign_quaternion
        assign_ypr_angles
        query_az_el
        query_euler_angles
        query_quaternion
        query_ypr_angles
        query_az_el_array
        query_euler_angles_array
        query_quaternion_array
        query_ypr_angles_array
IAgOrientationAzEl
        Azimuth
        Elevation
        AboutBoresight
IOrientationAzEl
        azimuth
        elevation
        about_boresight
IAgOrientationEulerAngles
        Sequence
        A
        B
        C
IOrientationEulerAngles
        sequence
        a
        b
        c
IAgOrientationQuaternion
        QX
        QY
        QZ
        QS
IOrientationQuaternion
        qx
        qy
        qz
        qs
IAgOrientationYPRAngles
        Sequence
        Yaw
        Pitch
        Roll
IOrientationYPRAngles
        sequence
        yaw
        pitch
        roll
IAgOrientationPositionOffset
        PositionOffset
IOrientationPositionOffset
        position_offset
IAgOrbitState
        ConvertTo
        OrbitStateType
        Assign
        AssignClassical
        AssignCartesian
        AssignGeodetic
        AssignEquinoctialPosigrade
        AssignEquinoctialRetrograde
        AssignMixedSpherical
        AssignSpherical
        CentralBodyName
        Epoch
IOrbitState
        convert_to
        orbit_state_type
        assign
        assign_classical
        assign_cartesian
        assign_geodetic
        assign_equinoctial_posigrade
        assign_equinoctial_retrograde
        assign_mixed_spherical
        assign_spherical
        central_body_name
        epoch
IAgCartesian2Vector
        X
        Y
        Get
        Set
        ToArray
Cartesian2Vector
        x
        y
        get
        set
        to_array
IAgUnitPrefsDim
        Id
        Name
        AvailableUnits
        CurrentUnit
        SetCurrentUnit
UnitPreferencesDimension
        identifier
        name
        available_units
        current_unit
        set_current_unit
IAgPropertyInfo
        Name
        PropertyType
        GetValue
        SetValue
        HasMin
        HasMax
        Min
        Max
PropertyInfo
        name
        property_type
        get_value
        set_value
        has_min
        has_max
        min
        max
IAgPropertyInfoCollection
        Item
        Count
        GetItemByIndex
        GetItemByName
PropertyInfoCollection
        item
        count
        get_item_by_index
        get_item_by_name
IAgRuntimeTypeInfo
        Properties
        IsCollection
        Count
        GetItem
RuntimeTypeInfo
        properties
        is_collection
        count
        get_item
IAgRuntimeTypeInfoProvider
        ProvideRuntimeTypeInfo
IRuntimeTypeInfoProvider
        provide_runtime_type_info
IAgExecCmdResult
        Count
        Item
        Range
        IsSucceeded
ExecuteCommandResult
        count
        item
        range
        is_succeeded
IAgExecMultiCmdResult
        Count
        Item
ExecuteMultipleCommandsResult
        count
        item
IAgUnitPrefsUnit
        FullName
        Abbrv
        Id
        Dimension
UnitPreferencesUnit
        full_name
        abbrv
        identifier
        dimension
IAgUnitPrefsUnitCollection
        Item
        Count
        GetItemByIndex
        GetItemByName
UnitPreferencesUnitCollection
        item
        count
        get_item_by_index
        get_item_by_name
IAgUnitPrefsDimCollection
        Item
        Count
        SetCurrentUnit
        GetCurrentUnitAbbrv
        MissionElapsedTime
        JulianDateOffset
        ResetUnits
        GetItemByIndex
        GetItemByName
UnitPreferencesDimensionCollection
        item
        count
        set_current_unit
        get_current_unit_abbrv
        mission_elapsed_time
        julian_date_offset
        reset_units
        get_item_by_index
        get_item_by_name
IAgQuantity
        Dimension
        Unit
        ConvertToUnit
        Value
        Add
        Subtract
        MultiplyQty
        DivideQty
Quantity
        dimension
        unit
        convert_to_unit
        value
        add
        subtract
        multiply_qty
        divide_qty
IAgDate
        Format
        SetDate
        OLEDate
        WholeDays
        SecIntoDay
        WholeDaysUTC
        SecIntoDayUTC
        Add
        Subtract
        Span
Date
        format
        set_date
        ole_date
        whole_days
        sec_into_day
        whole_days_utc
        sec_into_day_utc
        add
        subtract
        span
IAgConversionUtility
        ConvertQuantity
        ConvertDate
        ConvertQuantityArray
        ConvertDateArray
        NewQuantity
        NewDate
        NewPositionOnEarth
        ConvertPositionArray
        NewDirection
        NewOrientation
        NewOrbitStateOnEarth
        NewPositionOnCB
        NewOrbitStateOnCB
        QueryDirectionCosineMatrix
        QueryDirectionCosineMatrixArray
        NewCartesian3Vector
        NewCartesian3VectorFromDirection
        NewCartesian3VectorFromPosition
ConversionUtility
        convert_quantity
        convert_date
        convert_quantity_array
        convert_date_array
        new_quantity
        new_date
        new_position_on_earth
        convert_position_array
        new_direction
        new_orientation
        new_orbit_state_on_earth
        new_position_on_cb
        new_orbit_state_on_cb
        query_direction_cosine_matrix
        query_direction_cosine_matrix_array
        new_cartesian3_vector
        new_cartesian3_vector_from_direction
        new_cartesian3_vector_from_position
IAgDoublesCollection
        Item
        Count
        Add
        RemoveAt
        RemoveAll
        ToArray
        SetAt
DoublesCollection
        item
        count
        add
        remove_at
        remove_all
        to_array
        set_at
AgEStkGraphicsCylinderFill
        eStkGraphicsCylinderFillWall
        eStkGraphicsCylinderFillBottomCap
        eStkGraphicsCylinderFillTopCap
        eStkGraphicsCylinderFillAll
CylinderFillOptions
        WALL
        BOTTOM_CAP
        TOP_CAP
        ALL
AgEStkGraphicsWindingOrder
        eStkGraphicsWindingOrderCounterClockwise
        eStkGraphicsWindingOrderClockwise
        eStkGraphicsWindingOrderCompute
WindingOrder
        COUNTER_CLOCKWISE
        CLOCKWISE
        COMPUTE
AgEStkGraphicsCameraSnapshotFileFormat
        eStkGraphicsCameraSnapshotFileFormatBmp
        eStkGraphicsCameraSnapshotFileFormatTiff
        eStkGraphicsCameraSnapshotFileFormatJpeg
        eStkGraphicsCameraSnapshotFileFormatPng
SnapshotFileFormat
        BMP
        TIFF
        JPEG
        PNG
AgEStkGraphicsCameraVideoFormat
        eStkGraphicsCameraVideoFormatH264
        eStkGraphicsCameraVideoFormatWMV
VideoFormat
        H264
        WMV
AgEStkGraphicsConstrainedUpAxis
        eStkGraphicsConstrainedUpAxisX
        eStkGraphicsConstrainedUpAxisY
        eStkGraphicsConstrainedUpAxisZ
        eStkGraphicsConstrainedUpAxisNegativeX
        eStkGraphicsConstrainedUpAxisNegativeY
        eStkGraphicsConstrainedUpAxisNegativeZ
        eStkGraphicsConstrainedUpAxisNone
ConstrainedUpAxis
        X
        Y
        Z
        NEGATIVE_X
        NEGATIVE_Y
        NEGATIVE_Z
        NONE
AgEStkGraphicsGlobeOverlayRole
        eStkGraphicsGlobeOverlayRoleBase
        eStkGraphicsGlobeOverlayRoleNight
        eStkGraphicsGlobeOverlayRoleSpecular
        eStkGraphicsGlobeOverlayRoleNormal
        eStkGraphicsGlobeOverlayRoleNone
OverlayRole
        BASE
        NIGHT
        SPECULAR
        NORMAL
        NONE
AgEStkGraphicsIndicesOrderHint
        eStkGraphicsIndicesOrderHintNotSorted
        eStkGraphicsIndicesOrderHintSortedAscending
PrimitiveIndicesOrderHint
        NOT_SORTED
        SORTED_ASCENDING
AgEStkGraphicsMaintainAspectRatio
        eStkGraphicsMaintainAspectRatioNone
        eStkGraphicsMaintainAspectRatioWidth
        eStkGraphicsMaintainAspectRatioHeight
OverlayAspectRatioMode
        NONE
        WIDTH
        HEIGHT
AgEStkGraphicsMapProjection
        eStkGraphicsMapProjectionMercator
        eStkGraphicsMapProjectionEquidistantCylindrical
MapProjection
        MERCATOR
        EQUIDISTANT_CYLINDRICAL
AgEStkGraphicsMarkerBatchRenderingMethod
        eStkGraphicsMarkerBatchRenderingMethodGeometryShader
        eStkGraphicsMarkerBatchRenderingMethodVertexShader
        eStkGraphicsMarkerBatchRenderingMethodAutomatic
        eStkGraphicsMarkerBatchRenderingMethodFixedFunction
MarkerBatchRenderingMethod
        GEOMETRY_SHADER
        VERTEX_SHADER
        AUTOMATIC
        FIXED_FUNCTION
AgEStkGraphicsMarkerBatchRenderPass
        eStkGraphicsMarkerBatchRenderPassOpaque
        eStkGraphicsMarkerBatchRenderPassTranslucent
        eStkGraphicsMarkerBatchRenderPassBasedOnTranslucency
MarkerBatchRenderPass
        OPAQUE
        TRANSLUCENT
        BASED_ON_TRANSLUCENCY
AgEStkGraphicsMarkerBatchSizeSource
        eStkGraphicsMarkerBatchSizeSourceFromTexture
        eStkGraphicsMarkerBatchSizeSourceUserDefined
MarkerBatchSizeSource
        FROM_TEXTURE
        USER_DEFINED
AgEStkGraphicsMarkerBatchSortOrder
        eStkGraphicsMarkerBatchSortOrderBackToFront
        eStkGraphicsMarkerBatchSortOrderFrontToBack
        eStkGraphicsMarkerBatchSortOrderByTexture
MarkerBatchSortOrder
        BACK_TO_FRONT
        FRONT_TO_BACK
        BY_TEXTURE
AgEStkGraphicsMarkerBatchUnit
        eStkGraphicsMarkerBatchUnitPixels
        eStkGraphicsMarkerBatchUnitMeters
MarkerBatchSizeUnit
        PIXELS
        METERS
AgEStkGraphicsModelTransformationType
        eStkGraphicsModelTransformationTypeTranslateX
        eStkGraphicsModelTransformationTypeTranslateY
        eStkGraphicsModelTransformationTypeTranslateZ
        eStkGraphicsModelTransformationTypeRotateX
        eStkGraphicsModelTransformationTypeRotateY
        eStkGraphicsModelTransformationTypeRotateZ
        eStkGraphicsModelTransformationTypeScaleX
        eStkGraphicsModelTransformationTypeScaleY
        eStkGraphicsModelTransformationTypeScaleZ
        eStkGraphicsModelTransformationTypeScaleUniform
        eStkGraphicsModelTransformationTypeTextureTranslateX
        eStkGraphicsModelTransformationTypeTextureTranslateY
        eStkGraphicsModelTransformationTypeTextureTranslateZ
        eStkGraphicsModelTransformationTypeTextureRotateX
        eStkGraphicsModelTransformationTypeTextureRotateY
        eStkGraphicsModelTransformationTypeTextureRotateZ
        eStkGraphicsModelTransformationTypeTextureScaleX
        eStkGraphicsModelTransformationTypeTextureScaleY
        eStkGraphicsModelTransformationTypeTextureScaleZ
        eStkGraphicsModelTransformationTypeTextureScaleUniform
        eStkGraphicsModelTransformationTypeTranslateRed
        eStkGraphicsModelTransformationTypeTranslateGreen
        eStkGraphicsModelTransformationTypeTranslateBlue
ModelTransformationType
        TRANSLATE_X
        TRANSLATE_Y
        TRANSLATE_Z
        ROTATE_X
        ROTATE_Y
        ROTATE_Z
        SCALE_X
        SCALE_Y
        SCALE_Z
        SCALE_UNIFORM
        TEXTURE_TRANSLATE_X
        TEXTURE_TRANSLATE_Y
        TEXTURE_TRANSLATE_Z
        TEXTURE_ROTATE_X
        TEXTURE_ROTATE_Y
        TEXTURE_ROTATE_Z
        TEXTURE_SCALE_X
        TEXTURE_SCALE_Y
        TEXTURE_SCALE_Z
        TEXTURE_SCALE_UNIFORM
        TRANSLATE_RED
        TRANSLATE_GREEN
        TRANSLATE_BLUE
AgEStkGraphicsOrigin
        eStkGraphicsOriginBottomLeft
        eStkGraphicsOriginBottomCenter
        eStkGraphicsOriginBottomRight
        eStkGraphicsOriginCenterLeft
        eStkGraphicsOriginCenter
        eStkGraphicsOriginCenterRight
        eStkGraphicsOriginTopLeft
        eStkGraphicsOriginTopCenter
        eStkGraphicsOriginTopRight
Origin
        BOTTOM_LEFT
        BOTTOM_CENTER
        BOTTOM_RIGHT
        CENTER_LEFT
        CENTER
        CENTER_RIGHT
        TOP_LEFT
        TOP_CENTER
        TOP_RIGHT
AgEStkGraphicsPathPrimitiveRemoveLocation
        eStkGraphicsRemoveLocationFront
        eStkGraphicsRemoveLocationBack
PathPrimitiveRemoveLocation
        FRONT
        BACK
AgEStkGraphicsPrimitivesSortOrder
        eStkGraphicsPrimitivesSortOrderByState
        eStkGraphicsPrimitivesSortOrderBackToFront
PrimitivesSortOrder
        BY_STATE
        BACK_TO_FRONT
AgEStkGraphicsRefreshRate
        eStkGraphicsRefreshRateFastest
        eStkGraphicsRefreshRateTargetedFramesPerSecond
RefreshRate
        FASTEST
        TARGETED_FRAMES_PER_SECOND
AgEStkGraphicsRenderPass
        eStkGraphicsRenderPassOpaque
        eStkGraphicsRenderPassTranslucent
        eStkGraphicsRenderPassCentralBodyClipped
        eStkGraphicsRenderPassOrderedCompositeCentralBodyClipped
        eStkGraphicsRenderPassOrderedComposite
        eStkGraphicsRenderPassTerrain
RenderPass
        OPAQUE
        TRANSLUCENT
        CENTRAL_BODY_CLIPPED
        ORDERED_COMPOSITE_CENTRAL_BODY_CLIPPED
        ORDERED_COMPOSITE
        TERRAIN
AgEStkGraphicsRenderPassHint
        eStkGraphicsRenderPassHintOpaque
        eStkGraphicsRenderPassHintTranslucent
        eStkGraphicsRenderPassHintUnknown
RenderPassHint
        OPAQUE
        TRANSLUCENT
        UNKNOWN
AgEStkGraphicsScreenOverlayOrigin
        eStkGraphicsScreenOverlayOriginBottomLeft
        eStkGraphicsScreenOverlayOriginBottomCenter
        eStkGraphicsScreenOverlayOriginBottomRight
        eStkGraphicsScreenOverlayOriginCenterLeft
        eStkGraphicsScreenOverlayOriginCenter
        eStkGraphicsScreenOverlayOriginCenterRight
        eStkGraphicsScreenOverlayOriginTopLeft
        eStkGraphicsScreenOverlayOriginTopCenter
        eStkGraphicsScreenOverlayOriginTopRight
ScreenOverlayOrigin
        BOTTOM_LEFT
        BOTTOM_CENTER
        BOTTOM_RIGHT
        CENTER_LEFT
        CENTER
        CENTER_RIGHT
        TOP_LEFT
        TOP_CENTER
        TOP_RIGHT
AgEStkGraphicsScreenOverlayPinningOrigin
        eStkGraphicsScreenOverlayPinningOriginBottomLeft
        eStkGraphicsScreenOverlayPinningOriginBottomCenter
        eStkGraphicsScreenOverlayPinningOriginBottomRight
        eStkGraphicsScreenOverlayPinningOriginCenterLeft
        eStkGraphicsScreenOverlayPinningOriginCenter
        eStkGraphicsScreenOverlayPinningOriginCenterRight
        eStkGraphicsScreenOverlayPinningOriginTopLeft
        eStkGraphicsScreenOverlayPinningOriginTopCenter
        eStkGraphicsScreenOverlayPinningOriginTopRight
        eStkGraphicsScreenOverlayPinningOriginAutomatic
ScreenOverlayPinningOrigin
        BOTTOM_LEFT
        BOTTOM_CENTER
        BOTTOM_RIGHT
        CENTER_LEFT
        CENTER
        CENTER_RIGHT
        TOP_LEFT
        TOP_CENTER
        TOP_RIGHT
        AUTOMATIC
AgEStkGraphicsScreenOverlayUnit
        eStkGraphicsScreenOverlayUnitPixels
        eStkGraphicsScreenOverlayUnitFraction
ScreenOverlayUnit
        PIXEL
        PERCENT
AgEStkGraphicsSurfaceMeshRenderingMethod
        eStkGraphicsSurfaceMeshRenderingMethodGeometryShader
        eStkGraphicsSurfaceMeshRenderingMethodVertexShader
        eStkGraphicsSurfaceMeshRenderingMethodAutomatic
SurfaceMeshRenderingMethod
        GEOMETRY_SHADER
        VERTEX_SHADER
        AUTOMATIC
AgEStkGraphicsVisibility
        eStkGraphicsVisibilityNone
        eStkGraphicsVisibilityPartial
        eStkGraphicsVisibilityAll
Visibility
        NONE
        PARTIAL
        ALL
AgEStkGraphicsAntiAliasing
        eStkGraphicsAntiAliasingOff
        eStkGraphicsAntiAliasingFXAA
        eStkGraphicsAntiAliasingTwoX
        eStkGraphicsAntiAliasingFourX
        eStkGraphicsAntiAliasingEightX
        eStkGraphicsAntiAliasingSixteenX
        eStkGraphicsAntiAliasingThirtyTwoX
        eStkGraphicsAntiAliasingSixtyFourX
AntiAliasingMethod
        OFF
        FXAA
        TWO_X
        FOUR_X
        EIGHT_X
        SIXTEEN_X
        THIRTY_TWO_X
        SIXTY_FOUR_X
AgEStkGraphicsBinaryLogicOperation
        eStkGraphicsBinaryLogicOperationAnd
        eStkGraphicsBinaryLogicOperationOr
BinaryLogicOperation
        AND
        OR
AgEStkGraphicsBlurMethod
        eStkGraphicsBlurMethodMean
        eStkGraphicsBlurMethodBasic
BlurMethod
        MEAN
        BASIC
AgEStkGraphicsEdgeDetectMethod
        eStkGraphicsEdgeDetectMethodVertical
        eStkGraphicsEdgeDetectMethodHorizontal
        eStkGraphicsEdgeDetectMethodLeftDiagonal
        eStkGraphicsEdgeDetectMethodRightDiagonal
        eStkGraphicsEdgeDetectMethodLaplacian
        eStkGraphicsEdgeDetectMethodPrewittLaplacian
        eStkGraphicsEdgeDetectMethodSobelVertical
        eStkGraphicsEdgeDetectMethodSobelHorizontal
EdgeDetectMethod
        VERTICAL
        HORIZONTAL
        LEFT_DIAGONAL
        RIGHT_DIAGONAL
        LAPLACIAN
        PREWITT_LAPLACIAN
        SOBEL_VERTICAL
        SOBEL_HORIZONTAL
AgEStkGraphicsFlipAxis
        eStkGraphicsFlipAxisHorizontal
        eStkGraphicsFlipAxisVertical
RasterFlipAxis
        HORIZONTAL
        VERTICAL
AgEStkGraphicsGradientDetectMethod
        eStkGraphicsGradientDetectMethodEast
        eStkGraphicsGradientDetectMethodNorth
        eStkGraphicsGradientDetectMethodWest
        eStkGraphicsGradientDetectMethodSouth
        eStkGraphicsGradientDetectMethodNorthEast
        eStkGraphicsGradientDetectMethodNorthWest
        eStkGraphicsGradientDetectMethodSouthEast
        eStkGraphicsGradientDetectMethodSouthWest
GradientDetectMethod
        EAST
        NORTH
        WEST
        SOUTH
        NORTH_EAST
        NORTH_WEST
        SOUTH_EAST
        SOUTH_WEST
AgEStkGraphicsJpeg2000CompressionProfile
        eStkGraphicsJpeg2000CompressionProfileDefault
        eStkGraphicsJpeg2000CompressionProfileNITF_BIIF_NPJE
        eStkGraphicsJpeg2000CompressionProfileNITF_BIIF_EPJE
Jpeg2000CompressionProfile
        DEFAULT
        NITF_BIIF_NPJE
        NITF_BIIF_EPJE
AgEStkGraphicsRasterBand
        eStkGraphicsRasterBandRed
        eStkGraphicsRasterBandGreen
        eStkGraphicsRasterBandBlue
        eStkGraphicsRasterBandAlpha
        eStkGraphicsRasterBandLuminance
RasterBand
        RED
        GREEN
        BLUE
        ALPHA
        LUMINANCE
AgEStkGraphicsRasterFormat
        eStkGraphicsRasterFormatRed
        eStkGraphicsRasterFormatGreen
        eStkGraphicsRasterFormatBlue
        eStkGraphicsRasterFormatAlpha
        eStkGraphicsRasterFormatRgb
        eStkGraphicsRasterFormatBgr
        eStkGraphicsRasterFormatRgba
        eStkGraphicsRasterFormatBgra
        eStkGraphicsRasterFormatLuminance
        eStkGraphicsRasterFormatLuminanceAlpha
RasterFormat
        RED
        GREEN
        BLUE
        ALPHA
        RGB
        BGR
        RGBA
        BGRA
        LUMINANCE
        LUMINANCE_ALPHA
AgEStkGraphicsRasterOrientation
        eStkGraphicsRasterOrientationTopToBottom
        eStkGraphicsRasterOrientationBottomToTop
RasterOrientation
        TOP_TO_BOTTOM
        BOTTOM_TO_TOP
AgEStkGraphicsRasterType
        eStkGraphicsRasterTypeUnsignedByte
        eStkGraphicsRasterTypeByte
        eStkGraphicsRasterTypeUnsignedShort
        eStkGraphicsRasterTypeShort
        eStkGraphicsRasterTypeUnsignedInt
        eStkGraphicsRasterTypeInt
        eStkGraphicsRasterTypeFloat
        eStkGraphicsRasterTypeDouble
RasterType
        UNSIGNED_BYTE
        BYTE
        UNSIGNED_SHORT
        SHORT
        UNSIGNED_INT
        INT
        FLOAT
        DOUBLE
AgEStkGraphicsSharpenMethod
        eStkGraphicsSharpenMethodMeanRemoval
        eStkGraphicsSharpenMethodBasic
RasterSharpenMethod
        MEAN_REMOVAL
        BASIC
AgEStkGraphicsVideoPlayback
        eStkGraphicsVideoPlaybackRealTime
        eStkGraphicsVideoPlaybackTimeInterval
VideoPlayback
        REAL_TIME
        MAPPED
AgEStkGraphicsKmlNetworkLinkRefreshMode
        eStkGraphicsKmlNetworkLinkRefreshModeOnChange
        eStkGraphicsKmlNetworkLinkRefreshModeOnInterval
        eStkGraphicsKmlNetworkLinkRefreshModeOnExpire
KmlNetworkLinkRefreshMode
        ON_CHANGE
        ON_INTERVAL
        ON_EXPIRE
AgEStkGraphicsKmlNetworkLinkViewRefreshMode
        eStkGraphicsKmlNetworkLinkViewRefreshModeNever
        eStkGraphicsKmlNetworkLinkViewRefreshModeOnRequest
        eStkGraphicsKmlNetworkLinkViewRefreshModeOnStop
        eStkGraphicsKmlNetworkLinkViewRefreshModeOnRegion
KmlNetworkLinkViewRefreshMode
        NEVER
        ON_REQUEST
        ON_STOP
        ON_REGION
AgEStkGraphicsModelUpAxis
        eStkGraphicsModelUpAxisX
        eStkGraphicsModelUpAxisY
        eStkGraphicsModelUpAxisZ
        eStkGraphicsModelUpAxisNegativeX
        eStkGraphicsModelUpAxisNegativeY
        eStkGraphicsModelUpAxisNegativeZ
ModelUpAxis
        X
        Y
        Z
        NEGATIVE_X
        NEGATIVE_Y
        NEGATIVE_Z
AgEStkGraphicsOutlineAppearance
        eStkGraphicsFrontAndBackLines
        eStkGraphicsFrontLinesOnly
        eStkGraphicsStylizeBackLines
OutlineAppearance
        FRONT_AND_BACK_LINES
        FRONT_LINES_ONLY
        STYLIZE_BACK_LINES
AgEStkGraphicsPolylineType
        eStkGraphicsPolylineTypeLines
        eStkGraphicsPolylineTypeLineStrip
        eStkGraphicsPolylineTypePoints
PolylineType
        LINES
        LINE_STRIP
        POINTS
AgEStkGraphicsCullFace
        eStkGraphicsECullFaceFront
        eStkGraphicsECullFaceBack
        eStkGraphicsECullFaceFrontAndBack
        eStkGraphicsECullFaceNeither
FaceCullingMode
        CULL_FACE_FRONT
        CULL_FACE_BACK
        CULL_FACE_FRONT_AND_BACK
        CULL_FACE_NEITHER
AgEStkGraphicsInternalTextureFormat
        eStkGraphicsInternalTextureFormatAlpha4
        eStkGraphicsInternalTextureFormatAlpha8
        eStkGraphicsInternalTextureFormatAlpha12
        eStkGraphicsInternalTextureFormatAlpha16
        eStkGraphicsInternalTextureFormatR3G3B2
        eStkGraphicsInternalTextureFormatRgb4
        eStkGraphicsInternalTextureFormatRgb5
        eStkGraphicsInternalTextureFormatRgb8
        eStkGraphicsInternalTextureFormatRgb10
        eStkGraphicsInternalTextureFormatRgb12
        eStkGraphicsInternalTextureFormatRgb16
        eStkGraphicsInternalTextureFormatRgb16F
        eStkGraphicsInternalTextureFormatRgb32F
        eStkGraphicsInternalTextureFormatRgba2
        eStkGraphicsInternalTextureFormatRgba4
        eStkGraphicsInternalTextureFormatRgb5A1
        eStkGraphicsInternalTextureFormatRgba8
        eStkGraphicsInternalTextureFormatRgb10A2
        eStkGraphicsInternalTextureFormatRgba12
        eStkGraphicsInternalTextureFormatRgba16
        eStkGraphicsInternalTextureFormatRgba16F
        eStkGraphicsInternalTextureFormatRgba32F
        eStkGraphicsInternalTextureFormatLuminance4
        eStkGraphicsInternalTextureFormatLuminance8
        eStkGraphicsInternalTextureFormatLuminance12
        eStkGraphicsInternalTextureFormatLuminance16
        eStkGraphicsInternalTextureFormatLuminance16F
        eStkGraphicsInternalTextureFormatLuminance32F
        eStkGraphicsInternalTextureFormatLuminance4Alpha4
        eStkGraphicsInternalTextureFormatLuminance6Alpha2
        eStkGraphicsInternalTextureFormatLuminance8Alpha8
        eStkGraphicsInternalTextureFormatLuminance12Alpha4
        eStkGraphicsInternalTextureFormatLuminance12Alpha12
        eStkGraphicsInternalTextureFormatLuminance16Alpha16
        eStkGraphicsInternalTextureFormatLuminance16Alpha16F
        eStkGraphicsInternalTextureFormatLuminance32Alpha32F
TextureFormat
        ALPHA4
        ALPHA8
        ALPHA12
        ALPHA16
        R3G3B2
        RGB4
        RGB5
        RGB8
        RGB10
        RGB12
        RGB16
        RGB16_F
        RGB32_F
        RGBA2
        RGBA4
        RGB5_A1
        RGBA8
        RGB10_A2
        RGBA12
        RGBA16
        RGBA16_F
        RGBA32_F
        LUMINANCE4
        LUMINANCE8
        LUMINANCE12
        LUMINANCE16
        LUMINANCE16_F
        LUMINANCE32_F
        LUMINANCE4_ALPHA4
        LUMINANCE6_ALPHA2
        LUMINANCE8_ALPHA8
        LUMINANCE12_ALPHA4
        LUMINANCE12_ALPHA12
        LUMINANCE16_ALPHA16
        LUMINANCE16_ALPHA16_F
        LUMINANCE32_ALPHA32_F
AgEStkGraphicsMagnificationFilter
        eStkGraphicsMagnificationFilterNearest
        eStkGraphicsMagnificationFilterLinear
MagnificationFilter
        NEAREST
        LINEAR
AgEStkGraphicsMinificationFilter
        eStkGraphicsMinificationFilterNearest
        eStkGraphicsMinificationFilterLinear
        eStkGraphicsMinificationFilterNearestMipMapNearest
        eStkGraphicsMinificationFilterLinearMipMapNearest
        eStkGraphicsMinificationFilterNearestMipMapLinear
        eStkGraphicsMinificationFilterLinearMipMapLinear
MinificationFilter
        NEAREST
        LINEAR
        NEAREST_MIP_MAP_NEAREST
        LINEAR_MIP_MAP_NEAREST
        NEAREST_MIP_MAP_LINEAR
        LINEAR_MIP_MAP_LINEAR
AgEStkGraphicsRendererShadeModel
        eStkGraphicsRendererShadeModelFlat
        eStkGraphicsRendererShadeModelGouraud
RendererShadingModel
        FLAT
        GOURAUD
AgEStkGraphicsTextureWrap
        eStkGraphicsTextureWrapClamp
        eStkGraphicsTextureWrapClampToBorder
        eStkGraphicsTextureWrapClampToEdge
        eStkGraphicsTextureWrapMirroredRepeat
        eStkGraphicsTextureWrapRepeat
TextureWrap
        CLAMP
        CLAMP_TO_BORDER
        CLAMP_TO_EDGE
        MIRRORED_REPEAT
        REPEAT
AgEStkGraphicsSetHint
        eStkGraphicsSetHintInfrequent
        eStkGraphicsSetHintPartial
        eStkGraphicsSetHintFrequent
SetHint
        INFREQUENT
        PARTIAL
        FREQUENT
AgEStkGraphicsStereoProjectionMode
        eStkGraphicsStereoProjectionParallel
        eStkGraphicsStereoProjectionFixedDistance
        eStkGraphicsStereoProjectionAutomatic
StereoProjectionMode
        PARALLEL
        FIXED_DISTANCE
        AUTOMATIC
AgEStkGraphicsStereoscopicDisplayMode
        eStkGraphicsStereoscopicDisplayModeOff
        eStkGraphicsStereoscopicDisplayModeQuadBuffer
        eStkGraphicsStereoscopicDisplayModeAnaglyph
        eStkGraphicsStereoscopicDisplayModeLeftEye
        eStkGraphicsStereoscopicDisplayModeRightEye
        eStkGraphicsStereoscopicDisplayModeSideBySide
StereoscopicDisplayMode
        OFF
        QUAD_BUFFER
        ANAGLYPH
        LEFT_EYE
        RIGHT_EYE
        SIDE_BY_SIDE
AgEStkGraphicsFontStyle
        eStkGraphicsFontStyleRegular
        eStkGraphicsFontStyleBold
        eStkGraphicsFontStyleItalic
        eStkGraphicsFontStyleUnderline
        eStkGraphicsFontStyleStrikeout
FontStyle
        REGULAR
        BOLD
        ITALIC
        UNDERLINE
        STRIKEOUT
AgStkGraphicsPathPoint PathPoint
AgStkGraphicsPathPointFactory PathPointFactory
AgStkGraphicsBoundingSphere BoundingSphere
AgStkGraphicsBoundingSphereFactory BoundingSphereFactory
AgStkGraphicsTextureFilter2D TextureFilter2D
AgStkGraphicsTextureFilter2DFactory TextureFilter2DFactory
AgStkGraphicsRendererTexture2D RendererTexture2D
AgStkGraphicsRendererTextureTemplate2D RendererTextureTemplate2D
AgStkGraphicsPathPointCollection PathPointCollection
AgStkGraphicsObjectCollection ObjectCollection
AgStkGraphicsSceneCollection SceneCollection
AgStkGraphicsScreenOverlayPickResultCollection ScreenOverlayPickResultCollection
AgStkGraphicsGlobeImageOverlayAddCompleteEventArgs GlobeImageOverlayAddCompleteEventArgs
AgStkGraphicsTerrainOverlayAddCompleteEventArgs TerrainOverlayAddCompleteEventArgs
AgStkGraphicsPickResultCollection PickResultCollection
AgStkGraphicsRenderingEventArgs RenderingEventArgs
AgStkGraphicsBatchPrimitiveIndex BatchPrimitiveIndex
AgStkGraphicsKmlDocumentCollection KmlDocumentCollection
AgStkGraphicsKmlFeatureCollection KmlFeatureCollection
AgStkGraphicsKmlDocumentLoadedEventArgs KmlDocumentLoadedEventArgs
AgStkGraphicsFactoryAndInitializers FactoryAndInitializers
AgStkGraphicsExtrudedPolylineTriangulatorResult ExtrudedPolylineTriangulatorResult
AgStkGraphicsSolidTriangulatorResult SolidTriangulatorResult
AgStkGraphicsSurfaceShapesResult SurfaceShapesResult
AgStkGraphicsSurfaceTriangulatorResult SurfaceTriangulatorResult
AgStkGraphicsTriangulatorResult TriangulatorResult
AgStkGraphicsAGICustomTerrainOverlay AGICustomTerrainOverlay
AgStkGraphicsAGIProcessedImageGlobeOverlay AGIProcessedImageGlobeOverlay
AgStkGraphicsAGIProcessedTerrainOverlay AGIProcessedTerrainOverlay
AgStkGraphicsAGIRoamImageGlobeOverlay AGIRoamImageGlobeOverlay
AgStkGraphicsCameraSnapshot CameraSnapshot
AgStkGraphicsCameraVideoRecording CameraVideoRecording
AgStkGraphicsCentralBodyGraphicsIndexer CentralBodyGraphicsIndexer
AgStkGraphicsCustomImageGlobeOverlay CustomImageGlobeOverlay
AgStkGraphicsCustomImageGlobeOverlayPluginActivator CustomImageGlobeOverlayPluginActivator
AgStkGraphicsCustomImageGlobeOverlayPluginProxy CustomImageGlobeOverlayPluginProxy
AgStkGraphicsGeospatialImageGlobeOverlay GeospatialImageGlobeOverlay
AgStkGraphicsGlobeOverlay GlobeOverlay
AgStkGraphicsGlobeOverlaySettings GlobeOverlaySettings
AgStkGraphicsLighting Lighting
AgStkGraphicsPathPrimitiveUpdatePolicy PathPrimitiveUpdatePolicy
AgStkGraphicsProjectedRasterOverlay ProjectedRasterOverlay
AgStkGraphicsProjection Projection
AgStkGraphicsProjectionStream ProjectionStream
AgStkGraphicsSceneGlobeOverlaySettings SceneGlobeOverlaySettings
AgStkGraphicsScreenOverlayCollectionBase ScreenOverlayCollectionBase
AgStkGraphicsTexture2DFactory Texture2DFactory
AgStkGraphicsVisualEffects VisualEffects
AgStkGraphicsAltitudeDisplayCondition AltitudeDisplayCondition
AgStkGraphicsAxesPrimitive AxesPrimitive
AgStkGraphicsCamera Camera
AgStkGraphicsCentralBodyGraphics CentralBodyGraphics
AgStkGraphicsClouds Clouds
AgStkGraphicsCompositeDisplayCondition CompositeDisplayCondition
AgStkGraphicsCompositePrimitive CompositePrimitive
AgStkGraphicsConstantDisplayCondition ConstantDisplayCondition
AgStkGraphicsDisplayCondition DisplayCondition
AgStkGraphicsDistanceDisplayCondition DistanceDisplayCondition
AgStkGraphicsDistanceToGlobeOverlayDisplayCondition DistanceToGlobeOverlayDisplayCondition
AgStkGraphicsDistanceToPositionDisplayCondition DistanceToPositionDisplayCondition
AgStkGraphicsDistanceToPrimitiveDisplayCondition DistanceToPrimitiveDisplayCondition
AgStkGraphicsDurationPathPrimitiveUpdatePolicy DurationPathPrimitiveUpdatePolicy
AgStkGraphicsFrameRate FrameRate
AgStkGraphicsGlobeImageOverlay GlobeImageOverlay
AgStkGraphicsGraphicsFont GraphicsFont
AgStkGraphicsGreatArcInterpolator GreatArcInterpolator
AgStkGraphicsImageCollection ImageCollection
AgStkGraphicsAlphaFromLuminanceFilter AlphaFromLuminanceFilter
AgStkGraphicsAlphaFromPixelFilter AlphaFromPixelFilter
AgStkGraphicsAlphaFromRasterFilter AlphaFromRasterFilter
AgStkGraphicsBandExtractFilter BandExtractFilter
AgStkGraphicsBandOrderFilter BandOrderFilter
AgStkGraphicsBlurFilter BlurFilter
AgStkGraphicsBrightnessFilter BrightnessFilter
AgStkGraphicsColorToLuminanceFilter ColorToLuminanceFilter
AgStkGraphicsContrastFilter ContrastFilter
AgStkGraphicsConvolutionFilter ConvolutionFilter
AgStkGraphicsEdgeDetectFilter EdgeDetectFilter
AgStkGraphicsFilteringRasterStream FilteringRasterStream
AgStkGraphicsFlipFilter FlipFilter
AgStkGraphicsGammaCorrectionFilter GammaCorrectionFilter
AgStkGraphicsGaussianBlurFilter GaussianBlurFilter
AgStkGraphicsGradientDetectFilter GradientDetectFilter
AgStkGraphicsLevelsFilter LevelsFilter
AgStkGraphicsProjectionRasterStreamPluginActivator ProjectionRasterStreamPluginActivator
AgStkGraphicsProjectionRasterStreamPluginProxy ProjectionRasterStreamPluginProxy
AgStkGraphicsRaster Raster
AgStkGraphicsRasterAttributes RasterAttributes
AgStkGraphicsRasterFilter RasterFilter
AgStkGraphicsRasterStream RasterStream
AgStkGraphicsRotateFilter RotateFilter
AgStkGraphicsSequenceFilter SequenceFilter
AgStkGraphicsSharpenFilter SharpenFilter
AgStkGraphicsVideoStream VideoStream
AgStkGraphicsKmlContainer KmlContainer
AgStkGraphicsKmlDocument KmlDocument
AgStkGraphicsKmlFeature KmlFeature
AgStkGraphicsKmlFolder KmlFolder
AgStkGraphicsKmlGraphics KmlGraphics
AgStkGraphicsKmlNetworkLink KmlNetworkLink
AgStkGraphicsMarkerBatchPrimitive MarkerBatchPrimitive
AgStkGraphicsMarkerBatchPrimitiveOptionalParameters MarkerBatchPrimitiveOptionalParameters
AgStkGraphicsMaximumCountPathPrimitiveUpdatePolicy MaximumCountPathPrimitiveUpdatePolicy
AgStkGraphicsModelArticulation ModelArticulation
AgStkGraphicsModelArticulationCollection ModelArticulationCollection
AgStkGraphicsModelPrimitive ModelPrimitive
AgStkGraphicsModelTransformation ModelTransformation
AgStkGraphicsOverlay Overlay
AgStkGraphicsPathPrimitive PathPrimitive
AgStkGraphicsPickResult PickResult
AgStkGraphicsPixelSizeDisplayCondition PixelSizeDisplayCondition
AgStkGraphicsPointBatchPrimitive PointBatchPrimitive
AgStkGraphicsPointBatchPrimitiveOptionalParameters PointBatchPrimitiveOptionalParameters
AgStkGraphicsPolylinePrimitive PolylinePrimitive
AgStkGraphicsPolylinePrimitiveOptionalParameters PolylinePrimitiveOptionalParameters
AgStkGraphicsPositionInterpolator PositionInterpolator
AgStkGraphicsPrimitive Primitive
AgStkGraphicsPrimitiveManager PrimitiveManager
AgStkGraphicsRasterImageGlobeOverlay RasterImageGlobeOverlay
AgStkGraphicsRhumbLineInterpolator RhumbLineInterpolator
AgStkGraphicsScene Scene
AgStkGraphicsSceneDisplayCondition SceneDisplayCondition
AgStkGraphicsSceneManager SceneManager
AgStkGraphicsScreenOverlay ScreenOverlay
AgStkGraphicsScreenOverlayCollection ScreenOverlayCollection
AgStkGraphicsScreenOverlayManager ScreenOverlayManager
AgStkGraphicsScreenOverlayPickResult ScreenOverlayPickResult
AgStkGraphicsSolidPrimitive SolidPrimitive
AgStkGraphicsStereoscopic Stereoscopic
AgStkGraphicsSurfaceMeshPrimitive SurfaceMeshPrimitive
AgStkGraphicsTerrainCollection TerrainOverlayCollection
AgStkGraphicsTerrainOverlay TerrainOverlay
AgStkGraphicsTextBatchPrimitive TextBatchPrimitive
AgStkGraphicsTextBatchPrimitiveOptionalParameters TextBatchPrimitiveOptionalParameters
AgStkGraphicsTextOverlay TextOverlay
AgStkGraphicsTextureMatrix TextureMatrix
AgStkGraphicsTextureScreenOverlay TextureScreenOverlay
AgStkGraphicsTimeIntervalDisplayCondition TimeIntervalDisplayCondition
AgStkGraphicsTriangleMeshPrimitive TriangleMeshPrimitive
AgStkGraphicsTriangleMeshPrimitiveOptionalParameters TriangleMeshPrimitiveOptionalParameters
AgStkGraphicsVectorPrimitive VectorPrimitive
AgStkGraphicsBoxTriangulatorInitializer BoxTriangulatorInitializer
AgStkGraphicsCylinderTriangulatorInitializer CylinderTriangulatorInitializer
AgStkGraphicsEllipsoidTriangulatorInitializer EllipsoidTriangulatorInitializer
AgStkGraphicsExtrudedPolylineTriangulatorInitializer ExtrudedPolylineTriangulatorInitializer
AgStkGraphicsSurfaceExtentTriangulatorInitializer SurfaceExtentTriangulatorInitializer
AgStkGraphicsSurfacePolygonTriangulatorInitializer SurfacePolygonTriangulatorInitializer
AgStkGraphicsSurfaceShapesInitializer SurfaceShapesInitializer
AgStkGraphicsAGICustomTerrainOverlayFactory AGICustomTerrainOverlayFactory
AgStkGraphicsAGIProcessedImageGlobeOverlayFactory AGIProcessedImageGlobeOverlayFactory
AgStkGraphicsAGIProcessedTerrainOverlayFactory AGIProcessedTerrainOverlayFactory
AgStkGraphicsAGIRoamImageGlobeOverlayFactory AGIRoamImageGlobeOverlayFactory
AgStkGraphicsCustomImageGlobeOverlayPluginActivatorFactory CustomImageGlobeOverlayPluginActivatorFactory
AgStkGraphicsGeospatialImageGlobeOverlayFactory GeospatialImageGlobeOverlayFactory
AgStkGraphicsProjectedRasterOverlayFactory ProjectedRasterOverlayFactory
AgStkGraphicsProjectionFactory ProjectionFactory
AgStkGraphicsAltitudeDisplayConditionFactory AltitudeDisplayConditionFactory
AgStkGraphicsAxesPrimitiveFactory AxesPrimitiveFactory
AgStkGraphicsCompositeDisplayConditionFactory CompositeDisplayConditionFactory
AgStkGraphicsCompositePrimitiveFactory CompositePrimitiveFactory
AgStkGraphicsConstantDisplayConditionFactory ConstantDisplayConditionFactory
AgStkGraphicsDistanceDisplayConditionFactory DistanceDisplayConditionFactory
AgStkGraphicsDistanceToGlobeOverlayDisplayConditionFactory DistanceToGlobeOverlayDisplayConditionFactory
AgStkGraphicsDistanceToPositionDisplayConditionFactory DistanceToPositionDisplayConditionFactory
AgStkGraphicsDistanceToPrimitiveDisplayConditionFactory DistanceToPrimitiveDisplayConditionFactory
AgStkGraphicsDurationPathPrimitiveUpdatePolicyFactory DurationPathPrimitiveUpdatePolicyFactory
AgStkGraphicsGlobeImageOverlayInitializer GlobeImageOverlayInitializer
AgStkGraphicsGraphicsFontFactory GraphicsFontFactory
AgStkGraphicsGreatArcInterpolatorFactory GreatArcInterpolatorFactory
AgStkGraphicsAlphaFromLuminanceFilterFactory AlphaFromLuminanceFilterFactory
AgStkGraphicsAlphaFromPixelFilterFactory AlphaFromPixelFilterFactory
AgStkGraphicsAlphaFromRasterFilterFactory AlphaFromRasterFilterFactory
AgStkGraphicsBandExtractFilterFactory BandExtractFilterFactory
AgStkGraphicsBandOrderFilterFactory BandOrderFilterFactory
AgStkGraphicsBlurFilterFactory BlurFilterFactory
AgStkGraphicsBrightnessFilterFactory BrightnessFilterFactory
AgStkGraphicsColorToLuminanceFilterFactory ColorToLuminanceFilterFactory
AgStkGraphicsContrastFilterFactory ContrastFilterFactory
AgStkGraphicsConvolutionFilterFactory ConvolutionFilterFactory
AgStkGraphicsEdgeDetectFilterFactory EdgeDetectFilterFactory
AgStkGraphicsFilteringRasterStreamFactory FilteringRasterStreamFactory
AgStkGraphicsFlipFilterFactory FlipFilterFactory
AgStkGraphicsGammaCorrectionFilterFactory GammaCorrectionFilterFactory
AgStkGraphicsGaussianBlurFilterFactory GaussianBlurFilterFactory
AgStkGraphicsGradientDetectFilterFactory GradientDetectFilterFactory
AgStkGraphicsJpeg2000WriterInitializer Jpeg2000WriterInitializer
AgStkGraphicsLevelsFilterFactory LevelsFilterFactory
AgStkGraphicsProjectionRasterStreamPluginActivatorFactory ProjectionRasterStreamPluginActivatorFactory
AgStkGraphicsRasterFactory RasterFactory
AgStkGraphicsRasterAttributesFactory RasterAttributesFactory
AgStkGraphicsRotateFilterFactory RotateFilterFactory
AgStkGraphicsSequenceFilterFactory SequenceFilterFactory
AgStkGraphicsSharpenFilterFactory SharpenFilterFactory
AgStkGraphicsVideoStreamFactory VideoStreamFactory
AgStkGraphicsMarkerBatchPrimitiveFactory MarkerBatchPrimitiveFactory
AgStkGraphicsMarkerBatchPrimitiveOptionalParametersFactory MarkerBatchPrimitiveOptionalParametersFactory
AgStkGraphicsMaximumCountPathPrimitiveUpdatePolicyFactory MaximumCountPathPrimitiveUpdatePolicyFactory
AgStkGraphicsModelPrimitiveFactory ModelPrimitiveFactory
AgStkGraphicsPathPrimitiveFactory PathPrimitiveFactory
AgStkGraphicsPixelSizeDisplayConditionFactory PixelSizeDisplayConditionFactory
AgStkGraphicsPointBatchPrimitiveFactory PointBatchPrimitiveFactory
AgStkGraphicsPointBatchPrimitiveOptionalParametersFactory PointBatchPrimitiveOptionalParametersFactory
AgStkGraphicsPolylinePrimitiveFactory PolylinePrimitiveFactory
AgStkGraphicsPolylinePrimitiveOptionalParametersFactory PolylinePrimitiveOptionalParametersFactory
AgStkGraphicsRasterImageGlobeOverlayFactory RasterImageGlobeOverlayFactory
AgStkGraphicsRhumbLineInterpolatorFactory RhumbLineInterpolatorFactory
AgStkGraphicsSceneDisplayConditionFactory SceneDisplayConditionFactory
AgStkGraphicsSceneManagerInitializer SceneManagerInitializer
AgStkGraphicsScreenOverlayFactory ScreenOverlayFactory
AgStkGraphicsSolidPrimitiveFactory SolidPrimitiveFactory
AgStkGraphicsSurfaceMeshPrimitiveFactory SurfaceMeshPrimitiveFactory
AgStkGraphicsTerrainOverlayInitializer TerrainOverlayInitializer
AgStkGraphicsTextBatchPrimitiveFactory TextBatchPrimitiveFactory
AgStkGraphicsTextBatchPrimitiveOptionalParametersFactory TextBatchPrimitiveOptionalParametersFactory
AgStkGraphicsTextOverlayFactory TextOverlayFactory
AgStkGraphicsTextureMatrixFactory TextureMatrixFactory
AgStkGraphicsTextureScreenOverlayFactory TextureScreenOverlayFactory
AgStkGraphicsTimeIntervalDisplayConditionFactory TimeIntervalDisplayConditionFactory
AgStkGraphicsTriangleMeshPrimitiveFactory TriangleMeshPrimitiveFactory
AgStkGraphicsTriangleMeshPrimitiveOptionalParametersFactory TriangleMeshPrimitiveOptionalParametersFactory
AgStkGraphicsVectorPrimitiveFactory VectorPrimitiveFactory
IAgStkGraphicsPathPoint
        Position
        Date
        Color
        Translucency
        OutlineColor
        OutlineTranslucency
        IsTranslucent
PathPoint
        position
        date
        color
        translucency
        outline_color
        outline_translucency
        is_translucent
IAgStkGraphicsPathPointFactory
        Initialize
        InitializeWithDate
        InitializeWithDateAndPosition
        InitializeWithDatePositionAndColor
        InitializeWithDatePositionColorAndTranslucency
PathPointFactory
        initialize
        initialize_with_date
        initialize_with_date_and_position
        initialize_with_date_position_and_color
        initialize_with_date_position_color_and_translucency
IAgStkGraphicsBoundingSphere
        Center
        Radius
BoundingSphere
        center
        radius
IAgStkGraphicsBoundingSphereFactory
        Initialize
        MaximumRadiusBoundingSphere
BoundingSphereFactory
        initialize
        maximum_radius_bounding_sphere
IAgStkGraphicsTextureFilter2D
        MinificationFilter
        MagnificationFilter
        WrapS
        WrapT
        NearestClampToEdge
        NearestRepeat
        LinearClampToEdge
        LinearRepeat
TextureFilter2D
        minification_filter
        magnification_filter
        wrap_s
        wrap_t
        nearest_clamp_to_edge
        nearest_repeat
        linear_clamp_to_edge
        linear_repeat
IAgStkGraphicsTextureFilter2DFactory
        NearestClampToEdge
        NearestRepeat
        LinearClampToEdge
        LinearRepeat
        Initialize
        InitializeWithTextureWrap
        InitializeWithMinificationAndMagnification
TextureFilter2DFactory
        nearest_clamp_to_edge
        nearest_repeat
        linear_clamp_to_edge
        linear_repeat
        initialize
        initialize_with_texture_wrap
        initialize_with_minification_and_magnification
IAgStkGraphicsRendererTexture2D
        Template
RendererTexture2D
        template
IAgStkGraphicsRendererTextureTemplate2D
        InternalFormat
        Width
        Height
RendererTextureTemplate2D
        internal_format
        width
        height
IAgStkGraphicsPathPointCollection
        Count
        Item
PathPointCollection
        count
        item
IAgStkGraphicsObjectCollection
        Count
        Item
ObjectCollection
        count
        item
IAgStkGraphicsSceneCollection
        Count
        Item
SceneCollection
        count
        item
IAgStkGraphicsScreenOverlayContainer
        Overlays
        Padding
        Display
IScreenOverlayContainer
        overlays
        padding
        display
IAgStkGraphicsScreenOverlayPickResultCollection
        Count
        Item
ScreenOverlayPickResultCollection
        count
        item
IAgStkGraphicsGlobeImageOverlayAddCompleteEventArgs
        Overlay
GlobeImageOverlayAddCompleteEventArgs
        overlay
IAgStkGraphicsTerrainOverlayAddCompleteEventArgs
        Overlay
TerrainOverlayAddCompleteEventArgs
        overlay
IAgStkGraphicsPickResultCollection
        Count
        Item
PickResultCollection
        count
        item
IAgStkGraphicsRenderingEventArgs
        Time
        TimeInEpSecs
RenderingEventArgs
        time
        time_in_ep_secs
IAgStkGraphicsBatchPrimitiveIndex
        Index
        Primitive
BatchPrimitiveIndex
        index
        primitive
IAgStkGraphicsKmlDocumentCollection
        Count
        Item
KmlDocumentCollection
        count
        item
IAgStkGraphicsKmlFeatureCollection
        Count
        Item
KmlFeatureCollection
        count
        item
IAgStkGraphicsKmlDocumentLoadedEventArgs
        Document
        Exception
KmlDocumentLoadedEventArgs
        document
        exception
IAgStkGraphicsFactoryAndInitializers
        BoxTriangulator
        CylinderTriangulator
        EllipsoidTriangulator
        ExtrudedPolylineTriangulator
        SurfaceExtentTriangulator
        SurfacePolygonTriangulator
        SurfaceShapes
        AGIProcessedImageGlobeOverlay
        AGIProcessedTerrainOverlay
        AGIRoamImageGlobeOverlay
        CustomImageGlobeOverlayPluginActivator
        GeospatialImageGlobeOverlay
        ProjectedRasterOverlay
        Projection
        AltitudeDisplayCondition
        CompositeDisplayCondition
        CompositePrimitive
        ConstantDisplayCondition
        DistanceDisplayCondition
        DistanceToGlobeOverlayDisplayCondition
        DistanceToPositionDisplayCondition
        DistanceToPrimitiveDisplayCondition
        DurationPathPrimitiveUpdatePolicy
        GlobeImageOverlay
        GraphicsFont
        GreatArcInterpolator
        AlphaFromLuminanceFilter
        AlphaFromPixelFilter
        AlphaFromRasterFilter
        BandExtractFilter
        BandOrderFilter
        BlurFilter
        BrightnessFilter
        ColorToLuminanceFilter
        ContrastFilter
        ConvolutionFilter
        EdgeDetectFilter
        FilteringRasterStream
        FlipFilter
        GammaCorrectionFilter
        GaussianBlurFilter
        GradientDetectFilter
        Jpeg2000Writer
        LevelsFilter
        ProjectionRasterStreamPluginActivator
        Raster
        RasterAttributes
        RotateFilter
        SequenceFilter
        SharpenFilter
        VideoStream
        MarkerBatchPrimitive
        MarkerBatchPrimitiveOptionalParameters
        MaximumCountPathPrimitiveUpdatePolicy
        ModelPrimitive
        PathPrimitive
        PixelSizeDisplayCondition
        PointBatchPrimitive
        PolylinePrimitive
        RasterImageGlobeOverlay
        RhumbLineInterpolator
        SceneDisplayCondition
        SceneManager
        ScreenOverlay
        SolidPrimitive
        SurfaceMeshPrimitive
        TerrainOverlay
        TextBatchPrimitive
        TextBatchPrimitiveOptionalParameters
        TextureMatrix
        TextureScreenOverlay
        TimeIntervalDisplayCondition
        TriangleMeshPrimitive
        TriangleMeshPrimitiveOptionalParameters
        TextureFilter2D
        BoundingSphere
        PathPoint
        TextOverlay
        AGICustomTerrainOverlay
        AxesPrimitive
        VectorPrimitive
        PolylinePrimitiveOptionalParameters
        PointBatchPrimitiveOptionalParameters
FactoryAndInitializers
        box_triangulator
        cylinder_triangulator
        ellipsoid_triangulator
        extruded_polyline_triangulator
        surface_extent_triangulator
        surface_polygon_triangulator
        surface_shapes
        agi_processed_image_globe_overlay
        agi_processed_terrain_overlay
        agi_roam_image_globe_overlay
        custom_image_globe_overlay_plugin_activator
        geospatial_image_globe_overlay
        projected_raster_overlay
        projection
        altitude_display_condition
        composite_display_condition
        composite_primitive
        constant_display_condition
        distance_display_condition
        distance_to_globe_overlay_display_condition
        distance_to_position_display_condition
        distance_to_primitive_display_condition
        duration_path_primitive_update_policy
        globe_image_overlay
        graphics_font
        great_arc_interpolator
        alpha_from_luminance_filter
        alpha_from_pixel_filter
        alpha_from_raster_filter
        band_extract_filter
        band_order_filter
        blur_filter
        brightness_filter
        color_to_luminance_filter
        contrast_filter
        convolution_filter
        edge_detect_filter
        filtering_raster_stream
        flip_filter
        gamma_correction_filter
        gaussian_blur_filter
        gradient_detect_filter
        jpeg2000_writer
        levels_filter
        projection_raster_stream_plugin_activator
        raster
        raster_attributes
        rotate_filter
        sequence_filter
        sharpen_filter
        video_stream
        marker_batch_primitive
        marker_batch_primitive_optional_parameters
        maximum_count_path_primitive_update_policy
        model_primitive
        path_primitive
        pixel_size_display_condition
        point_batch_primitive
        polyline_primitive
        raster_image_globe_overlay
        rhumb_line_interpolator
        scene_display_condition
        scene_manager
        screen_overlay
        solid_primitive
        surface_mesh_primitive
        terrain_overlay
        text_batch_primitive
        text_batch_primitive_optional_parameters
        texture_matrix
        texture_screen_overlay
        time_interval_display_condition
        triangle_mesh_primitive
        triangle_mesh_primitive_optional_parameters
        texture_filter_2d
        bounding_sphere
        path_point
        text_overlay
        agi_custom_terrain_overlay
        axes_primitive
        vector_primitive
        polyline_primitive_optional_parameters
        point_batch_primitive_optional_parameters
IAgStkGraphicsExtrudedPolylineTriangulatorResult
        TopBoundaryPositions
        BottomBoundaryPositions
        BoundaryPositionsWindingOrder
ExtrudedPolylineTriangulatorResult
        top_boundary_positions
        bottom_boundary_positions
        boundary_positions_winding_order
IAgStkGraphicsSolidTriangulatorResult
        OutlineIndices
        OutlinePositions
        OutlinePolylineType
        Closed
SolidTriangulatorResult
        outline_indices
        outline_positions
        outline_polyline_type
        closed
IAgStkGraphicsSurfaceShapesResult
        Positions
        PositionsWindingOrder
        PolylineType
SurfaceShapesResult
        positions
        positions_winding_order
        polyline_type
IAgStkGraphicsSurfaceTriangulatorResult
        Granularity
        BoundaryIndices
        BoundaryPositions
        BoundaryPositionsWindingOrder
        BoundaryPolylineType
SurfaceTriangulatorResult
        granularity
        boundary_indices
        boundary_positions
        boundary_positions_winding_order
        boundary_polyline_type
IAgStkGraphicsTriangulatorResult
        Positions
        Normals
        Indices
        TriangleWindingOrder
        BoundingSphere
ITriangulatorResult
        positions
        normals
        indices
        triangle_winding_order
        bounding_sphere
IAgStkGraphicsAGICustomTerrainOverlay AGICustomTerrainOverlay
IAgStkGraphicsAGIProcessedImageGlobeOverlay AGIProcessedImageGlobeOverlay
IAgStkGraphicsAGIProcessedTerrainOverlay AGIProcessedTerrainOverlay
IAgStkGraphicsAGIRoamImageGlobeOverlay AGIRoamImageGlobeOverlay
IAgStkGraphicsCameraSnapshot
        SaveToFile
        SaveToFileWithWidthAndDPI
        SaveToClipboard
        SaveToRaster
        SaveToTexture
CameraSnapshot
        save_to_file
        save_to_file_with_width_and_dpi
        save_to_clipboard
        save_to_raster
        save_to_texture
IAgStkGraphicsCameraVideoRecording
        IsRecording
        StartRecording
        StartRecordingFrameStack
        StopRecording
        StartRecordingVideo
CameraVideoRecording
        is_recording
        start_recording
        start_recording_frame_stack
        stop_recording
        start_recording_video
IAgStkGraphicsCentralBodyGraphicsIndexer
        Earth
        Moon
        Sun
        Item
        GetByName
CentralBodyGraphicsIndexer
        earth
        moon
        sun
        item
        get_by_name
IAgStkGraphicsCustomImageGlobeOverlay
        IsTranslucent
        MaximumMetersPerPixel
        Projection
        StartUp
        ShutDown
        ClearCache
        Reload
        Read
CustomImageGlobeOverlay
        is_translucent
        maximum_meters_per_pixel
        projection
        start_up
        shut_down
        clear_cache
        reload
        read
IAgStkGraphicsCustomImageGlobeOverlayPluginActivator
        CreateFromDisplayName
        GetAvailableDisplayNames
CustomImageGlobeOverlayPluginActivator
        create_from_display_name
        get_available_display_names
IAgStkGraphicsCustomImageGlobeOverlayPluginProxy
        CustomImageGlobeOverlay
        IsCustomImageGlobeOverlaySupported
        RealPluginObject
CustomImageGlobeOverlayPluginProxy
        custom_image_globe_overlay
        is_custom_image_globe_overlay_supported
        real_plugin_object
IAgStkGraphicsGeospatialImageGlobeOverlay
        UseTransparentColor
        TransparentColor
GeospatialImageGlobeOverlay
        use_transparent_color
        transparent_color
IAgStkGraphicsGlobeOverlay
        CentralBody
        Extent
        Role
        UriAsString
        IsValid
        DisplayCondition
IGlobeOverlay
        central_body
        extent
        role
        uri_as_string
        is_valid
        display_condition
IAgStkGraphicsGlobeOverlaySettings
        TerrainCacheSize
        ImageryCacheSize
        PreloadTerrainAndImagery
GlobeOverlaySettings
        terrain_cache_size
        imagery_cache_size
        preload_terrain_and_imagery
IAgStkGraphicsLighting
        Enabled
        AmbientIntensity
        DiffuseIntensity
        NightLightsIntensity
Lighting
        enabled
        ambient_intensity
        diffuse_intensity
        night_lights_intensity
IAgStkGraphicsPathPrimitiveUpdatePolicy
        Update
IPathPrimitiveUpdatePolicy
        update
IAgStkGraphicsProjectedRasterOverlay
        Raster
        Projection
        ShowShadows
        ShowFrustum
        ShowFarPlane
        Color
        FrustumColor
        FarPlaneColor
        ShadowColor
        BorderColor
        BorderWidth
        FrustumTranslucency
        FarPlaneTranslucency
        ShadowTranslucency
        BorderTranslucency
        UseTransparentColor
        TransparentColor
        Directions
        Supported
ProjectedRasterOverlay
        raster
        projection
        show_shadows
        show_frustum
        show_far_plane
        color
        frustum_color
        far_plane_color
        shadow_color
        border_color
        border_width
        frustum_translucency
        far_plane_translucency
        shadow_translucency
        border_translucency
        use_transparent_color
        transparent_color
        directions
        supported
IAgStkGraphicsProjection
        Position
        Orientation
        FieldOfViewHorizontal
        FieldOfViewVertical
        NearPlane
        FarPlane
IProjection
        position
        orientation
        field_of_view_horizontal
        field_of_view_vertical
        near_plane
        far_plane
IAgStkGraphicsProjectionStream
        UpdateDelta
        Update
ProjectionStream
        update_delta
        update
IAgStkGraphicsSceneGlobeOverlaySettings
        AntiAliasImagery
        TerrainMeshPixelError
        ImageryPixelError
        ProjectedRasterModelProjection
SceneGlobeOverlaySettings
        anti_alias_imagery
        terrain_mesh_pixel_error
        imagery_pixel_error
        projected_raster_model_projection
IAgStkGraphicsScreenOverlayCollectionBase
        Count
        IsReadOnly
        Item
        Contains
        Remove
        Clear
        Add
IScreenOverlayCollectionBase
        count
        is_read_only
        item
        contains
        remove
        clear
        add
IAgStkGraphicsTexture2DFactory
        LoadFromStringUri
        FromRaster
Texture2DFactory
        load_from_string_uri
        from_raster
IAgStkGraphicsVisualEffects
        LensFlareEnabled
        VignetteEnabled
        VignetteStrength
VisualEffects
        lens_flare_enabled
        vignette_enabled
        vignette_strength
IAgStkGraphicsAltitudeDisplayCondition
        MinimumAltitude
        MaximumAltitude
        CentralBody
AltitudeDisplayCondition
        minimum_altitude
        maximum_altitude
        central_body
IAgStkGraphicsAxesPrimitive
        Lighting
        Label
        DisplayLabel
        DisplayTrace
        DisplaySweep
        DisplayLines
        PersistenceWidth
        FadePersistence
        PersistenceDuration
        Length
        Width
AxesPrimitive
        lighting
        label
        display_label
        display_trace
        display_sweep
        display_lines
        persistence_width
        fade_persistence
        persistence_duration
        length
        width
IAgStkGraphicsCamera
        Position
        ReferencePoint
        Direction
        UpVector
        Distance
        Axes
        ConstrainedUpAxis
        AllowRotationOverConstrainedUpAxis
        LockViewDirection
        FieldOfView
        HorizontalFieldOfView
        VerticalFieldOfView
        NearPlane
        FarPlane
        FarNearPlaneRatio
        DistancePerRadius
        Snapshot
        VideoRecording
        PixelSizePerDistance
        PositionReferenceFrame
        ReferencePointReferenceFrame
        VisibilityTest
        CartographicToWindow
        TryCartographicToWindow
        WindowToCartographic
        TryWindowToCartographic
        ViewCentralBody
        ViewExtent
        ViewRectangularExtent
        ViewWithUpAxis
        View
        ViewDirectionWithUpAxis
        ViewDirection
        ViewOffsetWithUpAxis
        ViewOffset
        ViewOffsetDirectionWithUpAxis
        ViewOffsetDirection
Camera
        position
        reference_point
        direction
        up_vector
        distance
        axes
        constrained_up_axis
        allow_rotation_over_constrained_up_axis
        lock_view_direction
        field_of_view
        horizontal_field_of_view
        vertical_field_of_view
        near_plane
        far_plane
        far_near_plane_ratio
        distance_per_radius
        snapshot
        video_recording
        pixel_size_per_distance
        position_reference_frame
        reference_point_reference_frame
        visibility_test
        cartographic_to_window
        try_cartographic_to_window
        window_to_cartographic
        try_window_to_cartographic
        view_central_body
        view_extent
        view_rectangular_extent
        view_with_up_axis
        view
        view_direction_with_up_axis
        view_direction
        view_offset_with_up_axis
        view_offset
        view_offset_direction_with_up_axis
        view_offset_direction
IAgStkGraphicsCentralBodyGraphics
        Color
        SpecularColor
        Shininess
        ShowImagery
        Show
        ShowLabel
        AltitudeOffset
        BaseOverlay
        NightOverlay
        SpecularOverlay
        Terrain
        Imagery
        Kml
CentralBodyGraphics
        color
        specular_color
        shininess
        show_imagery
        show
        show_label
        altitude_offset
        base_overlay
        night_overlay
        specular_overlay
        terrain
        imagery
        kml
IAgStkGraphicsClouds
        Show
        CloudsUri
        Roundness
        Altitude
        IsValid
Clouds
        show
        clouds_uri
        roundness
        altitude
        is_valid
IAgStkGraphicsCompositeDisplayCondition
        Count
        Capacity
        LogicOperation
        Item
        Reserve
        AddWithNegate
        Add
        InsertWithNegate
        Insert
        Remove
        RemoveAt
        Clear
        GetNegate
        SetNegate
        GetNegateAt
        SetNegateAt
CompositeDisplayCondition
        count
        capacity
        logic_operation
        item
        reserve
        add_with_negate
        add
        insert_with_negate
        insert
        remove
        remove_at
        clear
        get_negate
        set_negate
        get_negate_at
        set_negate_at
IAgStkGraphicsCompositePrimitive
        Count
        TranslucentPrimitivesSortOrder
        Add
        Remove
        Contains
        Clear
CompositePrimitive
        count
        translucent_primitives_sort_order
        add
        remove
        contains
        clear
IAgStkGraphicsConstantDisplayCondition
        Display
ConstantDisplayCondition
        display
IAgStkGraphicsDisplayCondition IDisplayCondition
IAgStkGraphicsDistanceDisplayCondition
        MinimumDistance
        MaximumDistance
        MinimumDistanceSquared
        MaximumDistanceSquared
DistanceDisplayCondition
        minimum_distance
        maximum_distance
        minimum_distance_squared
        maximum_distance_squared
IAgStkGraphicsDistanceToGlobeOverlayDisplayCondition
        GlobeOverlay
        MinimumDistance
        MinimumDistanceSquared
        MaximumDistance
        MaximumDistanceSquared
DistanceToGlobeOverlayDisplayCondition
        globe_overlay
        minimum_distance
        minimum_distance_squared
        maximum_distance
        maximum_distance_squared
IAgStkGraphicsDistanceToPositionDisplayCondition
        MinimumDistance
        MinimumDistanceSquared
        MaximumDistance
        MaximumDistanceSquared
        Position
        ReferenceFrame
DistanceToPositionDisplayCondition
        minimum_distance
        minimum_distance_squared
        maximum_distance
        maximum_distance_squared
        position
        reference_frame
IAgStkGraphicsDistanceToPrimitiveDisplayCondition
        Primitive
        MinimumDistance
        MinimumDistanceSquared
        MaximumDistance
        MaximumDistanceSquared
DistanceToPrimitiveDisplayCondition
        primitive
        minimum_distance
        minimum_distance_squared
        maximum_distance
        maximum_distance_squared
IAgStkGraphicsDurationPathPrimitiveUpdatePolicy
        Duration
        RemoveLocation
DurationPathPrimitiveUpdatePolicy
        duration
        remove_location
IAgStkGraphicsFrameRate
        FramesPerSecond
        MaximumNumberOfFrames
        Reset
FrameRate
        frames_per_second
        maximum_number_of_frames
        reset
IAgStkGraphicsGlobeImageOverlay
        Translucency
        UseAltitudeBasedTranslucency
        AltitudeBasedTranslucencyLowerTranslucency
        AltitudeBasedTranslucencyUpperTranslucency
        AltitudeBasedTranslucencyLowerAltitude
        AltitudeBasedTranslucencyUpperAltitude
        MoreThanOneImageGlobeOverlaySupported
IGlobeImageOverlay
        translucency
        use_altitude_based_translucency
        altitude_based_translucency_lower_translucency
        altitude_based_translucency_upper_translucency
        altitude_based_translucency_lower_altitude
        altitude_based_translucency_upper_altitude
        more_than_one_image_globe_overlay_supported
IAgStkGraphicsGraphicsFont
        Name
        Size
        Bold
        Italic
        Underline
        Strikeout
        Outline
        Style
        Antialias
GraphicsFont
        name
        size
        bold
        italic
        underline
        strikeout
        outline
        style
        antialias
IAgStkGraphicsGreatArcInterpolator
        CentralBody
        Granularity
GreatArcInterpolator
        central_body
        granularity
IAgStkGraphicsImageCollection
        Count
        IsReadOnly
        Item
        Contains
        ContainsUriString
        Remove
        Clear
        Add
        AddAsync
        IndexOf
        IndexOfUriString
        AddUriString
        AddAsyncUriString
        Swap
        SwapByIndex
        Move
        MoveByIndex
        BringToFront
        SendToBack
        Subscribe
ImageCollection
        count
        is_read_only
        item
        contains
        contains_uri_string
        remove
        clear
        add
        add_async
        index_of
        index_of_uri_string
        add_uri_string
        add_async_uri_string
        swap
        swap_by_index
        move
        move_by_index
        bring_to_front
        send_to_back
        subscribe
IAgStkGraphicsAlphaFromLuminanceFilter AlphaFromLuminanceFilter
IAgStkGraphicsAlphaFromPixelFilter AlphaFromPixelFilter
IAgStkGraphicsAlphaFromRasterFilter
        Raster
AlphaFromRasterFilter
        raster
IAgStkGraphicsBandExtractFilter
        ExtractFormat
BandExtractFilter
        extract_format
IAgStkGraphicsBandOrderFilter
        BandOrder
        MaintainRasterFormat
BandOrderFilter
        band_order
        maintain_raster_format
IAgStkGraphicsBlurFilter
        Method
BlurFilter
        method
IAgStkGraphicsBrightnessFilter
        Adjustment
BrightnessFilter
        adjustment
IAgStkGraphicsColorToLuminanceFilter ColorToLuminanceFilter
IAgStkGraphicsContrastFilter
        Adjustment
ContrastFilter
        adjustment
IAgStkGraphicsConvolutionFilter
        Divisor
        Offset
        Kernel
IConvolutionFilter
        divisor
        offset
        kernel
IAgStkGraphicsEdgeDetectFilter
        Method
EdgeDetectFilter
        method
IAgStkGraphicsFilteringRasterStream
        Filter
        Stream
FilteringRasterStream
        filter
        stream
IAgStkGraphicsFlipFilter
        FlipAxis
FlipFilter
        flip_axis
IAgStkGraphicsGammaCorrectionFilter
        Gamma
GammaCorrectionFilter
        gamma
IAgStkGraphicsGaussianBlurFilter GaussianBlurFilter
IAgStkGraphicsGradientDetectFilter
        Method
GradientDetectFilter
        method
IAgStkGraphicsLevelsFilter
        SetLevelAdjustment
        ClearAdjustments
LevelsFilter
        set_level_adjustment
        clear_adjustments
IAgStkGraphicsProjectionRasterStreamPluginActivator
        CreateFromDisplayName
        GetAvailableDisplayNames
ProjectionRasterStreamPluginActivator
        create_from_display_name
        get_available_display_names
IAgStkGraphicsProjectionRasterStreamPluginProxy
        RasterStream
        ProjectionStream
        IsRasterStreamSupported
        IsProjectionStreamSupported
        RealPluginObject
ProjectionRasterStreamPluginProxy
        raster_stream
        projection_stream
        is_raster_stream_supported
        is_projection_stream_supported
        real_plugin_object
IAgStkGraphicsRaster
        Attributes
        Width
        Height
        Flip
        Rotate
        Apply
        ApplyInPlace
        ExtractBand
        ExtractBandFromRasterFormat
        CopyFromRaster
IRaster
        attributes
        width
        height
        flip
        rotate
        apply
        apply_in_place
        extract_band
        extract_band_from_raster_format
        copy_from_raster
IAgStkGraphicsRasterAttributes
        Format
        Type
        Orientation
        ByteLength
        Width
        Height
        PixelAspectRatio
        RowAlignment
        NumberOfBands
        RowStride
        HasBand
RasterAttributes
        format
        type
        orientation
        byte_length
        width
        height
        pixel_aspect_ratio
        row_alignment
        number_of_bands
        row_stride
        has_band
IAgStkGraphicsRasterFilter IRasterFilter
IAgStkGraphicsRasterStream
        UpdateDelta
        Update
IRasterStream
        update_delta
        update
IAgStkGraphicsRotateFilter
        Angle
RotateFilter
        angle
IAgStkGraphicsSequenceFilter
        ContinueOnFailure
        Count
        Add
        Remove
        Clear
        Contains
SequenceFilter
        continue_on_failure
        count
        add
        remove
        clear
        contains
IAgStkGraphicsSharpenFilter
        Method
SharpenFilter
        method
IAgStkGraphicsVideoStream
        Uri
        Playback
        FrameRate
        IntervalStartTime
        IntervalEndTime
        StartTime
        EndTime
        StartFrame
        EndFrame
        Loop
        IsPlaying
        PacketAcquirementYieldTime
        PacketBufferLimit
        AllowFrameDrop
        EnableAudio
        ReinitializeWithStringUri
        Play
        Pause
        Stop
        Reset
        Close
        AudioUri
VideoStream
        uri
        playback
        frame_rate
        interval_start_time
        interval_end_time
        start_time
        end_time
        start_frame
        end_frame
        loop
        is_playing
        packet_acquirement_yield_time
        packet_buffer_limit
        allow_frame_drop
        enable_audio
        reinitialize_with_string_uri
        play
        pause
        stop
        reset
        close
        audio_uri
IAgStkGraphicsKmlContainer
        Children
IKmlContainer
        children
IAgStkGraphicsKmlDocument
        Uri
KmlDocument
        uri
IAgStkGraphicsKmlFeature
        IsLoaded
        Display
        Content
        Name
        Description
        Snippet
        BoundingSphere
        FlyTo
IKmlFeature
        is_loaded
        display
        content
        name
        description
        snippet
        bounding_sphere
        fly_to
IAgStkGraphicsKmlFolder KmlFolder
IAgStkGraphicsKmlGraphics
        Documents
        LoadDocument
        LoadDocumentString
        Load
        LoadDocumentAsync
        LoadDocumentAsyncString
        LoadAsync
        Unload
        UnloadAll
        Subscribe
KmlGraphics
        documents
        load_document
        load_document_string
        load
        load_document_async
        load_document_async_string
        load_async
        unload
        unload_all
        subscribe
IAgStkGraphicsKmlNetworkLink
        Uri
        RefreshMode
        RefreshInterval
        ViewRefreshMode
        ViewRefreshTime
        ViewBoundScale
        MinimumRefreshPeriod
        Cookie
        Message
        LinkSnippet
        Expires
        Refresh
KmlNetworkLink
        uri
        refresh_mode
        refresh_interval
        view_refresh_mode
        view_refresh_time
        view_bound_scale
        minimum_refresh_period
        cookie
        message
        link_snippet
        expires
        refresh
IAgStkGraphicsMarkerBatchPrimitive
        SizeSource
        SortOrder
        SetHint
        RenderingMethod
        RenderPass
        BoundingSphereScale
        DistanceDisplayConditionPerMarker
        Texture
        SizeUnit
        Size
        Origin
        PixelOffset
        EyeOffset
        Rotation
        TextureCoordinate
        Wireframe
        PerItemPickingEnabled
        TextureFilter
        Set
        SetWithOptionalParameters
        SetWithOptionalParametersAndRenderPassHint
        SetCartographic
        SetCartographicWithOptionalParameters
        SetCartographicWithOptionalParametersAndRenderPassHint
        SetPartial
        SetPartialWithIndicesOrder
        SetPartialWithOptionalParameters
        SetPartialWithOptionalParametersIndicesOrderAndRenderPass
        SetPartialCartographic
        SetPartialCartographicWithIndicesOrder
        SetPartialCartographicWithOptionalParameters
        SetPartialCartographicWithOptionalParametersIndicesOrderAndRenderPass
        Supported
        ClampToPixel
        CentralBodyClipped
        AlignToScreen
        AlignToNorth
        AlignToAxis
MarkerBatchPrimitive
        size_source
        sort_order
        set_hint
        rendering_method
        render_pass
        bounding_sphere_scale
        distance_display_condition_per_marker
        texture
        size_unit
        size
        origin
        pixel_offset
        eye_offset
        rotation
        texture_coordinate
        wireframe
        per_item_picking_enabled
        texture_filter
        set
        set_with_optional_parameters
        set_with_optional_parameters_and_render_pass_hint
        set_cartographic
        set_cartographic_with_optional_parameters
        set_cartographic_with_optional_parameters_and_render_pass_hint
        set_partial
        set_partial_with_indices_order
        set_partial_with_optional_parameters
        set_partial_with_optional_parameters_indices_order_and_render_pass
        set_partial_cartographic
        set_partial_cartographic_with_indices_order
        set_partial_cartographic_with_optional_parameters
        set_partial_cartographic_with_optional_parameters_indices_order_and_render_pass
        supported
        clamp_to_pixel
        central_body_clipped
        align_to_screen
        align_to_north
        align_to_axis
IAgStkGraphicsMarkerBatchPrimitiveOptionalParameters
        SetTextures
        SetSizes
        SetColors
        SetOrigins
        SetPixelOffsets
        SetEyeOffsets
        SetRotations
        SetTextureCoordinates
        SetTimeIntervalDisplayConditions
        SetDisplays
MarkerBatchPrimitiveOptionalParameters
        set_textures
        set_sizes
        set_colors
        set_origins
        set_pixel_offsets
        set_eye_offsets
        set_rotations
        set_texture_coordinates
        set_time_interval_display_conditions
        set_displays
IAgStkGraphicsMaximumCountPathPrimitiveUpdatePolicy
        MaximumCount
        RemoveLocation
MaximumCountPathPrimitiveUpdatePolicy
        maximum_count
        remove_location
IAgStkGraphicsModelArticulation
        Name
        Count
        Item
        GetItemByString
        GetByName
        Contains
ModelArticulation
        name
        count
        item
        get_item_by_string
        get_by_name
        contains
IAgStkGraphicsModelArticulationCollection
        Count
        Item
        GetItemByString
        GetByName
        Contains
ModelArticulationCollection
        count
        item
        get_item_by_string
        get_by_name
        contains
IAgStkGraphicsModelPrimitive
        UriAsString
        Scale
        Position
        Orientation
        Articulations
        LoadWithStringUri
        LoadWithStringUriAndUpAxis
        SetPositionCartographic
ModelPrimitive
        uri_as_string
        scale
        position
        orientation
        articulations
        load_with_string_uri
        load_with_string_uri_and_up_axis
        set_position_cartographic
IAgStkGraphicsModelTransformation
        CurrentValue
        MinimumValue
        MaximumValue
        DefaultValue
        Range
        Name
        Type
ModelTransformation
        current_value
        minimum_value
        maximum_value
        default_value
        range
        name
        type
IAgStkGraphicsOverlay
        Position
        PinningPosition
        X
        XUnit
        Y
        YUnit
        Size
        Width
        WidthUnit
        Height
        HeightUnit
        MinimumSize
        MaximumSize
        Bounds
        BorderColor
        BorderSize
        BorderTranslucency
        TranslationX
        TranslationY
        RotationAngle
        RotationPoint
        Scale
        FlipX
        FlipY
        Origin
        PinningOrigin
        Parent
        Translucency
        Color
        PickingEnabled
        ClipToParent
        Display
        ControlPosition
        ControlSize
        ControlBounds
        DisplayCondition
        Overlays
        Padding
        BringToFront
        SendToBack
        OverlayToControl
        ControlToOverlay
        Tag
IOverlay
        position
        pinning_position
        x
        x_unit
        y
        y_unit
        size
        width
        width_unit
        height
        height_unit
        minimum_size
        maximum_size
        bounds
        border_color
        border_size
        border_translucency
        translation_x
        translation_y
        rotation_angle
        rotation_point
        scale
        flip_x
        flip_y
        origin
        pinning_origin
        parent
        translucency
        color
        picking_enabled
        clip_to_parent
        display
        control_position
        control_size
        control_bounds
        display_condition
        overlays
        padding
        bring_to_front
        send_to_back
        overlay_to_control
        control_to_overlay
        tag
IAgStkGraphicsPathPrimitive
        Count
        Capacity
        UpdatePolicy
        PolylineType
        Width
        MinimumWidthSupported
        MaximumWidthSupported
        DisplayOutline
        OutlineWidth
        PerItemPickingEnabled
        Item
        AddFront
        AddRangeToFront
        AddBack
        AddRangeToBack
        RemoveFront
        RemoveAllBefore
        RemoveBack
        RemoveAllAfter
        Front
        Back
        Clear
        CentralBodyClipped
PathPrimitive
        count
        capacity
        update_policy
        polyline_type
        width
        minimum_width_supported
        maximum_width_supported
        display_outline
        outline_width
        per_item_picking_enabled
        item
        add_front
        add_range_to_front
        add_back
        add_range_to_back
        remove_front
        remove_all_before
        remove_back
        remove_all_after
        front
        back
        clear
        central_body_clipped
IAgStkGraphicsPickResult
        Objects
        Depth
        Position
PickResult
        objects
        depth
        position
IAgStkGraphicsPixelSizeDisplayCondition
        MinimumPixelSize
        MaximumPixelSize
PixelSizeDisplayCondition
        minimum_pixel_size
        maximum_pixel_size
IAgStkGraphicsPointBatchPrimitive
        DisplayOutline
        OutlineColor
        OutlineTranslucency
        OutlineWidth
        PixelSize
        MinimumPixelSizeSupported
        MaximumPixelSizeSupported
        DistanceDisplayConditionPerPoint
        SetHint
        PerItemPickingEnabled
        Set
        SetWithColors
        SetWithColorsAndRenderPass
        SetCartographic
        SetCartographicWithColors
        SetCartographicWithColorsAndRenderPass
        SetPartial
        SetPartialWithIndicesOrder
        SetPartialWithColors
        SetPartialWithColorsIndicesOrderAndRenderPass
        SetPartialCartographic
        SetPartialCartographicWithIndicesOrder
        SetPartialCartographicWithColors
        SetPartialCartographicWithColorsIndicesOrderAndRenderPass
        CentralBodyClipped
        SetWithOptionalParameters
PointBatchPrimitive
        display_outline
        outline_color
        outline_translucency
        outline_width
        pixel_size
        minimum_pixel_size_supported
        maximum_pixel_size_supported
        distance_display_condition_per_point
        set_hint
        per_item_picking_enabled
        set
        set_with_colors
        set_with_colors_and_render_pass
        set_cartographic
        set_cartographic_with_colors
        set_cartographic_with_colors_and_render_pass
        set_partial
        set_partial_with_indices_order
        set_partial_with_colors
        set_partial_with_colors_indices_order_and_render_pass
        set_partial_cartographic
        set_partial_cartographic_with_indices_order
        set_partial_cartographic_with_colors
        set_partial_cartographic_with_colors_indices_order_and_render_pass
        central_body_clipped
        set_with_optional_parameters
IAgStkGraphicsPointBatchPrimitiveOptionalParameters
        SetPixelSizes
PointBatchPrimitiveOptionalParameters
        set_pixel_sizes
IAgStkGraphicsPolylinePrimitive
        Width
        MinimumWidthSupported
        MaximumWidthSupported
        PositionInterpolator
        PolylineType
        SetHint
        DisplayOutline
        OutlineColor
        OutlineTranslucency
        OutlineWidth
        PerItemPickingEnabled
        Set
        SetWithColors
        SetWithColorsAndHint
        SetWithSurfaceShapesResult
        SetWithSurfaceTriangulatorResult
        SetWithSolidTriangulatorResult
        SetCartographic
        SetCartographicWithColors
        SetCartographicWithColorsAndHint
        SetSubset
        SetSubsetCartographic
        SetPartial
        SetPartialWithIndicesOrder
        SetPartialWithColors
        SetPartialWithColorsIndicesOrderAndRenderPassHint
        SetPartialCartographic
        SetPartialCartographicWithIndicesOrder
        SetPartialCartographicWithColors
        SetPartialCartographicWithColorsIndicesOrderAndRenderPass
        CentralBodyClipped
        SetWithColorsAndOptionalParameters
        SetCartographicWithColorsAndOptionalParameters
        SetPartialWithColorsAndOptionalParameters
        SetPartialCartographicWithOptionalParameters
PolylinePrimitive
        width
        minimum_width_supported
        maximum_width_supported
        position_interpolator
        polyline_type
        set_hint
        display_outline
        outline_color
        outline_translucency
        outline_width
        per_item_picking_enabled
        set
        set_with_colors
        set_with_colors_and_hint
        set_with_surface_shapes_result
        set_with_surface_triangulator_result
        set_with_solid_triangulator_result
        set_cartographic
        set_cartographic_with_colors
        set_cartographic_with_colors_and_hint
        set_subset
        set_subset_cartographic
        set_partial
        set_partial_with_indices_order
        set_partial_with_colors
        set_partial_with_colors_indices_order_and_render_pass_hint
        set_partial_cartographic
        set_partial_cartographic_with_indices_order
        set_partial_cartographic_with_colors
        set_partial_cartographic_with_colors_indices_order_and_render_pass
        central_body_clipped
        set_with_colors_and_optional_parameters
        set_cartographic_with_colors_and_optional_parameters
        set_partial_with_colors_and_optional_parameters
        set_partial_cartographic_with_optional_parameters
IAgStkGraphicsPolylinePrimitiveOptionalParameters
        SetTimeIntervals
PolylinePrimitiveOptionalParameters
        set_time_intervals
IAgStkGraphicsPositionInterpolator
        PolylineType
        Interpolate
IPositionInterpolator
        polyline_type
        interpolate
IAgStkGraphicsPrimitive
        ReferenceFrame
        BoundingSphere
        AutomaticallyComputeBoundingSphere
        DisplayCondition
        Display
        Color
        Translucency
        Tag
IPrimitive
        reference_frame
        bounding_sphere
        automatically_compute_bounding_sphere
        display_condition
        display
        color
        translucency
        tag
IAgStkGraphicsPrimitiveManager
        Count
        PrecisionExponent
        TranslucentPrimitivesSortOrder
        Add
        Remove
        Contains
        Clear
PrimitiveManager
        count
        precision_exponent
        translucent_primitives_sort_order
        add
        remove
        contains
        clear
IAgStkGraphicsRasterImageGlobeOverlay
        UseTransparentColor
        TransparentColor
RasterImageGlobeOverlay
        use_transparent_color
        transparent_color
IAgStkGraphicsRhumbLineInterpolator
        CentralBody
        Granularity
RhumbLineInterpolator
        central_body
        granularity
IAgStkGraphicsScene
        Camera
        Lighting
        ShowSunshine
        CentralBodies
        BackgroundColor
        ShadeSkyBasedOnAltitude
        ShowStars
        GlobeOverlaySettings
        Render
        Pick
        PickRectangular
        PickScreenOverlays
        SceneID
        ShowWaterSurface
        AntiAliasing
        VisualEffects
        Clouds
        ShowStarLabels
        Subscribe
Scene
        camera
        lighting
        show_sunshine
        central_bodies
        background_color
        shade_sky_based_on_altitude
        show_stars
        globe_overlay_settings
        render
        pick
        pick_rectangular
        pick_screen_overlays
        scene_id
        show_water_surface
        anti_aliasing
        visual_effects
        clouds
        show_star_labels
        subscribe
IAgStkGraphicsSceneDisplayCondition
        SetDisplayInScene
        GetDisplayInScene
        DisplayOnlyInScene
SceneDisplayCondition
        set_display_in_scene
        get_display_in_scene
        display_only_in_scene
IAgStkGraphicsSceneManager
        Primitives
        ScreenOverlays
        Textures
        GlobeOverlaySettings
        Scenes
        Render
        Initializers
        FrameRate
SceneManager
        primitives
        screen_overlays
        textures
        globe_overlay_settings
        scenes
        render
        initializers
        frame_rate
IAgStkGraphicsScreenOverlay IScreenOverlay
IAgStkGraphicsScreenOverlayCollection ScreenOverlayCollection
IAgStkGraphicsScreenOverlayManager
        Bounds
        Overlays
        Padding
        Display
ScreenOverlayManager
        bounds
        overlays
        padding
        display
IAgStkGraphicsScreenOverlayPickResult
        Position
        ControlPosition
        Overlay
ScreenOverlayPickResult
        position
        control_position
        overlay
IAgStkGraphicsSolidPrimitive
        AffectedByLighting
        DisplayFill
        DisplaySilhouette
        SilhouetteColor
        SilhouetteTranslucency
        SilhouetteWidth
        MinimumSilhouetteWidthSupported
        MaximumSilhouetteWidthSupported
        DisplayOutline
        OutlineColor
        OutlineTranslucency
        OutlineWidth
        OutlineAppearance
        BackLineColor
        BackLineTranslucency
        Position
        Rotation
        Scale
        BackLineWidth
        SetHint
        SetWithResult
        Set
SolidPrimitive
        affected_by_lighting
        display_fill
        display_silhouette
        silhouette_color
        silhouette_translucency
        silhouette_width
        minimum_silhouette_width_supported
        maximum_silhouette_width_supported
        display_outline
        outline_color
        outline_translucency
        outline_width
        outline_appearance
        back_line_color
        back_line_translucency
        position
        rotation
        scale
        back_line_width
        set_hint
        set_with_result
        set
IAgStkGraphicsStereoscopic
        DisplayMode
        ProjectionMode
        ProjectionDistance
        EyeSeparationFactor
Stereoscopic
        display_mode
        projection_mode
        projection_distance
        eye_separation_factor
IAgStkGraphicsSurfaceMeshPrimitive
        Texture
        Wireframe
        TriangleWindingOrder
        SetHint
        RenderingMethod
        TextureFilter
        TextureMatrix
        TransparentTextureBorder
        Set
        SetWithoutTexturing
        Supported
        SupportedWithDefaultRenderingMethod
SurfaceMeshPrimitive
        texture
        wireframe
        triangle_winding_order
        set_hint
        rendering_method
        texture_filter
        texture_matrix
        transparent_texture_border
        set
        set_without_texturing
        supported
        supported_with_default_rendering_method
IAgStkGraphicsTerrainCollection
        Count
        IsReadOnly
        Item
        Contains
        ContainsUriString
        Remove
        Clear
        Add
        AddAsync
        IndexOf
        IndexOfUriString
        AddUriString
        AddAsyncUriString
        Swap
        SwapByIndex
        Move
        MoveByIndex
        BringToFront
        SendToBack
        Subscribe
TerrainOverlayCollection
        count
        is_read_only
        item
        contains
        contains_uri_string
        remove
        clear
        add
        add_async
        index_of
        index_of_uri_string
        add_uri_string
        add_async_uri_string
        swap
        swap_by_index
        move
        move_by_index
        bring_to_front
        send_to_back
        subscribe
IAgStkGraphicsTerrainOverlay
        AltitudeOffset
        AltitudeScale
        Supported
ITerrainOverlay
        altitude_offset
        altitude_scale
        supported
IAgStkGraphicsTextBatchPrimitive
        SetHint
        BoundingSphereScale
        Font
        OutlineColor
        OutlineTranslucency
        AlignToPixel
        DistanceDisplayConditionPerString
        PerItemPickingEnabled
        TextureFilter
        Set
        SetWithOptionalParameters
        SetWithOptionalParametersAndRenderPass
        SetCartographic
        SetCartographicWithOptionalParameters
        SetCartographicWithOptionalParametersAndRenderPass
        SetPartial
        SetPartialWithIndicesOrder
        SetPartialWithOptionalParameters
        SetPartialWithOptionalParametersIndicesOrderAndRenderPass
        SetPartialCartographic
        SetPartialCartographicWithIndicesOrder
        SetPartialCartographicWithOptionalParameters
        SetPartialCartographicWithOptionalParametersIndicesOrderAndRenderPass
        RenderInScreenSpace
TextBatchPrimitive
        set_hint
        bounding_sphere_scale
        font
        outline_color
        outline_translucency
        align_to_pixel
        distance_display_condition_per_string
        per_item_picking_enabled
        texture_filter
        set
        set_with_optional_parameters
        set_with_optional_parameters_and_render_pass
        set_cartographic
        set_cartographic_with_optional_parameters
        set_cartographic_with_optional_parameters_and_render_pass
        set_partial
        set_partial_with_indices_order
        set_partial_with_optional_parameters
        set_partial_with_optional_parameters_indices_order_and_render_pass
        set_partial_cartographic
        set_partial_cartographic_with_indices_order
        set_partial_cartographic_with_optional_parameters
        set_partial_cartographic_with_optional_parameters_indices_order_and_render_pass
        render_in_screen_space
IAgStkGraphicsTextBatchPrimitiveOptionalParameters
        Origin
        EyeOffset
        PixelOffset
        MaximumStringLength
        SetOrigins
        SetEyeOffsets
        SetPixelOffsets
        SetColors
        ScreenSpaceRendering
TextBatchPrimitiveOptionalParameters
        origin
        eye_offset
        pixel_offset
        maximum_string_length
        set_origins
        set_eye_offsets
        set_pixel_offsets
        set_colors
        screen_space_rendering
IAgStkGraphicsTextOverlay
        Text
        OutlineColor
        Font
TextOverlay
        text
        outline_color
        font
IAgStkGraphicsTextureMatrix
        M11
        M12
        M13
        M14
        M21
        M22
        M23
        M24
        M31
        M32
        M33
        M34
        M41
        M42
        M43
        M44
TextureMatrix
        m11
        m12
        m13
        m14
        m21
        m22
        m23
        m24
        m31
        m32
        m33
        m34
        m41
        m42
        m43
        m44
IAgStkGraphicsTextureScreenOverlay
        Texture
        TextureFilter
        MaintainAspectRatio
TextureScreenOverlay
        texture
        texture_filter
        maintain_aspect_ratio
IAgStkGraphicsTimeIntervalDisplayCondition
        MinimumTime
        MaximumTime
TimeIntervalDisplayCondition
        minimum_time
        maximum_time
IAgStkGraphicsTriangleMeshPrimitive
        Wireframe
        RenderBackThenFrontFaces
        Lighting
        TriangleWindingOrder
        CullFace
        ShadeModel
        Texture
        TextureFilter
        SetHint
        Set
        SetWithOptionalParameters
        SetTriangulator
        CentralBodyClipped
        TwoSidedLighting
TriangleMeshPrimitive
        wireframe
        render_back_then_front_faces
        lighting
        triangle_winding_order
        cull_face
        shade_model
        texture
        texture_filter
        set_hint
        set
        set_with_optional_parameters
        set_triangulator
        central_body_clipped
        two_sided_lighting
IAgStkGraphicsTriangleMeshPrimitiveOptionalParameters
        SetTextureCoordinates
        SetPerVertexColors
TriangleMeshPrimitiveOptionalParameters
        set_texture_coordinates
        set_per_vertex_colors
IAgStkGraphicsVectorPrimitive
        Lighting
        Label
        DisplayLabel
        DisplayMagnitude
        DisplayRADec
        DisplayTrace
        DisplaySweep
        DisplayLines
        PersistenceWidth
        FadePersistence
        PersistenceDuration
        Length
        Width
        TrueScale
VectorPrimitive
        lighting
        label
        display_label
        display_magnitude
        display_ra_dec
        display_trace
        display_sweep
        display_lines
        persistence_width
        fade_persistence
        persistence_duration
        length
        width
        true_scale
IAgStkGraphicsBoxTriangulatorInitializer
        Compute
BoxTriangulatorInitializer
        compute
IAgStkGraphicsCylinderTriangulatorInitializer
        CreateSimple
        Compute
CylinderTriangulatorInitializer
        create_simple
        compute
IAgStkGraphicsEllipsoidTriangulatorInitializer
        ComputeSimple
        Compute
EllipsoidTriangulatorInitializer
        compute_simple
        compute
IAgStkGraphicsExtrudedPolylineTriangulatorInitializer
        Compute
        ComputeWithWindingOrder
        ComputeCartographic
        ComputeCartographicWithWindingOrder
        ComputeWithAltitudes
        ComputeWithAltitudesAndWindingOrder
        ComputeCartographicWithAltitudes
        ComputeCartographicWithAltitudesAndWindingOrder
        ComputeSingleConstantAltitude
        ComputeSingleConstantAltitudeWithWindingOrder
        ComputeSingleConstantAltitudeCartographic
        ComputeSingleConstantAltitudeCartographicWithWindingOrder
ExtrudedPolylineTriangulatorInitializer
        compute
        compute_with_winding_order
        compute_cartographic
        compute_cartographic_with_winding_order
        compute_with_altitudes
        compute_with_altitudes_and_winding_order
        compute_cartographic_with_altitudes
        compute_cartographic_with_altitudes_and_winding_order
        compute_single_constant_altitude
        compute_single_constant_altitude_with_winding_order
        compute_single_constant_altitude_cartographic
        compute_single_constant_altitude_cartographic_with_winding_order
IAgStkGraphicsSurfaceExtentTriangulatorInitializer
        ComputeSimple
        Compute
SurfaceExtentTriangulatorInitializer
        compute_simple
        compute
IAgStkGraphicsSurfacePolygonTriangulatorInitializer
        Compute
        ComputeCartographic
        ComputeWithHole
        ComputeWithHoleAltitudeAndGranularity
        ComputeWithAltitudeAndGranularity
        ComputeCartographicWithAltitudeAndGranularity
SurfacePolygonTriangulatorInitializer
        compute
        compute_cartographic
        compute_with_hole
        compute_with_hole_altitude_and_granularity
        compute_with_altitude_and_granularity
        compute_cartographic_with_altitude_and_granularity
IAgStkGraphicsSurfaceShapesInitializer
        ComputeCircleWithGranularity
        ComputeCircle
        ComputeCircleCartographicWithGranularity
        ComputeCircleCartographic
        ComputeEllipseWithGranularity
        ComputeEllipse
        ComputeEllipseCartographicWithGranularity
        ComputeEllipseCartographic
        ComputeSectorWithGranularity
        ComputeSector
        ComputeSectorCartographicWithGranularity
        ComputeSectorCartographic
SurfaceShapesInitializer
        compute_circle_with_granularity
        compute_circle
        compute_circle_cartographic_with_granularity
        compute_circle_cartographic
        compute_ellipse_with_granularity
        compute_ellipse
        compute_ellipse_cartographic_with_granularity
        compute_ellipse_cartographic
        compute_sector_with_granularity
        compute_sector
        compute_sector_cartographic_with_granularity
        compute_sector_cartographic
IAgStkGraphicsAGICustomTerrainOverlayFactory
        InitializeWithString
AGICustomTerrainOverlayFactory
        initialize_with_string
IAgStkGraphicsAGIProcessedImageGlobeOverlayFactory
        InitializeWithString
AGIProcessedImageGlobeOverlayFactory
        initialize_with_string
IAgStkGraphicsAGIProcessedTerrainOverlayFactory
        InitializeWithString
AGIProcessedTerrainOverlayFactory
        initialize_with_string
IAgStkGraphicsAGIRoamImageGlobeOverlayFactory
        InitializeWithString
AGIRoamImageGlobeOverlayFactory
        initialize_with_string
IAgStkGraphicsCustomImageGlobeOverlayPluginActivatorFactory
        Initialize
CustomImageGlobeOverlayPluginActivatorFactory
        initialize
IAgStkGraphicsGeospatialImageGlobeOverlayFactory
        InitializeWithString
GeospatialImageGlobeOverlayFactory
        initialize_with_string
IAgStkGraphicsProjectedRasterOverlayFactory
        Initialize
        Supported
ProjectedRasterOverlayFactory
        initialize
        supported
IAgStkGraphicsProjectionFactory
        Initialize
        InitializeWithData
        InitializeFromProjection
ProjectionFactory
        initialize
        initialize_with_data
        initialize_from_projection
IAgStkGraphicsAltitudeDisplayConditionFactory
        Initialize
        InitializeWithAltitudes
        InitializeWithCentralBodyAndAltitudes
AltitudeDisplayConditionFactory
        initialize
        initialize_with_altitudes
        initialize_with_central_body_and_altitudes
IAgStkGraphicsAxesPrimitiveFactory
        InitializeWithDirection
AxesPrimitiveFactory
        initialize_with_direction
IAgStkGraphicsCompositeDisplayConditionFactory
        Initialize
CompositeDisplayConditionFactory
        initialize
IAgStkGraphicsCompositePrimitiveFactory
        Initialize
CompositePrimitiveFactory
        initialize
IAgStkGraphicsConstantDisplayConditionFactory
        Initialize
        InitializeDisplay
ConstantDisplayConditionFactory
        initialize
        initialize_display
IAgStkGraphicsDistanceDisplayConditionFactory
        Initialize
        InitializeWithDistances
DistanceDisplayConditionFactory
        initialize
        initialize_with_distances
IAgStkGraphicsDistanceToGlobeOverlayDisplayConditionFactory
        Initialize
        InitializeWithDistances
DistanceToGlobeOverlayDisplayConditionFactory
        initialize
        initialize_with_distances
IAgStkGraphicsDistanceToPositionDisplayConditionFactory
        Initialize
        InitializeWithDistances
        InitializeWithReferenceFrameAndDistances
DistanceToPositionDisplayConditionFactory
        initialize
        initialize_with_distances
        initialize_with_reference_frame_and_distances
IAgStkGraphicsDistanceToPrimitiveDisplayConditionFactory
        Initialize
        InitializeWithDistances
DistanceToPrimitiveDisplayConditionFactory
        initialize
        initialize_with_distances
IAgStkGraphicsDurationPathPrimitiveUpdatePolicyFactory
        Initialize
        InitializeWithParameters
DurationPathPrimitiveUpdatePolicyFactory
        initialize
        initialize_with_parameters
IAgStkGraphicsGlobeImageOverlayInitializer
        MoreThanOneImageGlobeOverlaySupported
GlobeImageOverlayInitializer
        more_than_one_image_globe_overlay_supported
IAgStkGraphicsGraphicsFontFactory
        InitializeWithNameSizeFontStyleOutline
        InitializeWithNameSize
GraphicsFontFactory
        initialize_with_name_size_font_style_outline
        initialize_with_name_size
IAgStkGraphicsGreatArcInterpolatorFactory
        Initialize
        InitializeWithCentralBody
        InitializeWithCentralBodyAndGranularity
GreatArcInterpolatorFactory
        initialize
        initialize_with_central_body
        initialize_with_central_body_and_granularity
IAgStkGraphicsAlphaFromLuminanceFilterFactory
        Initialize
AlphaFromLuminanceFilterFactory
        initialize
IAgStkGraphicsAlphaFromPixelFilterFactory
        Initialize
AlphaFromPixelFilterFactory
        initialize
IAgStkGraphicsAlphaFromRasterFilterFactory
        Initialize
        InitializeWithRaster
AlphaFromRasterFilterFactory
        initialize
        initialize_with_raster
IAgStkGraphicsBandExtractFilterFactory
        Initialize
        InitializeWithBand
        InitializeWithFormat
BandExtractFilterFactory
        initialize
        initialize_with_band
        initialize_with_format
IAgStkGraphicsBandOrderFilterFactory
        Initialize
        InitializeWithOrder
        InitializeWithOrderAndBool
BandOrderFilterFactory
        initialize
        initialize_with_order
        initialize_with_order_and_bool
IAgStkGraphicsBlurFilterFactory
        Initialize
        InitializeWithMethod
BlurFilterFactory
        initialize
        initialize_with_method
IAgStkGraphicsBrightnessFilterFactory
        Initialize
        InitializeWithAdjustment
BrightnessFilterFactory
        initialize
        initialize_with_adjustment
IAgStkGraphicsColorToLuminanceFilterFactory
        Initialize
ColorToLuminanceFilterFactory
        initialize
IAgStkGraphicsContrastFilterFactory
        Initialize
        InitializeWithAdjustment
ContrastFilterFactory
        initialize
        initialize_with_adjustment
IAgStkGraphicsConvolutionFilterFactory
        Initialize
        InitializeWithKernel
        InitializeWithKernelAndDivisor
        InitializeWithKernelDivisorAndOffset
ConvolutionFilterFactory
        initialize
        initialize_with_kernel
        initialize_with_kernel_and_divisor
        initialize_with_kernel_divisor_and_offset
IAgStkGraphicsEdgeDetectFilterFactory
        Initialize
        InitializeWithMethod
EdgeDetectFilterFactory
        initialize
        initialize_with_method
IAgStkGraphicsFilteringRasterStreamFactory
        Initialize
FilteringRasterStreamFactory
        initialize
IAgStkGraphicsFlipFilterFactory
        Initialize
        InitializeWithFlipAxis
FlipFilterFactory
        initialize
        initialize_with_flip_axis
IAgStkGraphicsGammaCorrectionFilterFactory
        Initialize
        InitializeWithGamma
GammaCorrectionFilterFactory
        initialize
        initialize_with_gamma
IAgStkGraphicsGaussianBlurFilterFactory
        Initialize
GaussianBlurFilterFactory
        initialize
IAgStkGraphicsGradientDetectFilterFactory
        Initialize
        InitializeWithMethod
GradientDetectFilterFactory
        initialize
        initialize_with_method
IAgStkGraphicsJpeg2000WriterInitializer
        WriteString
        WriteExtentString
        WriteExtentAndSubExtentString
        WriteExtentAndSubExtentTransparentColorString
        WriteExtentAndSubExtentTransparentColorStringCentralBody
Jpeg2000WriterInitializer
        write_string
        write_extent_string
        write_extent_and_sub_extent_string
        write_extent_and_sub_extent_transparent_color_string
        write_extent_and_sub_extent_transparent_color_string_central_body
IAgStkGraphicsLevelsFilterFactory
        Initialize
LevelsFilterFactory
        initialize
IAgStkGraphicsProjectionRasterStreamPluginActivatorFactory
        Initialize
ProjectionRasterStreamPluginActivatorFactory
        initialize
IAgStkGraphicsRasterFactory
        InitializeWithStringUri
        InitializeWithStringUriXYWidthAndHeight
        InitializeWithRaster
RasterFactory
        initialize_with_string_uri
        initialize_with_string_uri_xy_width_and_height
        initialize_with_raster
IAgStkGraphicsRasterAttributesFactory
        InitializeWithFormat
        InitializeWithFormatAndType
        InitializeWithFormatTypeAndOrientation
        InitializeWithFormatTypeOrientationAndAlignment
        InitializeWithFormatTypeOrientationAlignmentAndRatio
        InitializeWithRaster
RasterAttributesFactory
        initialize_with_format
        initialize_with_format_and_type
        initialize_with_format_type_and_orientation
        initialize_with_format_type_orientation_and_alignment
        initialize_with_format_type_orientation_alignment_and_ratio
        initialize_with_raster
IAgStkGraphicsRotateFilterFactory
        Initialize
        InitializeWithAngle
RotateFilterFactory
        initialize
        initialize_with_angle
IAgStkGraphicsSequenceFilterFactory
        Initialize
SequenceFilterFactory
        initialize
IAgStkGraphicsSharpenFilterFactory
        Initialize
        InitializeWithMethod
SharpenFilterFactory
        initialize
        initialize_with_method
IAgStkGraphicsVideoStreamFactory
        InitializeWithStringUri
        InitializeWithStringUriAndAudio
        InitializeAudioVideoWithStringUri
VideoStreamFactory
        initialize_with_string_uri
        initialize_with_string_uri_and_audio
        initialize_audio_video_with_string_uri
IAgStkGraphicsMarkerBatchPrimitiveFactory
        Initialize
        InitializeWithSetHint
        InitializeWithSizeSource
        InitializeWithSizeSourceAndSortOrder
        InitializeSizeSourceSortOrderAndSetHint
        InitializeSizeSourceSortOrderSetHintAndRenderingMethod
        Supported
MarkerBatchPrimitiveFactory
        initialize
        initialize_with_set_hint
        initialize_with_size_source
        initialize_with_size_source_and_sort_order
        initialize_size_source_sort_order_and_set_hint
        initialize_size_source_sort_order_set_hint_and_rendering_method
        supported
IAgStkGraphicsMarkerBatchPrimitiveOptionalParametersFactory
        Initialize
MarkerBatchPrimitiveOptionalParametersFactory
        initialize
IAgStkGraphicsMaximumCountPathPrimitiveUpdatePolicyFactory
        Initialize
        InitializeWithParameters
MaximumCountPathPrimitiveUpdatePolicyFactory
        initialize
        initialize_with_parameters
IAgStkGraphicsModelPrimitiveFactory
        Initialize
        InitializeWithStringUri
        InitializeWithStringUriAndUpAxis
ModelPrimitiveFactory
        initialize
        initialize_with_string_uri
        initialize_with_string_uri_and_up_axis
IAgStkGraphicsPathPrimitiveFactory
        Initialize
        InitializeWithCapacity
        MinimumWidthSupported
        MaximumWidthSupported
PathPrimitiveFactory
        initialize
        initialize_with_capacity
        minimum_width_supported
        maximum_width_supported
IAgStkGraphicsPixelSizeDisplayConditionFactory
        Initialize
        InitializeWithPixelSizes
PixelSizeDisplayConditionFactory
        initialize
        initialize_with_pixel_sizes
IAgStkGraphicsPointBatchPrimitiveFactory
        Initialize
        InitializeWithSetHint
        MinimumPixelSizeSupported
        MaximumPixelSizeSupported
PointBatchPrimitiveFactory
        initialize
        initialize_with_set_hint
        minimum_pixel_size_supported
        maximum_pixel_size_supported
IAgStkGraphicsPointBatchPrimitiveOptionalParametersFactory
        Initialize
PointBatchPrimitiveOptionalParametersFactory
        initialize
IAgStkGraphicsPolylinePrimitiveFactory
        Initialize
        InitializeWithInterpolatorAndSetHint
        InitializeWithTypeAndHint
        InitializeWithInterpolator
        InitializeWithHint
        InitializeWithType
        MinimumWidthSupported
        MaximumWidthSupported
PolylinePrimitiveFactory
        initialize
        initialize_with_interpolator_and_set_hint
        initialize_with_type_and_hint
        initialize_with_interpolator
        initialize_with_hint
        initialize_with_type
        minimum_width_supported
        maximum_width_supported
IAgStkGraphicsPolylinePrimitiveOptionalParametersFactory
        Initialize
PolylinePrimitiveOptionalParametersFactory
        initialize
IAgStkGraphicsRasterImageGlobeOverlayFactory
        InitializeWithString
        InitializeWithColor
        InitializeWithRaster
RasterImageGlobeOverlayFactory
        initialize_with_string
        initialize_with_color
        initialize_with_raster
IAgStkGraphicsRhumbLineInterpolatorFactory
        Initialize
        InitializeWithCentralBody
        InitializeWithCentralBodyAndGranularity
RhumbLineInterpolatorFactory
        initialize
        initialize_with_central_body
        initialize_with_central_body_and_granularity
IAgStkGraphicsSceneDisplayConditionFactory
        Initialize
SceneDisplayConditionFactory
        initialize
IAgStkGraphicsSceneManagerInitializer
        Primitives
        ScreenOverlays
        Textures
        GlobeOverlaySettings
        Scenes
        Render
        FrameRate
SceneManagerInitializer
        primitives
        screen_overlays
        textures
        globe_overlay_settings
        scenes
        render
        frame_rate
IAgStkGraphicsScreenOverlayFactory
        Initialize
        InitializeWithPosAndSize
ScreenOverlayFactory
        initialize
        initialize_with_position_and_size
IAgStkGraphicsSolidPrimitiveFactory
        Initialize
        InitializeWithHint
        MinimumSilhouetteWidthSupported
        MaximumSilhouetteWidthSupported
SolidPrimitiveFactory
        initialize
        initialize_with_hint
        minimum_silhouette_width_supported
        maximum_silhouette_width_supported
IAgStkGraphicsSurfaceMeshPrimitiveFactory
        Initialize
        InitializeWithSetHint
        InitializeWithSetHintAndRenderingMethod
        Supported
        SupportedWithDefaultRenderingMethod
SurfaceMeshPrimitiveFactory
        initialize
        initialize_with_set_hint
        initialize_with_set_hint_and_rendering_method
        supported
        supported_with_default_rendering_method
IAgStkGraphicsTerrainOverlayInitializer
        Supported
TerrainOverlayInitializer
        supported
IAgStkGraphicsTextBatchPrimitiveFactory
        InitializeWithGraphicsFont
        InitializeWithGraphicsFontAndSetHint
        InitializeWithGraphicsFontAndSetHint2d
TextBatchPrimitiveFactory
        initialize_with_graphics_font
        initialize_with_graphics_font_and_set_hint
        initialize_with_graphics_font_and_set_hint_2d
IAgStkGraphicsTextBatchPrimitiveOptionalParametersFactory
        Initialize
TextBatchPrimitiveOptionalParametersFactory
        initialize
IAgStkGraphicsTextOverlayFactory
        Initialize
        InitializeWithXYWidthHeight
        InitializeWithPositionSize
        InitializeWithWidthHeightUnits
TextOverlayFactory
        initialize
        initialize_with_xy_width_height
        initialize_with_position_size
        initialize_with_width_height_units
IAgStkGraphicsTextureMatrixFactory
        Initialize
        InitializeByValues
        InitializeWithAffineTransform
        InitializeWithRectangles
TextureMatrixFactory
        initialize
        initialize_by_values
        initialize_with_affine_transform
        initialize_with_rectangles
IAgStkGraphicsTextureScreenOverlayFactory
        Initialize
        InitializeWithXYWidthHeight
        InitializeWithPositionSize
        InitializeWithXYTexture
        InitializeWithPositionTexture
TextureScreenOverlayFactory
        initialize
        initialize_with_xy_width_height
        initialize_with_position_size
        initialize_with_xy_texture
        initialize_with_position_texture
IAgStkGraphicsTimeIntervalDisplayConditionFactory
        Initialize
        InitializeWithTimes
        InitializeWithTimeInterval
TimeIntervalDisplayConditionFactory
        initialize
        initialize_with_times
        initialize_with_time_interval
IAgStkGraphicsTriangleMeshPrimitiveFactory
        Initialize
        InitializeWithSetHint
TriangleMeshPrimitiveFactory
        initialize
        initialize_with_set_hint
IAgStkGraphicsTriangleMeshPrimitiveOptionalParametersFactory
        Initialize
TriangleMeshPrimitiveOptionalParametersFactory
        initialize
IAgStkGraphicsVectorPrimitiveFactory
        InitializeWithDirection
VectorPrimitiveFactory
        initialize_with_direction
AgEShiftValues
        eShiftPressed
        eCtrlPressed
        eAltPressed
ShiftValues
        PRESSED
        CTRL_PRESSED
        ALT_PRESSED
AgEButtonValues
        eLeftPressed
        eRightPressed
        eMiddlePressed
ButtonValues
        LEFT_PRESSED
        RIGHT_PRESSED
        MIDDLE_PRESSED
AgEOLEDropMode
        eNone
        eManual
        eAutomatic
OLEDropMode
        NONE
        MANUAL
        AUTOMATIC
AgEMouseMode
        eMouseModeAutomatic
        eMouseModeManual
MouseMode
        AUTOMATIC
        MANUAL
AgELoggingMode
        eLogInactive
        eLogActive
        eLogActiveKeepFile
LoggingMode
        INACTIVE
        ACTIVE
        ACTIVE_KEEP_FILE
AgEGfxAnalysisMode
        eSolarPanelTool
        eAreaTool
        eObscurationTool
        eAzElMaskTool
Graphics2DAnalysisMode
        SOLAR_PANEL_TOOL
        AREA_TOOL
        OBSCURATION_TOOL
        AZ_EL_MASK_TOOL
AgEGfxDrawCoords
        ePixelDrawCoords
        eScreenDrawCoords
Graphics2DDrawCoordinates
        PIXEL_DRAW_COORDINATES
        SCREEN_DRAW_COORDINATES
AgEShowProgressImage
        eShowProgressImageNone
        eShowProgressImageDefault
        eShowProgressImageUser
ShowProgressImage
        NONE
        DEFAULT
        USER
AgEFeatureCodes
        eFeatureCodeEngineRuntime
        eFeatureCodeGlobeControl
FeatureCodes
        ENGINE_RUNTIME
        GLOBE_CONTROL
AgEProgressImageXOrigin
        eProgressImageXLeft
        eProgressImageXRight
        eProgressImageXCenter
ProgressImageXOrigin
        LEFT
        RIGHT
        CENTER
AgEProgressImageYOrigin
        eProgressImageYTop
        eProgressImageYBottom
        eProgressImageYCenter
ProgressImageYOrigin
        TOP
        BOTTOM
        CENTER
AgUiAxVOCntrl Graphics3DControlBase
AgUiAx2DCntrl Graphics2DControlBase
AgPickInfoData PickInfoData
AgSTKXApplication STKXApplication
AgSTKXApplicationPartnerAccess STKXApplicationPartnerAccess
AgDataObject DataObject
AgDataObjectFiles DataObjectFiles
AgRubberBandPickInfoData RubberBandPickInfoData
AgObjPathCollection ObjectPathCollection
AgDrawElemRect DrawElementRect
AgDrawElemCollection DrawElementCollection
AgDraw2DElemRect Draw2DElemRect
AgDraw2DElemCollection Draw2DElemCollection
AgUiAxGfxAnalysisCntrl GraphicsAnalysisControlBase
AgWinProjPos WindowProjectionPosition
AgDrawElemLine DrawElementLine
AgSTKXSSLCertificateErrorEventArgs STKXSSLCertificateErrorEventArgs
AgSTKXConControlQuitReceivedEventArgs STKXConControlQuitReceivedEventArgs
IAgSTKXSSLCertificateErrorEventArgs
        SetIgnoreError
        IsErrorIgnored
        SetIgnoreErrorPermanently
        SerialNumber
        Issuer
        Subject
        ValidDate
        ExpirationDate
        IsExpired
        PEMData
        Handled
STKXSSLCertificateErrorEventArgs
        set_ignore_error
        is_error_ignored
        set_ignore_error_permanently
        serial_number
        issuer
        subject
        valid_date
        expiration_date
        is_expired
        pem_data
        handled
IAgSTKXConControlQuitReceivedEventArgs
        Acknowledge
STKXConControlQuitReceivedEventArgs
        acknowledge
IAgPickInfoData
        ObjPath
        Lat
        Lon
        Alt
        IsObjPathValid
        IsLatLonAltValid
PickInfoData
        object_path
        latitude
        longitude
        altitude
        is_object_path_valid
        is_lat_lon_altitude_valid
IAgRubberBandPickInfoData
        ObjPaths
RubberBandPickInfoData
        object_paths
IAgSTKXApplication
        UseHook
        ExecuteCommand
        EnableConnect
        ConnectPort
        HostID
        RegistrationID
        Version
        GetLicensingReport
        VendorID
        SetOnlineOptions
        GetOnlineOptions
        SetConnectHandler
        LogFileFullName
        LoggingMode
        ConnectMaxConnections
        ExecuteMultipleCommands
        IsFeatureAvailable
        NoGraphics
        Terminate
        ShowSLAIfNotAccepted
        UseSoftwareRenderer
        Subscribe
STKXApplication
        use_hook
        execute_command
        enable_connect
        connect_port
        host_id
        registration_id
        version
        get_licensing_report
        vendor_id
        set_online_options
        get_online_options
        set_connect_handler
        log_file_full_name
        logging_mode
        connect_max_connections
        execute_multiple_commands
        is_feature_available
        no_graphics
        terminate
        show_sla_if_not_accepted
        use_software_renderer
        subscribe
IAgDataObject
        Files
DataObject
        files
IAgObjPathCollection
        Count
        Item
        Range
ObjectPathCollection
        count
        item
        range
IAgDrawElem
        Visible
IDrawElement
        visible
IAgDrawElemRect
        Left
        Right
        Top
        Bottom
        Set
        Color
        LineWidth
        LineStyle
IDrawElementRect
        left
        right
        top
        bottom
        set
        color
        line_width
        line_style
IAgDrawElemCollection
        Count
        Item
        Clear
        Add
        Remove
        Visible
IDrawElementCollection
        count
        item
        clear
        add
        remove
        visible
IAgWinProjPos
        XPos
        YPos
        IsWinProjPosValid
WindowProjectionPosition
        x_position
        y_position
        is_window_projection_position_valid
IAgDrawElemLine
        Left
        Right
        Top
        Bottom
        Set
        Color
        LineWidth
        LineStyle
DrawElementLine
        left
        right
        top
        bottom
        set
        color
        line_width
        line_style
IAgUiAxVOCntrl
        BackColor
        Picture
        PicturePutRef
        PickInfo
        WinID
        Application
        ZoomIn
        NoLogo
        OLEDropMode
        VendorID
        RubberBandPickInfo
        MouseMode
        DrawElements
        ReadyState
        PptPreloadMode
        AdvancedPickMode
        CopyFromWinID
        StartObjectEditing
        ApplyObjectEditing
        StopObjectEditing
        IsObjectEditing
        InZoomMode
        SetMouseCursorFromFile
        RestoreMouseCursor
        SetMouseCursorFromHandle
        ShowProgressImage
        ProgressImageXOffset
        ProgressImageYOffset
        ProgressImageFile
        ProgressImageXOrigin
        ProgressImageYOrigin
        PictureFromFile
        Subscribe
Graphics3DControlBase
        back_color
        picture
        picture_put_reference
        pick_info
        window_id
        application
        zoom_in
        no_logo
        ole_drop_mode
        vendor_id
        rubber_band_pick_info
        mouse_mode
        draw_elements
        ready_state
        ppt_preload_mode
        advanced_pick_mode
        copy_from_window_id
        start_object_editing
        apply_object_editing
        stop_object_editing
        is_object_editing
        in_zoom_mode
        set_mouse_cursor_from_file
        restore_mouse_cursor
        set_mouse_cursor_from_handle
        show_progress_image
        progress_image_x_offset
        progress_image_y_offset
        progress_image_file
        progress_image_x_origin
        progress_image_y_origin
        picture_from_file
        subscribe
IAgUiAx2DCntrl
        BackColor
        Picture
        PicturePutRef
        WinID
        ZoomIn
        ZoomOut
        PickInfo
        Application
        NoLogo
        OLEDropMode
        VendorID
        MouseMode
        ReadyState
        CopyFromWinID
        RubberBandPickInfo
        AdvancedPickMode
        GetWindowProjectedPosition
        InZoomMode
        SetMouseCursorFromFile
        RestoreMouseCursor
        SetMouseCursorFromHandle
        ShowProgressImage
        ProgressImageXOffset
        ProgressImageYOffset
        ProgressImageFile
        ProgressImageXOrigin
        ProgressImageYOrigin
        PictureFromFile
        PanModeEnabled
        Subscribe
Graphics2DControlBase
        back_color
        picture
        picture_put_reference
        window_id
        zoom_in
        zoom_out
        pick_info
        application
        no_logo
        ole_drop_mode
        vendor_id
        mouse_mode
        ready_state
        copy_from_window_id
        rubber_band_pick_info
        advanced_pick_mode
        get_window_projected_position
        in_zoom_mode
        set_mouse_cursor_from_file
        restore_mouse_cursor
        set_mouse_cursor_from_handle
        show_progress_image
        progress_image_x_offset
        progress_image_y_offset
        progress_image_file
        progress_image_x_origin
        progress_image_y_origin
        picture_from_file
        pan_mode_enabled
        subscribe
IAgSTKXApplicationPartnerAccess
        GrantPartnerAccess
STKXApplicationPartnerAccess
        grant_partner_access
IAgDataObjectFiles
        Item
        Count
DataObjectFiles
        item
        count
IAgUiAxGfxAnalysisCntrl
        BackColor
        Picture
        PicturePutRef
        NoLogo
        VendorID
        ReadyState
        Application
        ControlMode
        PictureFromFile
        WinID
GraphicsAnalysisControlBase
        back_color
        picture
        picture_put_reference
        no_logo
        vendor_id
        ready_state
        application
        control_mode
        picture_from_file
        window_id
AgEWindowService
        eWindowService2DWindow
        eWindowService3DWindow
WindowServiceType
        WINDOW_2D
        WINDOW_3D
AgEWindowState ApplicationWindowState
AgEArrangeStyle
        eArrangeStyleCascade
        eArrangeStyleTiledHorizontal
        eArrangeStyleTiledVertical
WindowArrangeStyle
        CASCADE
        TILED_HORIZONTAL
        TILED_VERTICAL
AgEDockStyle
        eDockStyleIntegrated
        eDockStyleDockedLeft
        eDockStyleDockedRight
        eDockStyleDockedTop
        eDockStyleDockedBottom
        eDockStyleFloating
WindowDockStyle
        INTEGRATED
        DOCKED_LEFT
        DOCKED_RIGHT
        DOCKED_TOP
        DOCKED_BOTTOM
        FLOATING
AgEFloatState
        eFloatStateFloated
        eFloatStateDocked
WindowArrangeState
        FLOATED
        DOCKED
AgUiWindowsCollection WindowsCollection
AgUiWindow Window
AgUiToolbar Toolbar
AgUiToolbarCollection ToolbarCollection
AgUiWindowMapObject WindowMapObject
AgUiWindowGlobeObject WindowGlobeObject
IAgUiToolbar
        ID
        Caption
        Visible
        FloatState
Toolbar
        identifier
        caption
        visible
        float_state
IAgUiToolbarCollection
        Item
        Count
        GetToolbarByID
        GetItemByIndex
        GetItemByName
ToolbarCollection
        item
        count
        get_toolbar_by_id
        get_item_by_index
        get_item_by_name
IAgUiWindow
        Caption
        Activate
        WindowState
        Close
        Height
        Width
        Left
        Top
        DockStyle
        NoWBClose
        UnPinned
        SupportsPinning
        Toolbars
        GetServiceByName
        GetServiceByType
Window
        caption
        activate
        window_state
        close
        height
        width
        left
        top
        dock_style
        no_workbook_close
        unpinned
        can_pin
        toolbars
        get_service_by_name
        get_service_by_type
IAgUiWindowsCollection
        Item
        Count
        Arrange
        Add
        GetItemByIndex
        GetItemByName
WindowsCollection
        item
        count
        arrange
        add
        get_item_by_index
        get_item_by_name
IAgUiWindowMapObject
        MapID
WindowMapObject
        map_id
IAgUiWindowGlobeObject
        SceneID
WindowGlobeObject
        scene_id
AsyncioTimerManager
        Terminate
AsyncioTimerManager
        terminate
STKRuntimeApplication
        NewObjectRoot
        NewObjectModelContext
        SetGrpcOptions
        NewGrpcCallBatcher
        ShutDown
STKRuntimeApplication
        new_object_root
        new_object_model_context
        set_grpc_options
        new_grpc_call_batcher
        shutdown
STKRuntime
        StartApplication
        AttachToApplication
STKRuntime
        start_application
        attach_to_application
AgECrdnCalcScalarType
        eCrdnCalcScalarTypeUnknown
        eCrdnCalcScalarTypeAngle
        eCrdnCalcScalarTypeFixedAtTimeInstant
        eCrdnCalcScalarTypeConstant
        eCrdnCalcScalarTypeDataElement
        eCrdnCalcScalarTypeDerivative
        eCrdnCalcScalarTypeElapsedTime
        eCrdnCalcScalarTypeFile
        eCrdnCalcScalarTypeFunction
        eCrdnCalcScalarTypeIntegral
        eCrdnCalcScalarTypeFunction2Var
        eCrdnCalcScalarTypeVectorMagnitude
        eCrdnCalcScalarTypePlugin
        eCrdnCalcScalarTypeCustomScript
        eCrdnCalcScalarTypeSurfaceDistanceBetweenPoints
        eCrdnCalcScalarTypeDotProduct
        eCrdnCalcScalarTypeVectorComponent
        eCrdnCalcScalarTypeAverage
        eCrdnCalcScalarTypeStandardDeviation
        eCrdnCalcScalarTypePointInVolumeCalc
        eCrdnCalcScalarTypeCustomInlineScript
CalculationScalarType
        UNKNOWN
        ANGLE
        FIXED_AT_TIME_INSTANT
        CONSTANT
        DATA_ELEMENT
        DERIVATIVE
        ELAPSED_TIME
        FILE
        FUNCTION
        INTEGRAL
        FUNCTION_OF_2_VARIABLES
        VECTOR_MAGNITUDE
        PLUGIN
        CUSTOM_SCRIPT
        SURFACE_DISTANCE_BETWEEN_POINTS
        DOT_PRODUCT
        VECTOR_COMPONENT
        AVERAGE
        STANDARD_DEVIATION
        CALCULATION_ALONG_TRAJECTORY
        CUSTOM_INLINE_SCRIPT
AgECrdnConditionCombinedOperationType
        eCrdnConditionCombinedOperationTypeAND
        eCrdnConditionCombinedOperationTypeOR
        eCrdnConditionCombinedOperationTypeXOR
        eCrdnConditionCombinedOperationTypeMINUS
ConditionCombinedOperationType
        AND
        OR
        XOR
        MINUS
AgECrdnConditionSetType
        eCrdnConditionSetTypeUnknown
        eCrdnConditionSetTypeScalarThresholds
ConditionSetType
        UNKNOWN
        SCALAR_THRESHOLDS
AgECrdnConditionThresholdOption
        eCrdnConditionThresholdOptionAboveMin
        eCrdnConditionThresholdOptionBelowMax
        eCrdnConditionThresholdOptionInsideMinMax
        eCrdnConditionThresholdOptionOutsideMinMax
ConditionThresholdType
        ABOVE_MINIMUM
        BELOW_MAXIMUM
        BETWEEN_MINIMUM_AND_MAXIMUM
        NOT_BETWEEN_MINIMUM_AND_MAXIMUM
AgECrdnConditionType
        eCrdnConditionTypeUnknown
        eCrdnConditionTypeScalarBounds
        eCrdnConditionTypeCombined
        eCrdnConditionTypePointInVolume
ConditionType
        UNKNOWN
        SCALAR_BOUNDS
        COMBINED
        TRAJECTORY_WITHIN_VOLUME
AgECrdnDimensionInheritance
        eCrdnDimensionInheritanceNone
        eCrdnDimensionInheritanceFromX
        eCrdnDimensionInheritanceFromY
InheritDimensionType
        NONE
        FROM_X
        FROM_Y
AgECrdnEventArrayFilterType
        eCrdnEventArrayFilterTypeSkipTimeStep
        eCrdnEventArrayFilterTypeSkipCount
        eCrdnEventArrayFilterTypeIntervals
EventArrayFilterType
        SKIP_TIME_STEP
        SKIP_COUNT
        INTERVALS
AgECrdnEventArrayType
        eCrdnEventArrayTypeUnknown
        eCrdnEventArrayTypeExtrema
        eCrdnEventArrayTypeStartStopTimes
        eCrdnEventArrayTypeMerged
        eCrdnEventArrayTypeFiltered
        eCrdnEventArrayTypeFixedStep
        eCrdnEventArrayTypeConditionCrossings
        eCrdnEventArrayTypeSignaled
        eCrdnEventArrayTypeFixedTimes
EventArrayType
        UNKNOWN
        EXTREMA
        START_STOP_TIMES
        MERGED
        FILTERED
        FIXED_STEP
        CONDITION_CROSSINGS
        SIGNALED
        FIXED_TIMES
AgECrdnEventIntervalCollectionType
        eCrdnEventIntervalCollectionTypeUnknown
        eCrdnEventIntervalCollectionTypeLighting
        eCrdnEventIntervalCollectionTypeSignaled
        eCrdnEventIntervalCollectionTypeCondition
EventIntervalCollectionType
        UNKNOWN
        LIGHTING
        SIGNALED
        CONDITION
AgECrdnEventIntervalListType
        eCrdnEventIntervalListTypeUnknown
        eCrdnEventIntervalListTypeMerged
        eCrdnEventIntervalListTypeFiltered
        eCrdnEventIntervalListTypeCondition
        eCrdnEventIntervalListTypeScaled
        eCrdnEventIntervalListTypeSignaled
        eCrdnEventIntervalListTypeTimeOffset
        eCrdnEventIntervalListTypeFile
        eCrdnEventIntervalListTypeFixed
EventIntervalListType
        UNKNOWN
        MERGED
        FILTERED
        CONDITION
        SCALED
        SIGNALED
        TIME_OFFSET
        FILE
        FIXED
AgECrdnEventIntervalType
        eCrdnEventIntervalTypeUnknown
        eCrdnEventIntervalTypeFixed
        eCrdnEventIntervalTypeFixedDuration
        eCrdnEventIntervalTypeBetweenTimeInstants
        eCrdnEventIntervalTypeFromIntervalList
        eCrdnEventIntervalTypeScaled
        eCrdnEventIntervalTypeSignaled
        eCrdnEventIntervalTypeTimeOffset
        eCrdnEventIntervalTypeSmartInterval
EventIntervalType
        UNKNOWN
        FIXED
        FIXED_DURATION
        BETWEEN_TIME_INSTANTS
        FROM_INTERVAL_LIST
        SCALED
        SIGNALED
        TIME_OFFSET
        SMART_INTERVAL
AgECrdnEventListMergeOperation
        eCrdnEventListMergeOperationAND
        eCrdnEventListMergeOperationOR
        eCrdnEventListMergeOperationXOR
        eCrdnEventListMergeOperationMINUS
EventListMergeOperation
        AND
        OR
        XOR
        MINUS
AgECrdnEventType
        eCrdnEventTypeUnknown
        eCrdnEventTypeEpoch
        eCrdnEventTypeExtremum
        eCrdnEventTypeFromInterval
        eCrdnEventTypeSignaled
        eCrdnEventTypeTimeOffset
        eCrdnEventTypeSmartEpoch
TimeEventType
        UNKNOWN
        EPOCH
        EXTREMUM
        FROM_INTERVAL
        SIGNALED
        TIME_OFFSET
        SMART_EPOCH
AgECrdnExtremumConstants
        eCrdnExtremumMinimum
        eCrdnExtremumMaximum
ExtremumType
        MINIMUM
        MAXIMUM
AgECrdnFileInterpolatorType
        eCrdnFileInterpolatorInvalid
        eCrdnFileInterpolatorTypeLagrange
        eCrdnFileInterpolatorTypeHermite
        eCrdnFileInterpolatorTypeHoldPrevious
        eCrdnFileInterpolatorTypeHoldNext
        eCrdnFileInterpolatorTypeHoldNearest
FileInterpolatorType
        INVALID
        LAGRANGE
        HERMITE
        HOLD_PREVIOUS
        HOLD_NEXT
        HOLD_NEAREST
AgECrdnIntegralType
        eCrdnIntegralTypeFixedStepSimpson
        eCrdnIntegralTypeFixedStepTrapz
        eCrdnIntegralTypeAdaptiveStep
QuadratureType
        FIXED_STEP_SIMPSON
        FIXED_STEP_TRAPEZOID
        ADAPTIVE_STEP
AgECrdnIntegrationWindowType
        eCrdnIntegrationWindowTypeTotal
        eCrdnIntegrationWindowTypeCumulativeToCurrent
        eCrdnIntegrationWindowTypeCumulativeFromCurrent
        eCrdnIntegrationWindowTypeSlidingWindow
IntegrationWindowType
        TOTAL
        CUMULATIVE_TO_CURRENT
        CUMULATIVE_FROM_CURRENT
        SLIDING_WINDOW
AgECrdnInterpolatorType
        eCrdnInterpolatorInvalid
        eCrdnInterpolatorTypeLagrange
        eCrdnInterpolatorTypeHermite
InterpolationMethodType
        INVALID
        LAGRANGE
        HERMITE
AgECrdnIntervalDurationKind
        eCrdnIntervalDurationKindAtLeast
        eCrdnIntervalDurationKindAtMost
IntervalDurationType
        AT_LEAST
        AT_MOST
AgECrdnIntervalSelection
        eCrdnIntervalSelectionFromStart
        eCrdnIntervalSelectionFromEnd
        eCrdnIntervalSelectionMaxDuration
        eCrdnIntervalSelectionMinDuration
        eCrdnIntervalSelectionMaxGap
        eCrdnIntervalSelectionMinGap
        eCrdnIntervalSelectionSpan
IntervalFromIntervalListSelectionType
        FROM_START
        FROM_END
        MAXIMUM_DURATION
        MINIMUM_DURATION
        MAXIMUM_GAP
        MIN_GAP
        SPAN
AgECrdnParameterSetType
        eCrdnParameterSetTypeUnknown
        eCrdnParameterSetTypeAttitude
        eCrdnParameterSetTypeGroundTrajectory
        eCrdnParameterSetTypeTrajectory
        eCrdnParameterSetTypeOrbit
        eCrdnParameterSetTypeVector
ParameterSetType
        UNKNOWN
        ATTITUDE
        GROUND_TRAJECTORY
        TRAJECTORY
        ORBIT
        VECTOR
AgECrdnPruneFilter
        eCrdnPruneFilterUnknown
        eCrdnPruneFilterFirstIntervals
        eCrdnPruneFilterLastIntervals
        eCrdnPruneFilterIntervals
        eCrdnPruneFilterGaps
        eCrdnPruneFilterSatisfactionIntervals
        eCrdnPruneFilterRelativeSatisfactionIntervals
IntervalPruneFilterType
        UNKNOWN
        FIRST_INTERVALS
        LAST_INTERVALS
        INTERVALS
        GAPS
        SATISFACTION_INTERVALS
        RELATIVE_SATISFACTION_INTERVALS
AgECrdnSampledReferenceTime
        eCrdnSampledReferenceTimeReferenceEvent
        eCrdnSampledReferenceTimeStartOfEachInterval
        eCrdnSampledReferenceTimeStopOfEachInterval
        eCrdnSampledReferenceTimeStartOfIntervalList
        eCrdnSampledReferenceTimeStopOfIntervalList
SampleReferenceTimeType
        TIME_INSTANT
        START_OF_EACH_INTERVAL
        STOP_OF_EACH_INTERVAL
        START_OF_INTERVAL_LIST
        STOP_OF_INTERVAL_LIST
AgECrdnSamplingMethod
        eCrdnSamplingMethodUnknown
        eCrdnSamplingMethodFixedStep
        eCrdnSamplingMethodRelativeTolerance
        eCrdnSamplingMethodCurvatureTolerance
VectorGeometryToolSamplingMethod
        UNKNOWN
        FIXED_STEP
        RELATIVE_TOLERANCE
        CURVATURE_TOLERANCE
AgECrdnSatisfactionCrossing
        eCrdnSatisfactionCrossingNone
        eCrdnSatisfactionCrossingIn
        eCrdnSatisfactionCrossingOut
SatisfactionCrossing
        NONE
        IN
        OUT
AgECrdnSaveDataOption
        eCrdnSaveDataOptionApplicationSettings
        eCrdnSaveDataOptionYes
        eCrdnSaveDataOptionNo
SaveDataType
        APPLICATION_SETTINGS
        YES
        NO
AgECrdnSignalPathReferenceSystem
        eCrdnSignalPathReferenceSystemUseAccessDefault
        eCrdnSignalPathReferenceSystemCentralBodyInertial
        eCrdnSignalPathReferenceSystemSolarSystemBarycenter
        eCrdnSignalPathReferenceSystemCustom
SignalPathReferenceSystem
        USE_ACCESS_DEFAULT
        CENTRAL_BODY_INERTIAL
        SOLAR_SYSTEM_BARYCENTER
        CUSTOM
AgECrdnSmartEpochState
        eCrdnSmartEpochStateExplicit
        eCrdnSmartEpochStateImplicit
SmartEpochState
        EXPLICIT
        IMPLICIT
AgECrdnSmartIntervalState
        eCrdnSmartIntervalStateExplicit
        eCrdnSmartIntervalStateImplicit
        eCrdnSmartIntervalStateStartStop
        eCrdnSmartIntervalStateStartDuration
        eCrdnSmartIntervalStateExplicitDuration
SmartIntervalState
        EXPLICIT
        IMPLICIT
        START_STOP
        START_DURATION
        EXPLICIT_DURATION
AgECrdnSpeedOptions
        eCrdnLightTransmissionSpeed
        eCrdnCustomTransmissionSpeed
SpeedType
        LIGHT_TRANSMISSION_SPEED
        CUSTOM_TRANSMISSION_SPEED
AgECrdnStartStopOption
        eCrdnStartStopOptionCountStartOnly
        eCrdnStartStopOptionCountStopOnly
        eCrdnStartStopOptionCountStartStop
StartStopType
        COUNT_START_ONLY
        COUNT_STOP_ONLY
        COUNT_START_STOP
AgECrdnThreshConvergeSense
        eCrdnThreshConvergeSenseSimple
        eCrdnThreshConvergeSenseAbove
        eCrdnThreshConvergeSenseBelow
ThresholdConvergenceSenseType
        SIMPLE
        ABOVE
        BELOW
AgECrdnVectorComponentType
        eCrdnVectorComponentX
        eCrdnVectorComponentY
        eCrdnVectorComponentZ
        eCrdnVectorComponentMinusX
        eCrdnVectorComponentMinusY
        eCrdnVectorComponentMinusZ
VectorComponentType
        X
        Y
        Z
        NEGATIVE_X
        NEGATIVE_Y
        NEGATIVE_Z
AgECrdnVolumeCalcAltitudeReferenceType
        eCrdnVolumeCalcAltitudeReferenceEllipsoid
        eCrdnVolumeCalcAltitudeReferenceTerrain
        eCrdnVolumeCalcAltitudeReferenceMSL
SpatialCalculationAltitudeReferenceType
        ELLIPSOID
        TERRAIN
        MSL
AgECrdnVolumeCalcAngleOffVectorType
        eCrdnVolumeCalcAngleOffPlaneSigned
        eCrdnVolumeCalcAngleOffPlaneUnsigned
        eCrdnVolumeCalcAngleAboutVectorSigned
        eCrdnVolumeCalcAngleAboutVectorUnsigned
        eCrdnVolumeCalcAngleOffVector
AngleToLocationType
        FROM_PLANE_SIGNED
        FROM_PLANE_UNSIGNED
        ABOUT_VECTOR_SIGNED
        ABOUT_VECTOR_UNSIGNED
        FROM_REFERENCE_VECTOR
AgECrdnVolumeCalcRangeDistanceType
        eCrdnVolumeCalcRangeDistanceFromPoint
        eCrdnVolumeCalcRangeDistanceAlongVectorSigned
        eCrdnVolumeCalcRangeDistanceAlongVectorUnsigned
        eCrdnVolumeCalcRangeDistancePlaneSigned
        eCrdnVolumeCalcRangeDistancePlaneUnsigned
DistanceToLocationType
        FROM_POINT
        ALONG_VECTOR_SIGNED
        ALONG_VECTOR_UNSIGNED
        FROM_PLANE_SIGNED
        FROM_PLANE_UNSIGNED
AgECrdnVolumeCalcRangeSpeedType
        eCrdnVolumeCalcRangeSpeedLight
        eCrdnVolumeCalcRangeSpeedCustom
RangeSpeedType
        LIGHT_SPEED
        CUSTOM
AgECrdnVolumeCalcType
        eCrdnVolumeCalcTypeUnknown
        eCrdnVolumeCalcTypeAltitude
        eCrdnVolumeCalcTypeAngleOffVector
        eCrdnVolumeCalcTypeFile
        eCrdnVolumeCalcTypeFromScalar
        eCrdnVolumeCalcTypeSolarIntensity
        eCrdnVolumeCalcTypeVolumeSatisfactionMetric
        eCrdnVolumeCalcTypeRange
        eCrdnVolumeCalcTypeDelayRange
SpatialCalculationType
        UNKNOWN
        ALTITUDE_AT_LOCATION
        ANGLE_TO_LOCATION
        FILE
        FROM_CALCULATION_SCALAR
        SOLAR_INTENSITY
        SPATIAL_CONDITION_METRIC
        RANGE
        PROPAGATION_DELAY_TO_LOCATION
AgECrdnVolumeCalcVolumeSatisfactionAccumulationType
        eCrdnVolumeCalcVolumeSatisfactionAccumulationUpToCurrentTime
        eCrdnVolumeCalcVolumeSatisfactionAccumulationCurrentTime
        eCrdnVolumeCalcVolumeSatisfactionAccumulationFromCurrentTime
        eCrdnVolumeCalcVolumeSatisfactionAccumulationTotal
VolumeSatisfactionAccumulationType
        UP_TO_CURRENT_TIME
        CURRENT_TIME
        FROM_CURRENT_TIME
        TOTAL
AgECrdnVolumeCalcVolumeSatisfactionDurationType
        eCrdnVolumeCalcVolumeSatisfactionDurationMin
        eCrdnVolumeCalcVolumeSatisfactionDurationSum
        eCrdnVolumeCalcVolumeSatisfactionDurationMax
VolumeSatisfactionDurationType
        MINIMUM
        SUM
        MAXIMUM
AgECrdnVolumeCalcVolumeSatisfactionFilterType
        eCrdnVolumeCalcVolumeSatisfactionFilterFirstIntervals
        eCrdnVolumeCalcVolumeSatisfactionFilterLastIntervals
        eCrdnVolumeCalcVolumeSatisfactionFilterNone
        eCrdnVolumeCalcVolumeSatisfactionFilterGapDuration
        eCrdnVolumeCalcVolumeSatisfactionFilterIntervalDuration
VolumeSatisfactionFilterType
        FIRST_INTERVALS
        LAST_INTERVALS
        NONE
        GAP_DURATION
        INTERVAL_DURATION
AgECrdnVolumeCalcVolumeSatisfactionMetricType
        eCrdnVolumeCalcVolumeSatisfactionMetricNumberOfGaps
        eCrdnVolumeCalcVolumeSatisfactionMetricNumberOfIntervals
        eCrdnVolumeCalcVolumeSatisfactionMetricTimeSinceLastSatisfaction
        eCrdnVolumeCalcVolumeSatisfactionMetricTimeUntilNextSatisfaction
        eCrdnVolumeCalcVolumeSatisfactionMetricIntervalDuration
        eCrdnVolumeCalcVolumeSatisfactionMetricGapDuration
VolumeSatisfactionMetricType
        NUMBER_OF_GAPS
        NUMBER_OF_INTERVALS
        TIME_SINCE_LAST_SATISFACTION
        TIME_UNTIL_NEXT_SATISFACTION
        INTERVAL_DURATION
        GAP_DURATION
AgECrdnVolumeGridType
        eCrdnVolumeGridTypeUnknown
        eCrdnVolumeGridTypeCartesian
        eCrdnVolumeGridTypeCylindrical
        eCrdnVolumeGridTypeSpherical
        eCrdnVolumeGridTypeConstrained
        eCrdnVolumeGridTypeLatLonAlt
        eCrdnVolumeGridTypeBearingAlt
VolumeGridType
        UNKNOWN
        CARTESIAN
        CYLINDRICAL
        SPHERICAL
        CONSTRAINED
        LATITUDE_LONGITUDE_ALTITUDE
        BEARING_ALTITUDE
AgECrdnVolumeResultVectorRequest
        eCrdnVolumeResultVectorRequestPos
        eCrdnVolumeResultVectorRequestNativePos
        eCrdnVolumeResultVectorRequestMetric
        eCrdnVolumeResultVectorRequestSatisfaction
        eCrdnVolumeResultVectorRequestGradient
ResultVectorRequestType
        POSITION
        NATIVE_POSITION
        METRIC
        SATISFACTION
        GRADIENT
AgECrdnVolumeType
        eCrdnVolumeTypeUnknown
        eCrdnVolumeTypeCombined
        eCrdnVolumeTypeLighting
        eCrdnVolumeTypeOverTime
        eCrdnVolumeTypeFromGrid
        eCrdnVolumeTypeFromCalc
        eCrdnVolumeTypeFromTimeSatisfaction
        eCrdnVolumeTypeFromCondition
        eCrdnVolumeTypeInview
VolumeType
        UNKNOWN
        COMBINED
        LIGHTING
        OVER_TIME
        GRID_BOUNDING_VOLUME
        SPATIAL_CALCULATION_BOUNDS
        VALID_TIME_AT_LOCATION
        CONDITION_AT_LOCATION
        ACCESS_TO_LOCATION
AgECrdnVolumeAberrationType
        eCrdnVolumeAberrationUnknown
        eCrdnVolumeAberrationTotal
        eCrdnVolumeAberrationAnnual
        eCrdnVolumeAberrationNone
AberrationModelType
        UNKNOWN
        TOTAL
        ANNUAL
        NONE
AgECrdnVolumeClockHostType
        eCrdnVolumeClockHostUnknown
        eCrdnVolumeClockHostBase
        eCrdnVolumeClockHostTarget
ClockHostType
        UNKNOWN
        BASE
        TARGET
AgECrdnVolumeCombinedOperationType
        eCrdnVolumeCombinedOperationTypeAND
        eCrdnVolumeCombinedOperationTypeOR
        eCrdnVolumeCombinedOperationTypeXOR
        eCrdnVolumeCombinedOperationTypeMINUS
VolumeCombinedOperationType
        AND
        OR
        XOR
        MINUS
AgECrdnVolumeFromGridEdgeType
        eCrdnVolumeFromGridEdgeTypeMaskPoints
        eCrdnVolumeFromGridEdgeTypeMaskVoxels
VolumeFromGridEdgeType
        MASK_POINTS
        MASK_VOXELS
AgECrdnVolumeLightingConditionsType
        eCrdnVolumeLightingConditionTypeUndefined
        eCrdnVolumeLightingConditionTypeSunlight
        eCrdnVolumeLightingConditionTypePenumbra
        eCrdnVolumeLightingConditionTypeUmbra
LightingConditionsType
        UNDEFINED
        SUNLIGHT
        PENUMBRA
        TYPE_UMBRA
AgECrdnVolumeOverTimeDurationType
        eCrdnVolumeOverTimeDurationTypeStatic
        eCrdnVolumeOverTimeDurationTypeCumulativeToCurrent
        eCrdnVolumeOverTimeDurationTypeCumulativeFromCurrent
        eCrdnVolumeOverTimeDurationTypeSlidingWindow
SpatialConditionOverTypeDurationType
        STATIC
        CUMULATIVE_TO_CURRENT_TIME
        CUMULATIVE_FROM_CURRENT_TIME
        SLIDING_WINDOW
AgECrdnVolumeTimeSenseType
        eCrdnVolumeTimeSenseUnknown
        eCrdnVolumeTimeSenseTransmit
        eCrdnVolumeTimeSenseReceive
TimeSenseType
        UNKNOWN
        TRANSMIT
        RECEIVE
AgECrdnVolumetricGridValuesMethodType
        eCrdnVolumetricGridValuesMethodMethodUnknown
        eCrdnVolumetricGridValuesMethodMethodFixedNumSteps
        eCrdnVolumetricGridValuesMethodMethodFixedStepSize
        eCrdnVolumetricGridValuesMethodMethodCustomValues
GridValuesMethodType
        UNKNOWN
        FIXED_NUMBER_OF_STEPS
        FIXED_STEP_SIZE
        CUSTOM_VALUES
AgECrdnSignalSense
        eCrdnSignalSenseReceive
        eCrdnSignalSenseTransmit
SignalDirectionType
        RECEIVE
        TRANSMIT
AgECrdnKind
        eCrdnKindUnknown
        eCrdnKindInvalid
        eCrdnKindAxes
        eCrdnKindAngle
        eCrdnKindVector
        eCrdnKindPoint
        eCrdnKindPlane
        eCrdnKindSystem
        eCrdnKindEvent
        eCrdnKindEventArray
        eCrdnKindEventInterval
        eCrdnKindEventIntervalCollection
        eCrdnKindEventIntervalList
        eCrdnKindParameterSet
        eCrdnKindCalcScalar
        eCrdnKindCondition
        eCrdnKindConditionSet
        eCrdnKindVolumeGrid
        eCrdnKindVolume
        eCrdnKindVolumeCalc
VectorGeometryToolComponentType
        UNKNOWN
        INVALID
        AXES
        ANGLE
        VECTOR
        POINT
        PLANE
        SYSTEM
        TIME_INSTANT
        TIME_ARRAY
        TIME_INTERVAL
        TIME_INTERVAL_COLLECTION
        TIME_INTERVAL_LIST
        PARAMETER_SET
        CALCULATION_SCALAR
        CONDITION
        CONDITION_SET
        SPATIAL_VOLUME_GRID
        VOLUME
        SPATIAL_CALCULATION
AgECrdnAngleType
        eCrdnAngleTypeUnknown
        eCrdnAngleTypeBetweenVectors
        eCrdnAngleTypeBetweenPlanes
        eCrdnAngleTypeDihedralAngle
        eCrdnAngleTypeRotation
        eCrdnAngleTypeToPlane
        eCrdnAngleTypeTemplate
AngleType
        UNKNOWN
        BETWEEN_VECTORS
        BETWEEN_PLANES
        DIHEDRAL_ANGLE
        ROTATION_ANGLE
        TO_PLANE
        TEMPLATE
AgECrdnAxesType
        eCrdnAxesTypeUnknown
        eCrdnAxesTypeLagrangeLibration
        eCrdnAxesTypeAngularOffset
        eCrdnAxesTypeFixedAtEpoch
        eCrdnAxesTypeBPlane
        eCrdnAxesTypeCustomScript
        eCrdnAxesTypeFixed
        eCrdnAxesTypeAlignedAndConstrained
        eCrdnAxesTypeModelAttachment
        eCrdnAxesTypeSpinning
        eCrdnAxesTypeOnSurface
        eCrdnAxesTypeTrajectory
        eCrdnAxesTypeTemplate
        eCrdnAxesTypeAtTimeInstant
        eCrdnAxesTypePlugin
        eCrdnAxesTypeFile
AxesType
        UNKNOWN
        LAGRANGE_LIBRATION
        ANGULAR_OFFSET
        FIXED_AT_EPOCH
        B_PLANE
        CUSTOM_SCRIPT
        FIXED
        ALIGNED_AND_CONSTRAINED
        MODEL_ATTACHMENT
        SPINNING
        ON_SURFACE
        TRAJECTORY
        TEMPLATE
        AT_TIME_INSTANT
        PLUGIN
        FILE
AgECrdnPlaneType
        eCrdnPlaneTypeUnknown
        eCrdnPlaneTypeNormal
        eCrdnPlaneTypeQuadrant
        eCrdnPlaneTypeTrajectory
        eCrdnPlaneTypeTriad
        eCrdnPlaneTypeTemplate
        eCrdnPlaneTypeTwoVector
PlaneType
        UNKNOWN
        NORMAL
        QUADRANT
        TRAJECTORY
        TRIAD
        TEMPLATE
        TWO_VECTOR
AgECrdnPointType
        eCrdnPointTypeUnknown
        eCrdnPointTypeBPlane
        eCrdnPointTypeGrazing
        eCrdnPointTypeCovarianceGrazing
        eCrdnPointTypeFixedInSystem
        eCrdnPointTypeGlint
        eCrdnPointTypePlaneIntersection
        eCrdnPointTypeModelAttachment
        eCrdnPointTypePlaneProjection
        eCrdnPointTypeOnSurface
        eCrdnPointTypeLagrangeLibration
        eCrdnPointTypeTemplate
        eCrdnPointTypeCentralBodyIntersect
        eCrdnPointTypeAtTimeInstant
        eCrdnPointTypePlugin
        eCrdnPointTypeFile
        eCrdnPointTypeFixedOnCentralBody
        eCrdnPointTypeSatelliteCollectionEntry
PointType
        UNKNOWN
        B_PLANE
        GRAZING
        COVARIANCE_GRAZING
        FIXED_IN_SYSTEM
        GLINT
        PLANE_INTERSECTION
        MODEL_ATTACHMENT
        PLANE_PROJECTION
        ON_SURFACE
        LAGRANGE_LIBRATION
        TEMPLATE
        CENTRAL_BODY_INTERSECTION
        AT_TIME_INSTANT
        PLUGIN
        FILE
        FIXED_ON_CENTRAL_BODY
        SATELLITE_COLLECTION_ENTRY
AgECrdnSystemType
        eCrdnSystemTypeUnknown
        eCrdnSystemTypeAssembled
        eCrdnSystemTypeOnSurface
        eCrdnSystemTypeTemplate
SystemType
        UNKNOWN
        ASSEMBLED
        ON_SURFACE
        TEMPLATE
AgECrdnVectorType
        eCrdnVectorTypeUnknown
        eCrdnVectorTypeDisplacement
        eCrdnVectorTypeApoapsis
        eCrdnVectorTypeFixedAtEpoch
        eCrdnVectorTypeAngularVelocity
        eCrdnVectorTypeConing
        eCrdnVectorTypeCrossProduct
        eCrdnVectorTypeCustomScript
        eCrdnVectorTypeDerivative
        eCrdnVectorTypeAngleRate
        eCrdnVectorTypeEccentricity
        eCrdnVectorTypeFixedInAxes
        eCrdnVectorTypeTwoPlanesIntersection
        eCrdnVectorTypeLineOfNodes
        eCrdnVectorTypeModelAttachment
        eCrdnVectorTypeOrbitAngularMomentum
        eCrdnVectorTypeOrbitNormal
        eCrdnVectorTypePeriapsis
        eCrdnVectorTypeProjection
        eCrdnVectorTypeReflection
        eCrdnVectorTypeScaled
        eCrdnVectorTypeDirectionToStar
        eCrdnVectorTypeTemplate
        eCrdnVectorTypeAtTimeInstant
        eCrdnVectorTypeLinearCombination
        eCrdnVectorTypeProjectAlong
        eCrdnVectorTypeScalarLinearCombination
        eCrdnVectorTypeScalarScaled
        eCrdnVectorTypeVelocity
        eCrdnVectorTypePlugin
        eCrdnVectorTypeRotationVector
        eCrdnVectorTypeDisplacementOnSurface
        eCrdnVectorTypeFile
VectorType
        UNKNOWN
        DISPLACEMENT
        APOAPSIS
        FIXED_AT_EPOCH
        ANGULAR_VELOCITY
        CONING
        CROSS_PRODUCT
        CUSTOM_SCRIPT
        DERIVATIVE
        ANGLE_RATE
        ECCENTRICITY
        FIXED_IN_AXES
        TWO_PLANES_INTERSECTION
        LINE_OF_NODES
        MODEL_ATTACHMENT
        ORBIT_ANGULAR_MOMENTUM
        ORBIT_NORMAL
        PERIAPSIS
        PROJECTION
        REFLECTION
        SCALED
        DIRECTION_TO_STAR
        TEMPLATE
        AT_TIME_INSTANT
        LINEAR_COMBINATION
        PROJECT_ALONG
        SCALAR_LINEAR_COMBINATION
        SCALAR_SCALED
        VELOCITY
        PLUGIN
        ROTATION_VECTOR
        DISPLACEMENT_ON_SURFACE
        FILE
AgECrdnMeanElementTheory
        eCrdnMeanElementTheoryOsculating
        eCrdnMeanElementTheoryKozai
        eCrdnMeanElementTheoryBrouwerLyddane_Long
        eCrdnMeanElementTheoryBrouwerLyddane_Short
MeanElementTheory
        OSCULATING_ELEMENTS
        KOZAI
        BROUWER_LYDDANE
        BROUWER_LYDDANE_SHORT_PERIODIC_TERMS_ONLY
AgECrdnDirectionType
        eCrdnDirectionIncomingAsymptote
        eCrdnDirectionOutgoingAsymptote
AsymptoteDirectionType
        INCOMING
        OUTGOING
AgECrdnLagrangeLibrationPointType
        eCrdnLagrangeLibrationPointTypeL1
        eCrdnLagrangeLibrationPointTypeL2
        eCrdnLagrangeLibrationPointTypeL3
        eCrdnLagrangeLibrationPointTypeL4
        eCrdnLagrangeLibrationPointTypeL5
LagrangeLibrationPointType
        L1
        L2
        L3
        L4
        L5
AgECrdnQuadrantType
        eCrdnQuadrantXY
        eCrdnQuadrantYX
        eCrdnQuadrantXZ
        eCrdnQuadrantZX
        eCrdnQuadrantYZ
        eCrdnQuadrantZY
PlaneQuadrantType
        XY
        YX
        XZ
        ZX
        YZ
        ZY
AgECrdnTrajectoryAxesType
        eCrdnTrajectoryAxesICR
        eCrdnTrajectoryAxesVNC
        eCrdnTrajectoryAxesRIC
        eCrdnTrajectoryAxesLVLH
        eCrdnTrajectoryAxesVVLH
        eCrdnTrajectoryAxesBBR
        eCrdnTrajectoryAxesEquinoctial
        eCrdnTrajectoryAxesNTC
TrajectoryAxesCoordinatesType
        ICR
        VNC
        RIC
        LVLH
        VVLH
        BODY_BODY_ROTATING
        EQUINOCTIAL
        NTC
AgECrdnDisplayAxisSelector
        eCrdnDisplayAxisX
        eCrdnDisplayAxisY
        eCrdnDisplayAxisZ
PrincipalAxisOfRotationType
        X
        Y
        Z
AgECrdnSignedAngleType
        eCrdnSignedAngleNone
        eCrdnSignedAnglePositive
        eCrdnSignedAngleNegative
SignedAngleType
        NONE
        POSITIVE
        NEGATIVE
AgECrdnPointBPlaneType
        eCrdnPointBPlaneAsymptote
        eCrdnPointBPlaneATwoBody
PointBPlaneType
        ASYMPTOTE
        TWO_BODY
AgECrdnReferenceShapeType
        eCrdnReferenceShapeEllipsoid
        eCrdnReferenceShapeTerrain
        eCrdnReferenceShapeMSL
SurfaceReferenceShapeType
        ELLIPSOID
        TERRAIN
        MSL
AgECrdnSurfaceType
        eCrdnSurfaceDetic
        eCrdnSurfaceCentric
SurfaceShapeType
        DETIC
        CENTRIC
AgECrdnSweepMode
        eCrdnSweepModeBidirectional
        eCrdnSweepModeUnidirectional
RotationSweepModeType
        BIDIRECTIONAL
        UNIDIRECTIONAL
AgECrdnIntersectionSurface
        eCrdnIntersectionSurfaceAtCentralBodyEllipsoid
        eCrdnIntersectionSurfaceAtAltitudeAboveEllipsoid
        eCrdnIntersectionSurfaceAtTerrain
IntersectionSurfaceType
        ON_CENTRAL_BODY_ELLIPSOID
        AT_ALTITUDE_ABOVE_ELLIPSOID
        AT_TERRAIN
AgECrdnVectorScaledDimensionInheritance
        eCrdnVectorScaledDimensionInheritanceNone
        eCrdnVectorScaledDimensionInheritanceFromScalar
        eCrdnVectorScaledDimensionInheritanceFromVector
VectorGeometryToolScaledVectorDimensionInheritanceOptionType
        NONE
        FROM_CALCULATION_SCALAR
        FROM_VECTOR
AgCrdnEvaluateResult CalculationToolEvaluateResult
AgCrdnEvaluateWithRateResult CalculationToolEvaluateWithRateResult
AgCrdnEventIntervalResult TimeToolTimeIntervalResult
AgCrdnEventFindOccurrenceResult TimeToolInstantOccurrenceResult
AgCrdnFindTimesResult TimeToolTimeArrayFindTimesResult
AgCrdnIntervalsVectorResult TimeToolIntervalsVectorResult
AgCrdnEventIntervalCollectionOccurredResult TimeToolTimeIntervalCollectionOccurredResult
AgCrdnIntervalListResult TimeToolIntervalListResult
AgCrdnIntervalVectorCollection TimeToolIntervalVectorCollection
AgCrdnEventGroup TimeToolInstantGroup
AgCrdnEventIntervalGroup TimeToolTimeIntervalGroup
AgCrdnEventIntervalListGroup TimeToolTimeIntervalListGroup
AgCrdnEventArrayGroup TimeToolTimeArrayGroup
AgCrdnCalcScalarGroup CalculationToolScalarGroup
AgCrdnEventIntervalCollectionGroup TimeToolTimeIntervalCollectionGroup
AgCrdnParameterSetGroup CalculationToolParameterSetGroup
AgCrdnConditionGroup CalculationToolConditionGroup
AgCrdnConditionSetGroup CalculationToolConditionSetGroup
AgCrdnConditionSetEvaluateResult CalculationToolConditionSetEvaluateResult
AgCrdnConditionSetEvaluateWithRateResult CalculationToolConditionSetEvaluateWithRateResult
AgCrdnVolumeGridGroup SpatialAnalysisToolVolumeGridGroup
AgCrdnVolumeGroup SpatialAnalysisToolConditionGroup
AgCrdnVolumeCalcGroup SpatialAnalysisToolCalculationGroup
AgCrdnCalcScalar CalculationToolScalar
AgCrdnCalcScalarAngle CalculationToolScalarAngle
AgCrdnCalcScalarAverage CalculationToolScalarAverage
AgCrdnCalcScalarConstant CalculationToolScalarConstant
AgCrdnCalcScalarCustom CalculationToolScalarCustom
AgCrdnCalcScalarCustomInline CalculationToolScalarCustomInlineScript
AgCrdnCalcScalarDataElement CalculationToolScalarDataElement
AgCrdnCalcScalarDerivative CalculationToolScalarDerivative
AgCrdnCalcScalarDotProduct CalculationToolScalarDotProduct
AgCrdnCalcScalarElapsedTime CalculationToolScalarElapsedTime
AgCrdnCalcScalarFactory CalculationToolScalarFactory
AgCrdnCalcScalarFile CalculationToolScalarFile
AgCrdnCalcScalarFixedAtTimeInstant CalculationToolScalarFixedAtTimeInstant
AgCrdnCalcScalarFunction CalculationToolScalarFunction
AgCrdnCalcScalarFunction2Var CalculationToolScalarFunctionOf2Variables
AgCrdnCalcScalarIntegral CalculationToolScalarIntegral
AgCrdnCalcScalarPlugin CalculationToolScalarPlugin
AgCrdnCalcScalarPointInVolumeCalc CalculationToolScalarAlongTrajectory
AgCrdnCalcScalarStandardDeviation CalculationToolScalarStandardDeviation
AgCrdnCalcScalarSurfaceDistanceBetweenPoints CalculationToolScalarSurfaceDistanceBetweenPoints
AgCrdnCalcScalarVectorComponent CalculationToolScalarVectorComponent
AgCrdnCalcScalarVectorMagnitude CalculationToolScalarVectorMagnitude
AgCrdnCondition CalculationToolCondition
AgCrdnConditionCombined CalculationToolConditionCombined
AgCrdnConditionFactory CalculationToolConditionFactory
AgCrdnConditionPointInVolume CalculationToolConditionTrajectoryWithinVolume
AgCrdnConditionScalarBounds CalculationToolConditionScalarBounds
AgCrdnConditionSet CalculationToolConditionSet
AgCrdnConditionSetFactory CalculationToolConditionSetFactory
AgCrdnConditionSetScalarThresholds CalculationToolConditionSetScalarThresholds
AgCrdnConverge AnalysisWorkbenchConvergence
AgCrdnConvergeBasic CalculationToolConvergeBasic
AgCrdnDerivative AnalysisWorkbenchDerivative
AgCrdnDerivativeBasic CalculationToolDerivativeBasic
AgCrdnEvent TimeToolInstant
AgCrdnEventArray TimeToolTimeArray
AgCrdnEventArrayConditionCrossings TimeToolTimeArrayConditionCrossings
AgCrdnEventArrayExtrema TimeToolTimeArrayExtrema
AgCrdnEventArrayFactory TimeToolTimeArrayFactory
AgCrdnEventArrayFiltered TimeToolTimeArrayFiltered
AgCrdnEventArrayFixedStep TimeToolTimeArrayFixedStep
AgCrdnEventArrayFixedTimes TimeToolTimeArrayFixedTimes
AgCrdnEventArrayMerged TimeToolTimeArrayMerged
AgCrdnEventArraySignaled TimeToolTimeArraySignaled
AgCrdnEventArrayStartStopTimes TimeToolTimeArrayStartStopTimes
AgCrdnEventEpoch TimeToolInstantEpoch
AgCrdnEventExtremum TimeToolInstantExtremum
AgCrdnEventFactory TimeToolInstantFactory
AgCrdnEventInterval TimeToolTimeInterval
AgCrdnEventIntervalBetweenTimeInstants TimeToolTimeIntervalBetweenTimeInstants
AgCrdnEventIntervalCollection TimeToolTimeIntervalCollection
AgCrdnEventIntervalCollectionCondition TimeToolTimeIntervalCollectionCondition
AgCrdnEventIntervalCollectionFactory TimeToolTimeIntervalCollectionFactory
AgCrdnEventIntervalCollectionLighting TimeToolTimeIntervalCollectionLighting
AgCrdnEventIntervalCollectionSignaled TimeToolTimeIntervalCollectionSignaled
AgCrdnEventIntervalFactory TimeToolTimeIntervalFactory
AgCrdnEventIntervalFixed TimeToolTimeIntervalFixed
AgCrdnEventIntervalFixedDuration TimeToolTimeIntervalFixedDuration
AgCrdnEventIntervalFromIntervalList TimeToolTimeIntervalFromIntervalList
AgCrdnEventIntervalList TimeToolTimeIntervalList
AgCrdnEventIntervalListCondition TimeToolTimeIntervalListCondition
AgCrdnEventIntervalListFactory TimeToolTimeIntervalListFactory
AgCrdnEventIntervalListFile TimeToolTimeIntervalListFile
AgCrdnEventIntervalListFiltered TimeToolTimeIntervalListFiltered
AgCrdnEventIntervalListFixed TimeToolTimeIntervalListFixed
AgCrdnEventIntervalListMerged TimeToolTimeIntervalListMerged
AgCrdnEventIntervalListScaled TimeToolTimeIntervalListScaled
AgCrdnEventIntervalListSignaled TimeToolTimeIntervalListSignaled
AgCrdnEventIntervalListTimeOffset TimeToolTimeIntervalListTimeOffset
AgCrdnEventIntervalScaled TimeToolTimeIntervalScaled
AgCrdnEventIntervalSignaled TimeToolTimeIntervalSignaled
AgCrdnEventIntervalSmartInterval TimeToolTimeIntervalSmartInterval
AgCrdnEventIntervalTimeOffset TimeToolTimeIntervalTimeOffset
AgCrdnEventSignaled TimeToolInstantSignaled
AgCrdnEventSmartEpoch TimeToolInstantSmartEpoch
AgCrdnEventStartStopTime TimeToolInstantStartStopTime
AgCrdnEventTimeOffset TimeToolInstantTimeOffset
AgCrdnFirstIntervalsFilter TimeToolTimeIntervalFirstIntervalsFilter
AgCrdnGapsFilter TimeToolTimeIntervalGapsFilter
AgCrdnIntegral AnalysisWorkbenchIntegral
AgCrdnIntegralBasic CalculationToolIntegralBasic
AgCrdnInterp AnalysisWorkbenchInterpolator
AgCrdnInterpBasic CalculationToolInterpolatorBasic
AgCrdnIntervalsFilter TimeToolIntervalsFilter
AgCrdnLastIntervalsFilter TimeToolTimeIntervalLastIntervalsFilter
AgCrdnParameterSet CalculationToolParameterSet
AgCrdnParameterSetAttitude CalculationToolParameterSetAttitude
AgCrdnParameterSetFactory CalculationToolParameterSetFactory
AgCrdnParameterSetGroundTrajectory CalculationToolParameterSetGroundTrajectory
AgCrdnParameterSetOrbit CalculationToolParameterSetOrbit
AgCrdnParameterSetTrajectory CalculationToolParameterSetTrajectory
AgCrdnParameterSetVector CalculationToolParameterSetVector
AgCrdnPruneFilter TimeToolPruneFilter
AgCrdnPruneFilterFactory TimeToolPruneFilterFactory
AgCrdnRelativeSatisfactionConditionFilter TimeToolTimeIntervalRelativeSatisfactionConditionFilter
AgCrdnSampling AnalysisWorkbenchSampling
AgCrdnSamplingBasic CalculationToolSamplingBasic
AgCrdnSamplingCurvatureTolerance CalculationToolSamplingCurvatureTolerance
AgCrdnSamplingFixedStep CalculationToolSamplingFixedStep
AgCrdnSamplingMethod CalculationToolSamplingMethod
AgCrdnSamplingMethodFactory CalculationToolSamplingMethodFactory
AgCrdnSamplingRelativeTolerance CalculationToolSamplingRelativeTolerance
AgCrdnSatisfactionConditionFilter TimeToolTimeIntervalSatisfactionConditionFilter
AgCrdnSignalDelay AnalysisWorkbenchSignalDelay
AgCrdnSignalDelayBasic TimeToolSignalDelayBasic
AgCrdnVolumeCalcFactory SpatialAnalysisToolCalculationFactory
AgCrdnVolumeFactory SpatialAnalysisToolConditionFactory
AgCrdnVolumeGridFactory SpatialAnalysisToolVolumeGridFactory
AgCrdnGridCoordinateDefinition SpatialAnalysisToolGridCoordinateDefinition
AgCrdnGridValuesCustom SpatialAnalysisToolGridValuesCustom
AgCrdnGridValuesFixedNumberOfSteps SpatialAnalysisToolGridValuesFixedNumberOfSteps
AgCrdnGridValuesFixedStep SpatialAnalysisToolGridValuesFixedStep
AgCrdnGridValuesMethod SpatialAnalysisToolGridValuesMethod
AgCrdnLightTimeDelay TimeToolLightTimeDelay
AgCrdnVolume SpatialAnalysisToolVolume
AgCrdnVolumeCalc SpatialAnalysisToolSpatialCalculation
AgCrdnVolumeCalcAltitude SpatialAnalysisToolCalculationAltitude
AgCrdnVolumeCalcAngleOffVector SpatialAnalysisToolCalculationAngleToLocation
AgCrdnVolumeCalcConditionSatMetric SpatialAnalysisToolCalculationConditionSatisfactionMetric
AgCrdnVolumeCalcDelayRange SpatialAnalysisToolCalculationPropagationDelayToLocation
AgCrdnVolumeCalcFile SpatialAnalysisToolCalculationFile
AgCrdnVolumeCalcFromScalar SpatialAnalysisToolCalculationFromCalculationScalar
AgCrdnVolumeCalcRange SpatialAnalysisToolCalculationDistanceToLocation
AgCrdnVolumeCalcSolarIntensity SpatialAnalysisToolCalculationSolarIntensity
AgCrdnVolumeCombined SpatialAnalysisToolConditionCombined
AgCrdnVolumeFromCalc SpatialAnalysisToolConditionSpatialCalculationBounds
AgCrdnVolumeFromCondition SpatialAnalysisToolConditionConditionAtLocation
AgCrdnVolumeFromGrid SpatialAnalysisToolConditionGridBoundingVolume
AgCrdnVolumeFromTimeSatisfaction SpatialAnalysisToolConditionValidTimeAtLocation
AgCrdnVolumeGrid SpatialAnalysisToolVolumeGrid
AgCrdnVolumeGridBearingAlt SpatialAnalysisToolAnalysisToolVolumeGridBearingAltitude
AgCrdnVolumeGridCartesian SpatialAnalysisToolVolumeGridCartesian
AgCrdnVolumeGridConstrained SpatialAnalysisToolVolumeGridConstrained
AgCrdnVolumeGridCylindrical SpatialAnalysisToolVolumeGridCylindrical
AgCrdnVolumeGridLatLonAlt SpatialAnalysisToolVolumeGridLatitudeLongitudeAltitude
AgCrdnVolumeGridResult SpatialAnalysisToolVolumeGridResult
AgCrdnVolumeGridSpherical SpatialAnalysisToolVolumeGridSpherical
AgCrdnVolumeInview SpatialAnalysisToolConditionAccessToLocation
AgCrdnVolumeLighting SpatialAnalysisToolConditionLighting
AgCrdnVolumeOverTime SpatialAnalysisToolConditionOverTime
AgCrdnGeneric AnalysisWorkbenchComponent
AgCrdnTypeInfo AnalysisWorkbenchComponentTypeInformation
AgCrdnInstance AnalysisWorkbenchComponentInstance
AgCrdnTemplate AnalysisWorkbenchComponentTemplate
AgCrdnPointRefTo VectorGeometryToolPointReference
AgCrdnVectorRefTo VectorGeometryToolVectorReference
AgCrdnAxesRefTo VectorGeometryToolAxesReference
AgCrdnAngleRefTo VectorGeometryToolAngleReference
AgCrdnSystemRefTo VectorGeometryToolSystemReference
AgCrdnPlaneRefTo VectorGeometryToolPlaneReference
AgCrdnVector VectorGeometryToolVector
AgCrdnAxesLabels VectorGeometryToolAxesLabels
AgCrdnAxes VectorGeometryToolAxes
AgCrdnPoint VectorGeometryToolPoint
AgCrdnSystem VectorGeometryToolSystem
AgCrdnAngle VectorGeometryToolAngle
AgCrdnPlaneLabels VectorGeometryToolPlaneLabels
AgCrdnPlane VectorGeometryToolPlane
AgCrdnAxesAlignedAndConstrained VectorGeometryToolAxesAlignedAndConstrained
AgCrdnAxesAngularOffset VectorGeometryToolAxesAngularOffset
AgCrdnAxesFixedAtEpoch VectorGeometryToolAxesFixedAtEpoch
AgCrdnAxesBPlane VectorGeometryToolAxesBPlane
AgCrdnAxesCustomScript VectorGeometryToolAxesCustomScript
AgCrdnAxesAttitudeFile VectorGeometryToolAxesAttitudeFile
AgCrdnAxesFixed VectorGeometryToolAxesFixed
AgCrdnAxesModelAttach VectorGeometryToolAxesModelAttachment
AgCrdnAxesSpinning VectorGeometryToolAxesSpinning
AgCrdnAxesOnSurface VectorGeometryToolAxesOnSurface
AgCrdnAxesTrajectory VectorGeometryToolAxesTrajectory
AgCrdnAxesLagrangeLibration VectorGeometryToolAxesLagrangeLibration
AgCrdnAxesCommonTasks VectorGeometryToolAxesCommonTasks
AgCrdnAxesAtTimeInstant VectorGeometryToolAxesAtTimeInstant
AgCrdnAxesPlugin VectorGeometryToolAxesPlugin
AgCrdnAngleBetweenVectors VectorGeometryToolAngleBetweenVectors
AgCrdnAngleBetweenPlanes VectorGeometryToolAngleBetweenPlanes
AgCrdnAngleDihedral VectorGeometryToolAngleDihedral
AgCrdnAngleRotation VectorGeometryToolAngleRotation
AgCrdnAngleToPlane VectorGeometryToolAngleToPlane
AgCrdnPlaneNormal VectorGeometryToolPlaneNormal
AgCrdnPlaneQuadrant VectorGeometryToolPlaneQuadrant
AgCrdnPlaneTrajectory VectorGeometryToolPlaneTrajectory
AgCrdnPlaneTriad VectorGeometryToolPlaneTriad
AgCrdnPlaneTwoVector VectorGeometryToolPlaneTwoVector
AgCrdnPointBPlane VectorGeometryToolPointBPlane
AgCrdnPointFile VectorGeometryToolPointFile
AgCrdnPointFixedInSystem VectorGeometryToolPointFixedInSystem
AgCrdnPointGrazing VectorGeometryToolPointGrazing
AgCrdnPointGlint VectorGeometryToolPointGlint
AgCrdnPointCovarianceGrazing VectorGeometryToolPointCovarianceGrazing
AgCrdnPointPlaneIntersection VectorGeometryToolPointPlaneIntersection
AgCrdnPointOnSurface VectorGeometryToolPointOnSurface
AgCrdnPointModelAttach VectorGeometryToolPointModelAttachment
AgCrdnPointSatelliteCollectionEntry VectorGeometryToolPointSatelliteCollectionEntry
AgCrdnPointPlaneProjection VectorGeometryToolPointPlaneProjection
AgCrdnPointLagrangeLibration VectorGeometryToolPointLagrangeLibration
AgCrdnPointCommonTasks VectorGeometryToolPointCommonTasks
AgCrdnPointCentBodyIntersect VectorGeometryToolPointCentralBodyIntersect
AgCrdnPointAtTimeInstant VectorGeometryToolPointAtTimeInstant
AgCrdnPointPlugin VectorGeometryToolPointPlugin
AgCrdnPointCBFixedOffset VectorGeometryToolPointCentralBodyFixedOffset
AgCrdnSystemAssembled VectorGeometryToolSystemAssembled
AgCrdnSystemOnSurface VectorGeometryToolSystemOnSurface
AgCrdnLLAPosition AnalysisWorkbenchPositionLLA
AgCrdnSystemCommonTasks VectorGeometryToolSystemCommonTasks
AgCrdnVectorAngleRate VectorGeometryToolVectorAngleRate
AgCrdnVectorApoapsis VectorGeometryToolVectorApoapsis
AgCrdnVectorFixedAtEpoch VectorGeometryToolVectorFixedAtEpoch
AgCrdnVectorAngularVelocity VectorGeometryToolVectorAngularVelocity
AgCrdnVectorConing VectorGeometryToolVectorConing
AgCrdnVectorCross VectorGeometryToolVectorCross
AgCrdnVectorCustomScript VectorGeometryToolVectorCustomScript
AgCrdnVectorDerivative VectorGeometryToolVectorDerivative
AgCrdnVectorDisplacement VectorGeometryToolVectorDisplacement
AgCrdnVectorTwoPlanesIntersection VectorGeometryToolVectorTwoPlanesIntersection
AgCrdnVectorModelAttach VectorGeometryToolVectorModelAttachment
AgCrdnVectorProjection VectorGeometryToolVectorProjection
AgCrdnVectorScaled VectorGeometryToolVectorScaled
AgCrdnVectorEccentricity VectorGeometryToolVectorEccentricity
AgCrdnVectorFixedInAxes VectorGeometryToolVectorFixedInAxes
AgCrdnVectorLineOfNodes VectorGeometryToolVectorLineOfNodes
AgCrdnVectorOrbitAngularMomentum VectorGeometryToolVectorOrbitAngularMomentum
AgCrdnVectorOrbitNormal VectorGeometryToolVectorOrbitNormal
AgCrdnVectorPeriapsis VectorGeometryToolVectorPeriapsis
AgCrdnVectorReflection VectorGeometryToolVectorReflection
AgCrdnVectorRotationVector VectorGeometryToolVectorRotationVector
AgCrdnVectorDirectionToStar VectorGeometryToolVectorDirectionToStar
AgCrdnVectorFixedAtTimeInstant VectorGeometryToolVectorFixedAtTimeInstant
AgCrdnVectorLinearCombination VectorGeometryToolVectorLinearCombination
AgCrdnVectorProjectAlongVector VectorGeometryToolVectorProjectionAlongVector
AgCrdnVectorScalarLinearCombination VectorGeometryToolVectorScalarLinearCombination
AgCrdnVectorScalarScaled VectorGeometryToolVectorScalarScaled
AgCrdnVectorVelocityAcceleration VectorGeometryToolVectorVelocityAcceleration
AgCrdnVectorPlugin VectorGeometryToolVectorPlugin
AgCrdnVectorDispSurface VectorGeometryToolVectorSurfaceDisplacement
AgCrdnVectorFile VectorGeometryToolVectorFile
AgCrdnVectorFactory VectorGeometryToolVectorFactory
AgCrdnAxesFactory VectorGeometryToolAxesFactory
AgCrdnSystemFactory VectorGeometryToolSystemFactory
AgCrdnPointFactory VectorGeometryToolPointFactory
AgCrdnPlaneFactory VectorGeometryToolPlaneFactory
AgCrdnAngleFactory VectorGeometryToolAngleFactory
AgCrdnVectorGroup VectorGeometryToolVectorGroup
AgCrdnPointGroup VectorGeometryToolPointGroup
AgCrdnAngleGroup VectorGeometryToolAngleGroup
AgCrdnAxesGroup VectorGeometryToolAxesGroup
AgCrdnPlaneGroup VectorGeometryToolPlaneGroup
AgCrdnSystemGroup VectorGeometryToolSystemGroup
AgCrdnProvider AnalysisWorkbenchComponentProvider
AgCrdnRoot AnalysisWorkbenchRoot
AgCrdnWellKnownEarthSystems VectorGeometryToolWellKnownEarthSystems
AgCrdnWellKnownEarthAxes VectorGeometryToolWellKnownEarthAxes
AgCrdnWellKnownSunSystems VectorGeometryToolWellKnownSunSystems
AgCrdnWellKnownSunAxes VectorGeometryToolWellKnownSunAxes
AgCrdnWellKnownSystems VectorGeometryToolWellKnownSystems
AgCrdnWellKnownAxes VectorGeometryToolWellKnownAxes
AgCrdnMethodCallAngleFindResult AnalysisWorkbenchAngleFindResult
AgCrdnMethodCallAngleFindWithRateResult AnalysisWorkbenchAngleFindWithRateResult
AgCrdnMethodCallAxesTransformResult AnalysisWorkbenchAxesTransformResult
AgCrdnMethodCallAxesTransformWithRateResult AnalysisWorkbenchAxesTransformWithRateResult
AgCrdnMethodCallAxesFindInAxesResult AnalysisWorkbenchAxesFindInAxesResult
AgCrdnMethodCallAxesFindInAxesWithRateResult AnalysisWorkbenchAxesFindInAxesWithRateResult
AgCrdnMethodCallPlaneFindInAxesResult AnalysisWorkbenchPlaneFindInAxesResult
AgCrdnMethodCallPlaneFindInAxesWithRateResult AnalysisWorkbenchPlaneFindInAxesWithRateResult
AgCrdnMethodCallPlaneFindInSystemResult AnalysisWorkbenchPlaneFindInSystemResult
AgCrdnMethodCallPlaneFindInSystemWithRateResult AnalysisWorkbenchPlaneFindInSystemWithRateResult
AgCrdnMethodCallPointLocateInSystemResult AnalysisWorkbenchPointLocateInSystemResult
AgCrdnMethodCallPointLocateInSystemWithRateResult AnalysisWorkbenchPointLocateInSystemWithRateResult
AgCrdnMethodCallSystemTransformResult AnalysisWorkbenchSystemTransformResult
AgCrdnMethodCallSystemTransformWithRateResult AnalysisWorkbenchSystemTransformWithRateResult
AgCrdnMethodCallSystemFindInSystemResult AnalysisWorkbenchSystemFindInSystemResult
AgCrdnMethodCallVectorFindInAxesResult AnalysisWorkbenchVectorFindInAxesResult
AgCrdnMethodCallVectorFindInAxesWithRateResult AnalysisWorkbenchVectorFindInAxesWithRateResult
AgCrdnMethodCallAngleFindAngleWithRateResult AnalysisWorkbenchAngleFindAngleWithRateResult
AgCrdnMethodCallAngleFindAngleResult AnalysisWorkbenchAngleFindAngleResult
AgCrdnInterval TimeToolInterval
AgCrdnIntervalCollection TimeToolIntervalCollection
AgCrdnCentralBody AnalysisWorkbenchCentralBody
AgCrdnCentralBodyRefTo AnalysisWorkbenchCentralBodyReference
AgCrdnCentralBodyCollection AnalysisWorkbenchCentralBodyCollection
AgCrdnCollection AnalysisWorkbenchComponentCollection
AgCrdnPointSamplingResult TimeToolPointSamplingResult
AgCrdnPointSamplingInterval TimeToolPointSamplingInterval
AgCrdnPointSamplingIntervalCollection TimeToolPointSamplingIntervalCollection
AgCrdnAxesSamplingResult TimeToolAxesSamplingResult
AgCrdnAxesSamplingInterval TimeToolAxesSamplingInterval
AgCrdnAxesSamplingIntervalCollection TimeToolAxesSamplingIntervalCollection
IAgCrdnIntervalCollection
        Count
        Item
TimeToolIntervalCollection
        count
        item
IAgCrdnInterval
        Start
        Stop
TimeToolInterval
        start
        stop
IAgCrdnPoint
        Type
        LocateInSystemWithRate
        LocateInSystem
IVectorGeometryToolPoint
        type
        locate_in_system_with_rate
        locate_in_system
IAgCrdnVector
        Type
        FindInAxes
        FindInAxesWithRate
IVectorGeometryToolVector
        type
        find_in_axes
        find_in_axes_with_rate
IAgCrdnSystem
        Type
        FindInSystem
        Transform
        TransformWithRate
IVectorGeometryToolSystem
        type
        find_in_system
        transform
        transform_with_rate
IAgCrdnAxes
        Type
        FindInAxesWithRate
        FindInAxes
        Labels
        X
        Y
        Z
        Transform
        TransformWithRate
IVectorGeometryToolAxes
        type
        find_in_axes_with_rate
        find_in_axes
        labels
        x_axis
        y_axis
        z_axis
        transform
        transform_with_rate
IAgCrdnAngle
        Type
        FindAngle
        FindAngleWithRate
        FindCoordinates
        FindCoordinatesWithRate
IVectorGeometryToolAngle
        type
        find_angle
        find_angle_with_rate
        find_coordinates
        find_coordinates_with_rate
IAgCrdnPlane
        Type
        FindInAxes
        FindInAxesWithRate
        FindInSystem
        FindInSystemWithRate
        Labels
IVectorGeometryToolPlane
        type
        find_in_axes
        find_in_axes_with_rate
        find_in_system
        find_in_system_with_rate
        labels
IAgCrdnContext
        IsTemplate
IAnalysisWorkbenchComponentContext
        is_template
IAgCrdn
        Kind
        Category
        Name
        Description
        Path
        IsDuplicable
        Context
        TypeInfo
        QualifiedPath
        IsValid
        IsReady
        IsReadOnly
        Duplicate
        AnonymousDuplicate
        DependsOn
        EmbeddedComponents
        Export
        Rename
IAnalysisWorkbenchComponent
        component_type
        category
        name
        description
        path
        is_duplicable
        context
        type_information
        qualified_path
        is_valid
        is_ready
        is_read_only
        duplicate
        anonymous_duplicate
        depends_on
        embedded_components
        export
        rename
IAgCrdnEvaluateResult
        IsValid
        Value
CalculationToolEvaluateResult
        is_valid
        value
IAgCrdnEvaluateWithRateResult
        IsValid
        Value
        Rate
CalculationToolEvaluateWithRateResult
        is_valid
        value
        rate
IAgCrdnEventIntervalResult
        IsValid
        Interval
TimeToolTimeIntervalResult
        is_valid
        interval
IAgCrdnEventFindOccurrenceResult
        IsValid
        Epoch
TimeToolInstantOccurrenceResult
        is_valid
        epoch
IAgCrdnFindTimesResult
        IsValid
        Intervals
        Start
        Stop
        Times
TimeToolTimeArrayFindTimesResult
        is_valid
        intervals
        start
        stop
        times
IAgCrdnIntervalsVectorResult
        IsValid
        IntervalCollections
TimeToolIntervalsVectorResult
        is_valid
        interval_collections
IAgCrdnEventIntervalCollectionOccurredResult
        IsValid
        Index
TimeToolTimeIntervalCollectionOccurredResult
        is_valid
        index
IAgCrdnIntervalListResult
        IsValid
        Intervals
TimeToolIntervalListResult
        is_valid
        intervals
IAgCrdnIntervalVectorCollection
        Count
        Item
TimeToolIntervalVectorCollection
        count
        item
IAgCrdnEventGroup
        Remove
        Context
        Contains
        Count
        Factory
        Item
        GetItemByIndex
        GetItemByName
TimeToolInstantGroup
        remove
        context
        contains
        count
        factory
        item
        get_item_by_index
        get_item_by_name
IAgCrdnEventIntervalGroup
        Remove
        Context
        Contains
        Count
        Factory
        Item
        GetItemByIndex
        GetItemByName
TimeToolTimeIntervalGroup
        remove
        context
        contains
        count
        factory
        item
        get_item_by_index
        get_item_by_name
IAgCrdnEventIntervalListGroup
        Remove
        Context
        Contains
        Count
        Factory
        Item
        GetItemByIndex
        GetItemByName
TimeToolTimeIntervalListGroup
        remove
        context
        contains
        count
        factory
        item
        get_item_by_index
        get_item_by_name
IAgCrdnEventArrayGroup
        Remove
        Context
        Contains
        Count
        Factory
        Item
        GetItemByIndex
        GetItemByName
TimeToolTimeArrayGroup
        remove
        context
        contains
        count
        factory
        item
        get_item_by_index
        get_item_by_name
IAgCrdnCalcScalarGroup
        Remove
        Context
        Contains
        Count
        Factory
        Item
        GetItemByIndex
        GetItemByName
CalculationToolScalarGroup
        remove
        context
        contains
        count
        factory
        item
        get_item_by_index
        get_item_by_name
IAgCrdnEventIntervalCollectionGroup
        Remove
        Context
        Contains
        Count
        Factory
        Item
        GetItemByIndex
        GetItemByName
TimeToolTimeIntervalCollectionGroup
        remove
        context
        contains
        count
        factory
        item
        get_item_by_index
        get_item_by_name
IAgCrdnParameterSetGroup
        Remove
        Context
        Contains
        Count
        Factory
        Item
        GetItemByIndex
        GetItemByName
CalculationToolParameterSetGroup
        remove
        context
        contains
        count
        factory
        item
        get_item_by_index
        get_item_by_name
IAgCrdnConditionGroup
        Remove
        Context
        Contains
        Count
        Factory
        Item
        GetItemByIndex
        GetItemByName
CalculationToolConditionGroup
        remove
        context
        contains
        count
        factory
        item
        get_item_by_index
        get_item_by_name
IAgCrdnConditionSetGroup
        Remove
        Context
        Contains
        Count
        Factory
        Item
        GetItemByIndex
        GetItemByName
CalculationToolConditionSetGroup
        remove
        context
        contains
        count
        factory
        item
        get_item_by_index
        get_item_by_name
IAgCrdnConditionSetEvaluateResult
        IsValid
        Values
CalculationToolConditionSetEvaluateResult
        is_valid
        values
IAgCrdnConditionSetEvaluateWithRateResult
        IsValid
        Values
        Rates
CalculationToolConditionSetEvaluateWithRateResult
        is_valid
        values
        rates
IAgCrdnVolumeGridGroup
        Remove
        Context
        Contains
        Count
        Factory
        Item
        GetItemByIndex
        GetItemByName
SpatialAnalysisToolVolumeGridGroup
        remove
        context
        contains
        count
        factory
        item
        get_item_by_index
        get_item_by_name
IAgCrdnVolumeGroup
        Remove
        Context
        Contains
        Count
        Factory
        Item
        GetItemByIndex
        GetItemByName
SpatialAnalysisToolConditionGroup
        remove
        context
        contains
        count
        factory
        item
        get_item_by_index
        get_item_by_name
IAgCrdnVolumeCalcGroup
        Remove
        Context
        Contains
        Count
        Factory
        Item
        GetItemByIndex
        GetItemByName
SpatialAnalysisToolCalculationGroup
        remove
        context
        contains
        count
        factory
        item
        get_item_by_index
        get_item_by_name
IAgCrdnCalcScalar
        Type
        Evaluate
        QuickEvaluate
        EvaluateWithRate
        QuickEvaluateWithRate
        GetAvailability
        UnitOfMeasure
        QuickEvaluateArray
        QuickEvaluateWithRateArray
        QuickEvaluateEventArray
        QuickEvaluateWithRateEventArray
ICalculationToolScalar
        type
        evaluate
        quick_evaluate
        evaluate_with_rate
        quick_evaluate_with_rate
        get_availability
        unit_of_measure
        quick_evaluate_array
        quick_evaluate_with_rate_array
        quick_evaluate_time_array
        quick_evaluate_with_rate_event_array
IAgCrdnCalcScalarAngle
        InputAngle
CalculationToolScalarAngle
        input_angle
IAgCrdnCalcScalarAverage
        InputScalar
        ComputeAsAverage
        IntegrationWindowType
        StartOffset
        StopOffset
        UseCustomTimeLimits
        CustomTimeLimits
        SaveDataOption
        Interpolation
        Sampling
        Integral
        KeepConstantOutsideTimeLimits
        SetOffsets
CalculationToolScalarAverage
        input_scalar
        compute_as_average
        integration_window_type
        start_offset
        stop_offset
        use_custom_time_limits
        custom_time_limits
        save_data_option
        interpolation
        sampling
        integral
        keep_constant_outside_time_limits
        set_offsets
IAgCrdnCalcScalarConstant
        Value
        Dimension
CalculationToolScalarConstant
        value
        dimension
IAgCrdnCalcScalarCustom
        Filename
        Reload
        InvalidateOnExecError
CalculationToolScalarCustom
        filename
        reload
        invalidate_on_execution_error
IAgCrdnCalcScalarCustomInline
        ScriptType
        ValueFunction
        DerivativeFunction
        Dimension
        GetAllArguments
        SetAllArguments
CalculationToolScalarCustomInlineScript
        script_type
        value_function
        derivative_function
        dimension
        get_all_arguments
        set_all_arguments
IAgCrdnCalcScalarDataElement
        DataProvider
        ElementName
        Group
        Interpolation
        Sampling
        UseSamples
        SaveDataOption
        Set
        SetWithGroup
        InvalidDataIndicator
CalculationToolScalarDataElement
        data_provider
        element_name
        group
        interpolation
        sampling
        use_samples
        save_data_option
        set
        set_with_group
        invalid_data_indicator
IAgCrdnCalcScalarDerivative
        Scalar
        DifferencingTimeStep
        ForceUseOfNumericalDifferences
CalculationToolScalarDerivative
        scalar
        differencing_time_step
        force_use_of_numerical_differences
IAgCrdnCalcScalarDotProduct
        VectorA
        NormalizeVectorA
        VectorB
        NormalizeVectorB
        Dimension
CalculationToolScalarDotProduct
        vector_a
        normalize_vector_a
        vector_b
        normalize_vector_b
        dimension
IAgCrdnCalcScalarElapsedTime
        ReferenceTimeInstant
CalculationToolScalarElapsedTime
        reference_time_instant
IAgCrdnCalcScalarFactory
        AvailableCalcScalarPluginDisplayNames
        Create
        CreateCalcScalarAngle
        CreateCalcScalarFixedAtTimeInstant
        CreateCalcScalarConstant
        CreateCalcScalarDataElement
        CreateCalcScalarDataElementWithGroup
        CreateCalcScalarDerivative
        CreateCalcScalarElapsedTime
        CreateCalcScalarFile
        CreateCalcScalarFunction
        CreateCalcScalarIntegral
        CreateCalcScalarFunction2Var
        CreateCalcScalarVectorMagnitude
        CreateCalcScalarPluginFromDisplayName
        IsTypeSupported
        CreateCalcScalarFromCustomScript
        CreateCalcScalarSurfaceDistanceBetweenPoints
        CreateCalcScalarDotProduct
        CreateCalcScalarVectorComponent
        CreateCalcScalarAverage
        CreateCalcScalarStandardDeviation
        CreateCalcScalarPointInVolumeCalc
        CreateCalcScalarCustomInlineScript
CalculationToolScalarFactory
        available_plugin_display_names
        create
        create_angle
        create_fixed_at_time_instant
        create_constant
        create_data_element
        create_data_element_within_group
        create_derivative
        create_elapsed_time
        create_from_file
        create_function
        create_integral
        create_function_of_2_variables
        create_vector_magnitude
        create_plugin_from_display_name
        is_type_supported
        create_from_custom_script
        create_surface_distance_between_points
        create_dot_product
        create_vector_component
        create_average
        create_standard_deviation
        create_calculation_along_trajectory
        create_custom_inline_script
IAgCrdnCalcScalarFile
        Filename
        Reload
        GetFileSpan
        FileInterpolationType
        FileInterpolationOrder
        UseNativeFileInterpolationSettings
CalculationToolScalarFile
        filename
        reload
        get_file_span
        file_interpolation_type
        file_interpolation_order
        use_native_file_interpolation_settings
IAgCrdnCalcScalarFixedAtTimeInstant
        InputScalar
        ReferenceTimeInstant
CalculationToolScalarFixedAtTimeInstant
        input_scalar
        reference_time_instant
IAgCrdnCalcScalarFunction
        UseScalar
        InputScalar
        InputTime
        InputUnit
        A
        B
        C
        D
        Coefficients
        SelectedFunction
        AvailableFunctions
        InheritDimensionFromInput
        OutputDimension
        OutputUnit
        Sampling
        Convergence
CalculationToolScalarFunction
        use_calculation_scalar
        input_scalar
        input_time
        input_time_units
        coefficient_a
        coefficient_b
        coefficient_c
        coefficient_d
        coefficients
        selected_function
        available_functions
        inherit_dimension_from_input
        output_dimension
        output_units
        sampling
        convergence
IAgCrdnCalcScalarFunction2Var
        X
        UnitX
        A
        Y
        UnitY
        B
        C
        OutputDimensionInheritance
        OutputDimension
        AvailableFunctions
        SelectedFunction
        OutputUnit
CalculationToolScalarFunctionOf2Variables
        x
        units_x
        coefficient_a
        y
        units_y
        coefficient_b
        coefficient_c
        output_dimension_inheritance
        output_dimension
        available_functions
        selected_function
        output_units
IAgCrdnCalcScalarIntegral
        InputScalar
        ComputeAsAverage
        IntegrationWindowType
        StartOffset
        StopOffset
        UseCustomTimeLimits
        CustomTimeLimits
        SaveDataOption
        Interpolation
        Sampling
        Integral
        KeepConstantOutsideTimeLimits
        SetOffsets
CalculationToolScalarIntegral
        input_scalar
        compute_as_average
        integration_window_type
        start_offset
        stop_offset
        use_custom_time_limits
        custom_time_limits
        save_data_option
        interpolation
        sampling
        integral
        keep_constant_outside_time_limits
        set_offsets
IAgCrdnCalcScalarPlugin
        ProgID
        DisplayName
        AvailableProperties
        Reset
        SetProperty
        GetProperty
CalculationToolScalarPlugin
        prog_id
        display_name
        available_properties
        reset
        set_property
        get_property
IAgCrdnCalcScalarPointInVolumeCalc
        TrajectoryPoint
        SpatialCalculation
CalculationToolScalarAlongTrajectory
        trajectory_point
        spatial_calculation
IAgCrdnCalcScalarStandardDeviation
        InputScalar
        ComputeAsAverage
        IntegrationWindowType
        StartOffset
        StopOffset
        UseCustomTimeLimits
        CustomTimeLimits
        SaveDataOption
        Interpolation
        Sampling
        Integral
        KeepConstantOutsideTimeLimits
        SetOffsets
CalculationToolScalarStandardDeviation
        input_scalar
        compute_as_average
        integration_window_type
        start_offset
        stop_offset
        use_custom_time_limits
        custom_time_limits
        save_data_option
        interpolation
        sampling
        integral
        keep_constant_outside_time_limits
        set_offsets
IAgCrdnCalcScalarSurfaceDistanceBetweenPoints
        Point1
        Point2
        SurfaceCentralBody
        DifferencingTimeStep
CalculationToolScalarSurfaceDistanceBetweenPoints
        point_1
        point_2
        surface_central_body
        differencing_time_step
IAgCrdnCalcScalarVectorComponent
        InputVector
        ReferenceAxes
        Component
CalculationToolScalarVectorComponent
        input_vector
        reference_axes
        component
IAgCrdnCalcScalarVectorMagnitude
        InputVector
CalculationToolScalarVectorMagnitude
        input_vector
IAgCrdnCondition
        Type
        Evaluate
        EvaluateWithRate
ICalculationToolCondition
        type
        evaluate
        evaluate_with_rate
IAgCrdnConditionCombined
        CombineOperation
        ConditionCount
        GetAllConditions
        SetAllConditions
        GetCondition
        SetCondition
        RemoveCondition
        AddCondition
CalculationToolConditionCombined
        boolean_operation
        count
        get_all_conditions
        set_all_conditions
        get_condition
        set_condition
        remove_condition
        add_condition
IAgCrdnConditionFactory
        Create
        CreateConditionScalarBounds
        IsTypeSupported
        CreateConditionCombined
        CreateConditionPointInVolume
CalculationToolConditionFactory
        create
        create_scalar_bounds
        is_type_supported
        create_combined
        create_trajectory_within_volume
IAgCrdnConditionPointInVolume
        Point
        Constraint
CalculationToolConditionTrajectoryWithinVolume
        point
        constraint
IAgCrdnConditionScalarBounds
        Scalar
        Operation
        GetMinimum
        SetMinimum
        GetMaximum
        SetMaximum
        Set
        GetMinimumUnitless
        SetMinimumUnitless
        GetMaximumUnitless
        SetMaximumUnitless
        SetUnitless
CalculationToolConditionScalarBounds
        scalar
        operation
        get_minimum
        set_minimum
        get_maximum
        set_maximum
        set
        get_minimum_unitless
        set_minimum_unitless
        get_maximum_unitless
        set_maximum_unitless
        set_unitless
IAgCrdnConditionSet
        Type
        Evaluate
        EvaluateWithRate
ICalculationToolConditionSet
        type
        evaluate
        evaluate_with_rate
IAgCrdnConditionSetFactory
        Create
        CreateScalarThresholds
        IsTypeSupported
CalculationToolConditionSetFactory
        create
        create_scalar_thresholds
        is_type_supported
IAgCrdnConditionSetScalarThresholds
        Scalar
        Thresholds
        ThresholdLabels
        IncludeAboveHighestThreshold
        IncludeBelowLowestThreshold
        SetThresholdsAndLabels
CalculationToolConditionSetScalarThresholds
        scalar
        thresholds
        threshold_labels
        include_above_highest_threshold
        include_below_lowest_threshold
        set_thresholds_and_labels
IAgCrdnConverge IAnalysisWorkbenchConvergence
IAgCrdnConvergeBasic
        Sense
        TimeTolerance
        AbsoluteTolerance
        RelativeTolerance
CalculationToolConvergeBasic
        sense
        time_tolerance
        absolute_tolerance
        relative_tolerance
IAgCrdnDerivative IAnalysisWorkbenchDerivative
IAgCrdnDerivativeBasic
        TimeStep
CalculationToolDerivativeBasic
        time_step
IAgCrdnEvent
        Type
        Today
        Tomorrow
        NoonToday
        NoonTomorrow
        FindOccurrence
        OccursBefore
ITimeToolInstant
        type
        today
        tomorrow
        noon_today
        noon_tomorrow
        find_occurrence
        occurs_before
IAgCrdnEventArray
        Type
        FindTimes
ITimeToolTimeArray
        type
        find_times
IAgCrdnEventArrayConditionCrossings
        SatisfactionCrossing
        Condition
        CustomTimeLimits
        UseCustomTimeLimits
        SaveDataOption
        Sampling
        Convergence
TimeToolTimeArrayConditionCrossings
        satisfaction_crossing
        condition
        custom_time_limits
        use_custom_time_limits
        save_data_option
        sampling
        convergence
IAgCrdnEventArrayExtrema
        ExtremumType
        IsGlobal
        Calculation
        CustomTimeLimits
        UseCustomTimeLimits
        SaveDataOption
        Sampling
        Convergence
TimeToolTimeArrayExtrema
        extremum_type
        is_global
        calculation_scalar
        custom_time_limits
        use_custom_time_limits
        save_data_option
        sampling
        convergence
IAgCrdnEventArrayFactory
        Create
        CreateEventArrayExtrema
        CreateEventArrayStartStopTimes
        CreateEventArrayMerged
        CreateEventArrayFiltered
        CreateEventArrayFixedStep
        CreateEventArrayConditionCrossings
        CreateEventArraySignaled
        IsTypeSupported
        CreateEventArrayFixedTimes
TimeToolTimeArrayFactory
        create
        create_extrema
        create_start_stop_times
        create_merged
        create_filtered
        create_fixed_step
        create_condition_crossings
        create_signaled
        is_type_supported
        create_fixed_times
IAgCrdnEventArrayFiltered
        OriginalTimeArray
        FilterType
        Count
        Step
        IncludeIntervalStopTimes
        FilterIntervalList
TimeToolTimeArrayFiltered
        original_time_array
        filter_type
        count
        step
        include_interval_stop_times
        filter_interval_list
IAgCrdnEventArrayFixedStep
        BoundingIntervalList
        SamplingTimeStep
        IncludeIntervalEdges
        ReferenceType
        ReferenceTimeInstant
TimeToolTimeArrayFixedStep
        bounding_interval_list
        sampling_time_step
        include_interval_edges
        reference_type
        reference_time_instant
IAgCrdnEventArrayFixedTimes
        ArrayTimes
        SetArrayTimes
TimeToolTimeArrayFixedTimes
        array_times
        set_array_times
IAgCrdnEventArrayMerged
        TimeArrayA
        TimeArrayB
TimeToolTimeArrayMerged
        time_array_a
        time_array_b
IAgCrdnEventArraySignaled
        OriginalTimeArray
        SignalSense
        BaseClockLocation
        TargetClockLocation
        SignalDelay
TimeToolTimeArraySignaled
        original_time_array
        signal_sense
        base_clock_location
        target_clock_location
        signal_delay
IAgCrdnEventArrayStartStopTimes
        StartStopOption
        ReferenceIntervals
TimeToolTimeArrayStartStopTimes
        start_stop_option
        reference_intervals
IAgCrdnEventEpoch
        Epoch
TimeToolInstantEpoch
        epoch
IAgCrdnEventExtremum
        ExtremumType
        Calculation
        CustomTimeLimits
        UseCustomTimeLimits
        SaveDataOption
        Sampling
        Convergence
TimeToolInstantExtremum
        extremum_type
        calculation_scalar
        custom_time_limits
        use_custom_time_limits
        save_data_option
        sampling
        convergence
IAgCrdnEventFactory
        Today
        Tomorrow
        Create
        CreateEventEpoch
        CreateEventExtremum
        CreateEventStartStopTime
        CreateEventSignaled
        CreateEventTimeOffset
        CreateSmartEpochFromTime
        CreateSmartEpochFromEvent
        IsTypeSupported
TimeToolInstantFactory
        today
        tomorrow
        create
        create_epoch
        create_extremum
        create_start_stop_time
        create_signaled
        create_time_offset
        create_smart_epoch_from_time
        create_smart_epoch_from_event
        is_type_supported
IAgCrdnEventInterval
        Type
        LabelStartDescription
        LabelStopDescription
        LabelStart
        LabelStop
        FindInterval
        Occurred
ITimeToolTimeInterval
        type
        label_start_description
        label_stop_description
        label_start
        label_stop
        find_interval
        occurred
IAgCrdnEventIntervalBetweenTimeInstants
        StartTimeInstant
        StopTimeInstant
TimeToolTimeIntervalBetweenTimeInstants
        start_time_instant
        stop_time_instant
IAgCrdnEventIntervalCollection
        Type
        Labels
        FindIntervalCollection
        Occurred
ITimeToolTimeIntervalCollection
        type
        labels
        find_interval_collection
        occurred
IAgCrdnEventIntervalCollectionCondition
        ConditionSet
        CustomTimeLimits
        UseCustomTimeLimits
        SaveDataOption
        Sampling
        Convergence
TimeToolTimeIntervalCollectionCondition
        condition_set
        custom_time_limits
        use_custom_time_limits
        save_data_option
        sampling
        convergence
IAgCrdnEventIntervalCollectionFactory
        Create
        CreateEventIntervalCollectionLighting
        CreateEventIntervalCollectionSignaled
        IsTypeSupported
        CreateEventIntervalCollectionSatisfaction
TimeToolTimeIntervalCollectionFactory
        create
        create_lighting
        create_signaled
        is_type_supported
        create_satisfaction
IAgCrdnEventIntervalCollectionLighting
        Location
        EclipsingBodies
        UseObjectEclipsingBodies
TimeToolTimeIntervalCollectionLighting
        location
        eclipsing_bodies
        use_object_eclipsing_bodies
IAgCrdnEventIntervalCollectionSignaled
        OriginalCollection
        SignalSense
        BaseClockLocation
        TargetClockLocation
        SignalDelay
TimeToolTimeIntervalCollectionSignaled
        original_collection
        signal_sense
        base_clock_location
        target_clock_location
        signal_delay
IAgCrdnEventIntervalFactory
        Create
        CreateEventIntervalFixed
        CreateEventIntervalFixedDuration
        CreateEventIntervalBetweenTimeInstants
        CreateEventIntervalFromIntervalList
        CreateEventIntervalScaled
        CreateEventIntervalSignaled
        CreateEventIntervalTimeOffset
        IsTypeSupported
TimeToolTimeIntervalFactory
        create
        create_fixed
        create_fixed_duration
        create_between_time_instants
        create_from_interval_list
        create_scaled
        create_signaled
        create_time_offset
        is_type_supported
IAgCrdnEventIntervalFixed
        StartTime
        StopTime
        SetInterval
TimeToolTimeIntervalFixed
        start_time
        stop_time
        set_interval
IAgCrdnEventIntervalFixedDuration
        ReferenceTimeInstant
        StartOffset
        StopOffset
TimeToolTimeIntervalFixedDuration
        reference_time_instant
        start_offset
        stop_offset
IAgCrdnEventIntervalFromIntervalList
        ReferenceIntervals
        IntervalSelection
        IntervalNumber
TimeToolTimeIntervalFromIntervalList
        reference_intervals
        interval_selection
        interval_number
IAgCrdnEventIntervalList
        Type
        Labels
        Descriptions
        FindIntervals
        Occurred
ITimeToolTimeIntervalList
        type
        labels
        descriptions
        find_intervals
        occurred
IAgCrdnEventIntervalListCondition
        Condition
        CustomTimeLimits
        UseCustomTimeLimits
        SaveDataOption
        Sampling
        Convergence
TimeToolTimeIntervalListCondition
        condition
        custom_time_limits
        use_custom_time_limits
        save_data_option
        sampling
        convergence
IAgCrdnEventIntervalListFactory
        Create
        CreateEventIntervalListMerged
        CreateEventIntervalListFiltered
        CreateEventIntervalListCondition
        CreateEventIntervalListScaled
        CreateEventIntervalListSignaled
        CreateEventIntervalListTimeOffset
        IsTypeSupported
        CreateEventIntervalListFile
        CreateEventIntervalListFixed
TimeToolTimeIntervalListFactory
        create
        create_merged
        create_filtered
        create_from_condition
        create_scaled
        create_signaled
        create_time_offset
        is_type_supported
        create_from_file
        create_fixed
IAgCrdnEventIntervalListFile
        Filename
        Reload
        GetFileSpan
TimeToolTimeIntervalListFile
        filename
        reload
        get_file_span
IAgCrdnEventIntervalListFiltered
        OriginalIntervals
        FilterFactory
        Filter
TimeToolTimeIntervalListFiltered
        original_intervals
        filter_factory
        filter
IAgCrdnEventIntervalListFixed
        GetIntervals
        SetIntervals
TimeToolTimeIntervalListFixed
        get_intervals
        set_intervals
IAgCrdnEventIntervalListMerged
        IntervalListOrIntervalA
        IntervalListOrIntervalB
        MergeOperation
        SetIntervalListA
        SetIntervalA
        SetIntervalListB
        SetIntervalB
        AddInterval
        AddIntervalList
        SetInterval
        SetIntervalList
        GetTimeComponent
        GetTimeComponentSize
        RemoveTimeComponent
TimeToolTimeIntervalListMerged
        interval_list_or_interval_a
        interval_list_or_interval_b
        merge_operation
        set_interval_list_a
        set_interval_a
        set_interval_list_b
        set_interval_b
        add_interval
        add_interval_list
        set_interval
        set_interval_list
        get_time_component
        get_time_component_size
        remove_time_component
IAgCrdnEventIntervalListScaled
        OriginalIntervals
        AbsoluteIncrement
        RelativeIncrement
        UseAbsoluteIncrement
TimeToolTimeIntervalListScaled
        original_intervals
        absolute_increment
        relative_increment
        use_absolute_increment
IAgCrdnEventIntervalListSignaled
        OriginalIntervals
        SignalSense
        BaseClockLocation
        TargetClockLocation
        SignalDelay
TimeToolTimeIntervalListSignaled
        original_intervals
        signal_sense
        base_clock_location
        target_clock_location
        signal_delay
IAgCrdnEventIntervalListTimeOffset
        ReferenceIntervals
        TimeOffset
TimeToolTimeIntervalListTimeOffset
        reference_intervals
        time_offset
IAgCrdnEventIntervalScaled
        OriginalInterval
        AbsoluteIncrement
        RelativeIncrement
        UseAbsoluteIncrement
TimeToolTimeIntervalScaled
        original_interval
        absolute_increment
        relative_increment
        use_absolute_increment
IAgCrdnEventIntervalSignaled
        OriginalInterval
        SignalSense
        BaseClockLocation
        TargetClockLocation
        SignalDelay
TimeToolTimeIntervalSignaled
        original_interval
        signal_sense
        base_clock_location
        target_clock_location
        signal_delay
IAgCrdnEventIntervalSmartInterval
        ReferenceInterval
        DurationAsString
        State
        SetImplicitInterval
        FindStartTime
        FindStopTime
        GetStartEpoch
        SetStartEpoch
        GetStopEpoch
        SetStopEpoch
        SetExplicitInterval
        SetStartAndStopEpochs
        SetStartAndStopTimes
        SetStartEpochAndDuration
        SetStartTimeAndDuration
TimeToolTimeIntervalSmartInterval
        reference_interval
        duration_as_string
        state
        set_implicit_interval
        find_start_time
        find_stop_time
        get_start_epoch
        set_start_epoch
        get_stop_epoch
        set_stop_epoch
        set_explicit_interval
        set_start_and_stop_epochs
        set_start_and_stop_times
        set_start_epoch_and_duration
        set_start_time_and_duration
IAgCrdnEventIntervalTimeOffset
        ReferenceInterval
        TimeOffset
TimeToolTimeIntervalTimeOffset
        reference_interval
        time_offset
IAgCrdnEventSignaled
        OriginalTimeInstant
        SignalSense
        BaseClockLocation
        TargetClockLocation
        SignalDelay
TimeToolInstantSignaled
        original_time_instant
        signal_sense
        base_clock_location
        target_clock_location
        signal_delay
IAgCrdnEventSmartEpoch
        TimeInstant
        ReferenceEvent
        State
        SetExplicitTime
        SetImplicitTime
TimeToolInstantSmartEpoch
        time_instant
        reference_epoch
        state
        set_explicit_time
        set_implicit_time
IAgCrdnEventStartStopTime
        UseStart
        ReferenceEventInterval
TimeToolInstantStartStopTime
        use_start
        reference_interval
IAgCrdnEventTimeOffset
        ReferenceTimeInstant
        TimeOffset2
TimeToolInstantTimeOffset
        reference_time_instant
        time_offset
IAgCrdnFirstIntervalsFilter
        MaximumNumberOfIntervals
TimeToolTimeIntervalFirstIntervalsFilter
        maximum_number_of_intervals
IAgCrdnGapsFilter
        DurationKind
        GapDuration
TimeToolTimeIntervalGapsFilter
        duration_type
        gap_duration
IAgCrdnIntegral IAnalysisWorkbenchIntegral
IAgCrdnIntegralBasic
        Type
        Tolerance
        MaximumIterations
CalculationToolIntegralBasic
        type
        tolerance
        maximum_iterations
IAgCrdnInterp IAnalysisWorkbenchInterpolator
IAgCrdnInterpBasic
        Type
        Order
CalculationToolInterpolatorBasic
        type
        order
IAgCrdnIntervalsFilter
        DurationKind
        IntervalDuration
TimeToolIntervalsFilter
        duration_type
        interval_duration
IAgCrdnLastIntervalsFilter
        MaximumNumberOfIntervals
TimeToolTimeIntervalLastIntervalsFilter
        maximum_number_of_intervals
IAgCrdnParameterSet
        Type
        Labels
        Dimensions
        ScalarNames
        Calculate
        CalculateWithDerivative
ICalculationToolParameterSet
        type
        labels
        dimensions
        scalar_names
        calculate
        calculate_with_derivative
IAgCrdnParameterSetAttitude
        Axes
        ReferenceAxes
CalculationToolParameterSetAttitude
        axes
        reference_axes
IAgCrdnParameterSetFactory
        Create
        CreateParameterSetAttitude
        CreateParameterSetGroundTrajectory
        CreateParameterSetTrajectory
        CreateParameterSetOrbit
        CreateParameterSetVector
        IsTypeSupported
CalculationToolParameterSetFactory
        create
        create_attitude
        create_ground_trajectory
        create_trajectory
        create_orbit
        create_vector
        is_type_supported
IAgCrdnParameterSetGroundTrajectory
        Location
        CentralBody
CalculationToolParameterSetGroundTrajectory
        location
        central_body
IAgCrdnParameterSetOrbit
        OrbitingPoint
        ReferenceSystem
        GravitationalParameter
        CentralBody
        UseCentralBodyGravitationalParameter
        UseCentralBodyInertial
CalculationToolParameterSetOrbit
        orbiting_point
        reference_system
        gravitational_parameter
        central_body
        use_central_body_gravitational_parameter
        use_central_body_inertial
IAgCrdnParameterSetTrajectory
        Point
        ReferenceSystem
CalculationToolParameterSetTrajectory
        point
        reference_system
IAgCrdnParameterSetVector
        Vector
        ReferenceAxes
CalculationToolParameterSetVector
        vector
        reference_axes
IAgCrdnPruneFilter
        FilterType
ITimeToolPruneFilter
        filter_type
IAgCrdnPruneFilterFactory
        Create
TimeToolPruneFilterFactory
        create
IAgCrdnRelativeSatisfactionConditionFilter
        Condition
        DurationKind
        RelativeIntervalDuration
TimeToolTimeIntervalRelativeSatisfactionConditionFilter
        condition
        duration_type
        relative_interval_duration
IAgCrdnSampling IAnalysisWorkbenchSampling
IAgCrdnSamplingBasic
        SamplingMethod
        MethodFactory
CalculationToolSamplingBasic
        sampling_method
        method_factory
IAgCrdnSamplingCurvatureTolerance
        MinimumTimeStep
        MaximumTimeStep
        StepAtBoundaries
        RelativeTolerance
        AbsoluteTolerance
        CurvatureTolerance
CalculationToolSamplingCurvatureTolerance
        minimum_time_step
        maximum_time_step
        step_at_boundaries
        relative_tolerance
        absolute_tolerance
        curvature_tolerance
IAgCrdnSamplingFixedStep
        TimeStep
CalculationToolSamplingFixedStep
        time_step
IAgCrdnSamplingMethod
        MethodType
ICalculationToolSamplingMethod
        method_type
IAgCrdnSamplingMethodFactory
        CreateFixedStep
        CreateCurvatureTolerance
        CreateRelativeTolerance
CalculationToolSamplingMethodFactory
        create_fixed_step
        create_curvature_tolerance
        create_relative_tolerance
IAgCrdnSamplingRelativeTolerance
        MinimumTimeStep
        MaximumTimeStep
        StepAtBoundaries
        RelativeTolerance
        AbsoluteTolerance
CalculationToolSamplingRelativeTolerance
        minimum_time_step
        maximum_time_step
        step_at_boundaries
        relative_tolerance
        absolute_tolerance
IAgCrdnSatisfactionConditionFilter
        Condition
        DurationKind
        IntervalDuration
TimeToolTimeIntervalSatisfactionConditionFilter
        condition
        duration_type
        interval_duration
IAgCrdnSignalDelay IAnalysisWorkbenchSignalDelay
IAgCrdnSignalDelayBasic
        SignalPathReferenceSystem
        ReferenceSystem
        SpeedOption
        TransferSpeed
        TimeDelayConvergence
TimeToolSignalDelayBasic
        signal_path_reference_system
        reference_system
        speed_option
        transfer_speed
        time_delay_convergence
IAgCrdnVolumeCalcFactory
        IsTypeSupported
        Create
        CreateVolumeCalcAltitude
        CreateVolumeCalcAngleOffVector
        CreateVolumeCalcFile
        CreateVolumeCalcFromScalar
        CreateVolumeCalcSolarIntensity
        CreateVolumeCalcVolumeSatisfactionMetric
        CreateVolumeCalcRange
        CreateVolumeCalcDelayRange
SpatialAnalysisToolCalculationFactory
        is_type_supported
        create
        create_altitude
        create_angle_to_location
        create_from_file
        create_from_calculation_scalar
        create_solar_intensity
        create_spatial_condition_satisfaction_metrics
        create_distance_to_location
        create_propagation_delay_to_location
IAgCrdnVolumeFactory
        Create
        IsTypeSupported
        CreateVolumeCombined
        CreateVolumeLighting
        CreateVolumeOverTime
        CreateVolumeFromGrid
        CreateVolumeFromCalc
        CreateVolumeFromTimeSatisfaction
        CreateVolumeFromCondition
        CreateVolumeInview
SpatialAnalysisToolConditionFactory
        create
        is_type_supported
        create_combined
        create_lighting
        create_volume_over_time
        create_from_grid
        create_from_spatial_calculation
        create_from_time_satisfaction
        create_from_condition
        create_from_access
IAgCrdnVolumeGridFactory
        Create
        CreateVolumeGridCartesian
        IsTypeSupported
        CreateVolumeGridCylindrical
        CreateVolumeGridSpherical
        CreateVolumeGridConstrained
        CreateVolumeGridLatLonAlt
        CreateVolumeGridBearingAlt
SpatialAnalysisToolVolumeGridFactory
        create
        create_cartesian
        is_type_supported
        create_cylindrical
        create_spherical
        create_constrained
        create_latitude_longitude_altitude
        create_bearing_altitude
IAgCrdnGridCoordinateDefinition
        MethodType
        GridValuesMethod
        SetGridValuesFixedStep
        SetGridValuesFixedNumberOfSteps
        SetGridValuesCustom
        SetGridValuesFixedNumberOfStepsEx
SpatialAnalysisToolGridCoordinateDefinition
        method_type
        grid_values_method
        set_fixed_step
        set_grid_values_fixed_number_of_steps
        set_custom
        set_fixed_number_of_steps
IAgCrdnGridValuesCustom
        Values
SpatialAnalysisToolGridValuesCustom
        values
IAgCrdnGridValuesFixedNumberOfSteps
        Min
        Max
        NumberOfSteps
        MinEx
        MaxEx
SpatialAnalysisToolGridValuesFixedNumberOfSteps
        min
        max
        number_of_steps
        minimum
        maximum
IAgCrdnGridValuesFixedStep
        Min
        Max
        IncludeMinMax
        ReferenceValue
        Step
SpatialAnalysisToolGridValuesFixedStep
        minimum
        maximum
        include_minimum_maximum
        reference_value
        step
IAgCrdnGridValuesMethod
        MethodType
ISpatialAnalysisToolGridValuesMethod
        method_type
IAgCrdnLightTimeDelay
        UseLightTimeDelay
        TimeDelayConvergence
        AberrationType
        ClockHost
        TimeSense
TimeToolLightTimeDelay
        use_light_time_delay
        time_delay_convergence
        aberration_type
        clock_host
        time_sense
IAgCrdnVolume ISpatialAnalysisToolVolume
IAgCrdnVolumeCalc ISpatialAnalysisToolSpatialCalculation
IAgCrdnVolumeCalcAltitude
        CentralBody
        ShapeModel
        UseCustomReference
        ReferencePoint
SpatialAnalysisToolCalculationAltitude
        central_body
        shape_model
        use_custom_reference
        reference_point
IAgCrdnVolumeCalcAngleOffVector
        Angle
        ReferencePlane
        ReferencePoint
        ReferenceVector
        AboutVector
SpatialAnalysisToolCalculationAngleToLocation
        angle
        reference_plane
        reference_point
        reference_vector
        about_vector
IAgCrdnVolumeCalcConditionSatMetric
        SpatialCondition
        SatisfactionMetric
        AccumulationType
        DurationType
        Filter
        MaximumNumberOfIntervals
        UseMinimumDuration
        UseMaximumDuration
        MinimumDurationTime
        MaximumDurationTime
SpatialAnalysisToolCalculationConditionSatisfactionMetric
        spatial_condition
        satisfaction_metric
        accumulation_type
        duration_type
        filter
        maximum_number_of_intervals
        use_minimum_duration
        use_maximum_duration
        minimum_duration_time
        maximum_duration_time
IAgCrdnVolumeCalcDelayRange
        Distance
        ReferencePoint
        ReferencePlane
        AlongVector
        SpeedType
        Speed
SpatialAnalysisToolCalculationPropagationDelayToLocation
        distance
        reference_point
        reference_plane
        along_vector
        speed_type
        speed
IAgCrdnVolumeCalcFile
        Filename
        Reload
SpatialAnalysisToolCalculationFile
        filename
        reload
IAgCrdnVolumeCalcFromScalar
        Scalar
SpatialAnalysisToolCalculationFromCalculationScalar
        scalar
IAgCrdnVolumeCalcRange
        Distance
        ReferencePoint
        ReferencePlane
        AlongVector
SpatialAnalysisToolCalculationDistanceToLocation
        distance
        reference_point
        reference_plane
        along_vector
IAgCrdnVolumeCalcSolarIntensity
        EclipsingBodies
        UseObjectEclipsingBodies
SpatialAnalysisToolCalculationSolarIntensity
        eclipsing_bodies
        use_object_eclipsing_bodies
IAgCrdnVolumeCombined
        CombineOperation
        ConditionCount
        GetAllConditions
        SetAllConditions
        SetCondition
        GetCondition
        RemoveCondition
SpatialAnalysisToolConditionCombined
        boolean_operation
        count
        get_all_conditions
        set_all_conditions
        set_condition
        get_condition
        remove_condition
IAgCrdnVolumeFromCalc
        Operation
        VolumeCalc
        GetMinimum
        SetMinimum
        GetMaximum
        SetMaximum
        Set
SpatialAnalysisToolConditionSpatialCalculationBounds
        operation
        spatial_calculation
        get_minimum
        set_minimum
        get_maximum
        set_maximum
        set
IAgCrdnVolumeFromCondition
        Condition
        UseCustomTimeLimits
        CustomTimeLimits
        Sampling
        Convergence
SpatialAnalysisToolConditionConditionAtLocation
        condition
        use_custom_time_limits
        custom_time_limits
        sampling
        convergence
IAgCrdnVolumeFromGrid
        EdgeType
        VolumeGrid
SpatialAnalysisToolConditionGridBoundingVolume
        edge_type
        volume_grid
IAgCrdnVolumeFromTimeSatisfaction
        TimeSatisfaction
SpatialAnalysisToolConditionValidTimeAtLocation
        time_satisfaction
IAgCrdnVolumeGrid ISpatialAnalysisToolVolumeGrid
IAgCrdnVolumeGridBearingAlt
        ReferenceCentralBody
        AlongBearingCoordinates
        CrossBearingCoordinates
        AltitudeCoordinates
        AutoFitBounds
        BearingAngle
        ReferenceLocation
SpatialAnalysisToolAnalysisToolVolumeGridBearingAltitude
        reference_central_body
        along_bearing_grid_parameters
        cross_bearing_grid_parameters
        altitude_grid_parameters
        auto_fit_bounds
        bearing_angle
        reference_location
IAgCrdnVolumeGridCartesian
        ReferenceSystem
        XCoordinates
        YCoordinates
        ZCoordinates
SpatialAnalysisToolVolumeGridCartesian
        reference_system
        x_grid_parameters
        y_grid_parameters
        z_grid_parameters
IAgCrdnVolumeGridConstrained
        ReferenceGrid
        Constraint
SpatialAnalysisToolVolumeGridConstrained
        reference_grid
        constraint
IAgCrdnVolumeGridCylindrical
        ReferenceSystem
        ThetaCoordinates
        RadiusCoordinates
        HeightCoordinates
SpatialAnalysisToolVolumeGridCylindrical
        reference_system
        theta_coordinates
        radius_coordinates
        height_coordinates
IAgCrdnVolumeGridLatLonAlt
        ReferenceCentralBody
        LatitudeCoordinates
        LongitudeCoordinates
        AltitudeCoordinates
        AutoFitBounds
SpatialAnalysisToolVolumeGridLatitudeLongitudeAltitude
        reference_central_body
        latitude_coordinates
        longitude_coordinates
        altitude_grid_parameters
        auto_fit_bounds
IAgCrdnVolumeGridResult
        Epoch
        SizeI
        SizeJ
        SizeK
        VolumeMetricDataVector
        VolumeMetricPositionVector
        VolumeMetricNativePositionVector
        VolumeMetricGradientVector
SpatialAnalysisToolVolumeGridResult
        epoch
        size_i
        size_j
        size_k
        data_vector
        position_vector
        native_position_vector
        gradient_vector
IAgCrdnVolumeGridSpherical
        ReferenceSystem
        AzimuthCoordinates
        ElevationCoordinates
        RangeCoordinates
SpatialAnalysisToolVolumeGridSpherical
        reference_system
        azimuth_grid_parameters
        elevation_grid_parameters
        range_coordinates
IAgCrdnVolumeInview
        ConstraintObject
        LightTimeDelay
SpatialAnalysisToolConditionAccessToLocation
        constraint_object
        light_time_delay
IAgCrdnVolumeLighting
        EclipsingBodies
        UseObjectEclipsingBodies
        LightingConditions
SpatialAnalysisToolConditionLighting
        eclipsing_bodies
        use_object_eclipsing_bodies
        lighting_conditions
IAgCrdnVolumeOverTime
        DurationType
        ReferenceVolume
        ReferenceIntervals
        StartOffset
        StopOffset
SpatialAnalysisToolConditionOverTime
        duration_type
        reference_volume
        reference_intervals
        start_offset
        stop_offset
IAgCrdnTimeProperties
        GetAvailability
IAnalysisWorkbenchComponentTimeProperties
        get_availability
IAgCrdnTypeInfo
        TypeDescription
        TypeName
        ShortTypeDescription
AnalysisWorkbenchComponentTypeInformation
        type_description
        type_name
        short_type_description
IAgCrdnRefTo
        Path
IAnalysisWorkbenchComponentReference
        path
IAgCrdnTemplate
        ClassName
AnalysisWorkbenchComponentTemplate
        class_name
IAgCrdnInstance
        InstancePath
        Template
AnalysisWorkbenchComponentInstance
        instance_path
        template
IAgCrdnPointRefTo
        SetPath
        SetPoint
        GetPoint
        HasCyclicDependency
VectorGeometryToolPointReference
        set_path
        set_point
        get_point
        has_cyclic_dependency
IAgCrdnVectorRefTo
        SetPath
        SetVector
        GetVector
        HasCyclicDependency
VectorGeometryToolVectorReference
        set_path
        set_vector
        get_vector
        has_cyclic_dependency
IAgCrdnAxesRefTo
        SetPath
        SetAxes
        GetAxes
        HasCyclicDependency
VectorGeometryToolAxesReference
        set_path
        set_axes
        get_axes
        has_cyclic_dependency
IAgCrdnAngleRefTo
        SetPath
        SetAngle
        GetAngle
        HasCyclicDependency
VectorGeometryToolAngleReference
        set_path
        set_angle
        get_angle
        has_cyclic_dependency
IAgCrdnSystemRefTo
        SetPath
        SetSystem
        GetSystem
        HasCyclicDependency
VectorGeometryToolSystemReference
        set_path
        set_system
        get_system
        has_cyclic_dependency
IAgCrdnPlaneRefTo
        SetPath
        SetPlane
        GetPlane
        HasCyclicDependency
VectorGeometryToolPlaneReference
        set_path
        set_plane
        get_plane
        has_cyclic_dependency
IAgCrdnAxesLabels
        LabelX
        LabelY
        LabelZ
VectorGeometryToolAxesLabels
        label_x
        label_y
        label_z
IAgCrdnPlaneLabels
        XAxisLabel
        YAxisLabel
VectorGeometryToolPlaneLabels
        x_axis_label
        y_axis_label
IAgCrdnAxesAlignedAndConstrained
        AlignmentReferenceVector
        ConstraintReferenceVector
        AlignmentDirection
        ConstraintDirection
VectorGeometryToolAxesAlignedAndConstrained
        alignment_reference_vector
        constraint_reference_vector
        alignment_direction
        constraint_direction
IAgCrdnAxesAngularOffset
        SpinVector
        RotationAngle
        ReferenceAxes
        FixedOffsetAngle
VectorGeometryToolAxesAngularOffset
        spin_vector
        rotation_angle
        reference_axes
        fixed_offset_angle
IAgCrdnAxesFixedAtEpoch
        SourceAxes
        ReferenceAxes
        Epoch
VectorGeometryToolAxesFixedAtEpoch
        source_axes
        reference_axes
        epoch
IAgCrdnAxesBPlane
        Trajectory
        ReferenceVector
        TargetBody
        Direction
VectorGeometryToolAxesBPlane
        trajectory
        reference_vector
        target_body
        direction
IAgCrdnAxesCustomScript
        ReferenceAxes
        Filename
VectorGeometryToolAxesCustomScript
        reference_axes
        filename
IAgCrdnAxesAttitudeFile
        Filename
VectorGeometryToolAxesAttitudeFile
        filename
IAgCrdnAxesFixed
        ReferenceAxes
        FixedOrientation
VectorGeometryToolAxesFixed
        reference_axes
        fixed_orientation
IAgCrdnAxesModelAttach
        PointableElementName
VectorGeometryToolAxesModelAttachment
        pointable_element_name
IAgCrdnAxesSpinning
        SpinVector
        ReferenceAxes
        Epoch
        InitialOffset
        SpinRate
VectorGeometryToolAxesSpinning
        spin_vector
        reference_axes
        epoch
        initial_offset
        spin_rate
IAgCrdnAxesOnSurface
        CentralBody
        ReferencePoint
        UseMSL
VectorGeometryToolAxesOnSurface
        central_body
        reference_point
        use_mean_sea_level
IAgCrdnAxesTrajectory
        TrajectoryPoint
        ReferenceSystem
        TrajectoryAxesType
VectorGeometryToolAxesTrajectory
        trajectory_point
        reference_system
        trajectory_axes_type
IAgCrdnAxesLagrangeLibration
        PrimaryCentralBody
        PointType
        SecondaryCentralBodies
VectorGeometryToolAxesLagrangeLibration
        primary_central_body
        point_type
        secondary_central_bodies
IAgCrdnAxesCommonTasks
        CreateTopocentricAxesQuaternion
        CreateTopocentricAxesEulerAngles
        CreateFixed
        Sample
VectorGeometryToolAxesCommonTasks
        create_topocentric_axes_quaternion
        create_topocentric_axes_euler_angles
        create_fixed
        sample
IAgCrdnAxesAtTimeInstant
        ReferenceTimeInstant
        SourceAxes
        ReferenceAxes
VectorGeometryToolAxesAtTimeInstant
        reference_time_instant
        source_axes
        reference_axes
IAgCrdnAxesPlugin
        ProgID
        DisplayName
        AvailableProperties
        Reset
        SetProperty
        GetProperty
VectorGeometryToolAxesPlugin
        prog_id
        display_name
        available_properties
        reset
        set_property
        get_property
IAgCrdnAngleBetweenVectors
        FromVector
        ToVector
VectorGeometryToolAngleBetweenVectors
        from_vector
        to_vector
IAgCrdnAngleBetweenPlanes
        FromPlane
        ToPlane
VectorGeometryToolAngleBetweenPlanes
        from_plane
        to_plane
IAgCrdnAngleDihedral
        FromVector
        ToVector
        PoleAbout
        CounterClockwiseRotation
        SignedAngle
VectorGeometryToolAngleDihedral
        from_vector
        to_vector
        pole_about
        counter_clockwise_rotation
        signed_angle
IAgCrdnAngleRotation
        FromAxes
        ToAxes
        ReferenceDirection
VectorGeometryToolAngleRotation
        from_axes
        to_axes
        reference_direction
IAgCrdnAngleToPlane
        ReferenceVector
        ReferencePlane
        Signed
VectorGeometryToolAngleToPlane
        reference_vector
        reference_plane
        signed
IAgCrdnPlaneNormal
        NormalVector
        ReferenceVector
        ReferencePoint
VectorGeometryToolPlaneNormal
        normal_vector
        reference_vector
        reference_point
IAgCrdnPlaneQuadrant
        ReferenceSystem
        Quadrant
VectorGeometryToolPlaneQuadrant
        reference_system
        quadrant
IAgCrdnPlaneTrajectory
        Point
        ReferenceSystem
        RotationOffset
VectorGeometryToolPlaneTrajectory
        point
        reference_system
        rotation_offset
IAgCrdnPlaneTriad
        PointA
        PointB
        ReferencePoint
        RotationOffset
VectorGeometryToolPlaneTriad
        point_a
        point_b
        reference_point
        rotation_offset
IAgCrdnPlaneTwoVector
        ReferenceVector
        Vector2
        ReferencePoint
VectorGeometryToolPlaneTwoVector
        reference_vector
        vector_2
        reference_point
IAgCrdnPointBPlane
        TargetBody
        Trajectory
        PointType
        Direction
VectorGeometryToolPointBPlane
        target_body
        trajectory
        point_type
        direction
IAgCrdnPointFile
        Filename
VectorGeometryToolPointFile
        filename
IAgCrdnPointFixedInSystem
        Reference
        FixedPoint
VectorGeometryToolPointFixedInSystem
        reference
        fixed_point
IAgCrdnPointGrazing
        CentralBody
        ReferencePoint
        DirectionVector
        Altitude
VectorGeometryToolPointGrazing
        central_body
        reference_point
        direction_vector
        altitude
IAgCrdnPointGlint
        CentralBody
        SourcePoint
        ObserverPoint
VectorGeometryToolPointGlint
        central_body
        source_point
        observer_point
IAgCrdnPointCovarianceGrazing
        ReferencePoint
        DirectionVector
        TargetName
        Distance
        Probability
        Scale
        UseProbability
VectorGeometryToolPointCovarianceGrazing
        reference_point
        direction_vector
        target_name
        distance
        probability
        scale
        use_probability
IAgCrdnPointPlaneIntersection
        DirectionVector
        ReferencePlane
        OriginPoint
VectorGeometryToolPointPlaneIntersection
        direction_vector
        reference_plane
        origin_point
IAgCrdnPointOnSurface
        CentralBody
        ReferencePoint
        ReferenceShape
        SurfaceType
VectorGeometryToolPointOnSurface
        central_body
        reference_point
        reference_shape
        surface_type
IAgCrdnPointModelAttach
        PointableElementName
        UseScale
VectorGeometryToolPointModelAttachment
        pointable_element_name
        use_scale
IAgCrdnPointSatelliteCollectionEntry
        EntryName
VectorGeometryToolPointSatelliteCollectionEntry
        entry_name
IAgCrdnPointPlaneProjection
        SourcePoint
        ReferencePlane
VectorGeometryToolPointPlaneProjection
        source_point
        reference_plane
IAgCrdnPointLagrangeLibration
        CentralBody
        PointType
        SecondaryCentralBodies
VectorGeometryToolPointLagrangeLibration
        central_body
        point_type
        secondary_central_bodies
IAgCrdnPointCommonTasks
        CreateFixedInSystemCartographic
        CreateFixedInSystemCartesian
        Sample
VectorGeometryToolPointCommonTasks
        create_fixed_in_system_cartographic
        create_fixed_in_system_cartesian
        sample
IAgCrdnPointCentBodyIntersect
        CentralBody
        ReferencePoint
        DirectionVector
        IntersectionSurface
        Altitude
        UseRangeConstraint
        MinimumRange
        MaximumRange
        UseMinimumRange
        UseMaximumRange
        SetRange
        AllowIntersectionFromBelow
VectorGeometryToolPointCentralBodyIntersect
        central_body
        reference_point
        direction_vector
        intersection_surface
        altitude
        use_range_constraint
        minimum_range
        maximum_range
        use_minimum_range
        use_maximum_range
        set_range
        allow_intersection_from_below
IAgCrdnPointAtTimeInstant
        ReferenceTimeInstant
        SourcePoint
        ReferenceSystem
VectorGeometryToolPointAtTimeInstant
        reference_time_instant
        source_point
        reference_system
IAgCrdnPointPlugin
        ProgID
        DisplayName
        AvailableProperties
        Reset
        SetProperty
        GetProperty
VectorGeometryToolPointPlugin
        prog_id
        display_name
        available_properties
        reset
        set_property
        get_property
IAgCrdnPointCBFixedOffset
        CentralBody
        ReferenceShape
        Position
VectorGeometryToolPointCentralBodyFixedOffset
        central_body
        reference_shape
        position
IAgCrdnSystemAssembled
        OriginPoint
        ReferenceAxes
VectorGeometryToolSystemAssembled
        origin_point
        reference_axes
IAgCrdnSystemOnSurface
        CentralBody
        AzimuthAngle
        UseMSL
        Position
VectorGeometryToolSystemOnSurface
        central_body
        azimuth_angle
        use_mean_sea_level
        position
IAgCrdnLLAPosition
        Latitude
        Longitude
        Altitude
AnalysisWorkbenchPositionLLA
        latitude
        longitude
        altitude
IAgCrdnSystemCommonTasks
        CreateEastNorthUpCartographic
        CreateAssembled
VectorGeometryToolSystemCommonTasks
        create_east_north_up_cartographic
        create_assembled
IAgCrdnVectorAngleRate
        Angle
        DifferencingTimeStep
VectorGeometryToolVectorAngleRate
        angle
        differencing_time_step
IAgCrdnVectorApoapsis
        ReferencePoint
        CentralBody
        MeanElementType
VectorGeometryToolVectorApoapsis
        reference_point
        central_body
        mean_element_type
IAgCrdnVectorFixedAtEpoch
        Epoch
        SourceVector
        ReferenceAxes
VectorGeometryToolVectorFixedAtEpoch
        epoch
        source_vector
        reference_axes
IAgCrdnVectorAngularVelocity
        Axes
        ReferenceAxes
        DifferencingTimeStep
VectorGeometryToolVectorAngularVelocity
        axes
        reference_axes
        differencing_time_step
IAgCrdnVectorConing
        AboutVector
        ReferenceVector
        StartClockAngle
        StopClockAngle
        StartEpoch
        ClockAngleRate
        Mode
VectorGeometryToolVectorConing
        about_vector
        reference_vector
        start_clock_angle
        stop_clock_angle
        start_epoch
        clock_angle_rate
        mode
IAgCrdnVectorCross
        From
        To
        IsNormalized
        Dimension
VectorGeometryToolVectorCross
        from_vector
        to_vector
        is_normalized
        dimension
IAgCrdnVectorCustomScript
        ReferenceAxes
        ScriptFile
        InitializationScriptFile
VectorGeometryToolVectorCustomScript
        reference_axes
        script_file
        initialization_script_file
IAgCrdnVectorDerivative
        Vector
        ReferenceAxes
        DifferencingTimeStep
        ForceUseOfNumericalDifferences
VectorGeometryToolVectorDerivative
        vector
        reference_axes
        differencing_time_step
        force_use_of_numerical_differences
IAgCrdnVectorDisplacement
        Origin
        Destination
        Apparent
        IgnoreAberration
        SignalSense
        ReferenceSystem
VectorGeometryToolVectorDisplacement
        origin
        destination
        apparent
        ignore_aberration
        signal_sense
        reference_system
IAgCrdnVectorTwoPlanesIntersection
        PlaneA
        PlaneB
VectorGeometryToolVectorTwoPlanesIntersection
        plane_a
        plane_b
IAgCrdnVectorModelAttach
        PointableElementName
VectorGeometryToolVectorModelAttachment
        pointable_element_name
IAgCrdnVectorProjection
        Source
        ReferencePlane
VectorGeometryToolVectorProjection
        source
        reference_plane
IAgCrdnVectorScaled
        ReferenceVector
        Scale
        IsNormalized
VectorGeometryToolVectorScaled
        reference_vector
        scale
        is_normalized
IAgCrdnVectorEccentricity
        CentralBody
        ReferencePoint
        MeanElementType
VectorGeometryToolVectorEccentricity
        central_body
        reference_point
        mean_element_type
IAgCrdnVectorFixedInAxes
        ReferenceAxes
        Direction
VectorGeometryToolVectorFixedInAxes
        reference_axes
        direction
IAgCrdnVectorLineOfNodes
        CentralBody
        ReferencePoint
VectorGeometryToolVectorLineOfNodes
        central_body
        reference_point
IAgCrdnVectorOrbitAngularMomentum
        CentralBody
        ReferencePoint
        MeanElementType
VectorGeometryToolVectorOrbitAngularMomentum
        central_body
        reference_point
        mean_element_type
IAgCrdnVectorOrbitNormal
        CentralBody
        ReferencePoint
        MeanElementType
VectorGeometryToolVectorOrbitNormal
        central_body
        reference_point
        mean_element_type
IAgCrdnVectorPeriapsis
        CentralBody
        ReferencePoint
        MeanElementType
VectorGeometryToolVectorPeriapsis
        central_body
        reference_point
        mean_element_type
IAgCrdnVectorReflection
        IncomingVector
        UseOppositeOfSelectedVector
        NormalVector
        AllowReflectionsOnBackside
        ScaleFactor
VectorGeometryToolVectorReflection
        incoming_vector
        use_opposite_of_selected_vector
        normal_vector
        allow_reflections_on_backside
        scale_factor
IAgCrdnVectorRotationVector
        Axes
        ReferenceAxes
        ForceMinimumRotation
VectorGeometryToolVectorRotationVector
        axes
        reference_axes
        force_minimum_rotation
IAgCrdnVectorDirectionToStar
        SelectedStar
VectorGeometryToolVectorDirectionToStar
        selected_star
IAgCrdnVectorFixedAtTimeInstant
        ReferenceTimeInstant
        SourceVector
        ReferenceAxes
VectorGeometryToolVectorFixedAtTimeInstant
        reference_time_instant
        source_vector
        reference_axes
IAgCrdnVectorLinearCombination
        VectorA
        ScaleFactorA
        NormalizeVectorA
        VectorB
        ScaleFactorB
        NormalizeVectorB
        OutputDimensionInheritance
        OutputDimension
VectorGeometryToolVectorLinearCombination
        vector_a
        scale_factor_a
        normalize_vector_a
        vector_b
        scale_factor_b
        normalize_vector_b
        output_dimension_inheritance
        output_dimension
IAgCrdnVectorProjectAlongVector
        SourceVector
        AlongVector
VectorGeometryToolVectorProjectionAlongVector
        source_vector
        along_vector
IAgCrdnVectorScalarLinearCombination
        VectorA
        ScaleFactorA
        NormalizeVectorA
        UseScaleFromScalarA
        UseScaleFromScalarB
        ScalarA
        ScalarB
        VectorB
        ScaleFactorB
        NormalizeVectorB
        OutputDimensionInheritance
        OutputDimension
VectorGeometryToolVectorScalarLinearCombination
        vector_a
        scale_factor_a
        normalize_vector_a
        use_scale_from_calculation_scalar_a
        use_scale_from_calculation_scalar_b
        scalar_a
        scalar_b
        vector_b
        scale_factor_b
        normalize_vector_b
        output_dimension_inheritance
        output_dimension
IAgCrdnVectorScalarScaled
        InputVector
        InputScalar
        ScaleFactor
        Normalize
        DimensionInheritance
        Dimension
VectorGeometryToolVectorScalarScaled
        input_vector
        input_scalar
        scale_factor
        normalize
        dimension_inheritance
        dimension
IAgCrdnVectorVelocityAcceleration
        ReferenceSystem
        Point
        DifferencingTimeStep
VectorGeometryToolVectorVelocityAcceleration
        reference_system
        point
        differencing_time_step
IAgCrdnVectorPlugin
        ProgID
        DisplayName
        AvailableProperties
        Reset
        SetProperty
        GetProperty
VectorGeometryToolVectorPlugin
        prog_id
        display_name
        available_properties
        reset
        set_property
        get_property
IAgCrdnVectorDispSurface
        OriginPoint
        DestinationPoint
        SurfaceCentralBody
        DifferencingTimeStep
VectorGeometryToolVectorSurfaceDisplacement
        origin_point
        destination_point
        surface_central_body
        differencing_time_step
IAgCrdnVectorFile
        Filename
        Reload
VectorGeometryToolVectorFile
        filename
        reload
IAgCrdnVectorFactory
        Create
        IsTypeSupported
        CreateDisplacementVector
        AvailableVectorPluginDisplayNames
        CreateVectorPluginFromDisplayName
        CreateCrossProductVector
        CreateFileVector
VectorGeometryToolVectorFactory
        create
        is_type_supported
        create_displacement_vector
        available_plugin_display_names
        create_plugin_from_display_name
        create_cross_product
        create_file_vector
IAgCrdnAxesFactory
        Create
        IsTypeSupported
        AvailableAxesPluginDisplayNames
        CreateAxesPluginFromDisplayName
VectorGeometryToolAxesFactory
        create
        is_type_supported
        available_plugin_display_names
        create_plugin_from_display_name
IAgCrdnSystemFactory
        Create
        IsTypeSupported
VectorGeometryToolSystemFactory
        create
        is_type_supported
IAgCrdnPointFactory
        Create
        IsTypeSupported
        AvailablePointPluginDisplayNames
        CreatePointPluginFromDisplayName
        CreatePointFixedOnCentralBody
VectorGeometryToolPointFactory
        create
        is_type_supported
        available_plugin_display_names
        create_plugin_from_display_name
        create_fixed_on_central_body
IAgCrdnPlaneFactory
        Create
        IsTypeSupported
VectorGeometryToolPlaneFactory
        create
        is_type_supported
IAgCrdnAngleFactory
        Create
        IsTypeSupported
VectorGeometryToolAngleFactory
        create
        is_type_supported
IAgCrdnVectorGroup
        Remove
        Context
        Contains
        Count
        Factory
        Item
        GetItemByIndex
        GetItemByName
VectorGeometryToolVectorGroup
        remove
        context
        contains
        count
        factory
        item
        get_item_by_index
        get_item_by_name
IAgCrdnPointGroup
        Remove
        Context
        Contains
        Count
        Factory
        Item
        CommonTasks
        GetItemByIndex
        GetItemByName
VectorGeometryToolPointGroup
        remove
        context
        contains
        count
        factory
        item
        common_tasks
        get_item_by_index
        get_item_by_name
IAgCrdnAngleGroup
        Remove
        Context
        Contains
        Count
        Factory
        Item
        GetItemByIndex
        GetItemByName
VectorGeometryToolAngleGroup
        remove
        context
        contains
        count
        factory
        item
        get_item_by_index
        get_item_by_name
IAgCrdnAxesGroup
        Remove
        Context
        Contains
        Count
        Factory
        Item
        CommonTasks
        GetItemByIndex
        GetItemByName
VectorGeometryToolAxesGroup
        remove
        context
        contains
        count
        factory
        item
        common_tasks
        get_item_by_index
        get_item_by_name
IAgCrdnPlaneGroup
        Remove
        Context
        Contains
        Count
        Factory
        Item
        GetItemByIndex
        GetItemByName
VectorGeometryToolPlaneGroup
        remove
        context
        contains
        count
        factory
        item
        get_item_by_index
        get_item_by_name
IAgCrdnSystemGroup
        Remove
        Context
        Contains
        Count
        Factory
        Item
        CommonTasks
        GetItemByIndex
        GetItemByName
VectorGeometryToolSystemGroup
        remove
        context
        contains
        count
        factory
        item
        common_tasks
        get_item_by_index
        get_item_by_name
IAgCrdnProvider
        Vectors
        Points
        Angles
        Axes
        Planes
        Systems
        WellKnownSystems
        WellKnownAxes
        Events
        EventIntervals
        CalcScalars
        EventArrays
        EventIntervalLists
        EventIntervalCollections
        ParameterSets
        Conditions
        Supports
        ConditionSets
        Import
        VolumeGrids
        Volumes
        VolumeCalcs
AnalysisWorkbenchComponentProvider
        vectors
        points
        angles
        axes
        planes
        systems
        well_known_systems
        well_known_axes
        time_instants
        time_intervals
        calculation_scalars
        time_arrays
        time_interval_lists
        time_interval_collections
        parameter_sets
        conditions
        supports
        condition_sets
        import_components
        volume_grids
        volumes
        spatial_calculations
IAgCrdnRoot
        GetTemplateProvider
        GetProvider
        WellKnownSystems
        WellKnownAxes
AnalysisWorkbenchRoot
        get_template_provider
        get_provider
        well_known_systems
        well_known_axes
IAgCrdnWellKnownEarthSystems
        Fixed
        ICRF
        Inertial
VectorGeometryToolWellKnownEarthSystems
        fixed
        icrf
        inertial
IAgCrdnWellKnownEarthAxes
        Fixed
        ICRF
        Inertial
        J2000
VectorGeometryToolWellKnownEarthAxes
        fixed
        icrf
        inertial
        j2000
IAgCrdnWellKnownSunSystems
        Fixed
        ICRF
        Inertial
        J2000
        Barycenter
VectorGeometryToolWellKnownSunSystems
        fixed
        icrf
        inertial
        j2000
        barycenter
IAgCrdnWellKnownSunAxes
        Fixed
        ICRF
        Inertial
        J2000
VectorGeometryToolWellKnownSunAxes
        fixed
        icrf
        inertial
        j2000
IAgCrdnWellKnownSystems
        Earth
        Sun
VectorGeometryToolWellKnownSystems
        earth
        sun
IAgCrdnWellKnownAxes
        Earth
        Sun
VectorGeometryToolWellKnownAxes
        earth
        sun
IAgCrdnAngleFindAngleResult
        IsValid
        Angle
AnalysisWorkbenchAngleFindAngleResult
        is_valid
        angle
IAgCrdnAngleFindAngleWithRateResult
        IsValid
        Angle
        AngleRate
AnalysisWorkbenchAngleFindAngleWithRateResult
        is_valid
        angle
        angle_rate
IAgCrdnAngleFindWithRateResult
        IsValid
        Angle
        AngleRate
        VectorFrom
        VectorTo
        VectorAbout
AnalysisWorkbenchAngleFindWithRateResult
        is_valid
        angle
        angle_rate
        vector_from
        vector_to
        vector_about
IAgCrdnAngleFindResult
        IsValid
        Angle
        VectorFrom
        VectorTo
        VectorAbout
AnalysisWorkbenchAngleFindResult
        is_valid
        angle
        vector_from
        vector_to
        vector_about
IAgCrdnAxesTransformResult
        IsValid
        Vector
AnalysisWorkbenchAxesTransformResult
        is_valid
        vector
IAgCrdnAxesTransformWithRateResult
        IsValid
        Vector
        Velocity
AnalysisWorkbenchAxesTransformWithRateResult
        is_valid
        vector
        velocity
IAgCrdnPlaneFindInAxesResult
        IsValid
        XAxis
        YAxis
AnalysisWorkbenchPlaneFindInAxesResult
        is_valid
        x_axis
        y_axis
IAgCrdnPlaneFindInAxesWithRateResult
        IsValid
        XAxis
        XAxisRate
        YAxis
        YAxisRate
AnalysisWorkbenchPlaneFindInAxesWithRateResult
        is_valid
        x_axis
        x_axis_rate
        y_axis
        y_axis_rate
IAgCrdnPlaneFindInSystemResult
        IsValid
        OriginPosition
        XAxis
        YAxis
AnalysisWorkbenchPlaneFindInSystemResult
        is_valid
        origin_position
        x_axis
        y_axis
IAgCrdnPlaneFindInSystemWithRateResult
        IsValid
        OriginPosition
        OriginVelocity
        XAxis
        XAxisRate
        YAxis
        YAxisRate
AnalysisWorkbenchPlaneFindInSystemWithRateResult
        is_valid
        origin_position
        origin_velocity
        x_axis
        x_axis_rate
        y_axis
        y_axis_rate
IAgCrdnAxesFindInAxesResult
        IsValid
        Orientation
AnalysisWorkbenchAxesFindInAxesResult
        is_valid
        orientation
IAgCrdnAxesFindInAxesWithRateResult
        IsValid
        AngularVelocity
        Orientation
AnalysisWorkbenchAxesFindInAxesWithRateResult
        is_valid
        angular_velocity
        orientation
IAgCrdnPointLocateInSystemResult
        IsValid
        Position
AnalysisWorkbenchPointLocateInSystemResult
        is_valid
        position
IAgCrdnPointLocateInSystemWithRateResult
        IsValid
        Position
        Velocity
AnalysisWorkbenchPointLocateInSystemWithRateResult
        is_valid
        position
        velocity
IAgCrdnSystemTransformResult
        IsValid
        Vector
AnalysisWorkbenchSystemTransformResult
        is_valid
        vector
IAgCrdnSystemTransformWithRateResult
        IsValid
        Vector
        Velocity
AnalysisWorkbenchSystemTransformWithRateResult
        is_valid
        vector
        velocity
IAgCrdnSystemFindInSystemResult
        IsValid
        Position
        Velocity
        Rate
        Orientation
AnalysisWorkbenchSystemFindInSystemResult
        is_valid
        position
        velocity
        rate
        orientation
IAgCrdnVectorFindInAxesResult
        IsValid
        Vector
AnalysisWorkbenchVectorFindInAxesResult
        is_valid
        vector
IAgCrdnVectorFindInAxesWithRateResult
        IsValid
        Vector
        Rate
AnalysisWorkbenchVectorFindInAxesWithRateResult
        is_valid
        vector
        rate
IAgCrdnMethodCallResult
        IsValid
IAnalysisWorkbenchMethodCallResult
        is_valid
IAgCrdnCentralBody
        Name
AnalysisWorkbenchCentralBody
        name
IAgCrdnCentralBodyRefTo
        SetPath
        SetCentralBody
        GetCentralBody
AnalysisWorkbenchCentralBodyReference
        set_path
        set_central_body
        get_central_body
IAgCrdnCentralBodyCollection
        Count
        Item
        Add
        Remove
AnalysisWorkbenchCentralBodyCollection
        count
        item
        add
        remove
IAgCrdnCollection
        Contains
        Count
        Item
        GetItemByIndex
        GetItemByName
AnalysisWorkbenchComponentCollection
        contains
        count
        item
        get_item_by_index
        get_item_by_name
IAgCrdnPointSamplingResult
        IsValid
        Intervals
TimeToolPointSamplingResult
        is_valid
        intervals
IAgCrdnPointSamplingInterval
        Times
        Positions
        Velocities
        Start
        Stop
TimeToolPointSamplingInterval
        times
        positions
        velocities
        start
        stop
IAgCrdnPointSamplingIntervalCollection
        Count
        Item
TimeToolPointSamplingIntervalCollection
        count
        item
IAgCrdnAxesSamplingResult
        IsValid
        Intervals
TimeToolAxesSamplingResult
        is_valid
        intervals
IAgCrdnAxesSamplingInterval
        Times
        Quaternions
        Velocities
        Start
        Stop
TimeToolAxesSamplingInterval
        times
        quaternions
        velocities
        start
        stop
IAgCrdnAxesSamplingIntervalCollection
        Count
        Item
TimeToolAxesSamplingIntervalCollection
        count
        item
AgEVAGraphOption
        eVAGraphOptionNoGraph
        eVAGraphOptionGraphDifference
        eVAGraphOptionGraphValue
GraphOption
        NO_GRAPH
        GRAPH_DIFFERENCE
        GRAPH_VALUE
AgEVASmartRunMode
        eVASmartRunModeEntireMCS
        eVASmartRunModeOnlyChanged
SmartRunMode
        ENTIRE_MCS
        ONLY_CHANGED
AgEVAFormulation
        eVAFormulationPosigrade
        eVAFormulationRetrograde
Formulation
        POSIGRADE
        RETROGRADE
AgEVALightingCondition
        eVALightingCriterionEnterDirectSun
        eVALightingCriterionExitDirectSun
        eVALightingCriterionEnterUmbra
        eVALightingCriterionExitUmbra
LightingCondition
        CRITERION_ENTER_DIRECT_SUN
        CRITERION_EXIT_DIRECT_SUN
        CRITERION_ENTER_UMBRA
        CRITERION_EXIT_UMBRA
AgEVAProfile
        eVAProfileSearchPlugin
        eVAProfileDifferentialCorrector
        eVAProfileChangeManeuverType
        eVAProfileScriptingTool
        eVAProfileChangeReturnSegment
        eVAProfileChangePropagator
        eVAProfileChangeStopSegment
        eVAProfileChangeStoppingConditionState
        eVAProfileSeedFiniteManeuver
        eVAProfileRunOnce
        eVAProfileSNOPTOptimizer
        eVAProfileIPOPTOptimizer
        eVAProfileLambertProfile
        eVAProfileLambertSearchProfile
        eVAProfileGoldenSection
        eVAProfileGridSearch
        eVAProfileBisection
Profile
        SEARCH_PLUGIN
        DIFFERENTIAL_CORRECTOR
        CHANGE_MANEUVER_TYPE
        SCRIPTING_TOOL
        CHANGE_RETURN_SEGMENT
        CHANGE_PROPAGATOR
        CHANGE_STOP_SEGMENT
        CHANGE_STOPPING_CONDITION_STATE
        SEED_FINITE_MANEUVER
        RUN_ONCE
        SNOPT_OPTIMIZER
        IPOPT_OPTIMIZER
        LAMBERT_PROFILE
        LAMBERT_SEARCH_PROFILE
        GOLDEN_SECTION
        GRID_SEARCH
        BISECTION
AgEVAAccessCriterion
        eVAAccessCriterionGain
        eVAAccessCriterionLose
        eVAAccessCriterionEither
AccessCriterion
        GAIN
        LOSE
        EITHER
AgEVAEclipsingBodiesSource
        eVAEclipsingBodiesPropagatorCb
        eVAEclipsingBodiesUserDefined
        eVAEclipsingBodiesVehicleCb
        eVAEclipsingBodiesVehicleUserDefined
EclipsingBodiesSource
        PROPAGATOR_CENTRAL_BODY
        USER_DEFINED
        VEHICLE_CENTRAL_BODY
        VEHICLE_USER_DEFINED
AgEVACriterion
        eVACriterionCrossDecreasing
        eVACriterionCrossEither
        eVACriterionCrossIncreasing
Criterion
        CROSS_DECREASING
        CROSS_EITHER
        CROSS_INCREASING
AgEVACalcObjectReference
        eVACalcObjectReferenceBasic
        eVACalcObjectReferenceSpecified
CalculationObjectReference
        BASIC
        SPECIFIED
AgEVACalcObjectCentralBodyReference
        eVACalcObjectCentralBodyReferenceSpecified
        eVACalcObjectCentralBodyReferenceParent
CalculationObjectCentralBodyReference
        SPECIFIED
        PARENT
AgEVACalcObjectElem
        eVACalcObjectElemBrouwerLyddaneMeanLong
        eVACalcObjectElemBrouwerLyddaneMeanShort
        eVACalcObjectElemKozaiIzsakMean
        eVACalcObjectElemOsculating
CalculationObjectElement
        BROUWER_LYDDANE_MEAN_LONG
        BROUWER_LYDDANE_MEAN_SHORT
        KOZAI_IZSAK_MEAN
        OSCULATING
AgEVAProfileMode
        eVAProfileModeIterate
        eVAProfileModeNotActive
        eVAProfileModeRunOnce
        eVAProfileModeActive
ProfileMode
        ITERATE
        NOT_ACTIVE
        RUN_ONCE
        ACTIVE
AgEVAControlStoppingCondition
        eVAControlStoppingConditionTripValue
ControlStoppingCondition
        TRIP_VALUE
AgEVAState
        eVAStateEnabled
        eVAStateDisabled
StateType
        ENABLED
        DISABLED
AgEVAReturnControl
        eVAReturnControlEnable
        eVAReturnControlDisable
        eVAReturnControlEnableExceptProfilesBypass
ReturnControl
        ENABLE
        DISABLE
        ENABLE_EXCEPT_PROFILES_BYPASS
AgEVADrawPerturbation
        eVADrawPerturbationSegmentColor
        eVADrawPerturbationDontDraw
        eVADrawPerturbationTargeterColor
DrawPerturbation
        SEGMENT_COLOR
        DONT_DRAW
        TARGETER_COLOR
AgEVADeriveCalcMethod
        eVADeriveCalcMethodForward
        eVADeriveCalcMethodCentral
        eVADeriveCalcMethodSigned
DerivativeCalculationMethod
        FORWARD
        CENTRAL
        SIGNED
AgEVAConvergenceCriteria
        eVAConvergenceCriteriaEqualityConstraintWithinTolerance
        eVAConvervenceCriteriaEitherEqualityConstraintsOrControlParams
ConvergenceCriteria
        EQUALITY_CONSTRAINT_WITHIN_TOLERANCE
        CONVERVENCE_CRITERIA_EITHER_EQUALITY_CONSTRAINTS_OR_CONTROL_PARAMS
AgEVADCScalingMethod
        eVADCScalingMethodInitialValue
        eVADCScalingMethodOneNoScaling
        eVADCScalingMethodSpecifiedValue
        eVADCScalingMethodTolerance
DifferentialCorrectorScalingMethod
        INITIAL_VALUE
        ONE_NO_SCALING
        SPECIFIED_VALUE
        TOLERANCE
AgEVAControlUpdate
        eVAControlUpdateCdVal
        eVAControlUpdateCrVal
        eVAControlUpdateDragAreaVal
        eVAControlUpdateDryMassVal
        eVAControlUpdateFuelDensityVal
        eVAControlUpdateFuelMassVal
        eVAControlUpdateRadiationPressureAreaVal
        eVAControlUpdateRadiationPressureCoefficientVal
        eVAControlUpdateSRPAreaVal
        eVAControlUpdateTankPressureVal
        eVAControlUpdateTankTempVal
ControlUpdate
        CD
        CR
        DRAG_AREA
        DRY_MASS
        FUEL_DENSITY
        FUEL_MASS
        RADIATION_PRESSURE_AREA
        RADIATION_PRESSURE_COEFFICIENT
        SRP_AREA
        TANK_PRESSURE
        TANK_TEMPERATURE
AgEVAControlFollow
        eVAControlFollowFuelMass
        eVAControlFollowCd
        eVAControlFollowCr
        eVAControlFollowDragArea
        eVAControlFollowDryMass
        eVAControlFollowFuelDensity
        eVAControlFollowK1
        eVAControlFollowK2
        eVAControlFollowRadiationPressureArea
        eVAControlFollowCk
        eVAControlFollowSRPArea
        eVAControlFollowTankPressure
        eVAControlFollowTankTemp
        eVAControlFollowMaxFuelMass
        eVAControlFollowTankVolume
        eVAControlFollowXOffset
        eVAControlFollowYOffset
        eVAControlFollowZOffset
ControlFollow
        FUEL_MASS
        CD
        CR
        DRAG_AREA
        DRY_MASS
        FUEL_DENSITY
        K1
        K2
        RADIATION_PRESSURE_AREA
        CK
        SRP_AREA
        TANK_PRESSURE
        TANK_TEMPERATURE
        MAX_FUEL_MASS
        TANK_VOLUME
        X_OFFSET
        Y_OFFSET
        Z_OFFSET
AgEVAControlInitState
        eVAControlInitStateFuelMass
        eVAControlInitStateCartesianVx
        eVAControlInitStateCartesianVy
        eVAControlInitStateCartesianVz
        eVAControlInitStateCartesianX
        eVAControlInitStateCartesianY
        eVAControlInitStateCartesianZ
        eVAControlInitStateCd
        eVAControlInitStateCr
        eVAControlInitStateDragArea
        eVAControlInitStateDryMass
        eVAControlInitStateEpoch
        eVAControlInitStateFuelDensity
        eVAControlInitStateK1
        eVAControlInitStateK2
        eVAControlInitStateKeplerianEcc
        eVAControlInitStateKeplerianInc
        eVAControlInitStateKeplerianRAAN
        eVAControlInitStateKeplerianSMA
        eVAControlInitStateKeplerianTA
        eVAControlInitStateKeplerianW
        eVAControlInitStateRadiationPressureArea
        eVAControlInitStateCk
        eVAControlInitStateSphericalAz
        eVAControlInitStateSphericalDec
        eVAControlInitStateSphericalHorizFPA
        eVAControlInitStateSphericalRA
        eVAControlInitStateSphericalRMag
        eVAControlInitStateSphericalVMag
        eVAControlInitStateSRPArea
        eVAControlInitStateTankPressure
        eVAControlInitStateTankTemp
        eVAControlInitStateTargetVecInAsympDec
        eVAControlInitStateTargetVecInAsympRA
        eVAControlInitStateTargetVecInVelAzAtPeriapsis
        eVAControlInitStateTargetVecInC3
        eVAControlInitStateTargetVecInRadOfPeriapsis
        eVAControlInitStateTargetVecInTrueAnomaly
        eVAControlInitStateTargetVecOutAsympDec
        eVAControlInitStateTargetVecOutAsympRA
        eVAControlInitStateTargetVecOutVelAzAtPeriapsis
        eVAControlInitStateTargetVecOutC3
        eVAControlInitStateTargetVecOutRadOfPeriapsis
        eVAControlInitStateTargetVecOutTrueAnomaly
        eVAControlInitStateMaxFuelMass
        eVAControlInitStateTankVolume
        eVAControlInitStateDelaunayG
        eVAControlInitStateDelaunayH
        eVAControlInitStateDelaunayInc
        eVAControlInitStateDelaunayL
        eVAControlInitStateDelaunayMeanAnomaly
        eVAControlInitStateDelaunayRAAN
        eVAControlInitStateDelaunaySemiLatusRectum
        eVAControlInitStateDelaunaySMA
        eVAControlInitStateDelaunayW
        eVAControlInitStateEquinoctialH
        eVAControlInitStateEquinoctialK
        eVAControlInitStateEquinoctialMeanLongitude
        eVAControlInitStateEquinoctialMeanMotion
        eVAControlInitStateEquinoctialP
        eVAControlInitStateEquinoctialQ
        eVAControlInitStateEquinoctialSMA
        eVAControlInitStateMixedSphericalAltitude
        eVAControlInitStateMixedSphericalAzimuth
        eVAControlInitStateMixedSphericalHorizFPA
        eVAControlInitStateMixedSphericalLatitude
        eVAControlInitStateMixedSphericalLongitude
        eVAControlInitStateMixedSphericalVerticalFPA
        eVAControlInitStateMixedSphericalVMag
        eVAControlInitStateSphericalVerticalFPA
        eVAControlInitStateKeplerianApoapsisAltShape
        eVAControlInitStateKeplerianApoapsisAltSize
        eVAControlInitStateKeplerianApoapsisRadShape
        eVAControlInitStateKeplerianApoapsisRadSize
        eVAControlInitStateKeplerianArgLat
        eVAControlInitStateKeplerianEccAnomaly
        eVAControlInitStateKeplerianLAN
        eVAControlInitStateKeplerianMeanAnomaly
        eVAControlInitStateKeplerianMeanMotion
        eVAControlInitStateKeplerianPeriapsisAltShape
        eVAControlInitStateKeplerianPeriapsisAltSize
        eVAControlInitStateKeplerianPeriapsisRadShape
        eVAControlInitStateKeplerianPeriapsisRadSize
        eVAControlInitStateKeplerianPeriod
        eVAControlInitStateKeplerianTimePastAN
        eVAControlInitStateKeplerianTimePastPeriapsis
        eVAControlInitStateSphericalRangeRateDec
        eVAControlInitStateSphericalRangeRateRA
        eVAControlInitStateSphericalRangeRateRange
        eVAControlInitStateSphericalRangeRateDecRate
        eVAControlInitStateSphericalRangeRateRARate
        eVAControlInitStateSphericalRangeRateRangeRate
ControlInitState
        FUEL_MASS
        CARTESIAN_VX
        CARTESIAN_VY
        CARTESIAN_VZ
        CARTESIAN_X
        CARTESIAN_Y
        CARTESIAN_Z
        CD
        CR
        DRAG_AREA
        DRY_MASS
        EPOCH
        FUEL_DENSITY
        K1
        K2
        KEPLERIAN_ECCENTRICITY
        KEPLERIAN_INCLINATION
        KEPLERIAN_RAAN
        KEPLERIAN_SEMIMAJOR_AXIS
        KEPLERIAN_TRUE_ANOMALY
        KEPLERIAN_W
        RADIATION_PRESSURE_AREA
        CK
        SPHERICAL_AZIMUTH
        SPHERICAL_DECLINATION
        SPHERICAL_HORIZONTAL_FLIGHT_PATH_ANGLE
        SPHERICAL_RIGHT_ASCENSION
        SPHERICAL_RADIUS_MAGNITUDE
        SPHERICAL_VELOCITY_MAGNITUDE
        SRP_AREA
        TANK_PRESSURE
        TANK_TEMPERATURE
        TARGET_VECTOR_INCOMING_ASYMPTOTE_DECLINATION
        TARGET_VECTOR_INCOMING_ASYMPTOTE_RIGHT_ASCENSION
        TARGET_VECTOR_INCOMING_VELOCITY_AZIMUTH_AT_PERIAPSIS
        TARGET_VECTOR_INCOMING_C3
        TARGET_VECTOR_INCOMING_RADIUS_OF_PERIAPSIS
        TARGET_VECTOR_INCOMING_TRUE_ANOMALY
        TARGET_VECTOR_OUTGOING_ASYMPTOTE_DECLINATION
        TARGET_VECTOR_OUTGOING_ASYMPTOTE_RIGHT_ASCENSION
        TARGET_VECTOR_OUTGOING_VELOCITY_AZIMUTH_AT_PERIAPSIS
        TARGET_VECTOR_OUTGOING_C3
        TARGET_VECTOR_OUTGOING_RADIUS_OF_PERIAPSIS
        TARGET_VECTOR_OUTGOING_TRUE_ANOMALY
        MAX_FUEL_MASS
        TANK_VOLUME
        DELAUNAY_G
        DELAUNAY_H
        DELAUNAY_INCLINATION
        DELAUNAY_L
        DELAUNAY_MEAN_ANOMALY
        DELAUNAY_RAAN
        DELAUNAY_SEMILATUS_RECTUM
        DELAUNAY_SEMIMAJOR_AXIS
        DELAUNAY_W
        EQUINOCTIAL_H
        EQUINOCTIAL_K
        EQUINOCTIAL_MEAN_LONGITUDE
        EQUINOCTIAL_MEAN_MOTION
        EQUINOCTIAL_P
        EQUINOCTIAL_Q
        EQUINOCTIAL_SEMIMAJOR_AXIS
        MIXED_SPHERICAL_ALTITUDE
        MIXED_SPHERICAL_AZIMUTH
        MIXED_SPHERICAL_HORIZONTAL_FLIGHT_PATH_ANGLE
        MIXED_SPHERICAL_LATITUDE
        MIXED_SPHERICAL_LONGITUDE
        MIXED_SPHERICAL_VERTICAL_FLIGHT_PATH_ANGLE
        MIXED_SPHERICAL_V_MAGNITUDE
        SPHERICAL_VERTICAL_FLIGHT_PATH_ANGLE
        KEPLERIAN_APOAPSIS_ALTITUDE_SHAPE
        KEPLERIAN_APOAPSIS_ALTITUDE_SIZE
        KEPLERIAN_APOAPSIS_RADIUS_SHAPE
        KEPLERIAN_APOAPSIS_RADIUS_SIZE
        KEPLERIAN_ARGUMENT_LATITUDE
        KEPLERIAN_ECCENTRIC_ANOMALY
        KEPLERIAN_LONGITUDE_OF_ASCENDING_NODE
        KEPLERIAN_MEAN_ANOMALY
        KEPLERIAN_MEAN_MOTION
        KEPLERIAN_PERIAPSIS_ALTITUDE_SHAPE
        KEPLERIAN_PERIAPSIS_ALTITUDE_SIZE
        KEPLERIAN_PERIAPSIS_RADIUS_SHAPE
        KEPLERIAN_PERIAPSIS_RADIUS_SIZE
        KEPLERIAN_PERIOD
        KEPLERIAN_TIME_PAST_ASCENDING_NODE
        KEPLERIAN_TIME_PAST_PERIAPSIS
        SPHERICAL_RANGE_RATE_DECLINATION
        SPHERICAL_RANGE_RATE_RIGHT_ASCENSION
        SPHERICAL_RANGE_RATE_RANGE
        SPHERICAL_RANGE_RATE_DECLINATION_RATE
        SPHERICAL_RANGE_RATE_RIGHT_ASCENSION_RATE
        SPHERICAL_RANGE_RATE_RANGE_RATE
AgEVAControlManeuver
        eVAControlManeuverFiniteCartesianX
        eVAControlManeuverFiniteCartesianY
        eVAControlManeuverFiniteCartesianZ
        eVAControlManeuverFiniteEulerAngles1
        eVAControlManeuverFiniteEulerAngles2
        eVAControlManeuverFiniteEulerAngles3
        eVAControlManeuverFiniteSphericalAz
        eVAControlManeuverFiniteSphericalElev
        eVAControlManeuverImpulsiveCartesianX
        eVAControlManeuverImpulsiveCartesianY
        eVAControlManeuverImpulsiveCartesianZ
        eVAControlManeuverImpulsiveEulerAngles1
        eVAControlManeuverImpulsiveEulerAngles2
        eVAControlManeuverImpulsiveEulerAngles3
        eVAControlManeuverImpulsiveSphericalAz
        eVAControlManeuverImpulsiveSphericalElev
        eVAControlManeuverImpulsiveSphericalMag
        eVAControlManeuverFiniteBurnCenterBias
        eVAControlManeuverFiniteThrustEfficiency
        eVAControlManeuverFiniteAz0
        eVAControlManeuverFiniteAz1
        eVAControlManeuverFiniteAz2
        eVAControlManeuverFiniteAz3
        eVAControlManeuverFiniteAz4
        eVAControlManeuverFiniteAzA
        eVAControlManeuverFiniteAzF
        eVAControlManeuverFiniteAzP
        eVAControlManeuverFiniteEl0
        eVAControlManeuverFiniteEl1
        eVAControlManeuverFiniteEl2
        eVAControlManeuverFiniteEl3
        eVAControlManeuverFiniteEl4
        eVAControlManeuverFiniteElA
        eVAControlManeuverFiniteElF
        eVAControlManeuverFiniteElP
ControlManeuver
        FINITE_CARTESIAN_X
        FINITE_CARTESIAN_Y
        FINITE_CARTESIAN_Z
        FINITE_EULER_ANGLES1
        FINITE_EULER_ANGLES2
        FINITE_EULER_ANGLES3
        FINITE_SPHERICAL_AZIMUTH
        FINITE_SPHERICAL_ELEVATION
        IMPULSIVE_CARTESIAN_X
        IMPULSIVE_CARTESIAN_Y
        IMPULSIVE_CARTESIAN_Z
        IMPULSIVE_EULER_ANGLES1
        IMPULSIVE_EULER_ANGLES2
        IMPULSIVE_EULER_ANGLES3
        IMPULSIVE_SPHERICAL_AZIMUTH
        IMPULSIVE_SPHERICAL_ELEVATION
        IMPULSIVE_SPHERICAL_MAGNITUDE
        FINITE_BURN_CENTER_BIAS
        FINITE_THRUST_EFFICIENCY
        FINITE_AZIMUTH_CONSTANT_TERM
        FINITE_AZIMUTH_LINEAR_TERM
        FINITE_AZIMUTH_QUADRATIC_TERM
        FINITE_AZIMUTH_CUBIC_TERM
        FINITE_AZIMUTH_QUARTIC_TERM
        FINITE_AZIMUTH_SINUSOIDAL_AMPLITUDE
        FINITE_AZIMUTH_SINUSOIDAL_FREQUENCY
        FINITE_AZIMUTH_SINUSOIDAL_PHASE
        FINITE_ELEVATION_CONSTANT_TERM
        FINITE_ELEVATION_LINEAR_TERM
        FINITE_ELEVATION_QUADRATIC_TERM
        FINITE_ELEVATION_CUBIC_TERM
        FINITE_ELEVATION_QUARTIC_TERM
        FINITE_ELEVATION_SINUSOIDAL_AMPLITUDE
        FINITE_ELEVATION_SINUSOIDAL_FREQUENCY
        FINITE_ELEVATION_SINUSOIDAL_PHASE
AgEVAControlLaunch
        eVAControlLaunchEpoch
        eVAControlLaunchGeodeticLat
        eVAControlLaunchGeodeticLon
        eVAControlLaunchGeodeticAlt
        eVAControlLaunchGeocentricLat
        eVAControlLaunchGeocentricLon
        eVAControlLaunchGeocentricRad
        eVAControlLaunchTimeOfFlight
        eVAControlLaunchBurnoutGeocentricLat
        eVAControlLaunchBurnoutGeocentricLon
        eVAControlLaunchBurnoutGeocentricRad
        eVAControlLaunchBurnoutGeodeticLat
        eVAControlLaunchBurnoutGeodeticLon
        eVAControlLaunchBurnoutGeodeticAlt
        eVAControlLaunchBurnoutAzAltAz
        eVAControlLaunchBurnoutAzAltDownrangeDist
        eVAControlLaunchBurnoutAzAltAlt
        eVAControlLaunchBurnoutAzRadAz
        eVAControlLaunchBurnoutAzRadDownrangeDist
        eVAControlLaunchBurnoutAzRadRad
        eVAControlLaunchBurnoutFixedVelocity
        eVAControlLaunchBurnoutInertialVelocity
        eVAControlLaunchBurnoutInertialVelocityAzimuth
        eVAControlLaunchBurnoutInertialHorizontalFPA
        eVAControlLaunchDryMass
        eVAControlLaunchCd
        eVAControlLaunchDragArea
        eVAControlLaunchCr
        eVAControlLaunchSRPArea
        eVAControlLaunchCk
        eVAControlLaunchRadiationPressureArea
        eVAControlLaunchK1
        eVAControlLaunchK2
        eVAControlLaunchTankPressure
        eVAControlLaunchTankVolume
        eVAControlLaunchTankTemp
        eVAControlLaunchFuelDensity
        eVAControlLaunchFuelMass
        eVAControlLaunchMaxFuelMass
ControlLaunch
        EPOCH
        GEODETIC_LATITUDE
        GEODETIC_LONGITUDE
        GEODETIC_ALTITUDE
        GEOCENTRIC_LATITUDE
        GEOCENTRIC_LONGITUDE
        GEOCENTRIC_RADIUS
        TIME_OF_FLIGHT
        BURNOUT_GEOCENTRIC_LATITUDE
        BURNOUT_GEOCENTRIC_LONGITUDE
        BURNOUT_GEOCENTRIC_RADIUS
        BURNOUT_GEODETIC_LATITUDE
        BURNOUT_GEODETIC_LONGITUDE
        BURNOUT_GEODETIC_ALTITUDE
        BURNOUT_AZIMUTH_ALTITUDE_AZIMUTH
        BURNOUT_AZIMUTH_ALTITUDE_DOWNRANGE_DIST
        BURNOUT_AZIMUTH_ALTITUDE_ALTITUDE
        BURNOUT_AZIMUTH_RADIUS_AZIMUTH
        BURNOUT_AZIMUTH_RADIUS_DOWNRANGE_DIST
        BURNOUT_AZIMUTH_RADIUS_RADIUS
        BURNOUT_FIXED_VELOCITY
        BURNOUT_INERTIAL_VELOCITY
        BURNOUT_INERTIAL_VELOCITY_AZIMUTH
        BURNOUT_INERTIAL_HORIZONTAL_FLIGHT_PATH_ANGLE
        DRY_MASS
        CD
        DRAG_AREA
        CR
        SRP_AREA
        CK
        RADIATION_PRESSURE_AREA
        K1
        K2
        TANK_PRESSURE
        TANK_VOLUME
        TANK_TEMP
        FUEL_DENSITY
        FUEL_MASS
        MAX_FUEL_MASS
AgEVAControlAdvanced
        eVAControlPropagateMaxPropTime
        eVAControlPropagateMinPropTime
ControlAdvanced
        PROPAGATE_MAX_PROPATION_TIME
        PROPAGATE_MIN_PROPAGATION_TIME
AgEVATargetSeqAction
        eVATargetSeqActionRunNominalSeq
        eVATargetSeqActionRunActiveProfiles
        eVATargetSeqActionRunActiveProfilesOnce
TargetSequenceAction
        RUN_NOMINAL_SEQUENCE
        RUN_ACTIVE_PROFILES
        RUN_ACTIVE_PROFILES_ONCE
AgEVAProfilesFinish
        eVAProfilesFinishRunToReturnAndContinue
        eVAProfilesFinishRunToReturnAndStop
        eVAProfilesFinishStop
ProfilesFinish
        RUN_TO_RETURN_AND_CONTINUE
        RUN_TO_RETURN_AND_STOP
        STOP
AgEVAUpdateParam
        eVAUpdateParamDragArea
        eVAUpdateParamSRPArea
        eVAUpdateParamDryMass
        eVAUpdateParamFuelMass
        eVAUpdateParamFuelDensity
        eVAUpdateParamTankPressure
        eVAUpdateParamTankTemp
        eVAUpdateParamCr
        eVAUpdateParamCd
        eVAUpdateParamCk
        eVAUpdateParamRadiationPressureArea
UpdateParam
        DRAG_AREA
        SRP_AREA
        DRY_MASS
        FUEL_MASS
        FUEL_DENSITY
        TANK_PRESSURE
        TANK_TEMPERATURE
        CR
        CD
        CK
        RADIATION_PRESSURE_AREA
AgEVAUpdateAction
        eVAUpdateActionNoChange
        eVAUpdateActionAddValue
        eVAUpdateActionSubtractValue
        eVAUpdateActionSetToNewValue
UpdateAction
        NO_CHANGE
        ADD_VALUE
        SUBTRACT_VALUE
        SET_TO_NEW_VALUE
AgEVAPressureMode
        eVAPressureModeBlowDown
        eVAPressureModePressureRegulated
PressureMode
        BLOW_DOWN
        PRESSURE_REGULATED
AgEVAThrustType
        eVAThrustTypeAffectsAccelAndMassFlow
        eVAThrustTypeAffectsAccelOnly
ThrustType
        AFFECTS_ACCELERATION_AND_MASS_FLOW
        AFFECTS_ACCELERATION_ONLY
AgEVAAttitudeUpdate
        eVAAttitudeUpdateDuringBurn
        eVAAttitudeUpdateInertialAtIgnition
        eVAAttitudeUpdateInertialAtStart
AttitudeUpdate
        DURING_BURN
        INERTIAL_AT_IGNITION
        INERTIAL_AT_START
AgEVAPropulsionMethod
        eVAPropulsionMethodEngineModel
        eVAPropulsionMethodThrusterSet
PropulsionMethod
        ENGINE_MODEL
        THRUSTER_SET
AgEVACustomFunction
        eVAEnablePageDefinition
        eVAEnableManeuverAttitude
CustomFunction
        ENABLE_PAGE_DEFINITION
        ENABLE_MANEUVER_ATTITUDE
AgEVABodyAxis
        eVABodyAxisPlusX
        eVABodyAxisPlusY
        eVABodyAxisPlusZ
        eVABodyAxisMinusX
        eVABodyAxisMinusY
        eVABodyAxisMinusZ
BodyAxis
        PLUS_X
        PLUS_Y
        PLUS_Z
        MINUS_X
        MINUS_Y
        MINUS_Z
AgEVAConstraintSign
        eVAConstraintSignPlus
        eVAConstraintSignMinus
ConstraintSign
        PLUS
        MINUS
AgEVAAttitudeControl
        eVAAttitudeControlVelocityVector
        eVAAttitudeControlAntiVelocityVector
        eVAAttitudeControlAttitude
        eVAAttitudeControlFile
        eVAAttitudeControlThrustVector
        eVAAttitudeControlPlugin
        eVAAttitudeControlTimeVarying
        eVAAttitudeControlLagrangeInterpolation
AttitudeControl
        VELOCITY_VECTOR
        ANTI_VELOCITY_VECTOR
        ATTITUDE
        FILE
        THRUST_VECTOR
        PLUGIN
        TIME_VARYING
        LAGRANGE_INTERPOLATION
AgEVAFollowJoin
        eVAFollowJoinSpecify
        eVAFollowJoinAtBeginning
        eVAFollowJoinAtEnd
        eVAFollowJoinAtFinalEpochOfPreviousSeg
FollowJoin
        SPECIFY
        AT_BEGINNING
        AT_END
        AT_FINAL_EPOCH_OF_PREVIOUS_SEG
AgEVAFollowSeparation
        eVAFollowSeparationSpecify
        eVAFollowSeparationAtEndOfLeadersEphem
FollowSeparation
        SPECIFY
        AT_END_OF_LEADERS_EPHEMERIS
AgEVAFollowSpacecraftAndFuelTank
        eVAFollowSpacecraftAndFuelTankSpecify
        eVAFollowSpacecraftAndFuelTankInherit
        eVAFollowSpacecraftAndFuelTankLeader
FollowSpacecraftAndFuelTank
        SPECIFY
        INHERIT
        LEADER
AgEVABurnoutOptions
        eVABurnoutOptionsFixedVelocity
        eVABurnoutOptionsInertialVelocity
BurnoutOptions
        FIXED_VELOCITY
        INERTIAL_VELOCITY
AgEVABurnoutType
        eVABurnoutTypeGeocentric
        eVABurnoutTypeGeodetic
        eVABurnoutTypeLaunchAzRad
        eVABurnoutTypeLaunchAzAlt
        eVABurnoutTypeCBFCartesian
BurnoutType
        GEOCENTRIC
        GEODETIC
        LAUNCH_AZIMUTH_RADIUS
        LAUNCH_AZIMUTH_ALTITUDE
        CBF_CARTESIAN
AgEVAAscentType
        eVAAscentTypeEllipseCubicMotion
        eVAAscentTypeEllipseQuarticMotion
AscentType
        ELLIPSE_CUBIC_MOTION
        ELLIPSE_QUARTIC_MOTION
AgEVALaunchDisplaySystem
        eVADisplaySystemGeodetic
        eVADisplaySystemGeocentric
LaunchDisplaySystem
        DISPLAY_SYSTEM_GEODETIC
        DISPLAY_SYSTEM_GEOCENTRIC
AgEVARunCode
        eVARunCodeMarching
        eVARunCodeProfileFailure
        eVARunCodeError
        eVARunCodeStopped
        eVARunCodeReturned
        eVARunCodeCancelled
        eVARunCodeHitGlobalStop
RunCode
        MARCHING
        PROFILE_FAILURE
        ERROR
        STOPPED
        RETURNED
        CANCELLED
        HIT_GLOBAL_STOP
AgEVASequenceStateToPass
        eVASequenceStateToPassInitial
        eVASequenceStateToPassFinal
SequenceStateToPass
        INITIAL
        FINAL
AgEVAManeuverType
        eVAManeuverTypeImpulsive
        eVAManeuverTypeFinite
        eVAManeuverTypeOptimalFinite
ManeuverType
        IMPULSIVE
        FINITE
        OPTIMAL_FINITE
AgEVASegmentType
        eVASegmentTypeInitialState
        eVASegmentTypeLaunch
        eVASegmentTypeManeuver
        eVASegmentTypeFollow
        eVASegmentTypeHold
        eVASegmentTypePropagate
        eVASegmentTypeSequence
        eVASegmentTypeReturn
        eVASegmentTypeTargetSequence
        eVASegmentTypeStop
        eVASegmentTypeUpdate
        eVASegmentTypeBackwardSequence
        eVASegmentTypeEnd
SegmentType
        INITIAL_STATE
        LAUNCH
        MANEUVER
        FOLLOW
        HOLD
        PROPAGATE
        SEQUENCE
        RETURN
        TARGET_SEQUENCE
        STOP
        UPDATE
        BACKWARD_SEQUENCE
        END
AgEVAElementType
        eVAElementTypeCartesian
        eVAElementTypeKeplerian
        eVAElementTypeSpherical
        eVAElementTypeTargetVectorIncomingAsymptote
        eVAElementTypeTargetVectorOutgoingAsymptote
        eVAElementTypeMixedSpherical
        eVAElementTypeDelaunay
        eVAElementTypeEquinoctial
        eVAElementTypeGeodetic
        eVAElementTypeBPlane
        eVAElementTypeSphericalRangeRate
ElementSetType
        CARTESIAN
        KEPLERIAN
        SPHERICAL
        TARGET_VECTOR_INCOMING_ASYMPTOTE
        TARGET_VECTOR_OUTGOING_ASYMPTOTE
        MIXED_SPHERICAL
        DELAUNAY
        EQUINOCTIAL
        GEODETIC
        B_PLANE
        SPHERICAL_RANGE_RATE
AgEVALanguage
        eVALanguageVBScript
        eVALanguageJScript
        eVALanguageMATLAB
Language
        VB_SCRIPT
        J_SCRIPT
        MATLAB
AgEVAStoppingCondition
        eVAStoppingConditionBasic
        eVAStoppingConditionBefore
        eVAStoppingConditionOnePtAccess
        eVAStoppingConditionLighting
StoppingConditionType
        BASIC
        BEFORE
        ONE_POINT_ACCESS
        LIGHTING
AgEVAClearEphemerisDirection
        eVAClearEphemerisBefore
        eVAClearEphemerisNoClear
        eVAClearEphemerisAfter
ClearEphemerisDirection
        BEFORE
        NO_CLEAR
        AFTER
AgEVAProfileInsertDirection
        eVAProfileInsertBefore
        eVAProfileInsertAfter
ProfileInsertDirection
        BEFORE
        AFTER
AgEVARootFindingAlgorithm
        eVASecantMethod
        eVANewtonRaphsonMethod
RootFindingAlgorithm
        SECANT_METHOD
        NEWTON_RAPHSON_METHOD
AgEVAScriptingParameterType
        eVAScriptingParameterTypeDouble
        eVAScriptingParameterTypeQuantity
        eVAScriptingParameterTypeDate
        eVAScriptingParameterTypeString
        eVAScriptingParameterTypeBoolean
        eVAScriptingParameterTypeInteger
        eVAScriptingParameterTypeEnumeration
ScriptingParameterType
        DOUBLE
        QUANTITY
        DATE
        STRING
        BOOLEAN
        INTEGER
        ENUMERATION
AgEVASNOPTGoal
        eVASNOPTGoalMinimize
        eVASNOPTGoalBound
SNOPTGoal
        MINIMIZE
        BOUND
AgEVAIPOPTGoal
        eVAIPOPTGoalMinimize
        eVAIPOPTGoalBound
IPOPTGoal
        MINIMIZE
        BOUND
AgEVAOptimalFiniteSeedMethod
        eVAOptimalFiniteSeedMethodInitialGuessFile
        eVAOptimalFiniteSeedMethodFiniteManeuver
OptimalFiniteSeedMethod
        INITIAL_GUESS_FILE
        FINITE_MANEUVER
AgEVAOptimalFiniteRunMode
        eVAOptimalFiniteRunModeRunCurrentNodes
        eVAOptimalFiniteRunModeOptimizeViaDirectTranscription
OptimalFiniteRunMode
        RUN_CURRENT_NODES
        OPTIMIZE_VIA_DIRECT_TRANSCRIPTION
AgEVAOptimalFiniteDiscretizationStrategy
        eVAOptimalFiniteDiscretizationStrategyLegendreGaussLobatto
        eVAOptimalFiniteDiscretizationStrategyLegendreGaussRadau
OptimalFiniteDiscretizationStrategy
        LEGENDRE_GAUSS_LOBATTO
        LEGENDRE_GAUSS_RADAU
AgEVAOptimalFiniteWorkingVariables
        eVAOptimalFiniteWorkingVariablesEquinoctial
        eVAOptimalFiniteWorkingVariablesModifiedEquinoctial
OptimalFiniteWorkingVariables
        EQUINOCTIAL
        MODIFIED_EQUINOCTIAL
AgEVAOptimalFiniteScalingOptions
        eVAOptimalFiniteScalingOptionsNoScaling
        eVAOptimalFiniteScalingOptionsCanonicalUnits
        eVAOptimalFiniteScalingOptionsInitialStateBased
OptimalFiniteScalingOptions
        NO_SCALING
        CANONICAL_UNITS
        INITIAL_STATE_BASED
AgEVAOptimalFiniteSNOPTObjective
        eVAOptimalFiniteSNOPTObjectiveMinimizeTOF
        eVAOptimalFiniteSNOPTObjectiveMaximizeFinalRad
        eVAOptimalFiniteSNOPTObjectiveMinimizePropellantUse
OptimalFiniteSNOPTObjective
        MINIMIZE_TIME_OF_FLIGHT
        MAXIMIZE_FINAL_RAD
        MINIMIZE_PROPELLANT_USE
AgEVAOptimalFiniteSNOPTScaling
        eVAOptimalFiniteSNOPTScalingNone
        eVAOptimalFiniteSNOPTScalingLinear
        eVAOptimalFiniteSNOPTScalingAll
OptimalFiniteSNOPTScaling
        NONE
        LINEAR
        ALL
AgEVAOptimalFiniteExportNodesFormat
        eVAOptimalFiniteExportNodesFormatAzimuthElevation
        eVAOptimalFiniteExportNodesFormatUnitVector
OptimalFiniteExportNodesFormat
        AZIMUTH_ELEVATION
        UNIT_VECTOR
AgEVAOptimalFiniteGuessMethod
        eVAOptimalFiniteGuessMethodLagrangePolynomial
        eVAOptimalFiniteGuessMethodPiecewiseLinear
OptimalFiniteGuessMethod
        LAGRANGE_POLYNOMIAL
        PIECEWISE_LINEAR
AgEVAImpDeltaVRep
        eVACartesianImpDeltaV
        eVASphericalImpDeltaV
ImpulsiveDeltaVRepresentation
        CARTESIAN_IMPULSIVE_DELTA_V
        SPHERICAL_IMPULSIVE_DELTA_V
AgEVALambertTargetCoordType
        eVALambertTargetCoordTypeCartesian
        eVALambertTargetCoordTypeKeplerian
LambertTargetCoordinateType
        CARTESIAN
        KEPLERIAN
AgEVALambertSolutionOptionType
        eAgEVALambertSolutionOptionFixedTime
        eAgEVALambertSolutionOptionMinEccentricity
        eAgEVALambertSolutionOptionMinEnergy
LambertSolutionOptionType
        FIXED_TIME
        MIN_ECCENTRICITY
        MIN_ENERGY
AgEVALambertOrbitalEnergyType
        eAgEVALambertOrbitalEnergyLow
        eAgEVALambertOrbitalEnergyHigh
LambertOrbitalEnergyType
        LOW
        HIGH
AgEVALambertDirectionOfMotionType
        eAgEVALambertDirectionOfMotionShort
        eAgEVALambertDirectionOfMotionLong
LambertDirectionOfMotionType
        SHORT
        LONG
AgEVAGoldenSectionDesiredOperation
        eVAGoldenSectionDesiredOpMinimizeValue
        eVAGoldenSectionDesiredOpMaximizeValue
GoldenSectionDesiredOperation
        MINIMIZE_VALUE
        MAXIMIZE_VALUE
AgEVAGridSearchDesiredOperation
        eVAGridSearchDesiredOpMinimizeValue
        eVAGridSearchDesiredOpMaximizeValue
GridSearchDesiredOperation
        MINIMIZE_VALUE
        MAXIMIZE_VALUE
AgEVAElement
        eVAElementOsculating
        eVAElementKozaiIzsakMean
        eVAElementBrouwerLyddaneMeanLong
        eVAElementBrouwerLyddaneMeanShort
ElementType
        OSCULATING
        KOZAI_IZSAK_MEAN
        BROUWER_LYDDANE_MEAN_LONG
        BROUWER_LYDDANE_MEAN_SHORT
AgEVABaseSelection
        eVABaseSelectionSpecify
        eVABaseSelectionCurrentSatellite
BaseSelection
        SPECIFY
        CURRENT_SATELLITE
AgEVAControlOrbitStateValue
        eVAControlOrbitStateValueVx
        eVAControlOrbitStateValueVy
        eVAControlOrbitStateValueVz
        eVAControlOrbitStateValueX
        eVAControlOrbitStateValueY
        eVAControlOrbitStateValueZ
ControlOrbitStateValue
        VX
        VY
        VZ
        X
        Y
        Z
AgEVASegmentState
        eVASegmentStateInitial
        eVASegmentStateFinal
SegmentState
        INITIAL
        FINAL
AgEVADifferenceOrder
        eVADifferenceOrderInitialMinusCurrent
        eVADifferenceOrderCurrentMinusInitial
DifferenceOrder
        INITIAL_MINUS_CURRENT
        CURRENT_MINUS_INITIAL
AgEVASegmentDifferenceOrder
        eVASegmentDifferenceOrderCurrentMinusSegment
        eVASegmentDifferenceOrderSegmentMinusCurrent
SegmentDifferenceOrder
        CURRENT_MINUS_SEGMENT
        SEGMENT_MINUS_CURRENT
AgEVAControlRepeatingGroundTrackErr
        eVAControlRepeatingGroundTrackErrRefLon
        eVAControlRepeatingGroundTrackErrRepeatCount
ControlRepeatingGroundTrackErr
        REFERENCE_LONGITUDE
        REPEAT_COUNT
AgEVACalcObjectDirection
        eVACalcObjectDirectionNext
        eVACalcObjectDirectionPrevious
CalculationObjectDirection
        NEXT
        PREVIOUS
AgEVACalcObjectOrbitPlaneSource
        eAgEVACalcObjectOrbitPlaneSourceReferenceSatellite
        eAgEVACalcObjectOrbitPlaneSourceSatellite
CalculationObjectOrbitPlaneSource
        REFERENCE_SATELLITE
        SATELLITE
AgEVACalcObjectSunPosition
        eAgEVACalcObjectSunPositionApparentFromSatellite
        eAgEVACalcObjectSunPositionApparentFromRefSatellite
        eAgEVACalcObjectSunPositionTrueFromSatellite
        eAgEVACalcObjectSunPositionTrueFromRefSatellite
CalculationObjectSunPosition
        APPARENT_FROM_SATELLITE
        APPARENT_FROM_REFERENCE_SATELLITE
        TRUE_FROM_SATELLITE
        TRUE_FROM_REFERENCE_SATELLITE
AgEVACalcObjectAngleSign
        eAgEVACalcObjectAngleSignPositive
        eAgEVACalcObjectAngleSignNegative
CalculationObjectAngleSign
        POSITIVE
        NEGATIVE
AgEVACalcObjectReferenceDirection
        eAgEVACalcObjectReferenceDirectionReferenceSatellitePosition
        eAgEVACalcObjectReferenceDirectionSatellitePosition
        eAgEVACalcObjectReferenceDirectionReferenceSatelliteNadir
        eAgEVACalcObjectReferenceDirectionSatelliteNadir
CalculationObjectReferenceDirection
        REFERENCE_SATELLITE_POSITION
        SATELLITE_POSITION
        REFERENCE_SATELLITE_NADIR
        SATELLITE_NADIR
AgEVACalcObjectRelativePosition
        eAgEVACalcObjectRelativePositionSatelliteToRefSatellite
        eAgEVACalcObjectRelativePositionRefSatelliteToSatellite
CalculationObjectRelativePosition
        SATELLITE_TO_REFERENCE_SATELLITE
        REFERENCE_SATELLITE_TO_SATELLITE
AgEVACalcObjectReferenceEllipse
        eAgEVACalcObjectReferenceEllipseRefSatOrbit
        eAgEVACalcObjectReferenceEllipseSatelliteOrbit
CalculationObjectReferenceEllipse
        REFERENCE_SATELLITE_ORBIT
        SATELLITE_ORBIT
AgEVACalcObjectLocationSource
        eAgEVACalcObjectLocationSourceRefSat
        eAgEVACalcObjectLocationSourceSatellite
CalculationObjectLocationSource
        REFERENCE_SATELLITE
        SATELLITE
AgEVAGravitationalParameterSource
        eVAGravitationalParameterSourceCbFile
        eVAGravitationalParameterSourceCbFileSystem
        eVAGravitationalParameterSourceDEFile
        eVAGravitationalParameterSourceGravityFile
GravitationalParameterSource
        CENTRAL_BODY_FILE
        CENTRAL_BODY_FILE_SYSTEM
        DESIGN_EXPLORER_OPTIMIZER_FILE
        GRAVITY_FILE
AgEVAReferenceRadiusSource
        eVAReferenceRadiusSourceCbFile
        eVAReferenceRadiusSourceGravityFile
ReferenceRadiusSource
        CENTRAL_BODY_FILE
        GRAVITY_FILE
AgEVAGravCoeffNormalizationType
        eVAGravCoeffNormalized
        eVAGravCoeffUnnormalized
GravityCoefficientNormalizationType
        NORMALIZED
        UNNORMALIZED
AgEVAGravCoeffCoefficientType
        eVAGravCoeffCoefficientTypeZonal
        eVAGravCoeffCoefficientTypeCosine
        eVAGravCoeffCoefficientTypeSine
GravityCoefficientType
        ZONAL
        COSINE
        SINE
AgEVASTMPertVariables
        eVASTMPertVariablePosX
        eVASTMPertVariablePosY
        eVASTMPertVariablePosZ
        eVASTMPertVariableVelX
        eVASTMPertVariableVelY
        eVASTMPertVariableVelZ
STMPerturbationVariables
        POSITION_X
        POSITION_Y
        POSITION_Z
        VELOCITY_X
        VELOCITY_Y
        VELOCITY_Z
AgEVASTMEigenNumber
        eVASTMEigenNumber1
        eVASTMEigenNumber2
        eVASTMEigenNumber3
        eVASTMEigenNumber4
        eVASTMEigenNumber5
        eVASTMEigenNumber6
STMEigenNumber
        NUMBER1
        NUMBER2
        NUMBER3
        NUMBER4
        NUMBER5
        NUMBER6
AgEVAComplexNumber
        eVAComplexNumberReal
        eVAComplexNumberImaginary
ComplexNumber
        REAL
        IMAGINARY
AgEVASquaredType
        eVASumOfSquares
        eVASquareOfSum
SquaredType
        SUM_OF_SQUARES
        SQUARE_OF_SUM
AgEVAGeoStationaryDriftRateModel
        eVAGeoStationaryDriftRatePointMass
        eVAGeoStationaryDriftRatePointMassPlusJ2
GeoStationaryDriftRateModel
        POINT_MASS
        POINT_MASS_PLUS_J2
AgEVAGeoStationaryInclinationMag
        eVAGeoStationaryInclinationMagInclinationAngle
        eVAGeoStationaryInclinationMagSinInclination
        eVAGeoStationaryInclinationMagSinHalfInclination
        eVAGeoStationaryInclinationMagTwiceSinHalfInclination
        eVAGeoStationaryInclinationMagTanHalfInclination
        eVAGeoStationaryInclinationMagTwiceTanHalfInclination
GeoStationaryInclinationMagnitude
        INCLINATION_ANGLE
        SIN_INCLINATION
        SIN_HALF_INCLINATION
        TWICE_SIN_HALF_INCLINATION
        TAN_HALF_INCLINATION
        TWICE_TAN_HALF_INCLINATION
AgEVACbGravityModel
        eVACbGravityModelZonalsToJ4
        eVACbGravityModelEarthSimple
        eVACbGravityModelWGS84
        eVACbGravityModelEGM96
        eVACbGravityModelGEMT1
        eVACbGravityModelJGM2
        eVACbGravityModelJGM3
        eVACbGravityModelWSG84EGM96
        eVACbGravityModelWGS84Old
        eVACbGravityModelGLGM2
        eVACbGravityModelLP165P
        eVACbGravityModelIcarus1987
        eVACbGravityModelMGNP180U
        eVACbGravityModelGMM1
        eVACbGravityModelGMM2B
        eVACbGravityModelMars50c
        eVACbGravityModelJUP230
        eVACbGravityModelAstron2004
        eVACbGravityModelAstronAstro1991
        eVACbGravityModelIcarus2001
        eVACbGravityModelScience1998
        eVACbGravityModelNature1996
        eVACbGravityModelJGeoRes2001
        eVACbGravityModelGGM01C
        eVACbGravityModelGGM02C
        eVACbGravityModelWGS72ZonalsToJ4
        eVACbGravityModelLP100J
        eVACbGravityModelLP100K
        eVACbGravityModelLP150Q
        eVACbGravityModelLP75G
CentralBodyGravityModel
        ZONALS_TO_J4
        EARTH_SIMPLE
        WGS84
        EGM96
        GEMT1
        JGM2
        JGM3
        WSG84EGM96
        WGS84_OLD
        GLGM2
        LP165P
        ICARUS1987
        MGNP180U
        GMM1
        GMM2B
        MARS50_C
        JUP230
        ASTRON2004
        ASTRON_ASTRO1991
        ICARUS2001
        SCIENCE1998
        NATURE1996
        J_GEO_RES2001
        GGM01C
        GGM02C
        WGS72_ZONALS_TO_J4
        LP100J
        LP100K
        LP150Q
        LP75G
AgEVACbShape
        eVACbShapeTriaxialEllipsoid
        eVACbShapeOblateSpheroid
        eVACbShapeSphere
CentralBodyShape
        TRIAXIAL_ELLIPSOID
        OBLATE_SPHEROID
        SPHERE
AgEVACbAttitude
        eVACbAttitudeIAU1994
        eVACbAttitudeRotationCoefficientsFile
CentralBodyAttitude
        IAU1994
        ROTATION_COEFFICIENTS_FILE
AgEVACbEphemeris
        eVACbEphemerisAnalyticOrbit
        eVACbEphemerisFile
        eVACbEphemerisJPLDE
        eVACbEphemerisJPLSPICE
        eVACbEphemerisPlanetary
CentralBodyEphemeris
        ANALYTIC_ORBIT
        FILE
        JPLDE
        JPLSPICE
        PLANETARY
AgEVAControlPowerInternal
        eVAControlPowerInternalGeneratedPower
        eVAControlPowerInternalPercentDegradation
        eVAControlPowerInternalEpoch
ControlPowerInternal
        GENERATED_POWER
        PERCENT_DEGRADATION
        EPOCH
AgEVAControlPowerProcessed
        eVAControlPowerProcessedEfficiency
        eVAControlPowerProcessedLoad
ControlPowerProcessed
        EFFICIENCY
        LOAD
AgEVAControlPowerSolarArray
        eVAControlPowerSolarArrayC0
        eVAControlPowerSolarArrayC1
        eVAControlPowerSolarArrayC2
        eVAControlPowerSolarArrayC3
        eVAControlPowerSolarArrayC4
        eVAControlPowerSolarArrayArea
        eVAControlPowerSolarArrayEfficiency
        eVAControlPowerSolarArrayCellEfficiency
        eVAControlPowerSolarArrayConcentration
        eVAControlPowerSolarArrayInclinationToSunLine
        eVAControlPowerSolarArrayPercentDegradation
        eVAControlPowerSolarArrayEpoch
ControlPowerSolarArray
        C0
        C1
        C2
        C3
        C4
        AREA
        EFFICIENCY
        CELL_EFFICIENCY
        CONCENTRATION
        INCLINATION_TO_SUN_LINE
        PERCENT_DEGRADATION
        EPOCH
AgEVAThirdBodyMode
        eVAThirdBodyModeGravityField
        eVAThirdBodyModePointMass
ThirdBodyMode
        GRAVITY_FIELD
        POINT_MASS
AgEVAGravParamSource
        eVAGravParamSourceCbFile
        eVAGravParamSourceDEFile
        eVAGravParamSourceUser
        eVAGravParamSourceCbFileSystem
GravParamSource
        CENTRAL_BODY_FILE
        DESIGN_EXPLORER_OPTIMIZER_FILE
        USER
        CENTRAL_BODY_FILE_SYSTEM
AgEVAEphemSource
        eVAEphemSourceCbFile
        eVAEphemSourceDEFile
        eVAEphemSourceSPICEBary
        eVAEphemSourceSPICEBody
EphemerisSource
        CENTRAL_BODY_FILE
        DESIGN_EXPLORER_OPTIMIZER_FILE
        SPICE_BARY
        SPICE_BODY
AgEVASolarForceMethod
        eVASolarForceMethodLuminosity
        eVASolarForceMethodMeanFlux
SolarForceMethod
        LUMINOSITY
        MEAN_FLUX
AgEVAShadowModel
        eVAShadowModelCylindrical
        eVAShadowModelDualCone
        eVAShadowModelNone
ShadowModel
        CYLINDRICAL
        DUAL_CONE
        NONE
AgEVASunPosition
        eVASunPositionApparent
        eVASunPositionApparentToTrueCb
        eVASunPositionTrue
SunPosition
        APPARENT
        APPARENT_TO_TRUE_CENTRAL_BODY
        TRUE
AgEVAAtmosDataSource
        eVAAtmosDataSourceConstant
        eVAAtmosDataSourceFile
AtmosphereDataSource
        CONSTANT
        FILE
AgEVAGeoMagneticFluxSource
        eVAGeoMagneticFluxSourceAp
        eVAGeoMagneticFluxSourceKp
GeoMagneticFluxSource
        AP
        KP
AgEVAGeoMagneticFluxUpdateRate
        eVAGeoMagneticFluxUpdateRate3Hourly
        eVAGeoMagneticFluxUpdateRate3HourlyCubicSpline
        eVAGeoMagneticFluxUpdateRate3HourlyInterpolated
        eVAGeoMagneticFluxUpdateRateDaily
GeoMagneticFluxUpdateRate
        RATE3_HOURLY
        RATE3_HOURLY_CUBIC_SPLINE
        RATE3_HOURLY_INTERPOLATED
        DAILY
AgEVADragModelType
        eVADragModelTypeSpherical
        eVADragModelTypePlugin
        eVADragModelTypeVariableArea
        eVADragModelTypeNPlate
DragModelType
        SPHERICAL
        PLUGIN
        VARIABLE_AREA
        N_PLATE
AgEVAMarsGRAMDensityType
        eVAMarsGRAMDensityTypeLow
        eVAMarsGRAMDensityTypeMean
        eVAMarsGRAMDensityTypeHigh
        eVAMarsGRAMDensityTypeRandomlyPerturbed
MarsGRAMDensityType
        LOW
        MEAN
        HIGH
        RANDOMLY_PERTURBED
AgEVAVenusGRAMDensityType
        eVAVenusGRAMDensityTypeLow
        eVAVenusGRAMDensityTypeMean
        eVAVenusGRAMDensityTypeHigh
        eVAVenusGRAMDensityTypeRandomlyPerturbed
VenusGRAMDensityType
        LOW
        MEAN
        HIGH
        RANDOMLY_PERTURBED
AgEVATabVecInterpMethod
        eVATabVecCartesianInterpolation
        eVATabVecMagDirInterpolation
TabVecInterpolationMethod
        CARTESIAN_INTERPOLATION
        MAGNITUDE_AND_DIRECTION_INTERPOLATION
AgEVAControlEngineConstAcc
        eVAControlEngineConstAccGrav
        eVAControlEngineConstAccAcceleration
        eVAControlEngineConstAccIsp
ControlEngineConstantAcceleration
        GRAV
        ACCELERATION
        ISP
AgEVAControlEngineConstant
        eVAControlEngineConstantGrav
        eVAControlEngineConstantThrust
        eVAControlEngineConstantIsp
ControlEngineConstant
        GRAV
        THRUST
        ISP
AgEVAControlEngineCustom
        eVAControlEngineCustomGrav
ControlEngineCustom
        GRAV
AgEVAControlEngineThrottleTable
        eVAControlEngineThrottleTableGrav
        eVAControlEngineThrottleTablePercentDegradationPerYear
        eVAControlEngineThrottleTableReferenceEpoch
ControlEngineThrottleTable
        GRAV
        PERCENT_DEGRADATION_PER_YEAR
        REFERENCE_EPOCH
AgEVAControlEngineIon
        eVAControlEngineIonFlowRateC0
        eVAControlEngineIonFlowRateC1
        eVAControlEngineIonFlowRateC2
        eVAControlEngineIonFlowRateC3
        eVAControlEngineIonGrav
        eVAControlEngineIonIspC0
        eVAControlEngineIonIspC1
        eVAControlEngineIonIspC2
        eVAControlEngineIonIspC3
        eVAControlEngineIonMassFlowEfficiencyC0
        eVAControlEngineIonMassFlowEfficiencyC1
        eVAControlEngineIonMassFlowEfficiencyC2
        eVAControlEngineIonMassFlowEfficiencyC3
        eVAControlEngineIonMaxInputPower
        eVAControlEngineIonMinRequiredPower
        eVAControlEngineIonPercentDegradationPerYear
        eVAControlEngineIonPercentThrottle
        eVAControlEngineIonPowerEfficiencyC0
        eVAControlEngineIonPowerEfficiencyC1
        eVAControlEngineIonPowerEfficiencyC2
        eVAControlEngineIonPowerEfficiencyC3
        eVAControlEngineIonReferenceEpoch
ControlEngineIon
        FLOW_RATE_CONSTANT_TERM
        FLOW_RATE_LINEAR_TERM
        FLOW_RATE_QUADRATIC_TERM
        FLOW_RATE_CUBIC_TERM
        GRAV
        ISP_CONSTANT_TERM
        ISP_LINEAR_TERM
        ISP_QUADRATIC_TERM
        ISP_CUBIC_TERM
        MASS_FLOW_EFFICIENCY_CONSTANT_TERM
        MASS_FLOW_EFFICIENCY_LINEAR_TERM
        MASS_FLOW_EFFICIENCY_QUADRATIC_TERM
        MASS_FLOW_EFFICIENCY_CUBIC_TERM
        MAX_INPUT_POWER
        MIN_REQUIRED_POWER
        PERCENT_DEGRADATION_PER_YEAR
        PERCENT_THROTTLE
        POWER_EFFICIENCY_CONSTANT_TERM
        POWER_EFFICIENCY_LINEAR_TERM
        POWER_EFFICIENCY_QUADRATIC_TERM
        POWER_EFFICIENCY_CUBIC_TERM
        REFERENCE_EPOCH
AgEVAControlEngineModelPoly
        eVAControlEngineModelPolyThrustC0
        eVAControlEngineModelPolyThrustC1
        eVAControlEngineModelPolyThrustC2
        eVAControlEngineModelPolyThrustC3
        eVAControlEngineModelPolyThrustC4
        eVAControlEngineModelPolyThrustC5
        eVAControlEngineModelPolyThrustC6
        eVAControlEngineModelPolyThrustC7
        eVAControlEngineModelPolyThrustB7
        eVAControlEngineModelPolyThrustE4
        eVAControlEngineModelPolyThrustE5
        eVAControlEngineModelPolyThrustE6
        eVAControlEngineModelPolyThrustE7
        eVAControlEngineModelPolyThrustK0
        eVAControlEngineModelPolyThrustK1
        eVAControlEngineModelPolyThrustReferenceTemp
        eVAControlEngineModelPolyIspC0
        eVAControlEngineModelPolyIspC1
        eVAControlEngineModelPolyIspC2
        eVAControlEngineModelPolyIspC3
        eVAControlEngineModelPolyIspC4
        eVAControlEngineModelPolyIspC5
        eVAControlEngineModelPolyIspC6
        eVAControlEngineModelPolyIspC7
        eVAControlEngineModelPolyIspB7
        eVAControlEngineModelPolyIspE4
        eVAControlEngineModelPolyIspE5
        eVAControlEngineModelPolyIspE6
        eVAControlEngineModelPolyIspE7
        eVAControlEngineModelPolyIspK0
        eVAControlEngineModelPolyIspK1
        eVAControlEngineModelPolyIspReferenceTemp
        eVAControlEngineModelPolyGrav
ControlEngineModelPolynomial
        THRUST_C0
        THRUST_C1
        THRUST_C2
        THRUST_C3
        THRUST_C4
        THRUST_C5
        THRUST_C6
        THRUST_C7
        THRUST_B7
        THRUST_E4
        THRUST_E5
        THRUST_E6
        THRUST_E7
        THRUST_K0
        THRUST_K1
        THRUST_REFERENCE_TEMPERATURE
        ISP_C0
        ISP_C1
        ISP_C2
        ISP_C3
        ISP_C4
        ISP_C5
        ISP_C6
        ISP_C7
        ISP_B7
        ISP_E4
        ISP_E5
        ISP_E6
        ISP_E7
        ISP_K0
        ISP_K1
        ISP_REFERENCE_TEMP
        GRAV
AgEVAEngineModelFunction
        eVAEngineModelFunctionIsp
        eVAEngineModelFunctionPower
        eVAEngineModelFunctionIspAndPower
EngineModelFunction
        ISP
        POWER
        ISP_AND_POWER
AgEVAThrottleTableOperationMode
        eVAEngineOperationRegPoly
        eVAEngineOperationPiecewiseLinear
        eVAEngineOperationDiscrete
ThrottleTableOperationMode
        ENGINE_OPERATION_REG_POLY
        ENGINE_OPERATION_PIECEWISE_LINEAR
        ENGINE_OPERATION_DISCRETE
AgEVAIdealOrbitRadius
        eVAIdealOrbitEpochCenteredAvgSourceRadius
        eVAIdealOrbitRadiusInstantCharDistance
IdealOrbitRadius
        EPOCH_CENTERED_AVG_SOURCE_RADIUS
        INSTANTANEOUS_CHARACTERISTIC_DISTANCE
AgEVARotatingCoordinateSystem
        eVARotatingCoordinateSystemBarycenterCentered
        eVARotatingCoordinateSystemPrimaryCentered
        eVARotatingCoordinateSystemSecondaryCentered
        eVARotatingCoordinateSystemL1Centered
        eVARotatingCoordinateSystemL2Centered
        eVARotatingCoordinateSystemL3Centered
        eVARotatingCoordinateSystemL4Centered
        eVARotatingCoordinateSystemL5Centered
RotatingCoordinateSystem
        BARYCENTER_CENTERED
        PRIMARY_CENTERED
        SECONDARY_CENTERED
        L1_CENTERED
        L2_CENTERED
        L3_CENTERED
        L4_CENTERED
        L5_CENTERED
AgEVAControlThrusters
        eVAControlThrustersEquivOnTime
        eVAControlThrustersThrustEfficiency
        eVAControlThrustersSphericalAzimuth
        eVAControlThrustersSphericalElevation
        eVAControlThrustersCartesianX
        eVAControlThrustersCartesianY
        eVAControlThrustersCartesianZ
ControlThrusters
        EQUIVALENT_ON_TIME_PERCENT
        THRUST_EFFICIENCY
        SPHERICAL_AZIMUTH
        SPHERICAL_ELEVATION
        CARTESIAN_X
        CARTESIAN_Y
        CARTESIAN_Z
AgEVAThrusterDirection
        eVAThrusterDirectionAcceleration
        eVAThrusterDirectionExhaust
ThrusterDirection
        ACCELERATION
        EXHAUST
AgEVACriteria
        eVACriteriaEquals
        eVACriteriaGreaterThan
        eVACriteriaGreaterThanMinimum
        eVACriteriaLessThan
        eVACriteriaLessThanMaximum
        eVACriteriaNotEqualTo
Criteria
        EQUALS
        GREATER_THAN
        GREATER_THAN_MINIMUM
        LESS_THAN
        LESS_THAN_MAXIMUM
        NOT_EQUAL_TO
AgEVAErrorControl
        eVAErrorControlAbsolute
        eVAErrorControlRelativeByComponent
        eVAErrorControlRelativeToState
        eVAErrorControlRelativeToStep
ErrorControl
        ABSOLUTE
        RELATIVE_BY_COMPONENT
        RELATIVE_TO_STATE
        RELATIVE_TO_STEP
AgEVAPredictorCorrector
        eVAPredictorCorrectorFull
        eVAPredictorCorrectorPseudo
PredictorCorrector
        FULL
        PSEUDO
AgEVANumericalIntegrator
        eVANumericalIntegratorRK4thAdapt
        eVANumericalIntegratorRKF7th8th
        eVANumericalIntegratorRKV8th9th
        eVANumericalIntegratorBulirschStoer
        eVANumericalIntegratorGaussJackson
        eVANumericalIntegratorRK2nd3rd
        eVANumericalIntegratorRK4th5th
        eVANumericalIntegratorRK4th
NumericalIntegrator
        RUNGE_KUTTA_4TH_ADAPT
        RUNGE_KUTTA_FEHLBERG_7TH_8TH
        RUNGE_KUTTA_VERNER_8TH_9TH
        BULIRSCH_STOER
        GAUSS_JACKSON
        RUNGE_KUTTA_2ND_3RD
        RUNGE_KUTTA_4TH_5TH
        RUNGE_KUTTA_4TH
AgEVACoeffRKV8th9th
        eVACoeffRKV8th9th1978
        eVACoeffRKV8th9thEfficient
CoeffRungeKuttaV8th9th
        COEFFICIENT_1978
        EFFICIENT
AgVADriverMCS MCSDriver
AgVAMCSSegmentCollection MCSSegmentCollection
AgVAMCSEnd MCSEnd
AgVAMCSInitialState MCSInitialState
AgVASpacecraftParameters SpacecraftParameters
AgVAFuelTank FuelTank
AgVAElementCartesian ElementCartesian
AgVAElementKeplerian ElementKeplerian
AgVAElementEquinoctial ElementEquinoctial
AgVAElementDelaunay ElementDelaunay
AgVAElementMixedSpherical ElementMixedSpherical
AgVAElementSpherical ElementSpherical
AgVAElementTargetVectorIncomingAsymptote ElementTargetVectorIncomingAsymptote
AgVAElementTargetVectorOutgoingAsymptote ElementTargetVectorOutgoingAsymptote
AgVAElementGeodetic ElementGeodetic
AgVAElementBPlane ElementBPlane
AgVAElementSphericalRangeRate ElementSphericalRangeRate
AgVAMCSPropagate MCSPropagate
AgVAState State
AgVAStoppingConditionCollection StoppingConditionCollection
AgVAAccessStoppingCondition AccessStoppingCondition
AgVALightingStoppingCondition LightingStoppingCondition
AgVAStoppingCondition StoppingCondition
AgVAStoppingConditionElement StoppingConditionElement
AgVAMCSSequence MCSSequence
AgVAMCSBackwardSequence MCSBackwardSequence
AgVAMCSLaunch MCSLaunch
AgVADisplaySystemGeodetic DisplaySystemGeodetic
AgVADisplaySystemGeocentric DisplaySystemGeocentric
AgVABurnoutGeodetic BurnoutGeodetic
AgVABurnoutCBFCartesian BurnoutCBFCartesian
AgVABurnoutGeocentric BurnoutGeocentric
AgVABurnoutLaunchAzAlt BurnoutLaunchAzAltitude
AgVABurnoutLaunchAzRadius BurnoutLaunchAzRadius
AgVABurnoutVelocity BurnoutVelocity
AgVAMCSFollow MCSFollow
AgVAMCSManeuver MCSManeuver
AgVAManeuverFinite ManeuverFinite
AgVAManeuverImpulsive ManeuverImpulsive
AgVAAttitudeControlImpulsiveVelocityVector AttitudeControlImpulsiveVelocityVector
AgVAAttitudeControlImpulsiveAntiVelocityVector AttitudeControlImpulsiveAntiVelocityVector
AgVAAttitudeControlImpulsiveAttitude AttitudeControlImpulsiveAttitude
AgVAAttitudeControlImpulsiveFile AttitudeControlImpulsiveFile
AgVAAttitudeControlImpulsiveThrustVector AttitudeControlImpulsiveThrustVector
AgVAAttitudeControlFiniteAntiVelocityVector AttitudeControlFiniteAntiVelocityVector
AgVAAttitudeControlFiniteAttitude AttitudeControlFiniteAttitude
AgVAAttitudeControlFiniteFile AttitudeControlFiniteFile
AgVAAttitudeControlFiniteThrustVector AttitudeControlFiniteThrustVector
AgVAAttitudeControlFiniteTimeVarying AttitudeControlFiniteTimeVarying
AgVAAttitudeControlFiniteVelocityVector AttitudeControlFiniteVelocityVector
AgVAAttitudeControlFinitePlugin AttitudeControlFinitePlugin
AgVAAttitudeControlOptimalFiniteLagrange AttitudeControlOptimalFiniteLagrange
AgVAManeuverFinitePropagator ManeuverFinitePropagator
AgVAMCSHold MCSHold
AgVAMCSUpdate MCSUpdate
AgVAMCSReturn MCSReturn
AgVAMCSStop MCSStop
AgVAMCSTargetSequence MCSTargetSequence
AgVAProfileCollection ProfileCollection
AgVAMCSOptions MCSOptions
AgVACalcObjectCollection CalculationObjectCollection
AgVAConstraintCollection ConstraintCollection
AgVAPluginProperties PluginProperties
AgVAProfileSearchPlugin ProfileSearchPlugin
AgVATargeterGraph TargeterGraph
AgVATargeterGraphCollection TargeterGraphCollection
AgVATargeterGraphResultCollection TargeterGraphResultCollection
AgVATargeterGraphActiveControlCollection TargeterGraphActiveControlCollection
AgVATargeterGraphActiveControl TargeterGraphActiveControl
AgVATargeterGraphResult TargeterGraphResult
AgVAProfileDifferentialCorrector ProfileDifferentialCorrector
AgVAProfileScriptingTool ProfileScriptingTool
AgVADCControl DifferentialCorrectorControl
AgVADCResult DifferentialCorrectorResult
AgVADCControlCollection DifferentialCorrectorControlCollection
AgVADCResultCollection DifferentialCorrectorResultCollection
AgVASearchPluginControl SearchPluginControl
AgVASearchPluginControlCollection SearchPluginControlCollection
AgVASearchPluginResult SearchPluginResult
AgVASearchPluginResultCollection SearchPluginResultCollection
AgVAProfileChangeManeuverType ProfileChangeManeuverType
AgVAProfileChangeReturnSegment ProfileChangeReturnSegment
AgVAProfileChangePropagator ProfileChangePropagator
AgVAProfileChangeStopSegment ProfileChangeStopSegment
AgVAProfileChangeStoppingConditionState ProfileChangeStoppingConditionState
AgVAProfileSeedFiniteManeuver ProfileSeedFiniteManeuver
AgVAProfileRunOnce ProfileRunOnce
AgVABPlaneCollection BPlaneCollection
AgVAStateCalcDamageFlux StateCalcDamageFlux
AgVAStateCalcDamageMassFlux StateCalcDamageMassFlux
AgVAStateCalcMagFieldDipoleL StateCalcMagneticFieldDipoleL
AgVAStateCalcSEETMagFieldFieldLineSepAngle StateCalcSEETMagneticFieldLineSeparationAngle
AgVAStateCalcImpactFlux StateCalcImpactFlux
AgVAStateCalcImpactMassFlux StateCalcImpactMassFlux
AgVAStateCalcSEETSAAFlux StateCalcSEETSAAFlux
AgVAStateCalcSEETVehTemp StateCalcSEETVehTemp
AgVAStateCalcEpoch StateCalcEpoch
AgVAStateCalcJacobiConstant StateCalcJacobiConstant
AgVAStateCalcJacobiOsculating StateCalcJacobiOsculating
AgVAStateCalcCartesianElem StateCalcCartesianElem
AgVAStateCalcCartSTMElem StateCalcCartSTMElem
AgVAStateCalcSTMEigenval StateCalcSTMEigenval
AgVAStateCalcSTMEigenvecElem StateCalcSTMEigenvecElem
AgVAStateCalcEnvironment StateCalcEnvironment
AgVAStateCalcOrbitDelaunayG StateCalcOrbitDelaunayG
AgVAStateCalcOrbitDelaunayH StateCalcOrbitDelaunayH
AgVAStateCalcOrbitDelaunayL StateCalcOrbitDelaunayL
AgVAStateCalcOrbitSemiLatusRectum StateCalcOrbitSemilatusRectum
AgVAStateCalcEquinoctialElem StateCalcEquinoctialElem
AgVAStateCalcCloseApproachBearing StateCalcCloseApproachBearing
AgVAStateCalcCloseApproachMag StateCalcCloseApproachMagnitude
AgVAStateCalcCloseApproachTheta StateCalcCloseApproachTheta
AgVAStateCalcCloseApproachX StateCalcCloseApproachX
AgVAStateCalcCloseApproachY StateCalcCloseApproachY
AgVAStateCalcCloseApproachCosBearing StateCalcCloseApproachCosBearing
AgVAStateCalcRelGroundTrackError StateCalcRelativeGroundTrackError
AgVAStateCalcRelAtAOLMaster StateCalcRelativeAtAOLMaster
AgVAStateCalcDeltaFromMaster StateCalcDeltaFromMaster
AgVAStateCalcLonDriftRate StateCalcLonDriftRate
AgVAStateCalcMeanEarthLon StateCalcMeanEarthLon
AgVAStateCalcRectifiedLon StateCalcRectifiedLon
AgVAStateCalcTrueLongitude StateCalcTrueLongitude
AgVAStateCalcGeodeticTrueLongitude StateCalcGeodeticTrueLongitude
AgVAStateCalcGeodeticTrueLongitudeAtTimeOfPerigee StateCalcGeodeticTrueLongitudeAtTimeOfPerigee
AgVAStateCalcMeanRightAscension StateCalcMeanRightAscension
AgVAStateCalcGeodeticMeanRightAscension StateCalcGeodeticMeanRightAscension
AgVAStateCalcTwoBodyDriftRate StateCalcTwoBodyDriftRate
AgVAStateCalcDriftRateFactor StateCalcDriftRateFactor
AgVAStateCalcEccentricityX StateCalcEccentricityX
AgVAStateCalcEccentricityY StateCalcEccentricityY
AgVAStateCalcInclinationX StateCalcInclinationX
AgVAStateCalcInclinationY StateCalcInclinationY
AgVAStateCalcUnitAngularMomentumX StateCalcUnitAngularMomentumX
AgVAStateCalcUnitAngularMomentumY StateCalcUnitAngularMomentumY
AgVAStateCalcUnitAngularMomentumZ StateCalcUnitAngularMomentumZ
AgVAStateCalcHeightAboveTerrain StateCalcHeightAboveTerrain
AgVAStateCalcGeodeticElem StateCalcGeodeticElem
AgVAStateCalcRepeatingGroundTrackErr StateCalcRepeatingGroundTrackErr
AgVAStateCalcAltOfApoapsis StateCalcAltitudeOfApoapsis
AgVAStateCalcAltOfPeriapsis StateCalcAltitudeOfPeriapsis
AgVAStateCalcArgOfLat StateCalcArgumentOfLatitude
AgVAStateCalcArgOfPeriapsis StateCalcArgumentOfPeriapsis
AgVAStateCalcEccAnomaly StateCalcEccentricityAnomaly
AgVAStateCalcLonOfAscNode StateCalcLonOfAscNode
AgVAStateCalcMeanMotion StateCalcMeanMotion
AgVAStateCalcOrbitPeriod StateCalcOrbitPeriod
AgVAStateCalcNumRevs StateCalcNumRevs
AgVAStateCalcRadOfApoapsis StateCalcRadOfApoapsis
AgVAStateCalcRadOfPeriapsis StateCalcRadOfPeriapsis
AgVAStateCalcSemiMajorAxis StateCalcSemimajorAxis
AgVAStateCalcTimePastAscNode StateCalcTimePastAscNode
AgVAStateCalcTimePastPeriapsis StateCalcTimePastPeriapsis
AgVAStateCalcTrueAnomaly StateCalcTrueAnomaly
AgVAStateCalcDeltaV StateCalcDeltaV
AgVAStateCalcDeltaVSquared StateCalcDeltaVSquared
AgVAStateCalcMCSDeltaV StateCalcMCSDeltaV
AgVAStateCalcMCSDeltaVSquared StateCalcMCSDeltaVSquared
AgVAStateCalcSequenceDeltaV StateCalcSequenceDeltaV
AgVAStateCalcSequenceDeltaVSquared StateCalcSequenceDeltaVSquared
AgVAStateCalcFuelMass StateCalcFuelMass
AgVAStateCalcDensity StateCalcDensity
AgVAStateCalcInertialDeltaVMag StateCalcInertialDeltaVMagnitude
AgVAStateCalcInertialDeltaVx StateCalcInertialDeltaVx
AgVAStateCalcInertialDeltaVy StateCalcInertialDeltaVy
AgVAStateCalcInertialDeltaVz StateCalcInertialDeltaVz
AgVAStateCalcManeuverSpecificImpulse StateCalcManeuverSpecificImpulse
AgVAStateCalcPressure StateCalcPressure
AgVAStateCalcTemperature StateCalcTemperature
AgVAStateCalcVectorY StateCalcVectorY
AgVAStateCalcVectorZ StateCalcVectorZ
AgVAStateCalcMass StateCalcMass
AgVAStateCalcManeuverTotalMassFlowRate StateCalcManeuverTotalMassFlowRate
AgVAStateCalcAbsoluteValue StateCalcAbsoluteValue
AgVAStateCalcDifference StateCalcDifference
AgVAStateCalcDifferenceOtherSegment StateCalcDifferenceOtherSegment
AgVAStateCalcPosDifferenceOtherSegment StateCalcPositionDifferenceOtherSegment
AgVAStateCalcVelDifferenceOtherSegment StateCalcVelocityDifferenceOtherSegment
AgVAStateCalcPosVelDifferenceOtherSegment StateCalcPositionVelocityDifferenceOtherSegment
AgVAStateCalcValueAtSegment StateCalcValueAtSegment
AgVAStateCalcMaxValue StateCalcMaxValue
AgVAStateCalcMinValue StateCalcMinValue
AgVAStateCalcMeanValue StateCalcMeanValue
AgVAStateCalcMedianValue StateCalcMedianValue
AgVAStateCalcStandardDeviation StateCalcStandardDeviation
AgVAStateCalcNegative StateCalcNegative
AgVAStateCalcEccentricity StateCalcEccentricity
AgVAStateCalcMeanAnomaly StateCalcMeanAnomaly
AgVAStateCalcRAAN StateCalcRAAN
AgVABDotRCalc BDotRCalc
AgVABDotTCalc BDotTCalc
AgVABMagCalc BMagnitudeCalc
AgVABThetaCalc BThetaCalc
AgVAStateCalcDeltaDec StateCalcDeltaDec
AgVAStateCalcDeltaRA StateCalcDeltaRA
AgVAStateCalcBetaAngle StateCalcBetaAngle
AgVAStateCalcLocalApparentSolarLon StateCalcLocalApparentSolarLon
AgVAStateCalcLonOfPeriapsis StateCalcLonOfPeriapsis
AgVAStateCalcOrbitStateValue StateCalcOrbitStateValue
AgVAStateCalcSignedEccentricity StateCalcSignedEccentricity
AgVAStateCalcInclination StateCalcInclination
AgVAStateCalcTrueLon StateCalcTrueLon
AgVAStateCalcPower StateCalcPower
AgVAStateCalcRelMotion StateCalcRelativeMotion
AgVAStateCalcSolarBetaAngle StateCalcSolarBetaAngle
AgVAStateCalcSolarInPlaneAngle StateCalcSolarInPlaneAngle
AgVAStateCalcRelPosDecAngle StateCalcRelativePositionDecAngle
AgVAStateCalcRelPosInPlaneAngle StateCalcRelativePositionInPlaneAngle
AgVAStateCalcRelativeInclination StateCalcRelativeInclination
AgVAStateCalcCurvilinearRelMotion StateCalcCurvilinearRelativeMotion
AgVAStateCalcCustomFunction StateCalcCustomFunction
AgVAStateCalcScript StateCalcScript
AgVAStateCalcCd StateCalcCd
AgVAStateCalcCr StateCalcCr
AgVAStateCalcDragArea StateCalcDragArea
AgVAStateCalcRadiationPressureArea StateCalcRadiationPressureArea
AgVAStateCalcRadiationPressureCoefficient StateCalcRadiationPressureCoefficient
AgVAStateCalcSRPArea StateCalcSRPArea
AgVAStateCalcCosOfVerticalFPA StateCalcCosOfVerticalFlightPathAngle
AgVAStateCalcDec StateCalcDec
AgVAStateCalcFPA StateCalcFlightPathAngle
AgVAStateCalcRMag StateCalcRMagnitude
AgVAStateCalcRA StateCalcRA
AgVAStateCalcVMag StateCalcVMagnitude
AgVAStateCalcVelAz StateCalcVelocityAz
AgVAStateCalcC3Energy StateCalcC3Energy
AgVAStateCalcInAsympDec StateCalcInAsympDec
AgVAStateCalcInAsympRA StateCalcInAsympRA
AgVAStateCalcInVelAzAtPeriapsis StateCalcInVelocityAzAtPeriapsis
AgVAStateCalcOutAsympDec StateCalcOutAsympDec
AgVAStateCalcOutAsympRA StateCalcOutAsympRA
AgVAStateCalcOutVelAzAtPeriapsis StateCalcOutVelocityAzAtPeriapsis
AgVAStateCalcDuration StateCalcDuration
AgVAStateCalcUserValue StateCalcUserValue
AgVAStateCalcCrdnAngle StateCalcVectorGeometryToolAngle
AgVAStateCalcAngle StateCalcAngle
AgVAStateCalcDotProduct StateCalcDotProduct
AgVAStateCalcVectorDec StateCalcVectorDec
AgVAStateCalcVectorMag StateCalcVectorMagnitude
AgVAStateCalcVectorRA StateCalcVectorRA
AgVAStateCalcVectorX StateCalcVectorX
AgVAStateCalcOnePtAccess StateCalcOnePointAccess
AgVAStateCalcDifferenceAcrossSegmentsOtherSat StateCalcDifferenceAcrossSegmentsOtherSatellite
AgVAStateCalcValueAtSegmentOtherSat StateCalcValueAtSegmentOtherSat
AgVAStateCalcRARate StateCalcRARate
AgVAStateCalcDecRate StateCalcDecRate
AgVAStateCalcRangeRate StateCalcRangeRate
AgVAStateCalcGravitationalParameter StateCalcGravitationalParameter
AgVAStateCalcReferenceRadius StateCalcReferenceRadius
AgVAStateCalcGravCoeff StateCalcGravCoeff
AgVAStateCalcSpeedOfLight StateCalcSpeedOfLight
AgVAStateCalcPi StateCalcPi
AgVAStateCalcScalar StateCalcScalar
AgVAStateCalcApparentSolarTime StateCalcApparentSolarTime
AgVAStateCalcEarthMeanSolarTime StateCalcEarthMeanSolarTime
AgVAStateCalcEarthMeanLocTimeAN StateCalcEarthMeanLocalTimeOfAscendingNode
AgVAAutomaticSequenceCollection AutomaticSequenceCollection
AgVAAutomaticSequence AutomaticSequence
AgVACentralBodyCollection CentralBodyComponentCollection
AgVACentralBody CentralBodyComponent
AgVACbGravityModel CentralBodyComponentGravityModel
AgVACbShapeSphere CentralBodyComponentShapeSphere
AgVACbShapeOblateSpheroid CentralBodyComponentShapeOblateSpheroid
AgVACbShapeTriaxialEllipsoid CentralBodyComponentShapeTriaxialEllipsoid
AgVACbAttitudeRotationCoefficientsFile CentralBodyComponentAttitudeRotationCoefficientsFile
AgVACbAttitudeIAU1994 CentralBodyComponentAttitudeIAU1994
AgVACbEphemerisAnalyticOrbit CentralBodyComponentEphemerisAnalyticOrbit
AgVACbEphemerisJPLSpice CentralBodyComponentEphemerisJPLSpice
AgVACbEphemerisFile CentralBodyComponentEphemerisFile
AgVACbEphemerisJPLDE CentralBodyComponentEphemerisJPLDesignExplorerOptimizer
AgVACbEphemerisPlanetary CentralBodyComponentEphemerisPlanetary
AgVAMCSSegmentProperties MCSSegmentProperties
AgVAPowerInternal PowerInternal
AgVAPowerProcessed PowerProcessed
AgVAPowerSolarArray PowerSolarArray
AgVAGeneralRelativityFunction GeneralRelativityFunction
AgVAStateTransFunction StateTransformationFunction
AgVACR3BPFunc CR3BPFunction
AgVAER3BPFunc ER3BPFunc
AgVARadiationPressureFunction RadiationPressureFunction
AgVAYarkovskyFunc YarkovskyFunc
AgVABlendedDensity BlendedDensity
AgVACira72Function Cira72Function
AgVAExponential Exponential
AgVAHarrisPriester HarrisPriester
AgVADensityModelPlugin DensityModelPlugin
AgVAJacchiaRoberts JacchiaRoberts
AgVAJacchiaBowman2008 JacchiaBowman2008
AgVAJacchia_1960 Jacchia1960
AgVAJacchia_1970 Jacchia1970
AgVAJacchia_1971 Jacchia1971
AgVAMSISE_1990 MSISE1990
AgVAMSIS_1986 MSIS1986
AgVANRLMSISE_2000 NRLMSISE2000
AgVAUS_Standard_Atmosphere USStandardAtmosphere
AgVAMarsGRAM37 MarsGRAM37
AgVAMarsGRAM2000 MarsGRAM2000
AgVAMarsGRAM2001 MarsGRAM2001
AgVAMarsGRAM2005 MarsGRAM2005
AgVAMarsGRAM2010 MarsGRAM2010
AgVAVenusGRAM2005 VenusGRAM2005
AgVADTM2012 DTM2012
AgVADTM2020 DTM2020
AgVAGravityFieldFunction GravityFieldFunction
AgVAPointMassFunction PointMassFunction
AgVATwoBodyFunction TwoBodyFunction
AgVAHPOPPluginFunction HPOPPluginFunction
AgVAEOMFuncPluginFunction EOMFuncPluginFunction
AgVASRPAeroT20 SRPAerospaceT20
AgVASRPAeroT30 SRPAerospaceT30
AgVASRPGSPM04aIIA SRPGSPM04aIIA
AgVASRPGSPM04aIIR SRPGSPM04aIIR
AgVASRPGSPM04aeIIA SRPGSPM04aeIIA
AgVASRPGSPM04aeIIR SRPGSPM04aeIIR
AgVASRPSpherical SRPSpherical
AgVASRPNPlate SRPNPlate
AgVASRPTabAreaVec SRPTabulatedAreaVector
AgVASRPVariableArea SRPVariableArea
AgVAThirdBodyFunction ThirdBodyFunction
AgVADragModelPlugin DragModelPlugin
AgVASRPReflectionPlugin SRPReflectionPlugin
AgVAEngineConstAcc EngineConstantAcceleration
AgVAEngineConstant EngineConstant
AgVAEngineIon EngineIon
AgVAEngineThrottleTable EngineThrottleTable
AgVAEngineCustom EngineCustom
AgVAEnginePlugin EnginePlugin
AgVAEngineModelPoly EngineModelPolynomial
AgVAEngineModelThrustCoefficients EngineModelThrustCoefficients
AgVAEngineModelIspCoefficients EngineModelIspCoefficients
AgVAEngineDefinition EngineDefinition
AgVADesignCR3BPSetup DesignCR3BPSetup
AgVADesignCR3BPObject DesignCR3BPObject
AgVADesignCR3BPObjectCollection DesignCR3BPObjectCollection
AgVADesignER3BPSetup DesignER3BPSetup
AgVADesignER3BPObject DesignER3BPObject
AgVADesignER3BPObjectCollection DesignER3BPObjectCollection
AgVAThruster Thruster
AgVAThrusterSetCollection ThrusterSetCollection
AgVAThrusterSet ThrusterSet
AgVAAsTriggerCondition AsTriggerCondition
AgVACustomFunctionScriptEngine CustomFunctionScriptEngine
AgVANumericalPropagatorWrapper NumericalPropagatorWrapper
AgVANumericalPropagatorWrapperCR3BP NumericalPropagatorWrapperCR3BP
AgVAPropagatorFunctionCollection PropagatorFunctionCollection
AgVABulirschStoerIntegrator BulirschStoerIntegrator
AgVAGaussJacksonIntegrator GaussJacksonIntegrator
AgVARK2nd3rd RungeKutta2nd3rd
AgVARK4th RungeKutta4th
AgVARK4th5th RungeKutta4th5th
AgVARK4thAdapt RungeKutta4thAdapt
AgVARKF7th8th RungeKuttaF7th8th
AgVARKV8th9th RungeKuttaV8th9th
AgVAScriptingTool ScriptingTool
AgVAScriptingSegmentCollection ScriptingSegmentCollection
AgVAScriptingSegment ScriptingSegment
AgVAScriptingParameterCollection ScriptingParameterCollection
AgVAScriptingParameter ScriptingParameter
AgVAScriptingCalcObject ScriptingCalculationObject
AgVAScriptingCalcObjectCollection ScriptingCalculationObjectCollection
AgVAUserVariableDefinition UserVariableDefinition
AgVAUserVariable UserVariable
AgVAUserVariableUpdate UserVariableUpdate
AgVAUserVariableDefinitionCollection UserVariableDefinitionCollection
AgVAUserVariableCollection UserVariableCollection
AgVAUserVariableUpdateCollection UserVariableUpdateCollection
AgVACalculationGraphCollection CalculationGraphCollection
AgVAScriptingParameterEnumerationChoice ScriptingParameterEnumerationChoice
AgVAScriptingParameterEnumerationChoiceCollection ScriptingParameterEnumerationChoiceCollection
AgVAProfileSNOPTOptimizer ProfileSNOPTOptimizer
AgVASNOPTControl SNOPTControl
AgVASNOPTResult SNOPTResult
AgVASNOPTControlCollection SNOPTControlCollection
AgVASNOPTResultCollection SNOPTResultCollection
AgVAProfileIPOPTOptimizer ProfileIPOPTOptimizer
AgVAIPOPTControl IPOPTControl
AgVAIPOPTResult IPOPTResult
AgVAIPOPTControlCollection IPOPTControlCollection
AgVAIPOPTResultCollection IPOPTResultCollection
AgVAManeuverOptimalFinite ManeuverOptimalFinite
AgVAManeuverOptimalFiniteSNOPTOptimizer ManeuverOptimalFiniteSNOPTOptimizer
AgVAManeuverOptimalFiniteInitialBoundaryConditions ManeuverOptimalFiniteInitialBoundaryConditions
AgVAManeuverOptimalFiniteFinalBoundaryConditions ManeuverOptimalFiniteFinalBoundaryConditions
AgVAManeuverOptimalFinitePathBoundaryConditions ManeuverOptimalFinitePathBoundaryConditions
AgVAManeuverOptimalFiniteSteeringNodeElement ManeuverOptimalFiniteSteeringNodeElement
AgVAManeuverOptimalFiniteSteeringNodeCollection ManeuverOptimalFiniteSteeringNodeCollection
AgVAManeuverOptimalFiniteBounds ManeuverOptimalFiniteBounds
AgVAProfileLambertProfile ProfileLambertProfile
AgVAProfileLambertSearchProfile ProfileLambertSearchProfile
AgVAProfileGoldenSection ProfileGoldenSection
AgVAGoldenSectionControlCollection GoldenSectionControlCollection
AgVAGoldenSectionControl GoldenSectionControl
AgVAGoldenSectionResultCollection GoldenSectionResultCollection
AgVAGoldenSectionResult GoldenSectionResult
AgVAProfileGridSearch ProfileGridSearch
AgVAGridSearchControlCollection GridSearchControlCollection
AgVAGridSearchControl GridSearchControl
AgVAGridSearchResultCollection GridSearchResultCollection
AgVAGridSearchResult GridSearchResult
AgVACalcObjectLinkEmbedControlCollection CalculationObjectLinkEmbedControlCollection
AgVAProfileBisection ProfileBisection
AgVABisectionControl BisectionControl
AgVABisectionControlCollection BisectionControlCollection
AgVABisectionResult BisectionResult
AgVABisectionResultCollection BisectionResultCollection
IAgVAUserVariableDefinitionCollection
        Item
        Add
        Remove
        RemoveAll
        Count
        GetItemByIndex
        GetItemByName
UserVariableDefinitionCollection
        item
        add
        remove
        remove_all
        count
        get_item_by_index
        get_item_by_name
IAgVAUserVariableCollection
        Item
        Count
        GetItemByIndex
        GetItemByName
UserVariableCollection
        item
        count
        get_item_by_index
        get_item_by_name
IAgVAUserVariableUpdateCollection
        Item
        Count
        GetItemByIndex
        GetItemByName
UserVariableUpdateCollection
        item
        count
        get_item_by_index
        get_item_by_name
IAgVACalculationGraphCollection
        Item
        Add
        Remove
        RemoveAll
        Count
CalculationGraphCollection
        item
        add
        remove
        remove_all
        count
IAgVAConstraintCollection
        Add
        Item
        Remove
        Count
        Cut
        Paste
        InsertCopy
        GetItemByIndex
        GetItemByName
ConstraintCollection
        add
        item
        remove
        count
        cut
        paste
        insert_copy
        get_item_by_index
        get_item_by_name
IAgVAPluginProperties
        GetProperty
        SetProperty
        AvailableProperties
PluginProperties
        get_property
        set_property
        available_properties
IAgVASNOPTControlCollection
        Item
        Count
        GetControlByPaths
SNOPTControlCollection
        item
        count
        get_control_by_paths
IAgVASNOPTResultCollection
        Item
        Count
        GetResultByPaths
SNOPTResultCollection
        item
        count
        get_result_by_paths
IAgVAIPOPTControlCollection
        Item
        Count
        GetControlByPaths
IPOPTControlCollection
        item
        count
        get_control_by_paths
IAgVAIPOPTResultCollection
        Item
        Count
        GetResultByPaths
IPOPTResultCollection
        item
        count
        get_result_by_paths
IAgVAManeuverOptimalFiniteSNOPTOptimizer
        Objective
        MaxMajorIterations
        ToleranceOnMajorFeasibility
        ToleranceOnMajorOptimality
        MaxMinorIterations
        ToleranceOnMinorFeasibility
        OptionsFilename
        ProvideRuntimeTypeInfo
        UseConsoleMonitor
        AllowInternalPrimalInfeasibilityMeasureNormalization
        SNOPTScaling
ManeuverOptimalFiniteSNOPTOptimizer
        objective
        max_major_iterations
        tolerance_on_major_feasibility
        tolerance_on_major_optimality
        max_minor_iterations
        tolerance_on_minor_feasibility
        options_filename
        provide_runtime_type_info
        use_console_monitor
        allow_internal_primal_infeasibility_measure_normalization
        snopt_scaling
IAgVAManeuverOptimalFiniteInitialBoundaryConditions
        SetFromInitialGuess
        L
        ProvideRuntimeTypeInfo
ManeuverOptimalFiniteInitialBoundaryConditions
        set_from_initial_guess
        l
        provide_runtime_type_info
IAgVAManeuverOptimalFiniteFinalBoundaryConditions
        SetFromFinalGuess
        L
        LowerDeltaFinalTime
        UpperDeltaFinalTime
        ProvideRuntimeTypeInfo
ManeuverOptimalFiniteFinalBoundaryConditions
        set_from_final_guess
        l
        lower_delta_final_time
        upper_delta_final_time
        provide_runtime_type_info
IAgVAManeuverOptimalFinitePathBoundaryConditions
        ComputeFromInitialGuess
        L
        LowerBoundAzimuth
        UpperBoundAzimuth
        LowerBoundElevation
        UpperBoundElevation
        ProvideRuntimeTypeInfo
ManeuverOptimalFinitePathBoundaryConditions
        compute_from_initial_guess
        l
        lower_bound_azimuth
        upper_bound_azimuth
        lower_bound_elevation
        upper_bound_elevation
        provide_runtime_type_info
IAgVAManeuverOptimalFiniteSteeringNodeCollection
        Item
        Count
ManeuverOptimalFiniteSteeringNodeCollection
        item
        count
IAgVAManeuverOptimalFiniteBounds
        LowerBound
        UpperBound
ManeuverOptimalFiniteBounds
        lower_bound
        upper_bound
IAgVAGoldenSectionControlCollection
        Item
        Count
        GetControlByPaths
GoldenSectionControlCollection
        item
        count
        get_control_by_paths
IAgVAGoldenSectionControl
        Enable
        Name
        ParentName
        CurrentValue
        LowerBound
        UpperBound
        UseCustomDisplayUnit
        CustomDisplayUnit
        Tolerance
GoldenSectionControl
        enable
        name
        parent_name
        current_value
        lower_bound
        upper_bound
        use_custom_display_unit
        custom_display_unit
        tolerance
IAgVAGoldenSectionResultCollection
        Item
        Count
        GetResultByPaths
GoldenSectionResultCollection
        item
        count
        get_result_by_paths
IAgVAGoldenSectionResult
        Enable
        Name
        ParentName
        CurrentValue
        DesiredOperation
        UseCustomDisplayUnit
        CustomDisplayUnit
GoldenSectionResult
        enable
        name
        parent_name
        current_value
        desired_operation
        use_custom_display_unit
        custom_display_unit
IAgVAGridSearchControlCollection
        Item
        Count
        GetControlByPaths
GridSearchControlCollection
        item
        count
        get_control_by_paths
IAgVAGridSearchControl
        Enable
        Name
        ParentName
        CurrentValue
        LowerBound
        UpperBound
        UseCustomDisplayUnit
        CustomDisplayUnit
        Step
GridSearchControl
        enable
        name
        parent_name
        current_value
        lower_bound
        upper_bound
        use_custom_display_unit
        custom_display_unit
        step
IAgVAGridSearchResultCollection
        Item
        Count
        GetResultByPaths
GridSearchResultCollection
        item
        count
        get_result_by_paths
IAgVAGridSearchResult
        Enable
        Name
        ParentName
        CurrentValue
        DesiredOperation
        UseCustomDisplayUnit
        CustomDisplayUnit
GridSearchResult
        enable
        name
        parent_name
        current_value
        desired_operation
        use_custom_display_unit
        custom_display_unit
IAgVABisectionControlCollection
        Item
        Count
        GetControlByPaths
BisectionControlCollection
        item
        count
        get_control_by_paths
IAgVABisectionResult
        Enable
        Name
        ParentName
        CurrentValue
        DesiredValue
        Tolerance
        UseCustomDisplayUnit
        CustomDisplayUnit
BisectionResult
        enable
        name
        parent_name
        current_value
        desired_value
        tolerance
        use_custom_display_unit
        custom_display_unit
IAgVABisectionResultCollection
        Item
        Count
        GetResultByPaths
BisectionResultCollection
        item
        count
        get_result_by_paths
IAgVAStoppingConditionElement
        Active
        EnableControlParameter
        DisableControlParameter
        IsControlParameterEnabled
        ControlParametersAvailable
        Properties
StoppingConditionElement
        active
        enable_control_parameter
        disable_control_parameter
        is_control_parameter_enabled
        control_parameters_available
        properties
IAgVAStoppingConditionCollection
        Item
        Add
        Remove
        Count
        Cut
        Paste
        InsertCopy
        GetItemByIndex
        GetItemByName
StoppingConditionCollection
        item
        add
        remove
        count
        cut
        paste
        insert_copy
        get_item_by_index
        get_item_by_name
IAgVAMCSSegmentCollection
        Item
        Insert
        Remove
        RemoveAll
        Count
        Cut
        Paste
        InsertCopy
        InsertByName
        ProvideRuntimeTypeInfo
        GetItemByIndex
        GetItemByName
MCSSegmentCollection
        item
        insert
        remove
        remove_all
        count
        cut
        paste
        insert_copy
        insert_by_name
        provide_runtime_type_info
        get_item_by_index
        get_item_by_name
IAgVAState
        ElementType
        SetElementType
        Element
        Epoch
        CoordSystemName
        DryMass
        FuelMass
        DragArea
        SRPArea
        TankPressure
        TankTemperature
        FuelDensity
        Cr
        Cd
        RadiationPressureCoeff
        RadiationPressureArea
        K1
        K2
        GetInFrameName
State
        element_type
        set_element_type
        element
        epoch
        coord_system_name
        dry_mass
        fuel_mass
        drag_area
        srp_area
        tank_pressure
        tank_temperature
        fuel_density
        cr
        cd
        radiation_pressure_coefficient
        radiation_pressure_area
        k1
        k2
        get_in_frame_name
IAgVAStoppingConditionComponent
        StoppingConditionType
IStoppingConditionComponent
        stopping_condition_type
IAgVAAutomaticSequence
        MakeCopy
        Name
        UserComment
        Sequence
AutomaticSequence
        make_copy
        name
        user_comment
        sequence
IAgVAAutomaticSequenceCollection
        Item
        Add
        Remove
        Count
        GetItemByIndex
        GetItemByName
AutomaticSequenceCollection
        item
        add
        remove
        count
        get_item_by_index
        get_item_by_name
IAgVABPlaneCollection
        Add
        Remove
        RemoveAll
        Item
        Count
BPlaneCollection
        add
        remove
        remove_all
        item
        count
IAgVACalcObjectCollection
        Add
        Item
        Remove
        Count
        Cut
        Paste
        InsertCopy
        GetItemByIndex
        GetItemByName
CalculationObjectCollection
        add
        item
        remove
        count
        cut
        paste
        insert_copy
        get_item_by_index
        get_item_by_name
IAgVAManeuverFinitePropagator
        PropagatorName
        StoppingConditions
        MinPropagationTime
        MaxPropagationTime
        EnableMaxPropagationTime
        EnableWarningMessage
        EnableCenterBurn
        Bias
        OverrideMaxPropagationTime
        ShouldStopForInitiallySurpassedEpochStoppingConditions
        ShouldReinitializeSTMAtStartOfSegmentPropagation
ManeuverFinitePropagator
        propagator_name
        stopping_conditions
        min_propagation_time
        max_propagation_time
        enable_max_propagation_time
        enable_warning_message
        enable_center_burn
        bias
        override_max_propagation_time
        should_stop_for_initially_surpassed_epoch_stopping_conditions
        should_reinitialize_stm_at_start_of_segment_propagation
IAgVABurnoutVelocity
        BurnoutOption
        FixedVelocity
        InertialVelocity
        InertialVelocityAzimuth
        InertialHorizontalFPA
BurnoutVelocity
        burnout_option
        fixed_velocity
        inertial_velocity
        inertial_velocity_azimuth
        inertial_horizontal_flight_path_angle
IAgVAAttitudeControl
        LeadDuration
        TrailDuration
        BodyAxis
        ConstraintSign
        ConstraintVectorName
        CustomFunction
IAttitudeControl
        lead_duration
        trail_duration
        body_axis
        constraint_sign
        constraint_vector_name
        custom_function
IAgVAAttitudeControlFinite IAttitudeControlFinite
IAgVAAttitudeControlImpulsive IAttitudeControlImpulsive
IAgVAAttitudeControlOptimalFinite IAttitudeControlOptimalFinite
IAgVAManeuver
        AttitudeControlType
        SetAttitudeControlType
        AttitudeControl
        PropulsionMethod
        SetPropulsionMethod
        PropulsionMethodValue
IManeuver
        attitude_control_type
        set_attitude_control_type
        attitude_control
        propulsion_method
        set_propulsion_method
        propulsion_method_value
IAgVADisplaySystem IDisplaySystem
IAgVABurnout IBurnout
IAgVAScriptingSegment
        ComponentName
        Attribute
        Unit
        AvailableAttributeValues
        ReadOnlyProperty
        ObjectName
        AvailableObjectNames
ScriptingSegment
        component_name
        attribute
        unit
        available_attribute_values
        read_only_property
        object_name
        available_object_names
IAgVAScriptingSegmentCollection
        Item
        Add
        Remove
        RemoveAll
        Count
        ProvideRuntimeTypeInfo
        Cut
        Paste
        InsertCopy
        GetItemByIndex
        GetItemByName
ScriptingSegmentCollection
        item
        add
        remove
        remove_all
        count
        provide_runtime_type_info
        cut
        paste
        insert_copy
        get_item_by_index
        get_item_by_name
IAgVAScriptingParameterEnumerationChoice
        Name
        Value
ScriptingParameterEnumerationChoice
        name
        value
IAgVAScriptingParameterEnumerationChoiceCollection
        Item
        Add
        Remove
        Count
        Cut
        Paste
        InsertCopy
        ProvideRuntimeTypeInfo
        GetItemByIndex
        GetItemByName
ScriptingParameterEnumerationChoiceCollection
        item
        add
        remove
        count
        cut
        paste
        insert_copy
        provide_runtime_type_info
        get_item_by_index
        get_item_by_name
IAgVAScriptingParameter
        Name
        ParamValue
        Unit
        Type
        InheritValue
        UserComment
        Dimension
        EnumerationChoices
        UseMinValue
        MinValue
        UseMaxValue
        MaxValue
ScriptingParameter
        name
        parameter_value
        unit
        type
        inherit_value
        user_comment
        dimension
        enumeration_choices
        use_min_value
        min_value
        use_max_value
        max_value
IAgVAScriptingParameterCollection
        Item
        Add
        Remove
        RemoveAll
        Count
        ProvideRuntimeTypeInfo
        Cut
        Paste
        InsertCopy
        GetItemByIndex
        GetItemByName
ScriptingParameterCollection
        item
        add
        remove
        remove_all
        count
        provide_runtime_type_info
        cut
        paste
        insert_copy
        get_item_by_index
        get_item_by_name
IAgVAScriptingCalcObject
        ComponentName
        CalcObjectName
        CalcObject
        Unit
        CopyCalcObjectToClipboard
        PasteCalcObjectFromClipboard
ScriptingCalculationObject
        component_name
        calculation_object_name
        calculation_object
        unit
        copy_calculation_object_to_clipboard
        paste_calculation_object_from_clipboard
IAgVAScriptingCalcObjectCollection
        Item
        Add
        Remove
        RemoveAll
        Count
        Cut
        Paste
        InsertCopy
        GetItemByIndex
        GetItemByName
ScriptingCalculationObjectCollection
        item
        add
        remove
        remove_all
        count
        cut
        paste
        insert_copy
        get_item_by_index
        get_item_by_name
IAgVAScriptingTool
        Enable
        SegmentProperties
        CalcObjects
        Parameters
        LanguageType
        ScriptText
        CopyToClipboard
        PasteFromClipboard
        PreIterate
ScriptingTool
        enable
        segment_properties
        calculation_objects
        parameters
        language_type
        script_text
        copy_to_clipboard
        paste_from_clipboard
        pre_iterate
IAgVAElement IElement
IAgVASpacecraftParameters
        DryMass
        Cd
        DragArea
        Cr
        SolarRadiationPressureArea
        Ck
        RadiationPressureArea
        K1
        K2
SpacecraftParameters
        dry_mass
        cd
        drag_area
        cr
        solar_radiation_pressure_area
        ck
        radiation_pressure_area
        k1
        k2
IAgVAFuelTank
        TankPressure
        TankVolume
        TankTemperature
        FuelDensity
        FuelMass
        MaximumFuelMass
FuelTank
        tank_pressure
        tank_volume
        tank_temperature
        fuel_density
        fuel_mass
        maximum_fuel_mass
IAgVAMCSSegmentProperties
        DisplayCoordinateSystem
        Color
        UpdateAnimationTimeAfterRun
        ApplyFinalStateToBPlanes
        BPlanes
        LastRunCode
MCSSegmentProperties
        display_coordinate_system
        color
        update_animation_time_after_run
        apply_final_state_to_b_planes
        b_planes
        last_run_code
IAgVAMCSEnd MCSEnd
IAgVAMCSInitialState
        CoordSystemName
        OrbitEpoch
        SpacecraftParameters
        FuelTank
        ElementType
        SetElementType
        Element
        EnableControlParameter
        DisableControlParameter
        IsControlParameterEnabled
        ControlParametersAvailable
        UserVariables
MCSInitialState
        coord_system_name
        orbit_epoch
        spacecraft_parameters
        fuel_tank
        element_type
        set_element_type
        element
        enable_control_parameter
        disable_control_parameter
        is_control_parameter_enabled
        control_parameters_available
        user_variables
IAgVAMCSSegment
        Type
        Properties
        InitialState
        FinalState
        GetResultValue
        Run
        Results
        ExecSummary
IMCSSegment
        type
        properties
        initial_state
        final_state
        get_result_value
        run
        results
        segment_summary
IAgVAMCSOptions
        DrawTrajectoryIn2D
        DrawTrajectoryIn3D
        UpdateAnimationTimeForAllObjects
        ClearDWCGraphicsBeforeEachRun
        ClearAdditionalBPlanePoints
        PropagateOnApply
        EnableTrajectorySegmentColors
        SaveNumbersInRawFormat
        StoppingConditionTimeTolerance
        EnableSegmentControls
        EnableSegmentResults
        EnableLogging
        GraphicsUpdateRate
        PromoteControls
        UseNominalSettings
        MinEphemStep
        GenerateEphemeris
        UserVariables
        SmartRunMode
MCSOptions
        draw_trajectory_in_2d
        draw_trajectory_in_3d
        update_animation_time_for_all_objects
        clear_draw_while_calculating_graphics_before_each_run
        clear_additional_b_plane_points
        propagate_on_apply
        enable_trajectory_segment_colors
        save_numbers_in_raw_format
        stopping_condition_time_tolerance
        enable_segment_controls
        enable_segment_results
        enable_logging
        graphics_update_rate
        promote_controls
        use_nominal_settings
        min_ephem_step
        generate_ephemeris
        user_variables
        smart_run_mode
IAgVADriverMCS
        MainSequence
        Options
        AutoSequence
        RunMCS
        BeginRun
        EndRun
        ClearDWCGraphics
        ResetAllProfiles
        ApplyAllProfileChanges
        AppendRun
        AppendRunFromTime
        AppendRunFromState
        RunMCS2
        CalculationGraphs
MCSDriver
        main_sequence
        options
        auto_sequence
        run_mcs
        begin_run
        end_run
        clear_draw_while_calculating_graphics
        reset_all_profiles
        apply_all_profile_changes
        append_run
        append_run_from_time
        append_run_from_state
        run_mcs2
        calculation_graphs
IAgVAElementCartesian
        X
        Y
        Z
        Vx
        Vy
        Vz
ElementCartesian
        x
        y
        z
        vx
        vy
        vz
IAgVAElementKeplerian
        SemiMajorAxis
        Eccentricity
        Inclination
        RAAN
        ArgOfPeriapsis
        TrueAnomaly
        ApoapsisAltitudeSize
        ApoapsisRadiusSize
        MeanMotion
        PeriapsisAltitudeSize
        PeriapsisRadiusSize
        Period
        LAN
        ArgOfLatitude
        EccentricAnomaly
        MeanAnomaly
        TimePastAscNode
        TimePastPeriapsis
        ElementType
        ApoapsisAltitudeShape
        ApoapsisRadiusShape
        PeriapsisAltitudeShape
        PeriapsisRadiusShape
ElementKeplerian
        semimajor_axis
        eccentricity
        inclination
        raan
        arg_of_periapsis
        true_anomaly
        apoapsis_altitude_size
        apoapsis_radius_size
        mean_motion
        periapsis_altitude_size
        periapsis_radius_size
        period
        lan
        arg_of_latitude
        eccentric_anomaly
        mean_anomaly
        time_past_ascending_node
        time_past_periapsis
        element_type
        apoapsis_altitude_shape
        apoapsis_radius_shape
        periapsis_altitude_shape
        periapsis_radius_shape
IAgVAElementDelaunay
        MeanAnomaly
        ArgOfPeriapsis
        RAAN
        DelaunayL
        SemiMajorAxis
        DelaunayG
        SemilatusRectum
        DelaunayH
        Inclination
ElementDelaunay
        mean_anomaly
        arg_of_periapsis
        raan
        delaunay_l
        semimajor_axis
        delaunay_g
        semilatus_rectum
        delaunay_h
        inclination
IAgVAElementEquinoctial
        SemiMajorAxis
        MeanMotion
        MeanLongitude
        Formulation
ElementEquinoctial
        semimajor_axis
        mean_motion
        mean_longitude
        formulation
IAgVAElementMixedSpherical
        Longitude
        Latitude
        Altitude
        HorizontalFlightPathAngle
        VelocityAzimuth
        VelocityMagnitude
        VerticalFlightPathAngle
ElementMixedSpherical
        longitude
        latitude
        altitude
        horizontal_flight_path_angle
        velocity_azimuth
        velocity_magnitude
        vertical_flight_path_angle
IAgVAElementSpherical
        RightAscension
        Declination
        RadiusMagnitude
        HorizontalFlightPathAngle
        VelocityAzimuth
        VelocityMagnitude
        VerticalFlightPathAngle
ElementSpherical
        right_ascension
        declination
        radius_magnitude
        horizontal_flight_path_angle
        velocity_azimuth
        velocity_magnitude
        vertical_flight_path_angle
IAgVAElementTargetVectorIncomingAsymptote
        RadiusOfPeriapsis
        C3Energy
        RAIncomingAsymptote
        DeclinationIncomingAsymptote
        VelocityAzimuthPeriapsis
        TrueAnomaly
ElementTargetVectorIncomingAsymptote
        radius_of_periapsis
        c3_energy
        right_ascension_of_incoming_asymptote
        declination_of_incoming_asymptote
        velocity_azimuth_periapsis
        true_anomaly
IAgVAElementTargetVectorOutgoingAsymptote
        RadiusOfPeriapsis
        C3Energy
        RAOutgoingAsymptote
        DeclinationOutgoingAsymptote
        VelocityAzimuthPeriapsis
        TrueAnomaly
ElementTargetVectorOutgoingAsymptote
        radius_of_periapsis
        c3_energy
        right_ascension_of_outgoing_asymptote
        declination_of_outgoing_asymptote
        velocity_azimuth_periapsis
        true_anomaly
IAgVAElementGeodetic
        Latitude
        Longitude
        Altitude
        RadiusMagnitude
        LatitudeRate
        LongitudeRate
        AltitudeRate
        RadiusRate
ElementGeodetic
        latitude
        longitude
        altitude
        radius_magnitude
        latitude_rate
        longitude_rate
        altitude_rate
        radius_rate
IAgVAElementBPlane
        RightAscensionOfBPlane
        DeclinationOfBPlane
        BDotRFirstBVector
        BDotTSecondBVector
        HyperbolicTurningAngle
        OrbitalC3Energy
        HyperbolicVInfinity
        SemiMajorAxis
        BDotTFirstBVector
        BThetaFirstBVector
        BDotRSecondBVector
        BMagSecondBVector
        TrueAnomaly
ElementBPlane
        right_ascension_of_b_plane
        declination_of_b_plane
        b_dot_r_first_b_vector
        b_dot_t_second_b_vector
        hyperbolic_turning_angle
        orbital_c3_energy
        hyperbolic_v_infinity
        semimajor_axis
        b_dot_t_first_b_vector
        b_theta_first_b_vector
        b_dot_r_second_b_vector
        b_magnitude_second_b_vector
        true_anomaly
IAgVAElementSphericalRangeRate
        RightAscension
        Declination
        Range
        RightAscensionRate
        DeclinationRate
        RangeRate
ElementSphericalRangeRate
        right_ascension
        declination
        range
        right_ascension_rate
        declination_rate
        range_rate
IAgVAStoppingCondition
        Trip
        Tolerance
        RepeatCount
        Inherited
        MaxTripTimes
        CoordSystem
        Sequence
        Constraints
        UserCalcObjectName
        UserCalcObject
        CentralBodyName
        Criterion
        BeforeConditions
        Dimension
        ReferencePoint
        CopyUserCalcObjectToClipboard
        PasteUserCalcObjectFromClipboard
        UserCalcObjectLinkEmbedControl
StoppingCondition
        trip
        tolerance
        repeat_count
        inherited
        max_trip_times
        coord_system
        sequence
        constraints
        user_calculation_object_name
        user_calculation_object
        central_body_name
        criterion
        before_conditions
        dimension
        reference_point
        copy_user_calculation_object_to_clipboard
        paste_user_calculation_object_from_clipboard
        user_calculation_object_link_embed_control
IAgVALightingStoppingCondition
        MaxTripTimes
        RepeatCount
        Constraints
        BeforeConditions
        Inherited
        Sequence
        Condition
        EclipsingBodiesListSource
        AddEclipsingBody
        RemoveEclipsingBody
        EclipsingBodies
        AvailableEclipsingBodies
LightingStoppingCondition
        max_trip_times
        repeat_count
        constraints
        before_conditions
        inherited
        sequence
        condition
        eclipsing_bodies_list_source
        add_eclipsing_body
        remove_eclipsing_body
        eclipsing_bodies
        available_eclipsing_bodies
IAgVAAccessStoppingCondition
        TimeConvergence
        RepeatCount
        Inherited
        MaxTripTimes
        Sequence
        Constraints
        Criterion
        BeforeConditions
        AberrationType
        SetBaseSelection
        BaseSelectionType
        BaseSelection
        ClockHost
        SignalSense
        TargetObject
        TimeDelayConvergenceTolerance
        UseLightTimeDelay
AccessStoppingCondition
        time_convergence
        repeat_count
        inherited
        max_trip_times
        sequence
        constraints
        criterion
        before_conditions
        aberration_type
        set_base_selection
        base_selection_type
        base_selection
        clock_host
        signal_sense
        target_object
        time_delay_convergence_tolerance
        use_light_time_delay
IAgVAMCSPropagate
        PropagatorName
        StoppingConditions
        MinPropagationTime
        MaxPropagationTime
        EnableMaxPropagationTime
        EnableWarningMessage
        EnableControlParameter
        DisableControlParameter
        IsControlParameterEnabled
        ControlParametersAvailable
        OverrideMaxPropagationTime
        ShouldStopForInitiallySurpassedEpochStoppingConditions
        ShouldReinitializeSTMAtStartOfSegmentPropagation
MCSPropagate
        propagator_name
        stopping_conditions
        min_propagation_time
        max_propagation_time
        enable_max_propagation_time
        enable_warning_message
        enable_control_parameter
        disable_control_parameter
        is_control_parameter_enabled
        control_parameters_available
        override_max_propagation_time
        should_stop_for_initially_surpassed_epoch_stopping_conditions
        should_reinitialize_stm_at_start_of_segment_propagation
IAgVAMCSSequence
        RepeatCount
        GenerateEphemeris
        Segments
        SequenceStateToPass
        ScriptingTool
        ApplyScript
IMCSSequence
        repeat_count
        generate_ephemeris
        segments
        sequence_state_to_pass
        scripting_tool
        apply_script
IAgVAMCSBackwardSequence MCSBackwardSequence
IAgVAMCSLaunch
        CentralBodyName
        StepSize
        PreLaunchTime
        Epoch
        EnableControlParameter
        DisableControlParameter
        IsControlParameterEnabled
        ControlParametersAvailable
        InitialAcceleration
        SpacecraftParameters
        FuelTank
        DisplaySystemType
        SetDisplaySystemType
        DisplaySystem
        AscentType
        TimeOfFlight
        BurnoutType
        SetBurnoutType
        Burnout
        BurnoutVelocity
        UsePreviousSegmentState
        SetMetEpoch
        UserVariables
MCSLaunch
        central_body_name
        step_size
        pre_launch_time
        epoch
        enable_control_parameter
        disable_control_parameter
        is_control_parameter_enabled
        control_parameters_available
        initial_acceleration
        spacecraft_parameters
        fuel_tank
        display_system_type
        set_display_system_type
        display_system
        ascent_type
        time_of_flight
        burnout_type
        set_burnout_type
        burnout
        burnout_velocity
        use_previous_segment_state
        set_mission_elapsed_time_epoch
        user_variables
IAgVADisplaySystemGeodetic
        Latitude
        Longitude
        Altitude
DisplaySystemGeodetic
        latitude
        longitude
        altitude
IAgVADisplaySystemGeocentric
        Latitude
        Longitude
        Radius
DisplaySystemGeocentric
        latitude
        longitude
        radius
IAgVABurnoutCBFCartesian
        CartesianBurnoutX
        CartesianBurnoutY
        CartesianBurnoutZ
        CartesianBurnoutVX
        CartesianBurnoutVY
        CartesianBurnoutVZ
BurnoutCBFCartesian
        cartesian_burnout_x
        cartesian_burnout_y
        cartesian_burnout_z
        cartesian_burnout_vx
        cartesian_burnout_vy
        cartesian_burnout_vz
IAgVABurnoutGeodetic
        Latitude
        Longitude
        Altitude
BurnoutGeodetic
        latitude
        longitude
        altitude
IAgVABurnoutGeocentric
        Latitude
        Longitude
        Radius
BurnoutGeocentric
        latitude
        longitude
        radius
IAgVABurnoutLaunchAzAlt
        Azimuth
        DownRangeDist
        AltitudeRadius
BurnoutLaunchAzAltitude
        azimuth
        down_range_dist
        altitude_radius
IAgVABurnoutLaunchAzRadius
        Azimuth
        DownRangeDist
        Radius
BurnoutLaunchAzRadius
        azimuth
        down_range_dist
        radius
IAgVAMCSFollow
        Leader
        XOffset
        YOffset
        ZOffset
        SeparationConditions
        SpacecraftParameters
        FuelTank
        JoiningType
        SeparationType
        SpacecraftAndFuelTankType
        JoiningConditions
        EnableControlParameter
        DisableControlParameter
        IsControlParameterEnabled
        ControlParametersAvailable
        UserVariables
MCSFollow
        leader
        x_offset
        y_offset
        z_offset
        separation_conditions
        spacecraft_parameters
        fuel_tank
        joining_type
        separation_type
        spacecraft_and_fuel_tank_type
        joining_conditions
        enable_control_parameter
        disable_control_parameter
        is_control_parameter_enabled
        control_parameters_available
        user_variables
IAgVAMCSManeuver
        ManeuverType
        SetManeuverType
        Maneuver
        EnableControlParameter
        DisableControlParameter
        IsControlParameterEnabled
        ControlParametersAvailable
MCSManeuver
        maneuver_type
        set_maneuver_type
        maneuver
        enable_control_parameter
        disable_control_parameter
        is_control_parameter_enabled
        control_parameters_available
IAgVAManeuverFinite
        PressureMode
        ThrustEfficiency
        ThrustEfficiencyMode
        Propagator
ManeuverFinite
        pressure_mode
        thrust_efficiency
        thrust_efficiency_mode
        propagator
IAgVAManeuverImpulsive
        UpdateMass
ManeuverImpulsive
        update_mass
IAgVAAttitudeControlImpulsiveVelocityVector
        DeltaVMagnitude
        BodyConstraintVector
AttitudeControlImpulsiveVelocityVector
        delta_v_magnitude
        body_constraint_vector
IAgVAAttitudeControlImpulsiveAntiVelocityVector
        DeltaVMagnitude
        BodyConstraintVector
AttitudeControlImpulsiveAntiVelocityVector
        delta_v_magnitude
        body_constraint_vector
IAgVAAttitudeControlImpulsiveAttitude
        DeltaVMagnitude
        RefAxesName
        Orientation
AttitudeControlImpulsiveAttitude
        delta_v_magnitude
        reference_axes_name
        orientation
IAgVAAttitudeControlImpulsiveFile
        DeltaVMagnitude
        Filename
        FileTimeOffset
        FullFilename
AttitudeControlImpulsiveFile
        delta_v_magnitude
        filename
        file_time_offset
        full_filename
IAgVAAttitudeControlImpulsiveThrustVector
        ThrustAxesName
        BodyConstraintVector
        AllowNegativeSphericalMagnitude
        CoordType
        X
        Y
        Z
        Azimuth
        Elevation
        Magnitude
        AssignCartesian
        QueryCartesian
        AssignSpherical
        QuerySpherical
AttitudeControlImpulsiveThrustVector
        thrust_axes_name
        body_constraint_vector
        allow_negative_spherical_magnitude
        coord_type
        x
        y
        z
        azimuth
        elevation
        magnitude
        assign_cartesian
        query_cartesian
        assign_spherical
        query_spherical
IAgVAAttitudeControlFiniteAntiVelocityVector
        AttitudeUpdate
        BodyConstraintVector
AttitudeControlFiniteAntiVelocityVector
        attitude_update
        body_constraint_vector
IAgVAAttitudeControlFiniteAttitude
        AttitudeUpdate
        RefAxesName
        Orientation
AttitudeControlFiniteAttitude
        attitude_update
        reference_axes_name
        orientation
IAgVAAttitudeControlFiniteFile
        Filename
        FileTimeOffset
        FullFilename
AttitudeControlFiniteFile
        filename
        file_time_offset
        full_filename
IAgVAAttitudeControlFiniteThrustVector
        AttitudeUpdate
        ThrustAxesName
        BodyConstraintVector
        ThrustVector
AttitudeControlFiniteThrustVector
        attitude_update
        thrust_axes_name
        body_constraint_vector
        thrust_vector
IAgVAAttitudeControlFiniteTimeVarying
        ThrustAxesName
        BodyConstraintVector
        Az0
        Az1
        Az2
        Az3
        Az4
        AzA
        AzF
        AzP
        El0
        El1
        El2
        El3
        El4
        ElA
        ElF
        ElP
AttitudeControlFiniteTimeVarying
        thrust_axes_name
        body_constraint_vector
        azimuth_polynomial_constant_term
        azimuth_polynomial_linear_term
        azimuth_polynomial_quadratic_term
        azimuth_polynomial_cubic_term
        azimuth_polynomial_quartic_term
        azimuth_sinusoidal_amplitude
        azimuth_sinusoidal_frequency
        azimuth_sinusoidal_phase
        elevation_polynomial_constant_term
        elevation_polynomial_linear_term
        elevation_polynomial_quadratic_term
        elevation_polynomial_cubic_term
        elevation_polynomial_quartic_term
        elevation_sinusoidal_amplitude
        elevation_sinusoidal_frequency
        elevation_sinusoidal_phase
IAgVAAttitudeControlFiniteVelocityVector
        AttitudeUpdate
        BodyConstraintVector
AttitudeControlFiniteVelocityVector
        attitude_update
        body_constraint_vector
IAgVAAttitudeControlFinitePlugin
        SelectPluginByName
        PluginName
        PluginConfig
AttitudeControlFinitePlugin
        select_plugin_by_name
        plugin_name
        plugin_config
IAgVAAttitudeControlOptimalFiniteLagrange
        BodyConstraintVector
AttitudeControlOptimalFiniteLagrange
        body_constraint_vector
IAgVAMCSHold
        StepSize
        HoldFrameName
        EnableHoldAttitude
        StoppingConditions
        MinPropagationTime
        MaxPropagationTime
        EnableMaxPropagationTime
        EnableWarningMessage
        EnableControlParameter
        DisableControlParameter
        IsControlParameterEnabled
        ControlParametersAvailable
        OverrideMaxPropagationTime
        ShouldStopForInitiallySurpassedEpochStoppingConditions
MCSHold
        step_size
        hold_frame_name
        enable_hold_attitude
        stopping_conditions
        min_propagation_time
        max_propagation_time
        enable_max_propagation_time
        enable_warning_message
        enable_control_parameter
        disable_control_parameter
        is_control_parameter_enabled
        control_parameters_available
        override_max_propagation_time
        should_stop_for_initially_surpassed_epoch_stopping_conditions
IAgVAMCSUpdate
        SetActionAndValue
        GetAction
        GetValue
        SetAction
        SetValue
        DisableControlParameter
        EnableControlParameter
        IsControlParameterEnabled
        ControlParametersAvailable
        UserVariables
MCSUpdate
        set_action_and_value
        get_action
        get_value
        set_action
        set_value
        disable_control_parameter
        enable_control_parameter
        is_control_parameter_enabled
        control_parameters_available
        user_variables
IAgVAMCSReturn
        ReturnControlToParentSequence
MCSReturn
        return_control_to_parent_sequence
IAgVAMCSStop
        Enabled
MCSStop
        enabled
IAgVAProfile
        Copy
        Name
        Status
        UserComment
        Mode
        Type
IProfile
        copy
        name
        status
        user_comment
        mode
        type
IAgVAProfileCollection
        Add
        Item
        Count
        AvailableProfiles
        Remove
        RemoveAll
        ProvideRuntimeTypeInfo
        Cut
        Paste
        InsertCopy
        Add2
        GetItemByIndex
        GetItemByName
ProfileCollection
        add
        item
        count
        available_profiles
        remove
        remove_all
        provide_runtime_type_info
        cut
        paste
        insert_copy
        add2
        get_item_by_index
        get_item_by_name
IAgVAMCSTargetSequence
        Action
        WhenProfilesFinish
        ContinueOnFailure
        Segments
        Profiles
        ApplyProfiles
        ResetProfiles
        ApplyProfile
        ResetProfile
        ApplyProfileByName
        ResetProfileByName
        ResetInnerTargeters
MCSTargetSequence
        action
        when_profiles_finish
        continue_on_failure
        segments
        profiles
        apply_profiles
        reset_profiles
        apply_profile
        reset_profile
        apply_profile_by_name
        reset_profile_by_name
        reset_inner_targeters
IAgVADCControl
        Enable
        Name
        FinalValue
        LastUpdate
        ParentName
        InitialValue
        Perturbation
        Correction
        Tolerance
        MaxStep
        ScalingMethod
        ScalingValue
        Dimension
        UseCustomDisplayUnit
        CustomDisplayUnit
        Values
DifferentialCorrectorControl
        enable
        name
        final_value
        last_update
        parent_name
        initial_value
        perturbation
        correction
        tolerance
        max_step
        scaling_method
        scaling_value
        dimension
        use_custom_display_unit
        custom_display_unit
        values
IAgVADCResult
        Enable
        Name
        DesiredValue
        CurrentValue
        ParentName
        Difference
        Tolerance
        ScalingMethod
        ScalingValue
        Weight
        Dimension
        UseCustomDisplayUnit
        CustomDisplayUnit
        Values
DifferentialCorrectorResult
        enable
        name
        desired_value
        current_value
        parent_name
        difference
        tolerance
        scaling_method
        scaling_value
        weight
        dimension
        use_custom_display_unit
        custom_display_unit
        values
IAgVASearchPluginControl
        ControlName
        CurrentValue
        ParentSegmentName
        InitialValue
        PluginIdentifier
        PluginConfig
        Dimension
        UseCustomDisplayUnit
        CustomDisplayUnit
        Values
SearchPluginControl
        control_name
        current_value
        parent_segment_name
        initial_value
        plugin_identifier
        plugin_config
        dimension
        use_custom_display_unit
        custom_display_unit
        values
IAgVASearchPluginResult
        ResultName
        CurrentValue
        ParentSegmentName
        PluginIdentifier
        PluginConfig
        Dimension
        UseCustomDisplayUnit
        CustomDisplayUnit
        Values
SearchPluginResult
        result_name
        current_value
        parent_segment_name
        plugin_identifier
        plugin_config
        dimension
        use_custom_display_unit
        custom_display_unit
        values
IAgVASearchPluginResultCollection
        Item
        Count
        GetResultByPaths
SearchPluginResultCollection
        item
        count
        get_result_by_paths
IAgVASearchPluginControlCollection
        Item
        Count
        GetControlByPaths
SearchPluginControlCollection
        item
        count
        get_control_by_paths
IAgVADCControlCollection
        Item
        Count
        GetControlByPaths
        ProvideRuntimeTypeInfo
DifferentialCorrectorControlCollection
        item
        count
        get_control_by_paths
        provide_runtime_type_info
IAgVADCResultCollection
        Item
        Count
        GetResultByPaths
        ProvideRuntimeTypeInfo
DifferentialCorrectorResultCollection
        item
        count
        get_result_by_paths
        provide_runtime_type_info
IAgVATargeterGraphActiveControl
        Name
        ParentName
        ShowGraphValue
        LineColor
        PointStyle
        YAxis
TargeterGraphActiveControl
        name
        parent_name
        show_graph_value
        line_color
        point_style
        y_axis
IAgVATargeterGraphResult
        Name
        ParentName
        ShowDesiredValue
        LineColor
        PointStyle
        YAxis
        GraphOption
        ShowToleranceBand
TargeterGraphResult
        name
        parent_name
        show_desired_value
        line_color
        point_style
        y_axis
        graph_option
        show_tolerance_band
IAgVATargeterGraphActiveControlCollection
        Item
        Count
        ProvideRuntimeTypeInfo
TargeterGraphActiveControlCollection
        item
        count
        provide_runtime_type_info
IAgVATargeterGraphResultCollection
        Item
        Count
        ProvideRuntimeTypeInfo
TargeterGraphResultCollection
        item
        count
        provide_runtime_type_info
IAgVATargeterGraph
        Name
        GenerateOnRun
        UserComment
        ShowLabelIterations
        ShowDesiredValue
        ShowToleranceBand
        IndependentVariable
        ActiveControls
        Results
TargeterGraph
        name
        generate_on_run
        user_comment
        show_label_iterations
        show_desired_value
        show_tolerance_band
        independent_variable
        active_controls
        results
IAgVATargeterGraphCollection
        Item
        Count
        AddGraph
        RemoveGraph
        ProvideRuntimeTypeInfo
        Cut
        Paste
        InsertCopy
        GetItemByIndex
        GetItemByName
TargeterGraphCollection
        item
        count
        add_graph
        remove_graph
        provide_runtime_type_info
        cut
        paste
        insert_copy
        get_item_by_index
        get_item_by_name
IAgVAProfileSearchPlugin
        Controls
        Results
        PluginConfig
        PluginIdentifier
        ScriptingTool
        ResetControlsBeforeRun
        TargeterGraphs
        LogFile
ProfileSearchPlugin
        controls
        results
        plugin_config
        plugin_identifier
        scripting_tool
        reset_controls_before_run
        targeter_graphs
        log_file
IAgVAProfileDifferentialCorrector
        ControlParameters
        Results
        MaxIterations
        EnableDisplayStatus
        ConvergenceCriteria
        EnableLineSearch
        MaxLineSearchIterations
        LineSearchLowerBound
        LineSearchUpperBound
        LineSearchTolerance
        EnableHomotopy
        HomotopySteps
        DerivativeCalcMethod
        ClearCorrectionsBeforeRun
        EnableBPlaneNominal
        EnableBPlanePerturbations
        DrawPerturbation
        ScriptingTool
        RootFindingAlgorithm
        NumIterations
        TargeterGraphs
        StopOnLimitCycleDetection
ProfileDifferentialCorrector
        control_parameters
        results
        max_iterations
        enable_display_status
        convergence_criteria
        enable_line_search
        max_line_search_iterations
        line_search_lower_bound
        line_search_upper_bound
        line_search_tolerance
        enable_homotopy
        homotopy_steps
        derivative_calc_method
        clear_corrections_before_run
        enable_b_plane_nominal
        enable_b_plane_perturbations
        draw_perturbation
        scripting_tool
        root_finding_algorithm
        number_of_iterations
        targeter_graphs
        stop_on_limit_cycle_detection
IAgVAProfileChangeManeuverType
        Segment
        ManeuverType
ProfileChangeManeuverType
        segment
        maneuver_type
IAgVAProfileScriptingTool
        Enable
        SegmentProperties
        CalcObjects
        Parameters
        LanguageType
        ScriptText
        CopyToClipboard
        PasteFromClipboard
ProfileScriptingTool
        enable
        segment_properties
        calculation_objects
        parameters
        language_type
        script_text
        copy_to_clipboard
        paste_from_clipboard
IAgVAProfileChangeReturnSegment
        SegmentName
        SetSegment
        State
ProfileChangeReturnSegment
        segment_name
        set_segment
        state
IAgVAProfileChangePropagator
        SegmentName
        SetSegment
        PropagatorName
ProfileChangePropagator
        segment_name
        set_segment
        propagator_name
IAgVAProfileChangeStopSegment
        SegmentName
        SetSegment
        State
ProfileChangeStopSegment
        segment_name
        set_segment
        state
IAgVAProfileChangeStoppingConditionState
        SegmentName
        SetSegment
        State
        SetTrigger
        TriggerName
ProfileChangeStoppingConditionState
        segment_name
        set_segment
        state
        set_trigger
        trigger_name
IAgVAProfileSeedFiniteManeuver
        SegmentName
        SetSegment
        LeaveAllActiveStoppingConditionsActive
ProfileSeedFiniteManeuver
        segment_name
        set_segment
        leave_all_active_stopping_conditions_active
IAgVAProfileRunOnce ProfileRunOnce
IAgVAUserVariableDefinition
        UnitDimension
        VariableName
UserVariableDefinition
        unit_dimension
        variable_name
IAgVAUserVariable
        UnitDimension
        VariableName
        VariableValue
        EnableControlParameter
        DisableControlParameter
        IsControlParameterEnabled
        ControlParametersAvailable
UserVariable
        unit_dimension
        variable_name
        variable_value
        enable_control_parameter
        disable_control_parameter
        is_control_parameter_enabled
        control_parameters_available
IAgVAUserVariableUpdate
        UnitDimension
        VariableName
        VariableValue
        VariableAction
        EnableControlParameter
        DisableControlParameter
        IsControlParameterEnabled
        ControlParametersAvailable
UserVariableUpdate
        unit_dimension
        variable_name
        variable_value
        variable_action
        enable_control_parameter
        disable_control_parameter
        is_control_parameter_enabled
        control_parameters_available
IAgVAProfileSNOPTOptimizer
        ControlParameters
        Results
        TargeterGraphs
        ScriptingTool
        ResetControlsBeforeRun
        MaxMajorIterations
        ToleranceOnMajorFeasibility
        ToleranceOnMajorOptimality
        MaxMinorIterations
        ToleranceOnMinorFeasibility
        ToleranceOnMinorOptimality
        OptionsFilename
        AllowInternalPrimalInfeasibilityMeasureNormalization
ProfileSNOPTOptimizer
        control_parameters
        results
        targeter_graphs
        scripting_tool
        reset_controls_before_run
        max_major_iterations
        tolerance_on_major_feasibility
        tolerance_on_major_optimality
        max_minor_iterations
        tolerance_on_minor_feasibility
        tolerance_on_minor_optimality
        options_filename
        allow_internal_primal_infeasibility_measure_normalization
IAgVASNOPTControl
        Enable
        Name
        ParentName
        InitialValue
        CurrentValue
        LowerBound
        UpperBound
        ScalingValue
        UseCustomDisplayUnit
        CustomDisplayUnit
SNOPTControl
        enable
        name
        parent_name
        initial_value
        current_value
        lower_bound
        upper_bound
        scaling_value
        use_custom_display_unit
        custom_display_unit
IAgVASNOPTResult
        Enable
        Name
        CurrentValue
        ParentName
        LowerBound
        UpperBound
        ScalingValue
        Weight
        Goal
        UseCustomDisplayUnit
        CustomDisplayUnit
SNOPTResult
        enable
        name
        current_value
        parent_name
        lower_bound
        upper_bound
        scaling_value
        weight
        goal
        use_custom_display_unit
        custom_display_unit
IAgVAProfileIPOPTOptimizer
        ControlParameters
        Results
        TargeterGraphs
        ScriptingTool
        ResetControlsBeforeRun
        ToleranceOnConvergence
        MaximumIterations
        ToleranceOnConstraintViolation
        ToleranceOnDualInfeasibility
        ToleranceOnComplementaryInfeasibility
        OptionsFilename
ProfileIPOPTOptimizer
        control_parameters
        results
        targeter_graphs
        scripting_tool
        reset_controls_before_run
        tolerance_on_convergence
        maximum_iterations
        tolerance_on_constraint_violation
        tolerance_on_dual_infeasibility
        tolerance_on_complementary_infeasibility
        options_filename
IAgVAIPOPTControl
        Enable
        Name
        ParentName
        InitialValue
        CurrentValue
        LowerBound
        UpperBound
        ScalingValue
        UseCustomDisplayUnit
        CustomDisplayUnit
IPOPTControl
        enable
        name
        parent_name
        initial_value
        current_value
        lower_bound
        upper_bound
        scaling_value
        use_custom_display_unit
        custom_display_unit
IAgVAIPOPTResult
        Enable
        Name
        CurrentValue
        ParentName
        LowerBound
        UpperBound
        ScalingValue
        Weight
        Goal
        UseCustomDisplayUnit
        CustomDisplayUnit
IPOPTResult
        enable
        name
        current_value
        parent_name
        lower_bound
        upper_bound
        scaling_value
        weight
        goal
        use_custom_display_unit
        custom_display_unit
IAgVAManeuverOptimalFinite
        PressureMode
        ThrustEfficiency
        ThrustEfficiencyMode
        NumberOfNodes
        InitialGuessFileName
        SeedMethod
        RunSeed
        NodeStatusMessage
        RunMode
        HaltMCSWhenNoConvergence
        DiscretizationStrategy
        WorkingVariables
        ScalingOptions
        EnableUnitVectorControls
        ThrustAxes
        SNOPTOptimizer
        InitialBoundaryConditions
        FinalBoundaryConditions
        PathBoundaryConditions
        LogFileName
        ExportFormat
        SteeringNodes
        ExportNodes
        InitialGuessInterpolationMethod
        ShouldReinitializeSTMAtStartOfSegmentPropagation
ManeuverOptimalFinite
        pressure_mode
        thrust_efficiency
        thrust_efficiency_mode
        number_of_nodes
        initial_guess_file_name
        seed_method
        run_seed
        node_status_message
        run_mode
        halt_mission_control_sequence_for_nonconvergence
        discretization_strategy
        working_variables
        scaling_options
        enable_unit_vector_controls
        thrust_axes
        snopt_optimizer
        initial_boundary_conditions
        final_boundary_conditions
        path_boundary_conditions
        log_file_name
        export_format
        steering_nodes
        export_nodes
        initial_guess_interpolation_method
        should_reinitialize_stm_at_start_of_segment_propagation
IAgVAManeuverOptimalFiniteSteeringNodeElement
        NodeIndex
        Time
        Mass
        Azimuth
        Elevation
        DirCosX
        DirCosY
        DirCosZ
        PosX
        PosY
        PosZ
        VelX
        VelY
        VelZ
ManeuverOptimalFiniteSteeringNodeElement
        node_index
        time
        mass
        azimuth
        elevation
        direction_cos_x
        direction_cos_y
        direction_cos_z
        position_x
        position_y
        position_z
        velocity_x
        velocity_y
        velocity_z
IAgVAProfileLambertProfile
        CoordSystemName
        TargetCoordType
        SetTargetCoordType
        EnableSecondManeuver
        TargetPositionX
        TargetPositionY
        TargetPositionZ
        TargetVelocityX
        TargetVelocityY
        TargetVelocityZ
        TargetSemimajorAxis
        TargetEccentricity
        TargetInclination
        TargetRightAscensionOfAscendingNode
        TargetArgumentOfPeriapsis
        TargetTrueAnomaly
        SolutionOption
        TimeOfFlight
        Revolutions
        OrbitalEnergy
        DirectionOfMotion
        CentralBodyCollisionAltitudePadding
        EnableWriteToFirstManeuver
        FirstManeuverSegment
        EnableWriteDurationToPropagate
        DisableNonLambertPropagateStopConditions
        PropagateSegment
        EnableWriteToSecondManeuver
        SecondManeuverSegment
ProfileLambertProfile
        coord_system_name
        target_coordinate_type
        set_target_coord_type
        enable_second_maneuver
        target_position_x
        target_position_y
        target_position_z
        target_velocity_x
        target_velocity_y
        target_velocity_z
        target_semimajor_axis
        target_eccentricity
        target_inclination
        target_right_ascension_of_ascending_node
        target_argument_of_periapsis
        target_true_anomaly
        solution_option
        time_of_flight
        revolutions
        orbital_energy
        direction_of_motion
        central_body_collision_altitude_padding
        enable_write_to_first_maneuver
        first_maneuver_segment
        enable_write_duration_to_propagate
        disable_non_lambert_propagate_stop_conditions
        propagate_segment
        enable_write_to_second_maneuver
        second_maneuver_segment
IAgVAProfileLambertSearchProfile
        CoordSystemName
        TargetCoordType
        SetTargetCoordType
        EnableSecondManeuver
        EnableTargetMatchPhase
        TargetPositionX
        TargetPositionY
        TargetPositionZ
        TargetVelocityX
        TargetVelocityY
        TargetVelocityZ
        TargetSemimajorAxis
        TargetEccentricity
        TargetInclination
        TargetRightAscensionOfAscendingNode
        TargetArgumentOfPeriapsis
        TargetTrueAnomaly
        EnableWriteDepartureDelayToFirstPropagate
        DisableFirstPropagateNonLambertStopConditions
        FirstPropagateSegment
        EnableWriteToFirstManeuver
        FirstManeuverSegment
        LatestDepartureTime
        EarliestArrivalTime
        LatestArrivalTime
        GridSearchTimeStep
        MaxRevolutions
        CentralBodyCollisionAltitudePadding
        EnableWriteDurationToSecondPropagate
        DisableSecondPropagateNonLambertStopConditions
        SecondPropagateSegment
        EnableWriteToSecondManeuver
        SecondManeuverSegment
ProfileLambertSearchProfile
        coord_system_name
        target_coordinate_type
        set_target_coord_type
        enable_second_maneuver
        enable_target_match_phase
        target_position_x
        target_position_y
        target_position_z
        target_velocity_x
        target_velocity_y
        target_velocity_z
        target_semimajor_axis
        target_eccentricity
        target_inclination
        target_right_ascension_of_ascending_node
        target_argument_of_periapsis
        target_true_anomaly
        enable_write_departure_delay_to_first_propagate
        disable_first_propagate_non_lambert_stop_conditions
        first_propagate_segment
        enable_write_to_first_maneuver
        first_maneuver_segment
        latest_departure_time
        earliest_arrival_time
        latest_arrival_time
        grid_search_time_step
        max_revolutions
        central_body_collision_altitude_padding
        enable_write_duration_to_second_propagate
        disable_second_propagate_non_lambert_stop_conditions
        second_propagate_segment
        enable_write_to_second_maneuver
        second_maneuver_segment
IAgVAProfileGoldenSection
        TargeterGraphs
        ScriptingTool
        Controls
        Results
        MaxIterations
        LogFile
        EnableDisplayStatus
ProfileGoldenSection
        targeter_graphs
        scripting_tool
        controls
        results
        max_iterations
        log_file
        enable_display_status
IAgVAProfileGridSearch
        TargeterGraphs
        ScriptingTool
        Controls
        Results
        LogFile
        EnableDisplayStatus
        ShouldGenerateGraph
ProfileGridSearch
        targeter_graphs
        scripting_tool
        controls
        results
        log_file
        enable_display_status
        should_generate_graph
IAgVACalcObjectLinkEmbedControlCollection
        Add
        Item
        Remove
        Count
        Cut
        Paste
        InsertCopy
        GetItemByIndex
        GetItemByName
CalculationObjectLinkEmbedControlCollection
        add
        item
        remove
        count
        cut
        paste
        insert_copy
        get_item_by_index
        get_item_by_name
IAgVAProfileBisection
        ControlParameters
        Results
        TargeterGraphs
        ScriptingTool
        ResetControlsBeforeRun
        MaximumIterations
ProfileBisection
        control_parameters
        results
        targeter_graphs
        scripting_tool
        reset_controls_before_run
        maximum_iterations
IAgVABisectionControl
        Enable
        Name
        ParentName
        InitialValue
        CurrentValue
        BoundSearchStep
        UseCustomDisplayUnit
        CustomDisplayUnit
BisectionControl
        enable
        name
        parent_name
        initial_value
        current_value
        bound_search_step
        use_custom_display_unit
        custom_display_unit
IAgVAStateCalcHeightAboveTerrain
        CentralBodyName
StateCalcHeightAboveTerrain
        central_body_name
IAgVAStateCalcEpoch StateCalcEpoch
IAgVAStateCalcOrbitDelaunayG
        CentralBodyName
        ElementType
StateCalcOrbitDelaunayG
        central_body_name
        element_type
IAgVAStateCalcOrbitDelaunayH
        CentralBodyName
        ElementType
StateCalcOrbitDelaunayH
        central_body_name
        element_type
IAgVAStateCalcOrbitDelaunayL
        CentralBodyName
        ElementType
StateCalcOrbitDelaunayL
        central_body_name
        element_type
IAgVAStateCalcOrbitSemiLatusRectum
        CentralBodyName
        ElementType
StateCalcOrbitSemilatusRectum
        central_body_name
        element_type
IAgVAStateCalcJacobiConstant StateCalcJacobiConstant
IAgVAStateCalcJacobiOsculating
        CentralBodyName
        SecondaryName
StateCalcJacobiOsculating
        central_body_name
        secondary_name
IAgVAStateCalcCartesianElem
        CoordSystemName
StateCalcCartesianElem
        coord_system_name
IAgVAStateCalcCartSTMElem
        CoordSystemName
        FinalVar
        InitVar
StateCalcCartSTMElem
        coord_system_name
        final_state_component
        initial_state_component
IAgVAStateCalcSTMEigenval
        CoordSystemName
        EigenvalueNumber
        EigenvalueComplexPart
StateCalcSTMEigenval
        coord_system_name
        eigenvalue_number
        eigenvalue_complex_part
IAgVAStateCalcSTMEigenvecElem
        CoordSystemName
        EigenvectorNumber
        StateVariable
        EigenvectorComplexPart
StateCalcSTMEigenvecElem
        coord_system_name
        eigenvector_number
        state_variable
        eigenvector_complex_part
IAgVAStateCalcEnvironment
        CentralBodyName
        AtmosModelName
StateCalcEnvironment
        central_body_name
        atmosphere_model_name
IAgVAStateCalcEquinoctialElem
        CoordSystemName
        ElementType
StateCalcEquinoctialElem
        coord_system_name
        element_type
IAgVAStateCalcDamageFlux StateCalcDamageFlux
IAgVAStateCalcDamageMassFlux StateCalcDamageMassFlux
IAgVAStateCalcMagFieldDipoleL StateCalcMagneticFieldDipoleL
IAgVAStateCalcSEETMagFieldFieldLineSepAngle
        TargetObject
StateCalcSEETMagneticFieldLineSeparationAngle
        target_object
IAgVAStateCalcImpactFlux StateCalcImpactFlux
IAgVAStateCalcImpactMassFlux StateCalcImpactMassFlux
IAgVAStateCalcSEETSAAFlux StateCalcSEETSAAFlux
IAgVAStateCalcSEETVehTemp StateCalcSEETVehTemp
IAgVAStateCalcCloseApproachBearing
        CentralBodyName
        ReferenceSelection
        Reference
StateCalcCloseApproachBearing
        central_body_name
        reference_selection
        reference
IAgVAStateCalcCloseApproachMag
        CentralBodyName
        ReferenceSelection
        Reference
StateCalcCloseApproachMagnitude
        central_body_name
        reference_selection
        reference
IAgVAStateCalcCloseApproachTheta
        CentralBodyName
        ReferenceSelection
        Reference
StateCalcCloseApproachTheta
        central_body_name
        reference_selection
        reference
IAgVAStateCalcCloseApproachX
        CentralBodyName
        ReferenceSelection
        Reference
StateCalcCloseApproachX
        central_body_name
        reference_selection
        reference
IAgVAStateCalcCloseApproachY
        CentralBodyName
        ReferenceSelection
        Reference
StateCalcCloseApproachY
        central_body_name
        reference_selection
        reference
IAgVAStateCalcCloseApproachCosBearing
        CentralBodyName
        ReferenceSelection
        Reference
StateCalcCloseApproachCosBearing
        central_body_name
        reference_selection
        reference
IAgVAStateCalcRelGroundTrackError
        CentralBodyName
        Direction
        Signed
        ReferenceSelection
        Reference
StateCalcRelativeGroundTrackError
        central_body_name
        direction
        signed
        reference_selection
        reference
IAgVAStateCalcRelAtAOLMaster
        CentralBodyName
        CalcObjectName
        Direction
        ReferenceSelection
        Reference
StateCalcRelativeAtAOLMaster
        central_body_name
        calculation_object_name
        direction
        reference_selection
        reference
IAgVAStateCalcDeltaFromMaster
        CalcObjectName
        ReferenceSelection
        Reference
StateCalcDeltaFromMaster
        calculation_object_name
        reference_selection
        reference
IAgVAStateCalcLonDriftRate
        CentralBodyName
        ElementType
StateCalcLonDriftRate
        central_body_name
        element_type
IAgVAStateCalcMeanEarthLon
        CentralBodyName
StateCalcMeanEarthLon
        central_body_name
IAgVAStateCalcRectifiedLon
        CentralBodyName
StateCalcRectifiedLon
        central_body_name
IAgVAStateCalcTrueLongitude
        CentralBodyName
StateCalcTrueLongitude
        central_body_name
IAgVAStateCalcGeodeticTrueLongitude
        CentralBodyName
StateCalcGeodeticTrueLongitude
        central_body_name
IAgVAStateCalcGeodeticTrueLongitudeAtTimeOfPerigee
        CentralBodyName
StateCalcGeodeticTrueLongitudeAtTimeOfPerigee
        central_body_name
IAgVAStateCalcMeanRightAscension
        CentralBodyName
StateCalcMeanRightAscension
        central_body_name
IAgVAStateCalcGeodeticMeanRightAscension
        CentralBodyName
StateCalcGeodeticMeanRightAscension
        central_body_name
IAgVAStateCalcTwoBodyDriftRate
        CentralBodyName
StateCalcTwoBodyDriftRate
        central_body_name
IAgVAStateCalcDriftRateFactor
        CentralBodyName
        DriftRateModel
StateCalcDriftRateFactor
        central_body_name
        drift_rate_model
IAgVAStateCalcEccentricityX
        CentralBodyName
StateCalcEccentricityX
        central_body_name
IAgVAStateCalcEccentricityY
        CentralBodyName
StateCalcEccentricityY
        central_body_name
IAgVAStateCalcInclinationX
        CentralBodyName
        InclinationMagnitudeType
StateCalcInclinationX
        central_body_name
        inclination_magnitude_type
IAgVAStateCalcInclinationY
        CentralBodyName
        InclinationMagnitudeType
StateCalcInclinationY
        central_body_name
        inclination_magnitude_type
IAgVAStateCalcUnitAngularMomentumX
        CentralBodyName
StateCalcUnitAngularMomentumX
        central_body_name
IAgVAStateCalcUnitAngularMomentumY
        CentralBodyName
StateCalcUnitAngularMomentumY
        central_body_name
IAgVAStateCalcUnitAngularMomentumZ
        CentralBodyName
StateCalcUnitAngularMomentumZ
        central_body_name
IAgVAStateCalcGeodeticElem
        CentralBodyName
StateCalcGeodeticElem
        central_body_name
IAgVAStateCalcRepeatingGroundTrackErr
        CentralBodyName
        ReferenceLongitude
        RepeatCount
        EnableControlParameter
        DisableControlParameter
        IsControlParameterEnabled
        ControlParametersAvailable
StateCalcRepeatingGroundTrackErr
        central_body_name
        reference_longitude
        repeat_count
        enable_control_parameter
        disable_control_parameter
        is_control_parameter_enabled
        control_parameters_available
IAgVAStateCalcAltOfApoapsis
        CentralBodyName
        ElementType
StateCalcAltitudeOfApoapsis
        central_body_name
        element_type
IAgVAStateCalcAltOfPeriapsis
        CentralBodyName
        ElementType
StateCalcAltitudeOfPeriapsis
        central_body_name
        element_type
IAgVAStateCalcArgOfLat
        CoordSystemName
        ElementType
StateCalcArgumentOfLatitude
        coord_system_name
        element_type
IAgVAStateCalcArgOfPeriapsis
        CoordSystemName
        ElementType
StateCalcArgumentOfPeriapsis
        coord_system_name
        element_type
IAgVAStateCalcEccAnomaly
        CentralBodyName
        ElementType
StateCalcEccentricityAnomaly
        central_body_name
        element_type
IAgVAStateCalcEccentricity
        CentralBodyName
        ElementType
StateCalcEccentricity
        central_body_name
        element_type
IAgVAStateCalcInclination
        CoordSystemName
        ElementType
StateCalcInclination
        coord_system_name
        element_type
IAgVAStateCalcLonOfAscNode
        CentralBodyName
        ElementType
StateCalcLonOfAscNode
        central_body_name
        element_type
IAgVAStateCalcMeanAnomaly
        CentralBodyName
        ElementType
StateCalcMeanAnomaly
        central_body_name
        element_type
IAgVAStateCalcMeanMotion
        CentralBodyName
        ElementType
StateCalcMeanMotion
        central_body_name
        element_type
IAgVAStateCalcOrbitPeriod
        CentralBodyName
        ElementType
StateCalcOrbitPeriod
        central_body_name
        element_type
IAgVAStateCalcNumRevs
        CentralBodyName
        ElementType
StateCalcNumRevs
        central_body_name
        element_type
IAgVAStateCalcRAAN
        CoordSystemName
        ElementType
StateCalcRAAN
        coord_system_name
        element_type
IAgVAStateCalcRadOfApoapsis
        CentralBodyName
        ElementType
StateCalcRadOfApoapsis
        central_body_name
        element_type
IAgVAStateCalcRadOfPeriapsis
        CentralBodyName
        ElementType
StateCalcRadOfPeriapsis
        central_body_name
        element_type
IAgVAStateCalcSemiMajorAxis
        CentralBodyName
        ElementType
StateCalcSemimajorAxis
        central_body_name
        element_type
IAgVAStateCalcTimePastAscNode
        CoordSystemName
        ElementType
StateCalcTimePastAscNode
        coord_system_name
        element_type
IAgVAStateCalcTimePastPeriapsis
        CentralBodyName
        ElementType
StateCalcTimePastPeriapsis
        central_body_name
        element_type
IAgVAStateCalcDeltaV StateCalcDeltaV
IAgVAStateCalcDeltaVSquared StateCalcDeltaVSquared
IAgVAStateCalcMCSDeltaV StateCalcMCSDeltaV
IAgVAStateCalcMCSDeltaVSquared
        SquaredType
StateCalcMCSDeltaVSquared
        squared_type
IAgVAStateCalcSequenceDeltaV
        SequenceName
StateCalcSequenceDeltaV
        sequence_name
IAgVAStateCalcSequenceDeltaVSquared
        SequenceName
        SquaredType
StateCalcSequenceDeltaVSquared
        sequence_name
        squared_type
IAgVAStateCalcFuelMass StateCalcFuelMass
IAgVAStateCalcDensity StateCalcDensity
IAgVAStateCalcInertialDeltaVMag StateCalcInertialDeltaVMagnitude
IAgVAStateCalcInertialDeltaVx
        CoordAxesName
StateCalcInertialDeltaVx
        coord_axes_name
IAgVAStateCalcInertialDeltaVy
        CoordAxesName
StateCalcInertialDeltaVy
        coord_axes_name
IAgVAStateCalcInertialDeltaVz
        CoordAxesName
StateCalcInertialDeltaVz
        coord_axes_name
IAgVAStateCalcManeuverSpecificImpulse StateCalcManeuverSpecificImpulse
IAgVAStateCalcPressure StateCalcPressure
IAgVAStateCalcTemperature StateCalcTemperature
IAgVAStateCalcVectorX
        CoordAxesName
        VectorName
        UnitDimension
        Normalize
StateCalcVectorX
        coord_axes_name
        vector_name
        unit_dimension
        normalize
IAgVAStateCalcVectorY
        CoordAxesName
        VectorName
        UnitDimension
        Normalize
StateCalcVectorY
        coord_axes_name
        vector_name
        unit_dimension
        normalize
IAgVAStateCalcVectorZ
        CoordAxesName
        VectorName
        UnitDimension
        Normalize
StateCalcVectorZ
        coord_axes_name
        vector_name
        unit_dimension
        normalize
IAgVAStateCalcMass StateCalcMass
IAgVAStateCalcManeuverTotalMassFlowRate StateCalcManeuverTotalMassFlowRate
IAgVAStateCalcAbsoluteValue
        CalcObjectName
StateCalcAbsoluteValue
        calculation_object_name
IAgVAStateCalcDifference
        CalcObjectName
        DifferenceOrder
StateCalcDifference
        calculation_object_name
        difference_order
IAgVAStateCalcDifferenceOtherSegment
        CalcObjectName
        OtherSegmentName
        SegmentStateToUse
        DifferenceOrder
StateCalcDifferenceOtherSegment
        calculation_object_name
        other_segment_name
        segment_state_to_use
        difference_order
IAgVAStateCalcPosDifferenceOtherSegment
        OtherSegmentName
        SegmentStateToUse
StateCalcPositionDifferenceOtherSegment
        other_segment_name
        segment_state_to_use
IAgVAStateCalcVelDifferenceOtherSegment
        OtherSegmentName
        SegmentStateToUse
StateCalcVelocityDifferenceOtherSegment
        other_segment_name
        segment_state_to_use
IAgVAStateCalcPosVelDifferenceOtherSegment
        OtherSegmentName
        SegmentStateToUse
StateCalcPositionVelocityDifferenceOtherSegment
        other_segment_name
        segment_state_to_use
IAgVAStateCalcValueAtSegment
        CalcObjectName
        OtherSegmentName
        SegmentStateToUse
StateCalcValueAtSegment
        calculation_object_name
        other_segment_name
        segment_state_to_use
IAgVAStateCalcMaxValue
        CalcObjectName
StateCalcMaxValue
        calculation_object_name
IAgVAStateCalcMinValue
        CalcObjectName
StateCalcMinValue
        calculation_object_name
IAgVAStateCalcMeanValue
        CalcObjectName
StateCalcMeanValue
        calculation_object_name
IAgVAStateCalcMedianValue
        CalcObjectName
StateCalcMedianValue
        calculation_object_name
IAgVAStateCalcStandardDeviation
        CalcObjectName
StateCalcStandardDeviation
        calculation_object_name
IAgVAStateCalcNegative
        CalcObjectName
StateCalcNegative
        calculation_object_name
IAgVAStateCalcTrueAnomaly
        CentralBodyName
        ElementType
StateCalcTrueAnomaly
        central_body_name
        element_type
IAgVABDotRCalc
        TargetBodyName
        RefVectorName
BDotRCalc
        target_body_name
        reference_vector_name
IAgVABDotTCalc
        TargetBodyName
        RefVectorName
BDotTCalc
        target_body_name
        reference_vector_name
IAgVABMagCalc
        TargetBodyName
BMagnitudeCalc
        target_body_name
IAgVABThetaCalc
        TargetBodyName
        RefVectorName
BThetaCalc
        target_body_name
        reference_vector_name
IAgVAStateCalcDeltaDec
        CentralBodyName
        ReferenceType
        ReferenceBody
StateCalcDeltaDec
        central_body_name
        reference_type
        reference_body
IAgVAStateCalcDeltaRA
        CentralBodyName
        ReferenceType
        ReferenceBody
StateCalcDeltaRA
        central_body_name
        reference_type
        reference_body
IAgVAStateCalcBetaAngle
        CentralBodyName
StateCalcBetaAngle
        central_body_name
IAgVAStateCalcLocalApparentSolarLon
        CentralBodyName
StateCalcLocalApparentSolarLon
        central_body_name
IAgVAStateCalcLonOfPeriapsis
        CoordSystemName
        ElementType
StateCalcLonOfPeriapsis
        coord_system_name
        element_type
IAgVAStateCalcOrbitStateValue
        CalcObjectName
        InputCoordSystemName
        X
        Y
        Z
        Vx
        Vy
        Vz
        EnableControlParameter
        DisableControlParameter
        IsControlParameterEnabled
        ControlParametersAvailable
StateCalcOrbitStateValue
        calculation_object_name
        input_coord_system_name
        x
        y
        z
        vx
        vy
        vz
        enable_control_parameter
        disable_control_parameter
        is_control_parameter_enabled
        control_parameters_available
IAgVAStateCalcSignedEccentricity
        CentralBodyName
        ElementType
StateCalcSignedEccentricity
        central_body_name
        element_type
IAgVAStateCalcTrueLon
        CoordSystemName
        ElementType
StateCalcTrueLon
        coord_system_name
        element_type
IAgVAStateCalcPower
        PowerSourceName
StateCalcPower
        power_source_name
IAgVAStateCalcRelMotion
        CentralBodyName
        OriginAtMaster
        ReferenceSelection
        Reference
StateCalcRelativeMotion
        central_body_name
        origin_at_chief
        reference_selection
        reference
IAgVAStateCalcSolarBetaAngle
        CentralBodyName
        OrbitPlaneSource
        ElementType
        ReferenceSelection
        Reference
        SunPosition
        SignConvention
StateCalcSolarBetaAngle
        central_body_name
        orbit_plane_source
        element_type
        reference_selection
        reference
        sun_position
        sign_convention
IAgVAStateCalcSolarInPlaneAngle
        CentralBodyName
        OrbitPlaneSource
        ElementType
        ReferenceSelection
        Reference
        SunPosition
        CounterClockwiseRotation
        ReferenceDirection
StateCalcSolarInPlaneAngle
        central_body_name
        orbit_plane_source
        element_type
        reference_selection
        reference
        sun_position
        counter_clockwise_rotation
        reference_direction
IAgVAStateCalcRelPosDecAngle
        CentralBodyName
        OrbitPlaneSource
        ElementType
        ReferenceSelection
        Reference
        RelativePositionType
        SignConvention
StateCalcRelativePositionDecAngle
        central_body_name
        orbit_plane_source
        element_type
        reference_selection
        reference
        relative_position_type
        sign_convention
IAgVAStateCalcRelPosInPlaneAngle
        CentralBodyName
        OrbitPlaneSource
        ElementType
        ReferenceSelection
        Reference
        RelativePositionType
        CounterClockwiseRotation
        ReferenceDirection
StateCalcRelativePositionInPlaneAngle
        central_body_name
        orbit_plane_source
        element_type
        reference_selection
        reference
        relative_position_type
        counter_clockwise_rotation
        reference_direction
IAgVAStateCalcRelativeInclination
        CentralBodyName
        SatelliteOrbitNormalType
        RefSatelliteOrbitNormalType
        ReferenceSelection
        Reference
StateCalcRelativeInclination
        central_body_name
        satellite_orbit_normal_type
        reference_satellite_orbit_normal_type
        reference_selection
        reference
IAgVAStateCalcCurvilinearRelMotion
        CentralBodyName
        ReferenceEllipse
        LocationSource
        ReferenceSelection
        Reference
        ElementType
        SignConvention
StateCalcCurvilinearRelativeMotion
        central_body_name
        reference_ellipse
        location_source
        reference_selection
        reference
        element_type
        sign_convention
IAgVAStateCalcCustomFunction
        ResetFunctionName
        EvalFunctionName
        UnitDimension
StateCalcCustomFunction
        reset_function_name
        eval_function_name
        unit_dimension
IAgVAStateCalcScript
        CalcArguments
        InlineFunc
        UnitDimension
        CalcArgumentsLinkEmbed
StateCalcScript
        calculation_object_arguments
        inline_func
        unit_dimension
        calculation_object_arguments_link_embed
IAgVAStateCalcCd StateCalcCd
IAgVAStateCalcCr StateCalcCr
IAgVAStateCalcDragArea StateCalcDragArea
IAgVAStateCalcRadiationPressureArea StateCalcRadiationPressureArea
IAgVAStateCalcRadiationPressureCoefficient StateCalcRadiationPressureCoefficient
IAgVAStateCalcSRPArea StateCalcSRPArea
IAgVAStateCalcCosOfVerticalFPA
        CentralBodyName
StateCalcCosOfVerticalFlightPathAngle
        central_body_name
IAgVAStateCalcDec
        CoordSystemName
StateCalcDec
        coord_system_name
IAgVAStateCalcFPA
        CoordSystemName
StateCalcFlightPathAngle
        coord_system_name
IAgVAStateCalcRMag
        ReferencePointName
StateCalcRMagnitude
        reference_point_name
IAgVAStateCalcRA
        CoordSystemName
StateCalcRA
        coord_system_name
IAgVAStateCalcVMag
        CoordSystemName
StateCalcVMagnitude
        coord_system_name
IAgVAStateCalcVelAz
        CoordSystemName
StateCalcVelocityAz
        coord_system_name
IAgVAStateCalcC3Energy
        CentralBodyName
        ElementType
StateCalcC3Energy
        central_body_name
        element_type
IAgVAStateCalcInAsympDec
        CoordSystemName
StateCalcInAsympDec
        coord_system_name
IAgVAStateCalcInAsympRA
        CoordSystemName
StateCalcInAsympRA
        coord_system_name
IAgVAStateCalcInVelAzAtPeriapsis
        CoordSystemName
StateCalcInVelocityAzAtPeriapsis
        coord_system_name
IAgVAStateCalcOutAsympDec
        CoordSystemName
StateCalcOutAsympDec
        coord_system_name
IAgVAStateCalcOutAsympRA
        CoordSystemName
StateCalcOutAsympRA
        coord_system_name
IAgVAStateCalcOutVelAzAtPeriapsis
        CoordSystemName
StateCalcOutVelocityAzAtPeriapsis
        coord_system_name
IAgVAStateCalcDuration StateCalcDuration
IAgVAStateCalcUserValue
        VariableName
StateCalcUserValue
        variable_name
IAgVAStateCalcCrdnAngle
        AngleName
StateCalcVectorGeometryToolAngle
        angle_name
IAgVAStateCalcAngle
        Vector1Name
        Vector2Name
StateCalcAngle
        vector1_name
        vector2_name
IAgVAStateCalcDotProduct
        Vector1Name
        Vector2Name
StateCalcDotProduct
        vector1_name
        vector2_name
IAgVAStateCalcVectorDec
        CoordAxesName
        VectorName
StateCalcVectorDec
        coord_axes_name
        vector_name
IAgVAStateCalcVectorMag
        VectorName
        UnitDimension
StateCalcVectorMagnitude
        vector_name
        unit_dimension
IAgVAStateCalcVectorRA
        CoordAxesName
        VectorName
StateCalcVectorRA
        coord_axes_name
        vector_name
IAgVAStateCalcOnePtAccess
        AberrationType
        SetBaseSelection
        BaseSelectionType
        BaseSelection
        ClockHost
        SignalSense
        TargetObject
        TimeDelayConvergenceTolerance
        UseLightTimeDelay
StateCalcOnePointAccess
        aberration_type
        set_base_selection
        base_selection_type
        base_selection
        clock_host
        signal_sense
        target_object
        time_delay_convergence_tolerance
        use_light_time_delay
IAgVAStateCalcDifferenceAcrossSegmentsOtherSat
        CalcObjectName
        OtherSegmentName
        SegmentStateToUse
        DifferenceOrder
        ReferenceSat
StateCalcDifferenceAcrossSegmentsOtherSatellite
        calculation_object_name
        other_segment_name
        segment_state_to_use
        difference_order
        reference_satellite
IAgVAStateCalcValueAtSegmentOtherSat
        CalcObjectName
        OtherSegmentName
        SegmentStateToUse
        ReferenceSat
StateCalcValueAtSegmentOtherSat
        calculation_object_name
        other_segment_name
        segment_state_to_use
        reference_satellite
IAgVAStateCalcRARate
        CoordSystemName
StateCalcRARate
        coord_system_name
IAgVAStateCalcDecRate
        CoordSystemName
StateCalcDecRate
        coord_system_name
IAgVAStateCalcRangeRate
        CoordSystemName
StateCalcRangeRate
        coord_system_name
IAgVAStateCalcGravitationalParameter
        CentralBodyName
        GravSource
        GravityFilename
StateCalcGravitationalParameter
        central_body_name
        gravitational_parameter_source
        gravity_filename
IAgVAStateCalcReferenceRadius
        CentralBodyName
        ReferenceRadiusSource
        GravityFilename
StateCalcReferenceRadius
        central_body_name
        reference_radius_source
        gravity_filename
IAgVAStateCalcGravCoeff
        CentralBodyName
        GravityFilename
        CoefficientType
        Degree
        Order
        NormalizationType
StateCalcGravCoeff
        central_body_name
        gravity_filename
        coefficient_type
        degree
        order
        normalization_type
IAgVAStateCalcSpeedOfLight StateCalcSpeedOfLight
IAgVAStateCalcPi StateCalcPi
IAgVAStateCalcScalar
        ScalarName
        UnitDimension
StateCalcScalar
        scalar_name
        unit_dimension
IAgVAStateCalcApparentSolarTime
        CentralBodyName
StateCalcApparentSolarTime
        central_body_name
IAgVAStateCalcEarthMeanSolarTime
        CentralBodyName
StateCalcEarthMeanSolarTime
        central_body_name
IAgVAStateCalcEarthMeanLocTimeAN
        CentralBodyName
StateCalcEarthMeanLocalTimeOfAscendingNode
        central_body_name
IAgVACentralBodyCollection
        Item
        Count
        Add
        Remove
        RemoveAll
        GetItemByIndex
        GetItemByName
CentralBodyComponentCollection
        item
        count
        add
        remove
        remove_all
        get_item_by_index
        get_item_by_name
IAgVACbEphemeris ICentralBodyComponentEphemeris
IAgVACbGravityModel
        GravitationalParam
        RefDistance
        J2
        J3
        J4
CentralBodyComponentGravityModel
        gravitational_parameter
        reference_distance
        j2
        j3
        j4
IAgVACbShape ICentralBodyComponentShape
IAgVACbShapeSphere
        Radius
CentralBodyComponentShapeSphere
        radius
IAgVACbShapeOblateSpheroid
        MinRadius
        MaxRadius
        FlatteningCoefficient
CentralBodyComponentShapeOblateSpheroid
        min_radius
        max_radius
        flattening_coefficient
IAgVACbShapeTriaxialEllipsoid
        SemiMajorAxis
        SemiMidAxis
        SemiMinorAxis
CentralBodyComponentShapeTriaxialEllipsoid
        semimajor_axis
        semimid_axis
        semiminor_axis
IAgVACbAttitude ICentralBodyComponentAttitude
IAgVACbAttitudeRotationCoefficientsFile
        Filename
CentralBodyComponentAttitudeRotationCoefficientsFile
        filename
IAgVACbAttitudeIAU1994
        RightAscension
        Declination
        RightAscensionRate
        DeclinationRate
        RotationOffset
        RotationRate
CentralBodyComponentAttitudeIAU1994
        right_ascension
        declination
        right_ascension_rate
        declination_rate
        rotation_offset
        rotation_rate
IAgVACbEphemerisAnalyticOrbit
        Epoch
        SemiMajorAxis
        SemiMajorAxisRate
        Eccentricity
        EccentricityRate
        Inclination
        InclinationRate
        RAAN
        RAANRate
        ArgOfPeriapsis
        ArgOfPeriapsisRate
        MeanLongitude
        MeanLongitudeRate
CentralBodyComponentEphemerisAnalyticOrbit
        epoch
        semimajor_axis
        semimajor_axis_rate
        eccentricity
        eccentricity_rate
        inclination
        inclination_rate
        raan
        raan_rate
        arg_of_periapsis
        arg_of_periapsis_rate
        mean_longitude
        mean_longitude_rate
IAgVACbEphemerisJPLSpice
        JPLSpiceId
CentralBodyComponentEphemerisJPLSpice
        jpl_spice_id
IAgVACbEphemerisFile
        Filename
CentralBodyComponentEphemerisFile
        filename
IAgVACbEphemerisJPLDE
        JPLDEFilename
ICentralBodyComponentEphemerisJPLDevelopmentalEphemerides
        jplde_filename
IAgVACbEphemerisPlanetary
        PlanetaryFilename
CentralBodyComponentEphemerisPlanetary
        planetary_filename
IAgVACentralBody
        GravitationalParam
        ParentName
        Children
        DefaultGravityModelName
        SetDefaultGravityModelByName
        DefaultGravityModelData
        AddGravityModel
        RemoveGravityModelByName
        DefaultShapeName
        DefaultShapeData
        SetDefaultShapeByName
        AddShape
        RemoveShapeByName
        DefaultAttitudeName
        DefaultAttitudeData
        SetDefaultAttitudeByName
        AddAttitude
        RemoveAttitudeByName
        DefaultEphemerisName
        SetDefaultEphemerisByName
        DefaultEphemerisData
        AddEphemeris
        RemoveEphemerisByName
        CutGravityModelByName
        CopyGravityModelByName
        PasteGravityModel
        AddCopyOfGravityModel
        CutShapeByName
        CopyShapeByName
        PasteShape
        AddCopyOfShape
        CutAttitudeByName
        CopyAttitudeByName
        PasteAttitude
        AddCopyOfAttitude
        CutEphemerisByName
        CopyEphemerisByName
        PasteEphemeris
        AddCopyOfEphemeris
CentralBodyComponent
        gravitational_parameter
        parent_name
        children
        default_gravity_model_name
        set_default_gravity_model_by_name
        default_gravity_model_data
        add_gravity_model
        remove_gravity_model_by_name
        default_shape_name
        default_shape_data
        set_default_shape_by_name
        add_shape
        remove_shape_by_name
        default_attitude_name
        default_attitude_data
        set_default_attitude_by_name
        add_attitude
        remove_attitude_by_name
        default_ephemeris_name
        set_default_ephemeris_by_name
        default_ephemeris_data
        add_ephemeris
        remove_ephemeris_by_name
        cut_gravity_model_by_name
        copy_gravity_model_by_name
        paste_gravity_model
        add_copy_of_gravity_model
        cut_shape_by_name
        copy_shape_by_name
        paste_shape
        add_copy_of_shape
        cut_attitude_by_name
        copy_attitude_by_name
        paste_attitude
        add_copy_of_attitude
        cut_ephemeris_by_name
        copy_ephemeris_by_name
        paste_ephemeris
        add_copy_of_ephemeris
IAgVAPowerInternal
        GeneratedPower
        PercentDegradationPerYear
        ReferenceEpoch
        EnableControlParameter
        DisableControlParameter
        IsControlParameterEnabled
        ControlParametersAvailable
PowerInternal
        generated_power
        percent_degradation_per_year
        reference_epoch
        enable_control_parameter
        disable_control_parameter
        is_control_parameter_enabled
        control_parameters_available
IAgVAPowerProcessed
        Load
        Efficiency
        InputPowerSourceName
        EnableControlParameter
        DisableControlParameter
        IsControlParameterEnabled
        ControlParametersAvailable
PowerProcessed
        load
        efficiency
        input_power_source_name
        enable_control_parameter
        disable_control_parameter
        is_control_parameter_enabled
        control_parameters_available
IAgVAPowerSolarArray
        Area
        Concentration
        CellEfficiencyPercent
        ArrayEfficiencyPercent
        PercentDegradationPerYear
        ReferenceEpoch
        InclinationToSunLine
        C0
        C1
        C2
        C3
        C4
        ApproximationFormula
        EnableControlParameter
        DisableControlParameter
        IsControlParameterEnabled
        ControlParametersAvailable
PowerSolarArray
        area
        concentration
        cell_efficiency_percent
        array_efficiency_percent
        percent_degradation_per_year
        reference_epoch
        inclination_to_sun_line
        c0
        c1
        c2
        c3
        c4
        approximation_formula
        enable_control_parameter
        disable_control_parameter
        is_control_parameter_enabled
        control_parameters_available
IAgVAGeneralRelativityFunction GeneralRelativityFunction
IAgVAStateTransFunction StateTransformationFunction
IAgVACR3BPFunc
        SecondaryName
        EphemerisEpoch
        Eccentricity
        MassParameter
        CharacteristicDistance
        CharacteristicTime
        CharacteristicVelocity
        CharacteristicAcceleration
CR3BPFunction
        secondary_name
        ephemeris_epoch
        eccentricity
        mass_parameter
        characteristic_distance
        characteristic_time
        characteristic_velocity
        characteristic_acceleration
IAgVAER3BPFunc
        SecondaryName
        EphemerisEpoch
        TrueAnomaly
        Eccentricity
        MassParameter
        CharacteristicDistance
        CharacteristicTime
        CharacteristicVelocity
        CharacteristicAcceleration
ER3BPFunc
        secondary_name
        ephemeris_epoch
        true_anomaly
        eccentricity
        mass_parameter
        characteristic_distance
        characteristic_time
        characteristic_velocity
        characteristic_acceleration
IAgVARadiationPressureFunction
        IncludeAlbedo
        IncludeThermalRadiationPressure
        GroundReflectionModelFilename
        CentralBodyName
        OverrideSegmentSettings
        RadPressureCoeff
        RadPressureArea
RadiationPressureFunction
        include_albedo
        include_thermal_radiation_pressure
        ground_reflection_model_filename
        central_body_name
        override_segment_settings
        radiation_pressure_coefficient
        radiation_pressure_area
IAgVAYarkovskyFunc
        R0
        NM
        NN
        NK
        A1
        A2
        A3
YarkovskyFunc
        r0
        nm
        nn
        nk
        a1
        a2
        a3
IAgVABlendedDensity
        AtmDensityModel
        LowAltAtmDensityModel
        DensityBlendingAltRange
        AtmDensityModelName
        LowAltAtmDensityModelName
        UseApproxAltitude
        LowerBoundUpperAtmModel
BlendedDensity
        atmos_density_model
        low_altitude_atmosphere_density_model
        density_blending_altitude_range
        atmos_density_model_name
        low_altitude_atmosphere_density_model_name
        use_approx_altitude
        lower_bound_upper_atmosphere_model
IAgVADragModelPlugin
        PluginIdentifier
        PluginConfig
DragModelPlugin
        plugin_identifier
        plugin_config
IAgVACira72Function
        UseApproximateAltitude
        ComputesTemperature
        ComputesPressure
        SunPosition
        AtmosDataSource
        F10p7
        F10p7Avg
        Kp
        AtmosDataGeoMagneticFluxSource
        AtmosDataGeoMagneticFluxUpdateRate
        AtmosDataFilename
        DragModelType
        DragModelPluginName
        DragModelPlugin
        VariableAreaHistoryFile
        NPlateDefinitionFile
Cira72Function
        use_approximate_altitude
        computes_temperature
        computes_pressure
        sun_position
        atmosphere_data_source
        f_10_p7
        f_10_p7_avg
        kp
        atmosphere_data_geo_magnetic_flux_source
        atmosphere_data_geo_magnetic_flux_update_rate
        atmosphere_data_filename
        drag_model_type
        drag_model_plugin_name
        drag_model_plugin
        variable_area_history_file
        n_plate_definition_file
IAgVAExponential
        UseApproximateAltitude
        ReferenceDensity
        ReferenceAltitude
        ScaleAltitude
        DragModelType
        DragModelPluginName
        DragModelPlugin
        VariableAreaHistoryFile
        NPlateDefinitionFile
Exponential
        use_approximate_altitude
        reference_density
        reference_altitude
        scale_altitude
        drag_model_type
        drag_model_plugin_name
        drag_model_plugin
        variable_area_history_file
        n_plate_definition_file
IAgVAHarrisPriester
        UseApproximateAltitude
        ComputesTemperature
        ComputesPressure
        SunPosition
        AtmosDataSource
        F10p7Avg
        AtmosDataFilename
        DragModelType
        DragModelPluginName
        DragModelPlugin
        VariableAreaHistoryFile
        NPlateDefinitionFile
HarrisPriester
        use_approximate_altitude
        computes_temperature
        computes_pressure
        sun_position
        atmosphere_data_source
        f_10_p7_avg
        atmosphere_data_filename
        drag_model_type
        drag_model_plugin_name
        drag_model_plugin
        variable_area_history_file
        n_plate_definition_file
IAgVADensityModelPlugin
        PluginIdentifier
        PluginConfig
        UseApproximateAltitude
        ComputesTemperature
        ComputesPressure
        SunPosition
        AtmosDataSource
        F10
        F10Avg
        M10
        M10Avg
        S10
        S10Avg
        Y10
        Y10Avg
        Kp
        DstDTc
        AtmosDataGeoMagneticFluxSource
        AtmosDataGeoMagneticFluxUpdateRate
        AtmosDataFilename
        AtmosAugDataFile
        AtmosAugDTCFile
        DragModelType
        DragModelPluginName
        DragModelPlugin
        UsesAugmentedSpaceWeather
        VariableAreaHistoryFile
        NPlateDefinitionFile
DensityModelPlugin
        plugin_identifier
        plugin_config
        use_approximate_altitude
        computes_temperature
        computes_pressure
        sun_position
        atmosphere_data_source
        f10
        f10_avg
        m10
        m10_avg
        s10
        s10_avg
        y10
        y10_avg
        kp
        dst_d_tc
        atmosphere_data_geo_magnetic_flux_source
        atmosphere_data_geo_magnetic_flux_update_rate
        atmosphere_data_filename
        atmosphere_aug_data_file
        atmosphere_aug_dtc_file
        drag_model_type
        drag_model_plugin_name
        drag_model_plugin
        uses_augmented_space_weather
        variable_area_history_file
        n_plate_definition_file
IAgVAJacchiaRoberts
        UseApproximateAltitude
        ComputesTemperature
        ComputesPressure
        SunPosition
        AtmosDataSource
        F10p7
        F10p7Avg
        Kp
        AtmosDataGeoMagneticFluxSource
        AtmosDataGeoMagneticFluxUpdateRate
        AtmosDataFilename
        DragModelType
        DragModelPluginName
        DragModelPlugin
        VariableAreaHistoryFile
        NPlateDefinitionFile
JacchiaRoberts
        use_approximate_altitude
        computes_temperature
        computes_pressure
        sun_position
        atmosphere_data_source
        f_10_p7
        f_10_p7_avg
        kp
        atmosphere_data_geo_magnetic_flux_source
        atmosphere_data_geo_magnetic_flux_update_rate
        atmosphere_data_filename
        drag_model_type
        drag_model_plugin_name
        drag_model_plugin
        variable_area_history_file
        n_plate_definition_file
IAgVAJacchiaBowman2008
        UseApproximateAltitude
        SunPosition
        AtmosDataSource
        F10
        F10Avg
        M10
        M10Avg
        S10
        S10Avg
        Y10
        Y10Avg
        DstDTc
        AtmosAugDataFile
        AtmosAugDTCFile
        DragModelType
        DragModelPluginName
        DragModelPlugin
        VariableAreaHistoryFile
        NPlateDefinitionFile
JacchiaBowman2008
        use_approximate_altitude
        sun_position
        atmosphere_data_source
        f10
        f10_avg
        m10
        m10_avg
        s10
        s10_avg
        y10
        y10_avg
        dst_d_tc
        atmosphere_aug_data_file
        atmosphere_aug_dtc_file
        drag_model_type
        drag_model_plugin_name
        drag_model_plugin
        variable_area_history_file
        n_plate_definition_file
IAgVAJacchia_1960
        UseApproximateAltitude
        ComputesTemperature
        ComputesPressure
        SunPosition
        DragModelType
        DragModelPluginName
        DragModelPlugin
        VariableAreaHistoryFile
        NPlateDefinitionFile
Jacchia1960
        use_approximate_altitude
        computes_temperature
        computes_pressure
        sun_position
        drag_model_type
        drag_model_plugin_name
        drag_model_plugin
        variable_area_history_file
        n_plate_definition_file
IAgVAJacchia_1970
        UseApproximateAltitude
        ComputesTemperature
        ComputesPressure
        SunPosition
        AtmosDataSource
        F10p7
        F10p7Avg
        Kp
        AtmosDataGeoMagneticFluxSource
        AtmosDataGeoMagneticFluxUpdateRate
        AtmosDataFilename
        DragModelType
        DragModelPluginName
        DragModelPlugin
        VariableAreaHistoryFile
        NPlateDefinitionFile
Jacchia1970
        use_approximate_altitude
        computes_temperature
        computes_pressure
        sun_position
        atmosphere_data_source
        f_10_p7
        f_10_p7_avg
        kp
        atmosphere_data_geo_magnetic_flux_source
        atmosphere_data_geo_magnetic_flux_update_rate
        atmosphere_data_filename
        drag_model_type
        drag_model_plugin_name
        drag_model_plugin
        variable_area_history_file
        n_plate_definition_file
IAgVAJacchia_1971
        UseApproximateAltitude
        ComputesTemperature
        ComputesPressure
        SunPosition
        AtmosDataSource
        F10p7
        F10p7Avg
        Kp
        AtmosDataGeoMagneticFluxSource
        AtmosDataGeoMagneticFluxUpdateRate
        AtmosDataFilename
        DragModelType
        DragModelPluginName
        DragModelPlugin
        VariableAreaHistoryFile
        NPlateDefinitionFile
Jacchia1971
        use_approximate_altitude
        computes_temperature
        computes_pressure
        sun_position
        atmosphere_data_source
        f_10_p7
        f_10_p7_avg
        kp
        atmosphere_data_geo_magnetic_flux_source
        atmosphere_data_geo_magnetic_flux_update_rate
        atmosphere_data_filename
        drag_model_type
        drag_model_plugin_name
        drag_model_plugin
        variable_area_history_file
        n_plate_definition_file
IAgVAMSISE_1990
        UseApproximateAltitude
        ComputesTemperature
        ComputesPressure
        SunPosition
        AtmosDataSource
        F10p7
        F10p7Avg
        Kp
        AtmosDataGeoMagneticFluxSource
        AtmosDataGeoMagneticFluxUpdateRate
        AtmosDataFilename
        DragModelType
        DragModelPluginName
        DragModelPlugin
        VariableAreaHistoryFile
        NPlateDefinitionFile
MSISE1990
        use_approximate_altitude
        computes_temperature
        computes_pressure
        sun_position
        atmosphere_data_source
        f_10_p7
        f_10_p7_avg
        kp
        atmosphere_data_geo_magnetic_flux_source
        atmosphere_data_geo_magnetic_flux_update_rate
        atmosphere_data_filename
        drag_model_type
        drag_model_plugin_name
        drag_model_plugin
        variable_area_history_file
        n_plate_definition_file
IAgVAMSIS_1986
        UseApproximateAltitude
        ComputesTemperature
        ComputesPressure
        SunPosition
        AtmosDataSource
        F10p7
        F10p7Avg
        Kp
        AtmosDataGeoMagneticFluxSource
        AtmosDataGeoMagneticFluxUpdateRate
        AtmosDataFilename
        DragModelType
        DragModelPluginName
        DragModelPlugin
        VariableAreaHistoryFile
        NPlateDefinitionFile
MSIS1986
        use_approximate_altitude
        computes_temperature
        computes_pressure
        sun_position
        atmosphere_data_source
        f_10_p7
        f_10_p7_avg
        kp
        atmosphere_data_geo_magnetic_flux_source
        atmosphere_data_geo_magnetic_flux_update_rate
        atmosphere_data_filename
        drag_model_type
        drag_model_plugin_name
        drag_model_plugin
        variable_area_history_file
        n_plate_definition_file
IAgVANRLMSISE_2000
        UseApproximateAltitude
        ComputesTemperature
        ComputesPressure
        SunPosition
        AtmosDataSource
        F10p7
        F10p7Avg
        Kp
        AtmosDataGeoMagneticFluxSource
        AtmosDataGeoMagneticFluxUpdateRate
        AtmosDataFilename
        DragModelType
        DragModelPluginName
        DragModelPlugin
        VariableAreaHistoryFile
        NPlateDefinitionFile
NRLMSISE2000
        use_approximate_altitude
        computes_temperature
        computes_pressure
        sun_position
        atmosphere_data_source
        f_10_p7
        f_10_p7_avg
        kp
        atmosphere_data_geo_magnetic_flux_source
        atmosphere_data_geo_magnetic_flux_update_rate
        atmosphere_data_filename
        drag_model_type
        drag_model_plugin_name
        drag_model_plugin
        variable_area_history_file
        n_plate_definition_file
IAgVAUS_Standard_Atmosphere
        UseApproximateAltitude
        ComputesTemperature
        ComputesPressure
        DragModelType
        DragModelPluginName
        DragModelPlugin
        VariableAreaHistoryFile
        NPlateDefinitionFile
USStandardAtmosphere
        use_approximate_altitude
        computes_temperature
        computes_pressure
        drag_model_type
        drag_model_plugin_name
        drag_model_plugin
        variable_area_history_file
        n_plate_definition_file
IAgVAMarsGRAM37
        UseApproximateAltitude
        ComputesTemperature
        ComputesPressure
        SunPosition
        DataDirectory
        NamelistFile
        DensityType
        AtmosDataSource
        F10p7
        AtmosDataFilename
        DragModelType
        DragModelPluginName
        DragModelPlugin
        VariableAreaHistoryFile
        NPlateDefinitionFile
MarsGRAM37
        use_approximate_altitude
        computes_temperature
        computes_pressure
        sun_position
        data_directory
        namelist_file
        density_type
        atmosphere_data_source
        f_10_p7
        atmosphere_data_filename
        drag_model_type
        drag_model_plugin_name
        drag_model_plugin
        variable_area_history_file
        n_plate_definition_file
IAgVAMarsGRAM2005
        UseApproximateAltitude
        ComputesTemperature
        ComputesPressure
        SunPosition
        DataDirectory
        NamelistFile
        DensityType
        AtmosDataSource
        F10p7
        AtmosDataFilename
        DragModelType
        DragModelPluginName
        DragModelPlugin
        VariableAreaHistoryFile
        NPlateDefinitionFile
MarsGRAM2005
        use_approximate_altitude
        computes_temperature
        computes_pressure
        sun_position
        data_directory
        namelist_file
        density_type
        atmosphere_data_source
        f_10_p7
        atmosphere_data_filename
        drag_model_type
        drag_model_plugin_name
        drag_model_plugin
        variable_area_history_file
        n_plate_definition_file
IAgVAVenusGRAM2005
        UseApproximateAltitude
        ComputesTemperature
        ComputesPressure
        DataDirectory
        NamelistFile
        DensityType
        DragModelType
        DragModelPluginName
        DragModelPlugin
        VariableAreaHistoryFile
        NPlateDefinitionFile
VenusGRAM2005
        use_approximate_altitude
        computes_temperature
        computes_pressure
        data_directory
        namelist_file
        density_type
        drag_model_type
        drag_model_plugin_name
        drag_model_plugin
        variable_area_history_file
        n_plate_definition_file
IAgVAMarsGRAM2010
        UseApproximateAltitude
        ComputesTemperature
        ComputesPressure
        SunPosition
        DataDirectory
        NamelistFile
        DensityType
        AtmosDataSource
        F10p7
        AtmosDataFilename
        DragModelType
        DragModelPluginName
        DragModelPlugin
        VariableAreaHistoryFile
        NPlateDefinitionFile
MarsGRAM2010
        use_approximate_altitude
        computes_temperature
        computes_pressure
        sun_position
        data_directory
        namelist_file
        density_type
        atmosphere_data_source
        f_10_p7
        atmosphere_data_filename
        drag_model_type
        drag_model_plugin_name
        drag_model_plugin
        variable_area_history_file
        n_plate_definition_file
IAgVAMarsGRAM2001
        UseApproximateAltitude
        ComputesTemperature
        ComputesPressure
        SunPosition
        DataDirectory
        NamelistFile
        DensityType
        AtmosDataSource
        F10p7
        AtmosDataFilename
        DragModelType
        DragModelPluginName
        DragModelPlugin
        VariableAreaHistoryFile
        NPlateDefinitionFile
MarsGRAM2001
        use_approximate_altitude
        computes_temperature
        computes_pressure
        sun_position
        data_directory
        namelist_file
        density_type
        atmosphere_data_source
        f_10_p7
        atmosphere_data_filename
        drag_model_type
        drag_model_plugin_name
        drag_model_plugin
        variable_area_history_file
        n_plate_definition_file
IAgVAMarsGRAM2000
        UseApproximateAltitude
        ComputesTemperature
        ComputesPressure
        SunPosition
        DataDirectory
        NamelistFile
        DensityType
        AtmosDataSource
        F10p7
        AtmosDataFilename
        DragModelType
        DragModelPluginName
        DragModelPlugin
        VariableAreaHistoryFile
        NPlateDefinitionFile
MarsGRAM2000
        use_approximate_altitude
        computes_temperature
        computes_pressure
        sun_position
        data_directory
        namelist_file
        density_type
        atmosphere_data_source
        f_10_p7
        atmosphere_data_filename
        drag_model_type
        drag_model_plugin_name
        drag_model_plugin
        variable_area_history_file
        n_plate_definition_file
IAgVADTM2012
        UseApproximateAltitude
        ComputesTemperature
        ComputesPressure
        SunPosition
        AtmosDataSource
        F10p7Avg
        AtmosDataFilename
        DragModelType
        DragModelPluginName
        DragModelPlugin
        F10p7
        Kp
        AtmosDataGeoMagneticFluxSource
        AtmosDataGeoMagneticFluxUpdateRate
        VariableAreaHistoryFile
        NPlateDefinitionFile
DTM2012
        use_approximate_altitude
        computes_temperature
        computes_pressure
        sun_position
        atmosphere_data_source
        f_10_p7_avg
        atmosphere_data_filename
        drag_model_type
        drag_model_plugin_name
        drag_model_plugin
        f_10_p7
        kp
        atmosphere_data_geo_magnetic_flux_source
        atmosphere_data_geo_magnetic_flux_update_rate
        variable_area_history_file
        n_plate_definition_file
IAgVADTM2020
        UseApproximateAltitude
        ComputesTemperature
        ComputesPressure
        SunPosition
        AtmosDataSource
        F10p7Avg
        AtmosDataFilename
        DragModelType
        DragModelPluginName
        DragModelPlugin
        F10p7
        Kp
        AtmosDataGeoMagneticFluxSource
        AtmosDataGeoMagneticFluxUpdateRate
        VariableAreaHistoryFile
        NPlateDefinitionFile
DTM2020
        use_approximate_altitude
        computes_temperature
        computes_pressure
        sun_position
        atmosphere_data_source
        f_10_p7_avg
        atmosphere_data_filename
        drag_model_type
        drag_model_plugin_name
        drag_model_plugin
        f_10_p7
        kp
        atmosphere_data_geo_magnetic_flux_source
        atmosphere_data_geo_magnetic_flux_update_rate
        variable_area_history_file
        n_plate_definition_file
IAgVAGravityFieldFunction
        GravityFilename
        Degree
        Order
        MaxDegreeText
        MaxOrderText
        IncludeTimeDependentSolidTides
        SolidTideMinAmp
        UseOceanTides
        OceanTideMinAmp
        MinRadiusPercent
        CentralBodyName
        OceanTideMaxDegree
        OceanTideMaxOrder
        SolidTideType
        TruncateSolidTides
        UseSecularVariations
        PartialsDegree
        PartialsOrder
        MaxPartialsDegreeText
        MaxPartialsOrderText
GravityFieldFunction
        gravity_filename
        degree
        order
        max_degree_text
        max_order_text
        include_time_dependent_solid_tides
        solid_tide_min_amp
        use_ocean_tides
        ocean_tide_min_amplitude
        min_radius_percent
        central_body_name
        ocean_tide_max_degree
        ocean_tide_max_order
        solid_tide_type
        truncate_solid_tides
        use_secular_variations
        partials_degree
        partials_order
        max_partials_degree_text
        max_partials_order_text
IAgVAPointMassFunction
        GravSource
        Mu
PointMassFunction
        gravitational_parameter_source
        mu
IAgVATwoBodyFunction
        GravSource
        Mu
        MinRadiusPercent
TwoBodyFunction
        gravitational_parameter_source
        mu
        min_radius_percent
IAgVAHPOPPluginFunction
        PluginIdentifier
        PluginConfig
HPOPPluginFunction
        plugin_identifier
        plugin_config
IAgVAEOMFuncPluginFunction
        PluginIdentifier
        PluginConfig
EOMFuncPluginFunction
        plugin_identifier
        plugin_config
IAgVASRPAeroT20
        AtmosAlt
        ShadowModel
        SunPosition
        EclipsingBodies
        IncludeBoundaryMitigation
        UseSunCbFileValues
        SolarRadius
SRPAerospaceT20
        atmosphere_altitude
        shadow_model
        sun_position
        eclipsing_bodies
        include_boundary_mitigation
        use_sun_central_body_file_values
        solar_radius
IAgVASRPAeroT30
        AtmosAlt
        ShadowModel
        SunPosition
        EclipsingBodies
        IncludeBoundaryMitigation
        UseSunCbFileValues
        SolarRadius
SRPAerospaceT30
        atmosphere_altitude
        shadow_model
        sun_position
        eclipsing_bodies
        include_boundary_mitigation
        use_sun_central_body_file_values
        solar_radius
IAgVASRPGSPM04aIIA
        AtmosAlt
        ShadowModel
        SunPosition
        EclipsingBodies
        IncludeBoundaryMitigation
        UseSunCbFileValues
        SolarRadius
SRPGSPM04aIIA
        atmosphere_altitude
        shadow_model
        sun_position
        eclipsing_bodies
        include_boundary_mitigation
        use_sun_central_body_file_values
        solar_radius
IAgVASRPGSPM04aIIR
        AtmosAlt
        ShadowModel
        SunPosition
        EclipsingBodies
        IncludeBoundaryMitigation
        UseSunCbFileValues
        SolarRadius
SRPGSPM04aIIR
        atmosphere_altitude
        shadow_model
        sun_position
        eclipsing_bodies
        include_boundary_mitigation
        use_sun_central_body_file_values
        solar_radius
IAgVASRPGSPM04aeIIA
        AtmosAlt
        ShadowModel
        SunPosition
        EclipsingBodies
        IncludeBoundaryMitigation
        UseSunCbFileValues
        SolarRadius
SRPGSPM04aeIIA
        atmosphere_altitude
        shadow_model
        sun_position
        eclipsing_bodies
        include_boundary_mitigation
        use_sun_central_body_file_values
        solar_radius
IAgVASRPGSPM04aeIIR
        AtmosAlt
        ShadowModel
        SunPosition
        EclipsingBodies
        IncludeBoundaryMitigation
        UseSunCbFileValues
        SolarRadius
SRPGSPM04aeIIR
        atmosphere_altitude
        shadow_model
        sun_position
        eclipsing_bodies
        include_boundary_mitigation
        use_sun_central_body_file_values
        solar_radius
IAgVASRPSpherical
        AtmosAlt
        ShadowModel
        SunPosition
        EclipsingBodies
        MeanFlux
        Luminosity
        SolarForceMethod
        IncludeBoundaryMitigation
        UseSunCbFileValues
        SolarRadius
SRPSpherical
        atmosphere_altitude
        shadow_model
        sun_position
        eclipsing_bodies
        mean_flux
        luminosity
        solar_force_method
        include_boundary_mitigation
        use_sun_central_body_file_values
        solar_radius
IAgVASRPNPlate
        AtmosAlt
        ShadowModel
        SunPosition
        EclipsingBodies
        MeanFlux
        Luminosity
        SolarForceMethod
        IncludeBoundaryMitigation
        UseSunCbFileValues
        SolarRadius
        NPlateDefinitionFile
SRPNPlate
        atmosphere_altitude
        shadow_model
        sun_position
        eclipsing_bodies
        mean_flux
        luminosity
        solar_force_method
        include_boundary_mitigation
        use_sun_central_body_file_values
        solar_radius
        n_plate_definition_file
IAgVASRPTabAreaVec
        AtmosAlt
        ShadowModel
        SunPosition
        EclipsingBodies
        MeanFlux
        Luminosity
        SolarForceMethod
        IncludeBoundaryMitigation
        UseSunCbFileValues
        SolarRadius
        TabAreaVectorDefinitionFile
        InterpolationMethod
SRPTabulatedAreaVector
        atmosphere_altitude
        shadow_model
        sun_position
        eclipsing_bodies
        mean_flux
        luminosity
        solar_force_method
        include_boundary_mitigation
        use_sun_central_body_file_values
        solar_radius
        tab_area_vector_definition_file
        interpolation_method
IAgVASRPVariableArea
        AtmosAlt
        ShadowModel
        SunPosition
        EclipsingBodies
        MeanFlux
        Luminosity
        SolarForceMethod
        IncludeBoundaryMitigation
        UseSunCbFileValues
        SolarRadius
        VariableAreaHistoryFile
SRPVariableArea
        atmosphere_altitude
        shadow_model
        sun_position
        eclipsing_bodies
        mean_flux
        luminosity
        solar_force_method
        include_boundary_mitigation
        use_sun_central_body_file_values
        solar_radius
        variable_area_history_file
IAgVAThirdBodyFunction
        ThirdBodyName
        EphemSource
        Mode
        SetModeType
        ModeType
        EphemerisSourceWarning
ThirdBodyFunction
        third_body_name
        ephemeris_source
        mode
        set_mode_type
        mode_type
        ephemeris_source_warning
IAgVASRPReflectionPlugin
        PluginIdentifier
        PluginConfig
        AtmosAlt
        ShadowModel
        SunPosition
        EclipsingBodies
        IncludeBoundaryMitigation
        UseSunCbFileValues
        SolarRadius
SRPReflectionPlugin
        plugin_identifier
        plugin_config
        atmosphere_altitude
        shadow_model
        sun_position
        eclipsing_bodies
        include_boundary_mitigation
        use_sun_central_body_file_values
        solar_radius
IAgVAEngineModelThrustCoefficients
        C0
        C1
        C2
        C3
        C4
        C5
        C6
        C7
        E4
        E5
        E6
        E7
        B7
        K0
        K1
        ReferenceTemp
EngineModelThrustCoefficients
        c0
        c1
        c2
        c3
        c4
        c5
        c6
        c7
        e4
        e5
        e6
        e7
        b7
        k0
        k1
        reference_temp
IAgVAEngineModelIspCoefficients
        C0
        C1
        C2
        C3
        C4
        C5
        C6
        C7
        E4
        E5
        E6
        E7
        B7
        K0
        K1
        ReferenceTemp
EngineModelIspCoefficients
        c0
        c1
        c2
        c3
        c4
        c5
        c6
        c7
        e4
        e5
        e6
        e7
        b7
        k0
        k1
        reference_temp
IAgVAEngineConstAcc
        Acceleration
        Isp
        EnableControlParameter
        DisableControlParameter
        IsControlParameterEnabled
        ControlParametersAvailable
EngineConstantAcceleration
        acceleration
        isp
        enable_control_parameter
        disable_control_parameter
        is_control_parameter_enabled
        control_parameters_available
IAgVAEngineConstant
        Thrust
        Isp
        EnableControlParameter
        DisableControlParameter
        IsControlParameterEnabled
        ControlParametersAvailable
EngineConstant
        thrust
        isp
        enable_control_parameter
        disable_control_parameter
        is_control_parameter_enabled
        control_parameters_available
IAgVAEngineDefinition
        IspC0
        IspC1
        IspC2
        IspC3
        MassFlowRateEquationType
        MassFlowRateC0
        MassFlowRateC1
        MassFlowRateC2
        MassFlowRateC3
        MassFlowRateEquation
        MassFlowEfficiencyC0
        MassFlowEfficiencyC1
        MassFlowEfficiencyC2
        MassFlowEfficiencyC3
        MassFlowEfficiencyIndependentVar
        MassFlowEfficiencyEquation
        PowerEfficiencyC0
        PowerEfficiencyC1
        PowerEfficiencyC2
        PowerEfficiencyC3
        PowerEfficiencyIndependentVar
        PowerEfficiencyEquation
        InputPowerSourceName
EngineDefinition
        isp_c0
        isp_c1
        isp_c2
        isp_c3
        mass_flow_rate_equation_type
        mass_flow_rate_c0
        mass_flow_rate_c1
        mass_flow_rate_c2
        mass_flow_rate_c3
        mass_flow_rate_equation
        mass_flow_efficiency_c0
        mass_flow_efficiency_c1
        mass_flow_efficiency_c2
        mass_flow_efficiency_c3
        mass_flow_efficiency_independent_var
        mass_flow_efficiency_equation
        power_efficiency_c0
        power_efficiency_c1
        power_efficiency_c2
        power_efficiency_c3
        power_efficiency_independent_var
        power_efficiency_equation
        input_power_source_name
IAgVAEngineThrottleTable
        ThrottleTableFilename
        OperationModeDefinition
        RegressionPolynomialDegree
        InputPowerSourceName
        PercentDegradationPerYear
        ReferenceEpoch
        EnableControlParameter
        DisableControlParameter
        IsControlParameterEnabled
        ControlParametersAvailable
EngineThrottleTable
        throttle_table_filename
        operation_mode_definition
        regression_polynomial_degree
        input_power_source_name
        percent_degradation_per_year
        reference_epoch
        enable_control_parameter
        disable_control_parameter
        is_control_parameter_enabled
        control_parameters_available
IAgVAEngineIon
        InputPowerSourceName
        MinRequiredPower
        MaxInputPower
        PercentDegradationPerYear
        ReferenceEpoch
        PercentThrottle
        EngineDefinition
        EnableControlParameter
        DisableControlParameter
        IsControlParameterEnabled
        ControlParametersAvailable
EngineIon
        input_power_source_name
        min_required_power
        max_input_power
        percent_degradation_per_year
        reference_epoch
        percent_throttle
        engine_definition
        enable_control_parameter
        disable_control_parameter
        is_control_parameter_enabled
        control_parameters_available
IAgVAEngineCustom
        EvalFunctionName
        PostFunctionName
        PreFunctionName
        SegStartFunctionName
        UpdateFunctionName
        EnableControlParameter
        DisableControlParameter
        IsControlParameterEnabled
        ControlParametersAvailable
EngineCustom
        eval_function_name
        post_function_name
        pre_function_name
        seg_start_function_name
        update_function_name
        enable_control_parameter
        disable_control_parameter
        is_control_parameter_enabled
        control_parameters_available
IAgVAEnginePlugin
        PluginIdentifier
        PluginConfig
EnginePlugin
        plugin_identifier
        plugin_config
IAgVAEngineModelPoly
        ThrustCoefficients
        IspCoefficients
        EnableControlParameter
        DisableControlParameter
        IsControlParameterEnabled
        ControlParametersAvailable
EngineModelPolynomial
        thrust_coefficients
        isp_coefficients
        enable_control_parameter
        disable_control_parameter
        is_control_parameter_enabled
        control_parameters_available
IAgVADesignCR3BPObjectCollection
        Item
        Count
        GetItemByIndex
        GetItemByName
DesignCR3BPObjectCollection
        item
        count
        get_item_by_index
        get_item_by_name
IAgVADesignER3BPObjectCollection
        Item
        Count
        GetItemByIndex
        GetItemByName
DesignER3BPObjectCollection
        item
        count
        get_item_by_index
        get_item_by_name
IAgVADesignCR3BPSetup
        CentralBodyName
        SecondaryBodyName
        InitialEpoch
        IdealOrbitRadius
        IdealSecondaryName
        MassParameter
        CharacteristicDistance
        CharacteristicTime
        CharacteristicVelocity
        CharacteristicAcceleration
        RotatingSystemChoice
        CreateIdealSecondaryCB
        ResetIdealSecondaryCB
        UpdateIdealSecondaryCB
        CreateRotatingCoordinateSystem
        DeleteRotatingCoordinateSystem
        CreateCalculationObjects
        DeleteCalculationObjects
        AssociatedObjects
        IncludeSTM
        CreatePropagator
        DeletePropagator
DesignCR3BPSetup
        central_body_name
        secondary_body_name
        initial_epoch
        ideal_orbit_radius
        ideal_secondary_name
        mass_parameter
        characteristic_distance
        characteristic_time
        characteristic_velocity
        characteristic_acceleration
        rotating_system_choice
        create_ideal_secondary_body
        reset_ideal_secondary_body
        update_ideal_secondary_cb
        create_rotating_coordinate_system
        delete_rotating_coordinate_system
        create_calculation_objects
        delete_calculation_objects
        associated_objects
        include_stm
        create_propagator
        delete_propagator
IAgVADesignCR3BPObject
        ObjectName
        ObjectType
        ObjectDependsOn
DesignCR3BPObject
        object_name
        object_type
        object_depends_on
IAgVADesignER3BPSetup
        CentralBodyName
        SecondaryBodyName
        InitialEpoch
        TrueAnomaly
        IdealSecondaryName
        MassParameter
        Eccentricity
        CharacteristicDistance
        CharacteristicTime
        CharacteristicVelocity
        CharacteristicAcceleration
        RotatingSystemChoice
        CreateIdealSecondaryCB
        ResetIdealSecondaryCB
        UpdateIdealSecondaryCB
        CreateRotatingCoordinateSystem
        DeleteRotatingCoordinateSystem
        CreateCalculationObjects
        DeleteCalculationObjects
        AssociatedObjects
        IncludeSTM
        CreatePropagator
        DeletePropagator
DesignER3BPSetup
        central_body_name
        secondary_body_name
        initial_epoch
        true_anomaly
        ideal_secondary_name
        mass_parameter
        eccentricity
        characteristic_distance
        characteristic_time
        characteristic_velocity
        characteristic_acceleration
        rotating_system_choice
        create_ideal_secondary_cb
        reset_ideal_secondary_cb
        update_ideal_secondary_cb
        create_rotating_coordinate_system
        delete_rotating_coordinate_system
        create_calculation_objects
        delete_calculation_objects
        associated_objects
        include_stm
        create_propagator
        delete_propagator
IAgVADesignER3BPObject
        ObjectName
        ObjectType
        ObjectDependsOn
DesignER3BPObject
        object_name
        object_type
        object_depends_on
IAgVAThruster
        Name
        UserComment
        Copy
        EngineModelName
        ThrusterEfficiency
        EquivalentOnTime
        ThrusterDirection
        EnableControlParameter
        DisableControlParameter
        IsControlParameterEnabled
        ControlParametersAvailable
Thruster
        name
        user_comment
        copy
        engine_model_name
        thruster_efficiency
        equivalent_on_time
        thruster_direction
        enable_control_parameter
        disable_control_parameter
        is_control_parameter_enabled
        control_parameters_available
IAgVAThrusterSetCollection
        Item
        Count
        Add
        Remove
        RemoveAll
        Cut
        Paste
        InsertCopy
        GetItemByIndex
        GetItemByName
ThrusterSetCollection
        item
        count
        add
        remove
        remove_all
        cut
        paste
        insert_copy
        get_item_by_index
        get_item_by_name
IAgVAThrusterSet
        DirectionDefinition
        Thrusters
ThrusterSet
        direction_definition
        thrusters
IAgVAAsTriggerCondition
        Criteria
        CalcObject
        CalcObjectName
        Value
        Tolerance
        UseAbsoluteValue
        CopyCalcObjectToClipboard
        PasteCalcObjectFromClipboard
AsTriggerCondition
        criteria
        calculation_object
        calculation_object_name
        value
        tolerance
        use_absolute_value
        copy_calculation_object_to_clipboard
        paste_calculation_object_from_clipboard
IAgVACustomFunctionScriptEngine
        ScriptFilename
        FileExtensionName
CustomFunctionScriptEngine
        script_filename
        file_extension_name
IAgVANumericalIntegrator INumericalIntegrator
IAgVAPropagatorFunctionCollection
        Add
        Item
        Remove
        Count
        RemoveAll
        Cut
        Paste
        InsertCopy
        GetItemByIndex
        GetItemByName
PropagatorFunctionCollection
        add
        item
        remove
        count
        remove_all
        cut
        paste
        insert_copy
        get_item_by_index
        get_item_by_name
IAgVANumericalPropagatorWrapper
        CentralBodyName
        UseVariationOfParameters
        UseRegularizedTime
        RegularizedTimeExponent
        RegularizedTimeStepsPerOrbit
        PropagatorFunctions
        NumericalIntegrator
        NumericalIntegratorType
        SetNumericalIntegrator
NumericalPropagatorWrapper
        central_body_name
        use_variation_of_parameters
        use_regularized_time
        regularized_time_exponent
        regularized_time_steps_per_orbit
        propagator_functions
        numerical_integrator
        numerical_integrator_type
        set_numerical_integrator
IAgVANumericalPropagatorWrapperCR3BP
        CentralBodyName
        PropagatorFunctions
        NumericalIntegrator
        NumericalIntegratorType
        SetNumericalIntegrator
NumericalPropagatorWrapperCR3BP
        central_body_name
        propagator_functions
        numerical_integrator
        numerical_integrator_type
        set_numerical_integrator
IAgVABulirschStoerIntegrator
        InitialStep
        UseFixedStep
        UseMaxStep
        UseMinStep
        MaxStep
        MinStep
        MaxRelErr
        MaxSequences
        MaxIterations
        Tolerance
        FirstSafetyCoefficient
        SecondSafetyCoefficient
BulirschStoerIntegrator
        initial_step
        use_fixed_step
        use_max_step
        use_min_step
        max_step
        min_step
        max_relative_err
        max_sequences
        max_iterations
        tolerance
        first_safety_coefficient
        second_safety_coefficient
IAgVAGaussJacksonIntegrator
        InitialStep
        MaxCorrectorRelErr
        CorrectorMode
        MaxCorrectorIterations
        SingleStepIntegrator
        SingleStepIntegratorType
        SetSingleStepIntegrator
GaussJacksonIntegrator
        initial_step
        max_corrector_relative_err
        corrector_mode
        max_corrector_iterations
        single_step_integrator
        single_step_integrator_type
        set_single_step_integrator
IAgVARK2nd3rd
        InitialStep
        UseFixedStep
        UseMaxStep
        UseMinStep
        MaxStep
        MinStep
        MaxRelErr
        MaxAbsErr
        HighSafetyCoefficient
        LowSafetyCoefficient
        ErrorControl
        MaxIterations
RungeKutta2nd3rd
        initial_step
        use_fixed_step
        use_max_step
        use_min_step
        max_step
        min_step
        max_relative_err
        max_absolute_err
        high_safety_coefficient
        low_safety_coefficient
        error_control
        max_iterations
IAgVARK4th
        InitialStep
RungeKutta4th
        initial_step
IAgVARK4th5th
        InitialStep
        UseFixedStep
        UseMaxStep
        UseMinStep
        MaxStep
        MinStep
        MaxRelErr
        MaxAbsErr
        HighSafetyCoefficient
        LowSafetyCoefficient
        ErrorControl
        MaxIterations
RungeKutta4th5th
        initial_step
        use_fixed_step
        use_max_step
        use_min_step
        max_step
        min_step
        max_relative_err
        max_absolute_err
        high_safety_coefficient
        low_safety_coefficient
        error_control
        max_iterations
IAgVARK4thAdapt
        InitialStep
        UseFixedStep
        UseMaxStep
        UseMinStep
        MaxStep
        MinStep
        MaxRelErr
        MaxAbsErr
        HighSafetyCoefficient
        LowSafetyCoefficient
        ErrorControl
        MaxIterations
RungeKutta4thAdapt
        initial_step
        use_fixed_step
        use_max_step
        use_min_step
        max_step
        min_step
        max_relative_err
        max_absolute_err
        high_safety_coefficient
        low_safety_coefficient
        error_control
        max_iterations
IAgVARKF7th8th
        InitialStep
        UseFixedStep
        UseMaxStep
        UseMinStep
        MaxStep
        MinStep
        MaxRelErr
        MaxAbsErr
        HighSafetyCoefficient
        LowSafetyCoefficient
        ErrorControl
        MaxIterations
RungeKuttaF7th8th
        initial_step
        use_fixed_step
        use_max_step
        use_min_step
        max_step
        min_step
        max_relative_err
        max_absolute_err
        high_safety_coefficient
        low_safety_coefficient
        error_control
        max_iterations
IAgVARKV8th9th
        InitialStep
        UseFixedStep
        UseMaxStep
        UseMinStep
        MaxStep
        MinStep
        MaxRelErr
        MaxAbsErr
        HighSafetyCoefficient
        LowSafetyCoefficient
        ErrorControl
        MaxIterations
        CoeffType
RungeKuttaV8th9th
        initial_step
        use_fixed_step
        use_max_step
        use_min_step
        max_step
        min_step
        max_relative_err
        max_absolute_err
        high_safety_coefficient
        low_safety_coefficient
        error_control
        max_iterations
        coefficient_type
ThreadMarshaller
        GetMarshalledToCurrentThread
        InitializeThread
        ReleaseThread
ThreadMarshaller
        get_marshalled_to_current_thread
        initialize_thread
        release_thread
STKDesktopApplication
        Root
        NewObjectModelContext
        SetGrpcOptions
        NewGrpcCallBatcher
        ShutDown
STKDesktopApplication
        root
        new_object_model_context
        set_grpc_options
        new_grpc_call_batcher
        shutdown
STKDesktop
        StartApplication
        AttachToApplication
        ReleaseAll
        CreateThreadMarshaller
STKDesktop
        start_application
        attach_to_application
        release_all
        create_thread_marshaller
AgERfcmChannelResponseType
        eRfcmChannelResponseTypeFrequencyPulse
        eRfcmChannelResponseTypeRangeDoppler
ChannelResponseType
        FREQUENCY_PULSE
        RANGE_DOPPLER
AgERfcmAnalysisConfigurationModelType
        eRfcmAnalysisConfigurationModelTypeCommunications
        eRfcmAnalysisConfigurationModelTypeRadarISar
        eRfcmAnalysisConfigurationModelTypeRadarSar
AnalysisConfigurationModelType
        COMMUNICATIONS
        RADAR_I_SAR
        RADAR_SAR
AgERfcmTransceiverMode
        eRfcmTransceiverModeTransceive
        eRfcmTransceiverModeTransmitOnly
        eRfcmTransceiverModeReceiveOnly
TransceiverMode
        TRANSCEIVE
        TRANSMIT_ONLY
        RECEIVE_ONLY
AgERfcmAnalysisConfigurationComputeStepMode
        eRfcmAnalysisConfigurationComputeStepModeFixedStepSize
        eRfcmAnalysisConfigurationComputeStepModeFixedStepCount
        eRfcmAnalysisConfigurationComputeStepModeContinuousChannelSoundings
AnalysisConfigurationComputeStepMode
        FIXED_STEP_SIZE
        FIXED_STEP_COUNT
        CONTINUOUS_CHANNEL_SOUNDINGS
AgERfcmAnalysisResultsFileMode
        eRfcmAnalysisResultsFileModeSingleFile
        eRfcmAnalysisResultsFileModeOneFilePerLink
AnalysisResultsFileMode
        SINGLE_FILE
        ONE_FILE_PER_LINK
AgERfcmAnalysisSolverBoundingBoxMode
        eRfcmAnalysisSolverBoundingBoxModeDefault
        eRfcmAnalysisSolverBoundingBoxModeFullScene
        eRfcmAnalysisSolverBoundingBoxModeCustom
AnalysisSolverBoundingBoxMode
        DEFAULT
        FULL_SCENE
        CUSTOM
AgERfcmTransceiverModelType
        eRfcmTransceiverModelTypeCommunications
        eRfcmTransceiverModelTypeRadar
TransceiverModelType
        COMMUNICATIONS
        RADAR
AgERfcmPolarizationType
        eRfcmPolarizationTypeVertical
        eRfcmPolarizationTypeHorizontal
        eRfcmPolarizationTypeRHCP
        eRfcmPolarizationTypeLHCP
PolarizationType
        VERTICAL
        HORIZONTAL
        RIGHT_HAND_CIRCULAR_POLARIZATION
        LEFT_HAND_CIRCULAR_POLARIZATION
AgERfcmImageWindowType
        eRfcmImageWindowTypeFlat
        eRfcmImageWindowTypeHann
        eRfcmImageWindowTypeHamming
        eRfcmImageWindowTypeTaylor
ImageWindowType
        FLAT
        HANN
        HAMMING
        TAYLOR
AgStkRfcmRadarImagingDataProduct RadarImagingDataProduct
AgStkRfcmMaterial Material
AgStkRfcmFacetTileset FacetTileset
AgStkRfcmValidationResponse ValidationResponse
AgStkRfcmExtent Extent
AgStkRfcmCommunicationsWaveform CommunicationsWaveform
AgStkRfcmRadarWaveform RadarWaveform
AgStkRfcmParametricBeamAntenna ParametricBeamAntenna
AgStkRfcmElementExportPatternAntenna ElementExportPatternAntenna
AgStkRfcmFarFieldDataPatternAntenna FarFieldDataPatternAntenna
AgStkRfcmTransceiver Transceiver
AgStkRfcmCommunicationsTransceiverConfiguration CommunicationsTransceiverConfiguration
AgStkRfcmRadarTransceiverConfiguration RadarTransceiverConfiguration
AgStkRfcmRadarImagingDataProductCollection RadarImagingDataProductCollection
AgStkRfcmRadarTransceiverConfigurationCollection RadarTransceiverConfigurationCollection
AgStkRfcmAnalysisConfiguration AnalysisConfiguration
AgStkRfcmCommunicationsAnalysisConfigurationModel CommunicationsAnalysisConfigurationModel
AgStkRfcmRadarISarAnalysisConfigurationModel RadarISarAnalysisConfigurationModel
AgStkRfcmRadarSarAnalysisConfigurationModel RadarSarAnalysisConfigurationModel
AgStkRfcmTransceiverCollection TransceiverCollection
AgStkRfcmFacetTilesetCollection FacetTilesetCollection
AgStkRfcmSceneContributor SceneContributor
AgStkRfcmSceneContributorCollection SceneContributorCollection
AgStkRfcmRadarTargetCollection RadarTargetCollection
AgStkRfcmRadarSarImageLocation RadarSarImageLocation
AgStkRfcmRadarSarImageLocationCollection RadarSarImageLocationCollection
AgStkRfcmCommunicationsTransceiverConfigurationCollection CommunicationsTransceiverConfigurationCollection
AgStkRfcmAnalysisConfigurationCollection AnalysisConfigurationCollection
AgStkRfcmComputeOptions ComputeOptions
AgStkRFChannelModeler STKRFChannelModeler
AgStkRfcmCommunicationsTransceiverModel CommunicationsTransceiverModel
AgStkRfcmRadarTransceiverModel RadarTransceiverModel
AgStkRfcmRangeDopplerResponse RangeDopplerResponse
AgStkRfcmFrequencyPulseResponse FrequencyPulseResponse
AgStkRfcmAnalysisLink AnalysisLink
AgStkRfcmRadarSarAnalysisLink RadarSarAnalysisLink
AgStkRfcmRadarISarAnalysisLink RadarISarAnalysisLink
AgStkRfcmAnalysisLinkCollection AnalysisLinkCollection
AgStkRfcmAnalysis Analysis
AgStkRfcmGpuProperties GpuProperties
IAgStkRfcmProgressTrackCancel
        CancelRequested
        UpdateProgress
IProgressTrackCancel
        cancel_requested
        update_progress
IAgStkRfcmCommunicationsWaveform
        FrequencySamplesPerSounding
        ChannelBandwidth
        RFChannelFrequency
        SoundingInterval
        SoundingsPerAnalysisTimeStep
        CompleteSimulationInterval
        UnambiguousChannelDelay
        UnambiguousChannelDistance
CommunicationsWaveform
        frequency_samples_per_sounding
        channel_bandwidth
        rf_channel_frequency
        sounding_interval
        soundings_per_analysis_time_step
        complete_simulation_interval
        unambiguous_channel_delay
        unambiguous_channel_distance
IAgStkRfcmRadarWaveform
        RFChannelFrequency
        PulseRepetitionFrequency
        Bandwidth
RadarWaveform
        rf_channel_frequency
        pulse_repetition_frequency
        bandwidth
IAgStkRfcmAntenna
        Type
IAntenna
        type
IAgStkRfcmElementExportPatternAntenna
        HfssElementExportPatternFile
ElementExportPatternAntenna
        hfss_element_export_pattern_file
IAgStkRfcmFarFieldDataPatternAntenna
        HfssFarFieldDataPatternFile
FarFieldDataPatternAntenna
        hfss_far_field_data_pattern_file
IAgStkRfcmParametricBeamAntenna
        PolarizationType
        VerticalBeamwidth
        HorizontalBeamwidth
ParametricBeamAntenna
        polarization_type
        vertical_beamwidth
        horizontal_beamwidth
IAgStkRfcmTransceiverModel
        Type
        SetAntennaType
        SupportedAntennaTypes
        Antenna
ITransceiverModel
        type
        set_antenna_type
        supported_antenna_types
        antenna
IAgStkRfcmCommunicationsTransceiverModel
        Waveform
CommunicationsTransceiverModel
        waveform
IAgStkRfcmRadarTransceiverModel
        Waveform
RadarTransceiverModel
        waveform
IAgStkRfcmTransceiver
        Identifier
        Name
        ParentObjectPath
        CentralBodyName
        Model
Transceiver
        identifier
        name
        parent_object_path
        central_body_name
        model
IAgStkRfcmTransceiverCollection
        Count
        Item
        RemoveAt
        Remove
        AddNew
        Add
        RemoveAll
        FindByIdentifier
TransceiverCollection
        count
        item
        remove_at
        remove
        add_new
        add
        remove_all
        find_by_identifier
IAgStkRfcmCommunicationsTransceiverConfiguration
        SupportedTransceivers
        Transceiver
        Mode
        IncludeParentObjectFacets
CommunicationsTransceiverConfiguration
        supported_transceivers
        transceiver
        mode
        include_parent_object_facets
IAgStkRfcmCommunicationsTransceiverConfigurationCollection
        Count
        Item
        RemoveAt
        Remove
        AddNew
        RemoveAll
        Contains
CommunicationsTransceiverConfigurationCollection
        count
        item
        remove_at
        remove
        add_new
        remove_all
        contains
IAgStkRfcmRadarTransceiverConfiguration
        SupportedTransceivers
        Transceiver
        Mode
RadarTransceiverConfiguration
        supported_transceivers
        transceiver
        mode
IAgStkRfcmRadarTransceiverConfigurationCollection
        Count
        Item
        RemoveAt
        Remove
        AddNew
        RemoveAll
        Contains
RadarTransceiverConfigurationCollection
        count
        item
        remove_at
        remove
        add_new
        remove_all
        contains
IAgStkRfcmSceneContributor
        StkObjectPath
        Material
        CentralBodyName
        FocusedRayDensity
SceneContributor
        stk_object_path
        material
        central_body_name
        focused_ray_density
IAgStkRfcmSceneContributorCollection
        Count
        Item
        RemoveAt
        Remove
        AddNew
        RemoveAll
        Contains
ISceneContributorCollection
        count
        item
        remove_at
        remove
        add_new
        remove_all
        contains
IAgStkRfcmValidationResponse
        Value
        Message
ValidationResponse
        value
        message
IAgStkRfcmExtent
        NorthLatitude
        SouthLatitude
        EastLongitude
        WestLongitude
Extent
        north_latitude
        south_latitude
        east_longitude
        west_longitude
IAgStkRfcmMaterial
        Type
        Properties
Material
        type
        properties
IAgStkRfcmFacetTileset
        Name
        Uri
        Material
        ReferenceFrame
        CentralBodyName
FacetTileset
        name
        uri
        material
        reference_frame
        central_body_name
IAgStkRfcmFacetTilesetCollection
        Count
        Item
        Remove
        RemoveAt
        RemoveAll
        Add
FacetTilesetCollection
        count
        item
        remove
        remove_at
        remove_all
        add
IAgStkRfcmRadarSarImageLocation
        Name
        Latitude
        Longitude
RadarSarImageLocation
        name
        latitude
        longitude
IAgStkRfcmRadarSarImageLocationCollection
        Count
        Item
        RemoveAt
        Remove
        AddNew
        RemoveAll
        Contains
        Find
RadarSarImageLocationCollection
        count
        item
        remove_at
        remove
        add_new
        remove_all
        contains
        find
IAgStkRfcmRangeDopplerResponse
        RangeValues
        RangeCount
        VelocityValues
        VelocityCount
        PulseCount
        AngularVelocity
RangeDopplerResponse
        range_values
        range_count
        velocity_values
        velocity_count
        pulse_count
        angular_velocity
IAgStkRfcmFrequencyPulseResponse
        PulseCount
        FrequencySampleCount
FrequencyPulseResponse
        pulse_count
        frequency_sample_count
IAgStkRfcmResponse
        Type
        Data
        TransmitAntennaCount
        ReceiveAntennaCount
IResponse
        type
        data
        transmit_antenna_count
        receive_antenna_count
IAgStkRfcmAnalysisLink
        Name
        TransmitTransceiverIdentifier
        TransmitTransceiverName
        ReceiveTransceiverIdentifier
        ReceiveTransceiverName
        TransmitAntennaCount
        ReceiveAntennaCount
        AnalysisIntervals
        Compute
IAnalysisLink
        name
        transmit_transceiver_identifier
        transmit_transceiver_name
        receive_transceiver_identifier
        receive_transceiver_name
        transmit_antenna_count
        receive_antenna_count
        analysis_intervals
        compute
IAgStkRfcmRadarSarAnalysisLink
        ImageLocationName
RadarSarAnalysisLink
        image_location_name
IAgStkRfcmRadarISarAnalysisLink
        TargetObjectPath
RadarISarAnalysisLink
        target_object_path
IAgStkRfcmAnalysisLinkCollection
        Count
        Item
AnalysisLinkCollection
        count
        item
IAgStkRfcmAnalysis
        AnalysisLinkCollection
Analysis
        analysis_link_collection
IAgStkRfcmAnalysisConfigurationModel
        Type
        SceneContributorCollection
        LinkCount
        ValidateConfiguration
        ValidatePlatformFacets
        IntervalStart
        IntervalStop
        ComputeStepMode
        FixedStepCount
        FixedStepSize
        ResultsFileMode
        UseScenarioAnalysisInterval
        HideIncompatibleTilesets
        SupportedFacetTilesets
        FacetTilesetCollection
        AnalysisExtent
IAnalysisConfigurationModel
        type
        scene_contributor_collection
        link_count
        validate_configuration
        validate_platform_facets
        interval_start
        interval_stop
        compute_step_mode
        fixed_step_count
        fixed_step_size
        results_file_mode
        use_scenario_analysis_interval
        hide_incompatible_tilesets
        supported_facet_tilesets
        facet_tileset_collection
        analysis_extent
IAgStkRfcmCommunicationsAnalysisConfigurationModel
        TransceiverConfigurationCollection
CommunicationsAnalysisConfigurationModel
        transceiver_configuration_collection
IAgStkRfcmRadarImagingDataProduct
        Name
        EnableSensorFixedDistance
        DesiredSensorFixedDistance
        DistanceToRangeWindowStart
        DistanceToRangeWindowCenter
        CenterImageInRangeWindow
        EnableRangeDopplerImaging
        RangePixelCount
        VelocityPixelCount
        RangeWindowType
        RangeWindowSideLobeLevel
        VelocityWindowType
        VelocityWindowSideLobeLevel
        RangeResolution
        RangeWindowSize
        CrossRangeResolution
        CrossRangeWindowSize
        RequiredBandwidth
        CollectionAngle
        FrequencySamplesPerPulse
        MinimumPulseCount
        Identifier
RadarImagingDataProduct
        name
        enable_sensor_fixed_distance
        desired_sensor_fixed_distance
        distance_to_range_window_start
        distance_to_range_window_center
        center_image_in_range_window
        enable_range_doppler_imaging
        range_pixel_count
        velocity_pixel_count
        range_window_type
        range_window_side_lobe_level
        velocity_window_type
        velocity_window_side_lobe_level
        range_resolution
        range_window_size
        cross_range_resolution
        cross_range_window_size
        required_bandwidth
        collection_angle
        frequency_samples_per_pulse
        minimum_pulse_count
        identifier
IAgStkRfcmRadarImagingDataProductCollection
        Count
        Item
        Contains
        FindByIdentifier
RadarImagingDataProductCollection
        count
        item
        contains
        find_by_identifier
IAgStkRfcmRadarAnalysisConfigurationModel
        TransceiverConfigurationCollection
        ImagingDataProductList
IRadarAnalysisConfigurationModel
        transceiver_configuration_collection
        imaging_data_product_list
IAgStkRfcmRadarISarAnalysisConfigurationModel
        RadarTargetCollection
RadarISarAnalysisConfigurationModel
        radar_target_collection
IAgStkRfcmRadarSarAnalysisConfigurationModel
        ImageLocationCollection
RadarSarAnalysisConfigurationModel
        image_location_collection
IAgStkRfcmAnalysisConfiguration
        Name
        Description
        SupportedCentralBodies
        CentralBodyName
        Model
AnalysisConfiguration
        name
        description
        supported_central_bodies
        central_body_name
        model
IAgStkRfcmAnalysisConfigurationCollection
        Count
        Item
        RemoveAt
        Remove
        AddNew
        Add
        RemoveAll
        Contains
        Find
AnalysisConfigurationCollection
        count
        item
        remove_at
        remove
        add_new
        add
        remove_all
        contains
        find
IAgStkRfcmComputeOptions
        RayDensity
        GeometricalOpticsBlockage
        GeometricalOpticsBlockageStartingBounce
        MaximumReflections
        MaximumTransmissions
        BoundingBoxMode
        BoundingBoxSideLength
ComputeOptions
        ray_density
        geometrical_optics_blockage
        geometrical_optics_blockage_starting_bounce
        maximum_reflections
        maximum_transmissions
        bounding_box_mode
        bounding_box_side_length
IAgStkRfcmGpuProperties
        Name
        ComputeCapability
        DeviceId
        ProcessorCount
        SpeedMHz
        MemoryGB
GpuProperties
        name
        compute_capability
        device_id
        processor_count
        speed_mhz
        memory_gb
IAgStkRFChannelModeler
        TransceiverCollection
        AnalysisConfigurationCollection
        DuplicateTransceiver
        DuplicateAnalysisConfiguration
        SupportedMaterials
        DefaultMaterials
        ComputeOptions
        SupportedGpuPropertiesList
        SetGpuDevices
        ConstructAnalysis
        ValidateAnalysis
STKRFChannelModeler
        transceiver_collection
        analysis_configuration_collection
        duplicate_transceiver
        duplicate_analysis_configuration
        supported_materials
        default_materials
        compute_options
        supported_gpu_properties_list
        set_gpu_devices
        construct_analysis
        validate_analysis
COMObject
        GetPointer
COMObject
        get_pointer
GrpcUtilitiesException GrpcUtilitiesError
AgEOpenLogFileMode
        eOpenLogFileForWriting
        eOpenLogFileForAppending
ApplicationOpenLogFileMode
        FOR_WRITING
        FOR_APPENDING
AgEUiLogMsgType
        eUiLogMsgDebug
        eUiLogMsgInfo
        eUiLogMsgForceInfo
        eUiLogMsgWarning
        eUiLogMsgAlarm
ApplicationLogMessageType
        DEBUG
        INFO
        FORCE_INFO
        WARNING
        ALARM
AgEAppConstants
        eAppErrorBase
ApplicationConstants
        APPLICATION_ERROR_BASE
AgEAppErrorCodes
        eAppErrorPersLoadFail
        eAppErrorAlreadyLoadFail
        eAppErrorPersLoadFirst
        eAppErrorPersLicenseError
        eAppErrorNoLicenseError
ApplicationErrorCodes
        PERSONALITY_LOAD_FAILED
        PERSONALITY_ALREADY_LOADED
        PERSONALITY_NOT_LOADED
        PERSONALITY_LICENSE_ERROR
        NO_LICENSE_ERROR
AgUiApplication UiApplication
AgMRUCollection MostRecentlyUsedCollection
AgUiFileOpenExtCollection UiFileOpenDialogExtensionCollection
AgUiFileOpenExt UiFileOpenDialogExtension
IAgMRUCollection
        Item
        Count
MostRecentlyUsedCollection
        item
        count
IAgUiFileOpenExt
        FileName
        FilterDescription
        FilterPattern
UiFileOpenDialogExtension
        file_name
        filter_description
        filter_pattern
IAgUiApplication
        LoadPersonality
        Personality
        Visible
        UserControl
        Windows
        Height
        Width
        Left
        Top
        WindowState
        Activate
        MRUList
        FileOpenDialog
        Path
        CreateObject
        FileSaveAsDialog
        Quit
        FileOpenDialogExt
        HWND
        DirectoryPickerDialog
        MessagePendingDelay
        Personality2
        OpenLogFile
        LogMsg
        LogFile
        DisplayAlerts
        CreateApplication
        ProcessID
UiApplication
        load_personality
        personality
        visible
        user_control
        windows
        height
        width
        left
        top
        window_state
        activate
        most_recently_used_list
        file_open_dialog
        path
        create_object
        file_save_as_dialog
        quit
        file_open_dialog_extension
        hwnd
        directory_picker_dialog
        message_pending_delay
        personality2
        open_log_file
        log_message
        log_file
        display_alerts
        create_application
        process_id
IAgUiApplicationPartnerAccess
        GrantPartnerAccess
IUiApplicationPartnerAccess
        grant_partner_access
IAgUiFileOpenExtCollection
        Count
        Item
UiFileOpenDialogExtensionCollection
        count
        item