Wednesday, January 4, 2017

AX Retail Pos Error Number 13000 – Could not load all external service modules

In Microsoft Dynamics AX, when we first install and configure Retail POS, and try to open our POS for the first time, a very common error 13000 appears, the info prompt with a warning that says;

 "13000 - could not load all external service modules" 
The problem occurs due to the missing dll. in C:\Program Files (x86)\Microsoft Dynamics AX\60\Retail POS\Connectors folder.

In such scenario, user needs to go to  C:\Program Files (x86)\Microsoft Dynamics AX\60\Client\Bin\Connectors folder, copy the Microsoft.Dynamics.Retail.TestConnector.dll from the location and paste it under C:\Program Files (x86)\Microsoft Dynamics AX\60\Retail POS\Connectors folder.

Monday, December 26, 2016

How to create a simple lookup in x++

The SysTableLookup class is provided by the standard application to allow programmers to easily create their own lookup forms, in code.
The basic steps to using this class are as follows:
Create the sysTableLookup object
Create the query to select the lookup data
Add  the fields shown on the lookup
Performs the lookup

client static void lookup<TableName> (FormStringControl _ctrl)
{
    SysTableLookup          sysTableLookup       =  SysTableLookup::newParameters(tableNum(<tableName>),_ctrl);
    Query                   query                = new Query();

    // create the query for the lookup
    QueryBuildDataSource    queryBuildDataSource = query.addDataSource(tableNum(<tableName>));

    // Add fields that will be shown in the lookup as columns        
    sysTableLookup.addLookupfield(fieldNum(<tableName>,<FeildName1>));
    sysTableLookup.addLookupfield(fieldNum(<tableName>,<FeildName2>));

    //Add the query to the lookup form
    sysTableLookup.parmQuery(query);

    // Perform the lookup
    sysTableLookup.performFormLookup();
}

This above method of lookup was heavily used in AX 2009, and it also used in the AX 2012 when there isn’t any data source specified in the form (i.e. Dialog Form) and the StringEdit control used for the lookup

How to create a simple lookup Reference

 The SysReferenceTableLookup class is used to construct lookup forms for reference controls.
Create the SysReferenceTableLookup object
Create the query which will be used to select the lookup data
Add the fields which will be shown on the lookup
Perform the lookup 
This method is now the standard method used to lookup the data for drop down when there is any modification needed to override the behavior of the functionality provided by the automatic lookup


public static client <tableName> lookup<tableName>(
    FormReferenceControl        _formReferenceControl)
{
    Query                   query;
    SysReferenceTableLookup referenceLookup;

    if (_formReferenceControl == null)
    {
        throw error(Error::missingParameter(null));
    }

    referenceLookup = SysReferenceTableLookup::newParameters(
        tableNum(<tableName>),
        _formReferenceControl,
        true);

    // create the query for the lookup form
     query.addDataSource(tableNum(<tableName>));

    // Add fields that will be shown in the lookup form as columns
    referenceLookup.addLookupfield(fieldNum(<tableName>,<FeildName1>));
    referenceLookup.addLookupfield(fieldNum(<tableName>,<FeildName2>));


    // Add the query to the lookup form
    referenceLookup.parmQuery(query);

    // Perform the lookup and return the selected record
    return referenceLookup.performFormLookup() as <tableName>;
}

"Error executing code: The field with ID '60001' does not exist in table 'RetailStoreTable'." in AX

error : "Error executing code: The field with ID '60001' does not exist in table 'RetailStoreTable'."

Hi I got this error , when I was trying to update data in RetailStore table.To my surprise this field id was not added to RetailStore Table , then why system was checking for this field id : I debugged further and then found that there is one table : RetailConnCreateActionsByField , which is holding these values together : Table RetailStore mapped with fieldId 60001 , hence system was forced to check this field .

Solution : Remove this entry from Table

Hide Enum values in Form Control in AX


Hide Enum values in Form Control :
Well there are various situations where you  want to show only subset of Enum values :
How to do it :
Well add below , In Class declaration of form
public class FormRun extends ObjectRun
{
    SysFormEnumComboBox         sysFormEnumComboBox;
    Set                         enumSet;// = new Set(Types::Enum);
}

Add below piece of code in Form’s init method :
public void init()
{
    enumSet= new Set(Types::Enum);
    enumSet.add(Enum::A);
    enumSet.add(Enum::B);
    enumSet.add(Enum::C);
    enumSet.add(Enum::D);
   
    sysFormEnumComboBox  = sysFormEnumComboBox::newParameters(element,element.controlId(formControlStr(Form,control)),enumNum(enum),enumSet);
    super();
  
}

Inventory Dimension enable /disable based upon item selected in AX 2012

1.       Add below declaration in your class declaration of form

         public class FormRun extends ObjectRun
        {
          InventDimCtrl_Frm       inventDimFormSetup;
        }
2.       Add below piece in form’s Init method :
public void init()
{
    element.updateDesign(InventDimFormDesignUpdate::Init);
}


3.       Add below method :
InventDimCtrl_Frm inventDimSetupObject()
{
    return inventDimFormSetup;
}

4.   Add below method :
void updateDesign(InventDimFormDesignUpdate mode)
{
    inventDimParm   inventDimParmVisible;
    inventDimParm   inventDimParmEnabled;

    switch (mode)
    {
        case InventDimFormDesignUpdate::Init          :
        case InventDimFormDesignUpdate::LinkActive    :
            if (!inventDimFormSetup)
            {
                inventDimFormSetup  = InventDimCtrl::newFromForm(element);
            }
            inventDimFormSetup.parmSkipOnHandLookUp(true);

            if (element.args().dataset() == tableNum(datasource))
            {
                inventDimParmVisible = EcoResProductDimGroupSetup::newItemId(Item_Adjustment.ItemId).inventDimParmActiveDimensions();
            }
            else
            {
                inventDimParmVisible.initProductDimensionsAllGroups();
            }
            inventDimFormSetup.parmDimParmVisibleGrid(inventDimParmVisible);
            break;

        case InventDimFormDesignUpdate::Active        :
            inventDimFormSetup.formActiveSetup();
            inventDimParmEnabled = EcoResProductDimGroupSetup::newItemId(datasource.ItemId).inventDimParmActiveDimensions();
            inventDimParmEnabled.InventLocationIdFlag = true;
            inventDimFormSetup.parmDimParmEnabled(inventDimParmEnabled);
            inventDimFormSetup.formSetControls(true);
            //inventDimFormSetup.

            break;

        case InventDimFormDesignUpdate::FieldChange   :
            inventDimFormSetup.formActiveSetup();
            inventDimParmEnabled = EcoResProductDimGroupSetup::newItemId(datasource.ItemId).inventDimParmActiveDimensions();
            inventDimFormSetup.parmDimParmEnabled(inventDimParmEnabled);
            //inventDimFormSetup.
            inventDimFormSetup.formSetControls(true);
            break;

        default :
            throw error(strfmt("@SYS54195",funcname()));
    }
}


5.       Add below lines in Active method of DS :
public int active()
{
    int ret;
    ret = super();
    element.updateDesign(InventDimFormDesignUpdate::Active);
   
    return ret;
}

6      Add below line in ItemId’s modified method :
element.updateDesign(InventDimFormDesignUpdate::FieldChange);


Well you are ready to go :
 PS : You want to enable\ disable one particular  Dimension field irrespective  of Item selected , how to do : 
Simple put the corresponding flag true or false as
inventDimParmEnabled.InventLocationIdFlag = true;

how to update data inside AX table using x++

some times you need to modify some data for example Name of item how to this using x++ in AX 2009 
this lines of code will help you to do this :
void modifyitemprice ()
{
inventtable inv;
;
while select forupdate inv  where inv.itemid == "MPARA50T"
{
if(inv)
{
ttsbegin;
inv.ItemName="Paracetamol 50MG Tablet ";
inv.update();
ttscommit;
}
}
}
first you have to select what you need using select forupdate and put your criteria in where clause
and then put the new value in the field(s) you want to update it and the you have to call the update method
and the important thing for updating put the update code inside
ttsbegin;
// your code

ttscommit; 

Table ID for the tables in AX 2012 R2

AccountingDistribution ( accounting distribution 7452 )
AccountingDistributionEventTmp ( accounting distribution 100001 )
AccountingDistributionTemplate ( Accounting distribution template 7453 )
AccountingDistributionTemplateDetail ( Accounting distribution template detail 7454 )
AccountingDistributionTmp ( AccountingDistributionTmp 100002 )
AccountingDistributionTmpAmounts ( Accounting distributions 7455 )
AccountingDistributionTmpJournalize ( accounting distribution 100003 )
AccountingDistributionTmpPurchSummary ( Encumbrance summary 7446 )
AccountingEvent ( Accounting event 7456 )
AccountingEventDateTmp ( Accounting event 100004 )
AccountingEventTmp ( Accounting event 100005 )
AccountingTmpEvent ( Accounting event 100006 )
AccountSumMap ( Account totals 1326 )
AddressCountryRegionBLWI ( BLWI country/region 1049 )
AddressCountryRegionGroupBLWI ( BLWI country/region groups 1050 )
AddressZipCodeImportLog_NL ( ZIP/postal code import log 389 )
AgreementClassification ( Agreement classification 4616 )
AgreementClassificationTranslation ( Agreement classification translation 4619 )
AgreementFollowUpTmp ( Agreement 7548 )
AgreementHeader ( Agreement 4895 )
AgreementHeaderDefault ( Release order defaulting policy 4898 )
AgreementHeaderDefaultHistory ( Agreement history 4908 )
AgreementHeaderDefaultMap ( Agreement header default and agreement header default history map 7313 )
AgreementHeaderHistory ( Agreement history 4633 )
AgreementHeaderMap ( Agreement header and agreement header history map 7312 )
AgreementHeaderTmp ( Agreement 6630 )
AgreementLine ( Agreement line 4896 )
AgreementLineDefault ( Agreement line default 4907 )
AgreementLineDefaultHistory ( Agreement line history 4911 )
AgreementLineHistory ( Agreement line history 4910 )
AgreementLineMap ( Agreement line and agreement line history map 7314 )
AgreementLineQuantityCommitment ( Agreement line quantity 4901 )
AgreementLineQuantityCommitmentHistory ( Agreement line history 4913 )
AgreementLineReference ( Intercompany agreement line references 100007 )
AgreementLineReleasedLine ( Agreement released line 5188 )
AgreementLineReleasedLineHistory ( Agreement released line history 5190 )
AgreementLineReleasedLineMap ( AgreementLineReleasedLine and AgreementLineReleasedLineHistory Map 4485 )
AgreementLineTmp ( Agreement 6647 )
AgreementLineVolumeCommitment ( Agreement line volume 4899 )
AgreementLineVolumeCommitmentHistory ( Agreement line history 4912 )
AgreementReference ( Intercompany agreement references 100008 )
AgreementReleaseHeaderMatch ( Release order match 5191 )
AifAction ( Action 580 )
AifAdapter ( Adapter 1125 )
AifAppShareFile ( Application Share Files 100009 )
AifChangeTrackingTable ( Application Integration Framework Change Tracking Table 100010 )
AifChannel ( Channel 1111 )
AifCorrelation ( Correlation 566 )
AifDataPolicy ( Data policy 824 )
AifDataPolicyLegalValue ( Legal value 10116 )
AifDataPolicyXPath ( Data Policy XPath 101 )
AifDocumentField ( Data policy schema information 805 )
AifDocumentFilter ( Document filter 100011 )
AifDocumentLog ( Document table 1684 )
AifDocumentQueryFilter ( Document query filter 100012 )
AifDocumentSchemaTable ( Document schema table 1041 )
AifDocumentSetFilter ( Document set filter 100013 )
AifDocumentSetFilterElement ( Document set filter element 100014 )
AifEndpointActionValueMap ( Document setup 625 )
AifEndpointConstraintMap ( Endpoint filter map 679 )
AifExceptionMap ( Service exception metadata 100015 )
AifExceptionsView ( Exceptions associated with Application Integration Framework processing 100286 )
AifFileSystemConfiguration ( File system configuration 100016 )
AifGatewayQueue ( Gateway queue 1115 )
AifGdsCache ( Generic document service cache 100017 )
AifGlobalSettings ( Integration Framework global settings 383 )
AifInboundPort ( Inbound port 7175 )
AifLookupEntry ( Lookup entry 834 )
AifLookupTable ( Lookup table 825 )
AifMessageLog ( Message table 1693 )
AifOutboundPort ( Outbound port 7186 )
AifOutboundProcessingQueue ( Outbound processing queue 180 )
AifParameterLookup ( Parameter lookup table 2300 )
AifPipeline ( Pipeline 767 )
AifPipelineComponent ( Pipeline component 770 )
AifPipelineComponentLookup ( Pipeline component 2294 )
AifPort ( Port 7174 )
AifPortActionPolicy ( Port action policy 7225 )
AifPortDocument ( Port document 9979 )
AifPortServiceView ( Port service view 100287 )
AifPortUser ( Port user 7520 )
AifPortValueMap ( Port value map 100018 )
AifQueueManager ( Queue manager 871 )
AifResourceIdMap ( ResourceId map 2425 )
AifResourceLock ( Resource lock 5871 )
AifResponse ( AifResponse 2746 )
AifRuntimeCache ( AIF runtime cache 2471 )
AifSchemaStore ( Schema store 1040 )
AifService ( AIF service 2222 )
AifServiceReferences ( Service references 111 )
AifSqlCdcEnabledTables ( SQL Change Data Capture Enabled Tables 100019 )
AifSqlCtTriggers ( Change Tracking Trigger Configuration 100020 )
AifSqlCtVersion ( Change Tracking Version 100021 )
AifStringEdtLookup ( String field type lookup 2466 )
AifTransform ( Transforms 5414 )
AifTransformElement ( Transform pipeline elements 5421 )
AifValueSubstitutionComponentConfig ( Value substitution component configuration 2258 )
AifValueSubstitutionConfig ( Value substitution configuration table 2140 )
AifWcfConfiguration ( WCF configuration 7556 )
AifWebsites ( Web sites 370 )
AifXmlTransformConfig ( Xml transform configuration table 2147 )
AifXsltRepository ( XSLT repository table 2146 )
AllocateKeyMap ( Allocation key map 1260 )
AllocateTransMap ( Allocation transactions map 527 )
AssetAcquisitionMethod ( Fixed asset acquisition method 2378 )
AssetActivityCode ( Asset activity codes 2979 )
AssetAddition ( Fixed asset additions 2443 )
AssetBalanceReportColumnsTmp ( Fixed asset note 5370 )
AssetBalances ( Fixed asset balances 9948 )
AssetBalancesPeriodTmp ( Fixed asset movements 5371 )
AssetBasis ( Fixed asset basis 4842 )
AssetBonus ( Fixed asset special depreciation allowance 1640 )
AssetBook ( Value model by fixed asset 1328 )
AssetBookCompareTmp ( Fixed asset book compare 5372 )
AssetBookMerge ( Fixed asset books 1464 )
AssetBookMergeLookup ( Book lookup 1463 )
AssetBookTable ( Value models 1329 )
AssetBookTableDerived ( Derived value models 1387 )
AssetBookTableDerivedJournal ( Derived value models journal 1388 )
AssetBudget ( Fixed asset budget transactions 1154 )
AssetChangesHistory ( Fixed asset changes history 2593 )
AssetCondition ( Fixed asset condition 2379 )
AssetConsumptionFactor ( Consumption factor 1330 )
AssetConsumptionFactorLines ( Consumption lines 1331 )
AssetConsumptionProposalTmp ( Consumption proposal 5373 )
AssetConsumptionUnit ( Consumption units 1332 )
AssetDepBook ( Fixed assets/depreciation books 126 )
AssetDepBookBonus ( Fixed asset depreciation book special depreciation allowance 1758 )
AssetDepBookJournalName ( Depreciation book journal names 736 )
AssetDepBookJournalParmPost ( Post depreciation book journals 2382 )
AssetDepBookJournalTable ( Depreciation book journal table 737 )
AssetDepBookJournalTrans ( Depreciation book journal lines 739 )
AssetDepBookLVPTransferProposal_AU ( Asset LVP transfer proposal temp 2090 )
AssetDepBookMassUpdateTmp ( Fixed assets 5374 )
AssetDepBookTable ( Depreciation books 123 )
AssetDepBookTableDerived ( Derived depreciation books 1666 )
AssetDepBookTableDerivedJour ( Derived depreciation book journal 636 )
AssetDepBookTrans ( Depreciation book fixed asset transactions 740 )
AssetDepreciationProfile ( Depreciation table 1155 )
AssetDepreciationProfileSpec ( Fixed asset depreciation profile schedules 1156 )
AssetDepreciationZakat_SA ( Zakat assets and depreciation transactions 4092 )
AssetDisposal ( Fixed asset disposals 6323 )
AssetDisposalParameters ( Disposal parameters 1157 )
AssetDueReplacementTmp ( Fixed asset due for replacement 5531 )
AssetFieldChangesMap ( Asset field changes map 2594 )
AssetFutureValueTmp ( Future value of fixed asset 5375 )
AssetGroup ( Fixed asset groups 1139 )
AssetGroupBookSetup ( Fixed asset group/value model 1333 )
AssetGroupDepBookSetup ( Fixed asset group/depreciation book 128 )
AssetGroupDepBookSetupBonus ( Fixed asset group depreciation book special depreciation allowance setup 1674 )
AssetGroupGlobal ( Organization-wide fixed asset identifiers 6156 )
AssetGroupGlobalMapping ( Organization-wide fixed asset identifiers 100022 )
AssetGroupZakat_SA ( Zakat asset group 4093 )
AssetInsurance ( Fixed asset insurance report 4775 )
AssetInventTrans ( Inventory transactions for fixed assets 1181 )
AssetLedger ( Fixed asset posting profile 1158 )
AssetLedgerAccounts ( Fixed asset ledger accounts 1141 )
AssetLending ( Fixed assets on loan 1159 )
AssetLocation ( Fixed assets locations 1161 )
AssetLVPTransferProposal_AU ( Asset LVP transfer proposal temp 2053 )
AssetMajorType ( Fixed asset major type 2380 )
AssetMidQuarterTmp ( Fixed asset mid-quarter applicability 5376 )
AssetOverviewTmpBE ( Belgian fixed assets report 4873 )
AssetParameters ( Fixed asset parameters 1162 )
AssetParametersDeprRates_DE ( Values for reducing balance 1167 )
AssetPropertyGroup ( Property groups 2980 )
AssetRBSLFactorTable ( RB/SL factors 368 )
AssetReplacementTmp ( Asset replacement 7376 )
AssetReserveTransactionsTmp ( Posted sales tax 4840 )
AssetReserveType ( Fixed assets provision types 1335 )
AssetRevaluationGroup ( Revaluation groups for fixed assets 1336 )
AssetRevaluationGroupSpec ( Revaluation factor for fixed assets 1337 )
AssetRule ( Business rules for fixed assets determination 6171 )
AssetRuleEcoResCategory ( Asset rule - economic resource category relationship table 6173 )
AssetRuleLocal ( Asset acquisition rules - local 6172 )
AssetRuleQualifier ( Asset acquisition rules qualifier 6174 )
AssetRuleQualifierLanguage ( Asset acquisition rules qualifier languages 6175 )
AssetRuleQualifierLanguageLocal ( Asset acquisition rules qualifier languages - local 6176 )
AssetRuleQualifierLocal ( Asset acquisition rules qualifier - local 6177 )
AssetRuleQualifierOption ( Asset acquisition rules qualifier options 6178 )
AssetRuleQualifierOptionLanguage ( Asset acquisition rules qualifier option languages 6179 )
AssetRuleQualifierOptionLanguageLocal ( Asset acquisition rules qualifier option languages - local 6180 )
AssetRuleQualifierOptionLocal ( Asset acquisition rules qualifier options - local 6181 )
AssetRuleThreshold ( Asset acquisition rules threshold amounts 6182 )
AssetRuleThresholdLocal ( Asset acquisition rules threshold amounts - local 6183 )
AssetRuleTmpAssetQualifierLookup ( Lookup table for qualifier 3736 )
AssetsInAssetStatementTmp ( Fixed assets 5377 )
AssetSorting ( Fixed asset properties 1338 )
AssetStatementFixedAssetsTmp ( Fixed asset statement rows 100023 )
AssetStatementInterval ( Fixed asset interval 1676 )
AssetStatementLowValuePoolTmp_AU ( Fixed asset statement rows 5904 )
AssetStatementRow ( Fixed asset statement rows 1675 )
AssetStatementRowSetupTmp ( Fixed asset statement rows 100024 )
AssetStatementTmp ( Fixed asset statement 5378 )
AssetTable ( Fixed assets 1165 )
AssetTmpAssetTransferHistory ( View the history of transfers for the fixed asset 7308 )
AssetTmpInventoryWorkSheet ( Fixed asset physical inventory worksheet 100025 )
AssetTrans ( Fixed asset transactions 1169 )
AssetTransactionListing ( Fixed asset transactions 4776 )
AssetTransferHistory ( Fixed asset transfer history 7154 )
AssetTransMerge ( Fixed asset transactions 2239 )
AuditPolicyAdditionalOption ( Audit policy 7634 )
AuditPolicyCaseGroup ( Audit policy case group 7422 )
AuditPolicyCaseGroupAttribute ( Audit policy case group attribute 7423 )
AuditPolicyFullTextSearchTransient ( AuditPolicyFullTextSearchTransient 7420 )
AuditPolicyListKeyword ( Audit policy list keyword 6511 )
AuditPolicyListKeywordView ( AuditPolicyListKeywordView 100288 )
AuditPolicyListParty ( Audit policy list party 7113 )
AuditPolicyRuleDetail ( Audit policy rule detail 7426 )
AuditPolicyRuleViolation ( Audit policy rule violation 7427 )
AxdDocumentParameters ( Parameters for inbound Axd documents 369 )
BankAccountMap ( Bank account map 1177 )
BankAccountStatement ( Bank statement 640 )
BankAccountStatementTmp ( Bank statement 5379 )
BankAccountTable ( Bank accounts 7 )
BankAccountTableLookup ( Bank accounts 5490 )
BankAccountTrans ( Bank transactions 8 )
BankAccountTrap ( Bank account trap 8691 )
BankAccountView ( Bank account 100289 )
BankBillOfExchangeLayout ( Bill of exchange layout 1746 )
BankBillOfExchangeTable ( Bill of exchange table 1747 )
BankBillOfExchangeTmp ( Print bill of exchange 5936 )
BankBillOfExchangeTmp_FR ( Print bill of exchange 9836 )
BankCashflowReportTmp ( Bank cash flow report 5287 )
BankCentralBankPurpose ( Payment purpose codes 1142 )
BankCheckStatisticsTmp ( Bank checks statistics 7444 )
BankChequeLayout ( Check layout 9 )
BankChequePaymTrans ( Invoices paid by check 635 )
BankChequeReprints ( Check table 1396 )
BankChequeTable ( Check table 10 )
BankCodaAccountStatement ( CODA - bank statement 1776 )
BankCodaAccountStatementLines ( Bank statement details 1775 )
BankCodaAccountTable ( CODA - bank accounts 1777 )
BankCodaDetailsTmp ( Statement print 9776 )
BankCodaParameters ( CODA - bank parameters 1781 )
BankCodaTrans ( CODA - transaction 1778 )
BankCodaTransCategory ( Transaction category 1779 )
BankCodaTransDefTable ( CODA definitions 1782 )
BankCodaTransFamily ( Transaction family 1780 )
BankCustPaymIdTable ( Payment ID 8687 )
BankCustPaymModeBankAccounts ( Customer method of payment bank accounts 8688 )
BankCustVendPaymModeBankAccounts ( Customer and vendor method of payment bank accounts 8690 )
BankDeposit ( Bank deposit 11 )
BankDepositByCustomerTmp ( Deposit summary by customer 4705 )
BankDepositByDateTmp ( Deposit summary by date 5380 )
BankDocumentFacilityAgreement ( Bank facility agreements 7094 )
BankDocumentFacilityAgreementLine ( Bank facility agreement line 7095 )
BankDocumentFacilityAgreementView ( Bank document facility 9804 )
BankDocumentFacilityGroup ( Bank facility groups 7096 )
BankDocumentFacilityTmp ( Bank document facility 9803 )
BankDocumentFacilityType ( Bank facility types 7097 )
BankDocumentFacilityView ( Bank document facility view 7098 )
BankDocumentPosting ( Bank posting profiles 7127 )
BankFileArchFileTypeTable ( File types 2690 )
BankFileArchParameters ( File archive parameters 2699 )
BankFileArchTable ( File archive 2692 )
BankGroup ( Bank groups 5 )
BankIBSLog_BE ( IBS transactions 2061 )
BankIBSLogArchive_BE ( IBS archive 2060 )
BankIBSParameters_BE ( IBS parameters 2059 )
BankLC ( Letter of credit / import collection 7279 )
BankLCCustTrans ( Export letter of credit transaction 7821 )
BankLCExport ( Letter of credit / import collection export table 7280 )
BankLCExportDetailsSalesLineTmp ( Letter of credit sales line 9779 )
BankLCExportDetailsShipmentTmp ( Letter of credit/import collection shipment 9780 )
BankLCExportDetailsTmp ( Letter of credit details 9781 )
BankLCExportLine ( Letter of credit export shipment details 7281 )
BankLCImport ( Letter of credit / import collection import table 7282 )
BankLCImportApplicationPurchLineTmp ( Letter of credit application purchase line 9772 )
BankLCImportApplicationShipmentTmp ( Letter of credit/import collection shipment 9773 )
BankLCImportApplicationTmp ( Letter of credit application 9774 )
BankLCImportCharge_SA ( Letter of credit charge transactions 100027 )
BankLCImportChargeAllocation_SA ( Letter of credit transactions allocation 100026 )
BankLCImportHistory ( Letter of credit / import collection import history table 7283 )
BankLCImportLine ( Import of letter of credit shipment details 7284 )
BankLCImportLineHistory ( Letter of credit shipment details history data 7285 )
BankLCImportMargin ( Letter of credit margin transactions 100028 )
BankLCImportMarginAllocation ( Letter of credit transactions allocation 100029 )
BankLCInfo ( Letter of credit / import collection documentation information 7286 )
BankLCLine ( Letter of credit shipment details 7287 )
BankLCVendTrans ( Import letter of credit transaction 7822 )
BankLedgerReconciliationTmp ( Bank 10778 )
BankLGAction ( Letter of guarantee actions 7495 )
BankLGAmountCalculation ( Letter of guarantee amount calculation 7214 )
BankLGCustomerSalesOrder ( Sales orders 100290 )
BankLGDocumentMap ( Documents 7496 )
BankLGDocumentView ( Origin documents 7497 )
BankLGFacilityAgreementLine ( Letter of guarantee facility agreement line 7215 )
BankLGGuarantee ( Letter of guarantee 100030 )
BankLGGuaranteeCustomerSalesOrder ( Letter of guarantee 100031 )
BankLGGuaranteeProject ( Letter of guarantee 100032 )
BankLGGuaranteePurchaseOrder ( Letter of guarantee 100033 )
BankLGGuaranteeRelationMap ( Letter of guarantee 100275 )
BankLGGuaranteeSalesQuotation ( Letter of guarantee 100034 )
BankLGProject ( Projects 100291 )
BankLGPurchaseOrder ( Purchase orders 100292 )
BankLGSalesQuotation ( Quotations 7500 )
BankNegInstTableMap ( Negotiable instruments map 1711 )
BankParameters ( Bank parameters 708 )
BankPaymAdviceChequeTmp ( BankPaymAdviceChequeTmp 5594 )
BankPaymAdviceCustTmp ( BankPaymAdviceCustTmp 5595 )
BankPaymAdviceVendTmp ( BankPaymAdviceVendTmp 5937 )
BankPaymBalanceSurvey ( Survey code 6083 )
BankPaymBalanceSurveyPaymCodes ( Survey codes and purpose codes 6096 )
BankPromissoryNoteLayout ( Promissory note layout 1636 )
BankPromissoryNoteTable ( Promissory note table 1635 )
BankPromissoryNoteTmp_ES ( Promissory note 7236 )
BankPromissoryNoteTmp_FR ( Promissory note 7265 )
BankReconciliationSummaryTmp ( Bank reconciliation 5938 )
BankReconciliationTmp ( Bank reconciliation 5939 )
BankRemittanceFileCustVend ( Bank remittance 1803 )
BankRemittanceFilesCust ( Remittance files for customers 1599 )
BankRemittanceFilesVend ( Remittance files for vendors 1596 )
BankState11 ( State 11 1048 )
BankStmtISOAccountStatement ( Bank statement account statement 7382 )
BankStmtISOCashBalance ( Bank statement cash balance 7383 )
BankStmtISOCashBalanceAvailibility ( Bank statement cash balance availability 7384 )
BankStmtISODiscrepancy ( Bank statement discrepancy 7681 )
BankStmtISODocument ( Bank statement document 7385 )
BankStmtISOGroupHeader ( Bank statement group header 7386 )
BankStmtISOPartyIdentification ( Bank statement party identification 7387 )
BankStmtISOReportEntry ( Bank statement report entry 7388 )
BankTmpState11 ( BLWI report transactions 1057 )
BankTransactionTypeGroupHeader ( Bank transaction groups 643 )
BankTransType ( Bank transaction type 12 )
BankTransTypeGroupDetails ( Bank transaction types 644 )
BankVendPaymModeBankAccounts ( Vendor method of payment bank accounts 8689 )
BarcodeSetup ( Bar code setup 1214 )
Batch ( Batch transactions 2827 )
BatchConstraints ( Has conditions 2100 )
BatchConstraintsHistory ( Batch constraints history 2079 )
BatchGlobal ( BatchGlobal 124 )
BatchGroup ( Batch groups 2828 )
BatchHistory ( Batch tasks history 2272 )
BatchJob ( Batch job 2096 )
BatchJobAlerts ( Batch job alerts 2004 )
BatchJobHistory ( Batch jobs history 2271 )
BatchServerConfig ( Batch server schedule 2026 )
BatchServerGroup ( Batch server groups 2399 )
BIAnalysisServer ( Analysis server table 1063 )
BICompanyView ( Company 3959 )
BIConfiguration ( Configuration 2453 )
BICurrencyView ( Currency 11002 )
BIDateAttribute ( BI date attribute 7414 )
BIDateDimension ( Time dimension 7418 )
BIDateDimensionFormatStrings ( Time dimension format strings 3792 )
BIDateDimensionsView ( Date dimension 7477 )
BIDateDimensionTranslations ( Time dimension translations 3791 )
BIDateDimensionTranslationsView ( Date dimension translations 7478 )
BIDateDimensionValue ( Time dimension values 7416 )
BIDateGregorian ( Gregorian calendar date 7305 )
BIDateHierarchy ( BI date dimension hierarchy 7417 )
BIDateHierarchyTmp ( BI date dimension hierarchy 100035 )
BIExchangeRateView ( Exchange rates by day 7542 )
BIPerspectives ( Perspectives 2810 )
BISampleOrgHierarchyView ( Sample BI Organization Hierarchy View 7232 )
BITimePeriodsMDX ( Time periods 842 )
BIUdmTranslations ( UDM translations 2834 )
BlackListTable_IT ( Black list report table 12150 )
BlackListTransTable_IT ( Black list transaction report table 12151 )
BOM ( BOM lines 18 )
BOMCalcGroup ( Calculation groups 1114 )
BOMCalcItemInventoryDimensionTask ( BOM calculation task (product dimensions) 12129 )
BomCalcItemTask ( BOM calculation tasks 12130 )
BOMCalcTable ( Calculation 19 )
BOMCalcTmpRoutePhantom ( Open the selected activity 6104 )
BOMCalcTrans ( BOM calculation transactions 20 )
BOMCalcTransMap ( BOM calculation transactions 1580 )
BOMConfigRoute ( Configuration route 21 )
BOMConfigRule ( Configuration rules 22 )
BOMConsistOfTmp ( Lines 10154 )
BOMCostGroup ( Cost groups 146 )
BOMCostProfit ( Profit-setting 147 )
BOMDefaultProductionFlow ( Default production flow 4268 )
BOMLevelRecalculation ( BOM level recalculation 10810 )
BOMMap ( BOM lines 23 )
BOMParameters ( BOM parameters 24 )
BOMParmReportFinish ( Report as finished 711 )
BOMPartOfTmp ( BOMPartOfTmp 5885 )
BOMTable ( Bills of materials 26 )
BOMTmpUsedItem2ProducedItem ( Relationships 2745 )
BOMVersion ( BOM versions 27 )
BudgetAllocationTerm ( Budget allocation terms 3144 )
BudgetAllocationTermDetail ( Budget allocation term lines 3142 )
BudgetAllowTransferRule ( Budget transfer rules 7875 )
BudgetAllowTransferRuleMember ( Budget transfer rule members 7879 )
BudgetAllowTransferRuleMemberCriteria ( Budget transfer rule member criteria 7880 )
BudgetCheckResultErrorWarningDetail ( Budget check result error warning detail 3995 )
BudgetConsTmpDimensionValueItem ( Consolidations dimension values 5968 )
BudgetControlBudgetCycle ( Budget models by budget cycle 10493 )
BudgetControlConfiguration ( Budget control configuration 7089 )
BudgetControlDimensionAttribute ( Budget control dimensions 7091 )
BudgetControlMainAccount ( Budget control main account 5945 )
BudgetControlRule ( Budget control rules 7102 )
BudgetControlRuleCriteria ( Budget control rule criteria 7108 )
BudgetControlRuleUserGroupOption ( Budget user group options 7109 )
BudgetControlSourceIntegratorEnabled ( Budget control source integrator enabled 11479 )
BudgetControlUserGroupSuppressWarnings ( User groups that have budget control warning messages suppressed 100036 )
BudgetCycle ( Budget cycle 7066 )
BudgetCycleTimeSpan ( Budget cycle time span 7067 )
BudgetGroup ( Budget groups 7110 )
BudgetGroupLedgerDimension ( Budget group ledger dimension 7117 )
BudgetGroupMember ( Budget group members 7111 )
BudgetGroupMemberCriteria ( Budget group member criteria 7114 )
BudgetGroupUserGroupOption ( Budget user group options 7116 )
BudgetMap ( Budget map 28 )
BudgetModel ( Budget models 29 )
BudgetModelMap ( Budget model map 30 )
BudgetOverrideUserGroupOption ( Over budget permissions 7092 )
BudgetParameters ( Budget parameters 2535 )
BudgetPrimaryLedgerDimensionAttribute ( Budget dimensions 7112 )
BudgetSource ( Budget source 2619 )
BudgetSourceTracking ( Budget source tracking 2686 )
BudgetSourceTrackingDetail ( Budget source tracking detail 2617 )
BudgetSourceTrackingRelievingDetail ( Budget source tracking relieving details 3003 )
BudgetSourceTrackingSummary ( BudgetSourceTrackingSummary 100037 )
BudgetTmpBalance ( Budget balances 3004 )
BudgetTmpConsolidation ( Budget consolidation 3389 )
BudgetTmpControlStatistics ( Budget control statistics 25 )
BudgetTmpDetails ( Budget register entry details 5891 )
BudgetTmpEnum ( Budget enum details 100038 )
BudgetTransactionCode ( Budget codes 2546 )
BudgetTransactionCube ( Budget register entries 7706 )
BudgetTransactionHeader ( Budget register entries 2547 )
BudgetTransactionLine ( Budget account entries 2549 )
BudgetTransactionLineReverse ( Budget account entry reversal 2886 )
BusinessStatisticsData ( Business statistics lines 32 )
BusinessStatisticsDef ( Business statistics 33 )
CapitalAdjReportTmp_MX ( Capital report 6966 )
CaseAssociation ( Case association 2298 )
CaseCategoryHierarchyDetail ( Case category 2297 )
CaseDependency ( Case dependency 2775 )
CaseDetail ( Case detail 2254 )
CaseDetailBase ( Case 5489 )
CaseLog ( Case log details 2779 )
CaseWebDetail ( Case web detail 100039 )
CaseWorkflowWorkItem ( Case workflow work item 10563 )
CashDisc ( Cash discount 34 )
CatCart ( Shopping cart 4650 )
CatCartLine ( Shopping cart line 4651 )
CatCartLineState ( Shopping cart line state 4657 )
CatCatalogPolicyRule ( Purchasing policy 4950 )
CatCatalogProductRelationType ( Manually hidden products in the navigation categories 4690 )
CatCategoryProductReference ( Category product reference 4655 )
CatClassifiedProductReference ( Classified product reference 4654 )
CatDisplayCategoryAttributeRange ( Filterable attribute range 5347 )
CatDisplayCategoryFilterableAttribute ( Filterable attribute 6208 )
CatDisplayCategoryFilterRange ( Filterable attribute range 5348 )
CatDisplayCategoryPriceRange ( Display category price range 5349 )
CatDisplayCategorySharedInfo ( The shared information between multiple CatDisplayCategoryTable entries 2829 )
CatDisplayCategoryTable ( Navigation category 2830 )
CatDisplayCategoryTranslation ( Display category translation 6648 )
CatDisplayCategoryView ( Navigation category 3405 )
CatDisplayExternalCatalogAdded ( Manually-Hidden products view 4722 )
CatDisplayExternalCatalogAll ( Navigation category products view 4730 )
CatDisplayExternalCatalogCategory ( Manually hidden products in the navigation categories 4691 )
CatDisplayExternalCatalogOriginal ( Procurement category products view 4723 )
CatDisplayExternalCatalogOverride ( Manually-Hidden products view 4724 )
CatDisplayExternalCatalogSifted ( Filtered procurement category products view 4726 )
CatDisplayExternalCatalogSite ( Procurement category products view 4725 )
CatDisplayExternalCatalogSiteAll ( Navigation category products view 4731 )
CatDisplayExternalCatalogSiteAllActive ( Navigation category external catalogs view for site (active procurement category) 100293 )
CatDisplayExternalCatalogSiteSifted ( Filtered procurement category products view 4727 )
CatDisplayProductAdded ( Manually-Hidden products view 4695 )
CatDisplayProductAll ( Navigation category products view 4696 )
CatDisplayProductCategory ( Manually hidden products in the navigation categories 4692 )
CatDisplayProductOriginal ( Procurement category products view 4698 )
CatDisplayProductOverride ( Manually-Hidden products view 4699 )
CatDisplayProductSifted ( Filtered procurement category products view 4697 )
CatDisplayProductSite ( Procurement category products view 4700 )
CatDisplayProductSiteAll ( Navigation category products view 4701 )
CatDisplayProductSiteAllActive ( Navigation category product view for site (active procurement category) 100294 )
CatDisplayProductSiteSifted ( Filtered procurement category products view 4702 )
CatDisplaySharedDataTranslation ( Shared data translation 6650 )
CatDisplayVendorAdded ( Manually-Hidden products view 4736 )
CatDisplayVendorAll ( Navigation category products view 4743 )
CatDisplayVendorCategory ( Manually hidden products in the navigation categories 4694 )
CatDisplayVendorOriginal ( Procurement category products view 4737 )
CatDisplayVendorOverride ( Manually-Hidden products view 4738 )
CatDisplayVendorSifted ( Filtered procurement category products view 4741 )
CatDisplayVendorSite ( Procurement category products view 4739 )
CatDisplayVendorSiteAll ( Navigation category products view 4744 )
CatDisplayVendorSiteAllActive ( Navigation category vendor view for site (active procurement category) 100295 )
CatDisplayVendorSiteSifted ( Filtered procurement category products view 4742 )
CatDistinctProductReference ( Product reference 4653 )
CategoryTable ( Category table 2611 )
CatExternalCatalog ( External catalog 2588 )
CatExternalCatalogCategories ( External catalog categories 2606 )
CatExternalCatalogFilter ( External catalogs 6245 )
CatExternalCatalogProperties ( External catalog session properties 2599 )
CatExternalCatalogQuote ( External catalog quotation 5383 )
CatExternalCatalogTranslation ( External catalog 6942 )
CatExternalCatalogVendor ( Vend external catalog 3669 )
CatExternalCatalogVendorCategory ( External catalog vendor category 100296 )
CatExternalHostedProduct ( External hosted product 2719 )
CatExternalMessageFormat ( External message format 2603 )
CatExternalQuoteProductReference ( External quotation product reference 4656 )
CatExternalRunTimeAttributes ( External run time attributes 2723 )
CatExternalVendorBasketSettings ( External catalog vendor basket settings 2892 )
CatExternalVendorSiteSettings ( External vendor site settings 2595 )
CatParameters ( Vendor catalog import parameters 7068 )
CatProcureCatalogPriceRange ( Procurement catalog price range 6210 )
CatProcureCatalogTable ( Procurement catalogs 2841 )
CatProcureCatalogTranslation ( Shared data translation 100040 )
CatProcurementCache ( Procurement cache 5469 )
CatProcurementCatalogProductSiteAll ( Navigation category products view 10770 )
CatProductAttributeFilter ( Product attributes 5488 )
CatProductFilter ( External catalogs 6246 )
CatProductReference ( Product reference 4652 )
CatProductSearchableAttributeFilter ( Searchable attribute 6288 )
CatTmpExternalCatalogCategory ( External catalog procurement category 100041 )
CatUserReview ( User reviews 6872 )
CatUserReviewComment ( User review comments 6875 )
CatUserReviewComputedProductRating ( Average user product ratings 6876 )
CatUserReviewComputedVendorRating ( Average user vendor ratings 6877 )
CatUserReviewProduct ( User product reviews 6873 )
CatUserReviewSettings ( User review settings 6878 )
CatUserReviewVendor ( User vendor reviews 6874 )
CatVendCatalogFilePerLegalEntity ( Catalog file per legal entity 100297 )
CatVendCatalogFileStatusInLegalEntity ( Catalog file status in legal entity 100298 )
CatVendCatalogFileTotalApprovedProducts ( Total approved products in a catalog file 100299 )
CatVendCatalogFileTotalProducts ( Total products in a catalog file 100300 )
CatVendCatalogFileTotalReleasedInLE ( Total products released to legal entity 100301 )
CatVendExternalCatalog ( Vend external catalog 2605 )
CatVendorApprovedProduct ( Vendor approved products 5183 )
CatVendorBooleanValue ( The value of the Boolean data type for the attributes 5205 )
CatVendorCatalog ( Vendor catalogs 3289 )
CatVendorCatalogImportEventLog ( Catalog import event log 5002 )
CatVendorCatalogMaintenanceRequest ( Dependent 4811 )
CatVendorCatalogProductPerCompany ( Catalog Released products 7773 )
CatVendorChannel ( Vendor configuration 4825 )
CatVendorCriterionGroupAverage ( Average ratings per vendor and category 7894 )
CatVendorCurrencyValue ( Currency attribute values 9851 )
CatVendorDateTimeValue ( The value of the DateTime data type for the attributes 5207 )
CatVendorFloatValue ( The value of the Float data type for the attributes 5208 )
CatVendorIntValue ( The value of the Integer data type for the attributes 5209 )
CatVendorProductCandidate ( Product candidate 3409 )
CatVendorProductCandidateImage ( Product image 5186 )
CatVendorProductCandidatePrice ( Product price 4813 )
CatVendorProductTextTranslation ( Product text translation 5187 )
CatVendorReleaseCatalog ( Release catalog to legal entity 4810 )
CatVendorSchemaDownloadLog ( Schema download log 4809 )
CatVendorTextValue ( The value of the Text data type for the attributes 5211 )
CatVendorTextValueTranslation ( The localization of properties of the attributes 5212 )
CatVendorTmpProductAttribute ( Catalog import product attribute values 100042 )
CatVendProdCandidateAttributeValue ( The base table for other value tables that each stores values of a different data type 5210 )
CCTmpStatistics ( Statistics 8001 )
ChequeTmp ( ChequeTmp 9908 )
ChequeTmp_FR ( ChequeTmp_FR 9914 )
CollabSiteLink ( Collaboration workspace associations 100043 )
CollabSiteParameters ( General settings for collaboration workspaces 2681 )
CollabSiteTable ( Collaboration workspace URLs 100044 )
CommissionCalc ( Commission rates 35 )
CommissionCustomerGroup ( Commission customer group 36 )
CommissionItemGroup ( Commission item group 37 )
CommissionSalesGroup ( Commission sales group 38 )
CommissionSalesRep ( Commission sales rep. 39 )
CommissionTrans ( Commission transactions 40 )
Common ( Common 65535 )
CompanyCurrencyConversion ( Company currency conversion 1364 )
CompanyDefaultLocation ( Legal entity default locations 4784 )
CompanyImage ( Company images 1394 )
CompanyInfo ( Legal entities 41 )
CompanyNAFCode ( NAF codes 1120 )
CompanyView ( Company 1475 )
ConfigChoice ( Configuration selection 42 )
ConfigGroup ( Configuration groups 43 )
ContactPerson ( Contacts 520 )
ContentType ( Content types 7366 )
ConvInventPriceIsZeroTmp ( Items with prices converted to zero 10745 )
COSAccrualTable ( Accrual schemes 1238 )
COSAllocation ( Allocation 1828 )
COSAllocationLine ( Allocation line 1829 )
COSCalcTrans ( Calculation transactions 1830 )
COSCalculation ( Calculation 1831 )
COSCalculationReportTmpLine ( Calculation report lines 100045 )
COSCostAccrual ( Accruals 1832 )
COSCostBalances ( Cost balances 1833 )
COSCostBudget ( Cost budget 1834 )
COSCostDistribution ( Cost distribution 1835 )
COSCostDistributionLine ( Cost distribution lines 1836 )
COSCostPercent ( Cost splitting 1838 )
COSCostRates ( Maintain cost rates 1839 )
COSCostTrans ( Cost transaction 1840 )
COSDiffLedgerTmp ( Cost category accounting 10048 )
COSDimensionAttributeLink ( Dimension attribute link 7273 )
COSHierarchy ( Hierarchies 1842 )
COSHierarchyLinear ( Hierarchy levels 114 )
COSHierDivision ( Divisions 1843 )
COSHierStructure ( Hierarchy structure 1845 )
COSJournalNameTab ( Journal names 1846 )
COSJournalTable ( Register transactions 1847 )
COSJournalTrans ( Journal transaction 1848 )
COSJournalTxt ( Ledger journal texts 1849 )
COSLedgerAllocDim ( Checklist, cost categories 1850 )
COSLedgerControlDim ( Dimension posting control 1851 )
COSLedgerLine ( Line details 1852 )
COSLedgerReference ( Cost category reference 1854 )
COSLedgerTable ( Cost categories 1855 )
COSLine ( Cost line 1856 )
COSLineCalculation ( Calculate lines 2393 )
COSLineLinear ( Line structure for EDS 1436 )
COSLineStructure ( Line structures 1857 )
COSLineSum ( Line total 1858 )
COSParameters ( Parameter 1859 )
COSPlanAccounts ( Plan cost category 1860 )
COSPlanCalculation ( Calculation setup 1862 )
COSPlanCostTrans ( Transactions/Budget 1863 )
COSPlanDimensions ( Plan dimensions 1864 )
COSPlanLineCost ( Cost allocation 1865 )
COSPlanLines ( Plan positions 1866 )
COSPlanLineTrans ( Planning, line movements 1867 )
COSPlanModel ( Forecast model 1868 )
COSPlanTable ( Plan table 1869 )
COSPlanWorkLoad ( Import service plan 1870 )
COSPlanWorkTrans ( Plan service transactions 1872 )
COSPlanWorkUnits ( Plan service units 1873 )
COSPrintReportLine ( EDS sum line 1900 )
COSRateCalcDefinition ( Cost rate calculation 1874 )
COSReference ( Reference table 1875 )
COSReferenceLine ( Reference table values 1876 )
COSReport ( Cost accounting report 1877 )
COSReportColumn ( Report columns 1879 )
COSReportLine ( Report lines 1880 )
COSReportPrintTmp ( COSReportPrintTmp 10473 )
CostControlTransCommittedCost ( Committed cost updates 2353 )
CostControlTransCommittedCostCube ( Committed cost updates 10152 )
CostingVersion ( Costing versions 2449 )
CostingVersionMap ( Costing version map 1374 )
COStmpAccrualTrans ( Overview accrual transactions 1110 )
COStmpAllowedDimensions ( Allowed on 2451 )
COStmpBalancesDimHier ( Balances 1881 )
COStmpCalcBalances ( Balances 1883 )
COSTmpCalcHierarchy ( Calculated value 1885 )
COStmpCalculate ( Calculated value 1886 )
COStmpCostBalances ( Cost balances 1887 )
COSTmpCostTrans ( Calculated value 1890 )
COSTmpDateSumCode ( Date totals 1891 )
COSTmpDimensions ( Calculated value 1892 )
COSTmpLine ( Calculated value 1894 )
COSTmpLineBudget ( Calculated value 1895 )
COStmpOffsetBalancesDimHier ( Calculated value 1896 )
COStmpPlanTrans ( Calculated value 1898 )
COSTmpReport ( Calculated value 1899 )
COSTmpReportSum ( Calculated value 1901 )
COStmpUsedDimensions ( Dimensions used 544 )
COStmpVersion ( Calculated value 1902 )
COStmpWorkBalances ( Service balances 1903 )
COSTmpWorkUnits ( Calculated value 1905 )
COSTransTmp ( Transaction journal 7547 )
CostSheetCache ( CostSheetCache 6107 )
CostSheetCalculationBasis ( Costing sheet calculation basis 2797 )
CostSheetCalculationFactor ( Costing sheet calculation factor 1541 )
CostSheetCostGroupImpact ( CostSheetCostGroupImpact 2869 )
CostSheetNodeTable ( Costing sheet node 2739 )
CostSheetTable ( Costing sheet 2780 )
CostSheetTmpNodeTable ( Costing sheet 2806 )
CostTmpCalcCode2ProdCalcTrans (  2853 )
CostTmpCalcTrans ( Cost transactions 2737 )
CostTmpCostRollup ( The CostTmpCostRollup table contains the amount for each cost group 2467 )
CostTmpSheetCalcResult ( Costing sheet result 2761 )
COSVersion ( Calculation version 1906 )
COSWorkBudget ( Service budget 1908 )
COSWorkDistribution ( Service distribution 1909 )
COSWorkDistributionLine ( Service distribution lines 1910 )
COSWorkLine ( Service line 1911 )
COSWorkOffset ( Service balances, offset transaction 1912 )
COSWorkTrans ( Service transaction 1913 )
CreditCardAuthTrans ( Credit card transactions 2347 )
CreditCardCust ( Customer credit card 2349 )
CreditCardCustNumber ( Credit card numbers 2748 )
CreditCardMicrosoftSetup ( Windows Live ID setup 2753 )
CreditCardProcessors ( Payment services 2351 )
CreditCardProcessorsSecurity ( Payment services security 2774 )
CreditCardTypeCurrency ( Credit card type currency 10458 )
CreditCardTypeSetup ( Credit card type setup 10457 )
Currency ( Currency table 47 )
CurrencyBLWI ( BLWI currencies 1051 )
CurrencyCodeMap ( Currency code map 2049 )
CurrencyEuroDenomination ( Denomination currency 6895 )
CurrencyGender ( Currency gender 7888 )
CurrencyLedgerGainLossAccount ( Currency ledger revaluation account 6896 )
CurrencyOnlineConversion ( Currency online conversion 6910 )
CustAccountStatementExtTmp ( Customer - external account statement 10578 )
CustAging ( Customer aging snapshot header 3145 )
CustAgingLegalEntity ( Customer aging snapshot 5256 )
CustAgingLegalEntityView ( Customer aging snapshot 5397 )
CustAgingLine ( Customer aging snapshot line 3146 )
CustAgingLineView ( Customer aging snapshot 5398 )
CustAgingReportTmp ( Customer aging report 10601 )
CustAuditorTmp ( Customer auditor 7780 )
CustBalanceListTmp_MY ( Customer balance list with credit limit 4879 )
CustBankAccount ( Customer bank accounts 50 )
CustBillOfExchangeInvoice ( Bill of exchange invoices 1595 )
CustBillOfExchangeJour ( Bill of exchange journal 1476 )
CustBillOfExchangeOpenTransTmp_ES ( Open cartera transactions by due date 7248 )
CustBillOfExchangeReportTmp ( Bill of exchange journal 5596 )
CustBillOfExchangeTrans ( Bill of exchange lines 1503 )
CustBillOpenTrans_FR ( List of open customer drafts 7299 )
CustCheckSettlement ( Customer settlement 7783 )
CustClassificationGroup ( Customer classification groups 1101 )
CustCOD ( Customer transactions 6226 )
CustCollectionJourTmp ( Collection letter note 10603 )
CustCollectionLetterJour ( Collection letter journal 51 )
CustCollectionLetterLine ( Collection letter lines 52 )
CustCollectionLetterTable ( Collection letter setup 53 )
CustCollectionLetterTrans ( Collection letter transactions 54 )
CustCollectionsAgent ( Collections agent 2180 )
CustCollectionsAgentPool ( Customer collections agent and customer pool relationships 2183 )
CustCollectionsCaseDetail ( Customer collections cases 5563 )
CustCollectionsContact ( Customer collections contact person 3386 )
CustCollectionsPool ( Customer pools 2174 )
CustCollectionsTmpCriteria ( Collection customer pool query criteria 2177 )
CustConfirmJour ( Sales order confirmations 55 )
CustConfirmSalesLink ( Customer confirmation - sales order relation table 1501 )
CustConfirmTrans ( Confirmation lines 56 )
CustDefaultLocation ( Customer default locations 4780 )
CustDispute ( Dispute status 3213 )
CustDomStatementTmp_BE ( Payment control 5842 )
CustDueReportDetailTmp ( Detailed due day list 100046 )
CustEgiroFtxAnalyse ( eGiro free-text analysis 2696 )
CustEgiroParameters ( eGiro parameters 2697 )
CustEgiroSegmentTrans ( eGiro segments 2698 )
CustEinvoiceDatasource ( eInvoice data source 8692 )
CustEinvoiceDatasourceFields ( eInvoice fields 8693 )
CustEinvoiceHeader ( eInvoice header 8694 )
CustEinvoiceIntegration ( Integration 8695 )
CustEinvoiceIntegrationError ( Error codes 8696 )
CustEinvoiceIntegrationPaymModeChg ( Integration payment mode change 8697 )
CustEinvoiceIntegrationTrans ( E-Invoice transactions 8698 )
CustEinvoiceIntegrationTypeTable ( Integration type 2693 )
CustEinvoiceLines ( eInvoice lines 2694 )
CustEinvoiceTable ( e-invoice 2695 )
CustExchRateAdjSimulationTmp ( Simulation 7775 )
CustExchRateAdjustment ( Foreign currency revaluation 1126 )
CustFormletterDocument ( Customer, form setup 1307 )
CustFormletterParameters ( Customer, form parameters 1305 )
CustGrossMarginbyAccount_NA ( Customer invoice journal 5566 )
CustGrossMarginbyItem_NA ( Customer invoice journal 5567 )
CustGroup ( Customer groups 57 )
CustInPaymentCHTmp ( Import file 5843 )
CustInPaymTmpNO ( Import file 7346 )
CustInPaymTmpSE ( Import file 7487 )
CustInterest ( Customer interest codes 58 )
CustInterestAdjustmentHistory ( History 9733 )
CustInterestFee ( Customer interest code currency details 59 )
CustInterestJour ( Interest journal 60 )
CustInterestNoteTmp ( Interest note 5107 )
CustInterestRange ( Range 2912 )
CustInterestTrans ( Interest lines 61 )
CustInterestVersion ( Customer interest code versions 4575 )
CustInterestVersionDetail ( Customer interest version detail 4576 )
CustInterestWaiveLimit ( Interest waive limit 7137 )
CustInterestWriteOffUnPostedJournal ( Interest write off un posted  journal 7230 )
CustInvoiceBackorderLine ( Backorder invoice lines 1570 )
CustInvoiceDistributionTemplate ( Free text invoice template line - %1 7151 )
CustInvoiceJour ( Customer invoice journal 62 )
CustInvoiceJourTmp ( Customer invoice journal 7892 )
CustInvoiceLine ( Customer free text invoice lines 63 )
CustInvoiceLineIdRef ( Customer transaction line identifier 3438 )
CustInvoiceLineMapping ( CustInvoiceLineMapping 4881 )
CustInvoiceLineTemplate ( Free text invoice template lines - %1 7148 )
CustInvoiceMarkupTransTemplate ( Template charges 7150 )
CustInvoicePackingSlipQuantityMatch ( Customer invoice - packing slip matching 7229 )
CustInvoiceSalesLink ( Customer invoice - sales order relation table 1500 )
CustInvoiceSettled_TransDateTmp_ES ( Bill-Invoice relation by transaction date 5629 )
CustInvoiceSpecTmp ( Invoice specification 10418 )
CustInvoiceStandardLineTemplate ( Customer free text invoice template lines 7149 )
CustInvoiceTable ( Customer free text invoice 1209 )
CustInvoiceTemplate ( Free text invoice template 7147 )
CustInvoiceTmp ( Open invoice transactions 7506 )
CustInvoiceTrans ( Customer invoice lines 64 )
CustInvoiceTransExpanded ( Customer invoice lines 7070 )
CustInvoiceVolumeTmp ( Invoice turnover report 7779 )
CustInvoiceVolumeTmp_BE ( Invoice turnover report 10167 )
CustLedger ( Customer posting profiles 65 )
CustLedgerAccounts ( Customer ledger accounts 66 )
CustLedgerReconciliationTmp ( Customer 10779 )
CustLedgerTransTmp ( History by transaction 6186 )
CustLedgerTransTypeMapping ( Settlement transaction mapping 5131 )
CustOpenInvoices ( Open customer invoices 118 )
CustOpenTransWithIdRef ( Open customer transactions with IDs 2455 )
CustOutAttendingNote_BillRemittanceTmp ( Bill group 10657 )
CustOutAttendingNoteATTmp_EDIFACT ( Data medium accompanying note 7772 )
CustOutAttendingNoteTmpDE_DTAUS ( Diskette accompanying note 100047 )
CustOutPaymOrderCHTmp_DebitDirect ( Payment order 5845 )
CustOutPaymOrderCHTmp_LSV ( Bank payment order 5846 )
CustPackingSlipBackorderLine ( Backorder packing slip lines 1573 )
CustPackingSlipBackorderLineHistory ( Backorder packing slip lines 100048 )
CustPackingSlipJour ( Customer packing slips 71 )
CustPackingSlipSalesLink ( Customer packing slip - sales order relation table 1502 )
CustPackingSlipTrans ( Customer - packing slip lines 72 )
CustPackingSlipTransExpanded ( Customer packing slip lines 7238 )
CustPackingSlipTransHistory ( Customer packing slip line history 100049 )
CustPackingSlipVersion ( Customer packing slip versions 100050 )
CustParameters ( Customer parameters 67 )
CustPaymDates_BE ( Execution date 115 )
CustPaymentJournalTmp_NA ( Customer payment journal 5900 )
CustPaymFee ( Customer payment fee 1542 )
CustPaymFormat ( File formats for methods of payment (customers) 1171 )
CustPaymManFee ( Payment fee 869 )
CustPaymManFeeHist ( History on payment fee 936 )
CustPaymManFeeHistTmp ( Payment fee list 5381 )
CustPaymManFeeLines ( Fee lines for payment 1271 )
CustPaymManFile ( File extract 909 )
CustPaymManParmTrans ( Payment parameter transactions 1301 )
CustPaymManPostReq ( Validation 913 )
CustPaymManStepChange ( Payment step process changed 1266 )
CustPaymManStepPosting ( Payment step posting 860 )
CustPaymManStepTable ( Payment step process 859 )
CustPaymManTrans ( Payment transactions 861 )
CustPaymManTransHist ( History on payment 862 )
CustPaymManUnpaidTmp ( Voided payment transactions 4841 )
CustPaymMethodAttribute ( Payment attributes in payment proposal 386 )
CustPaymMethodVal ( Payment control in customer journals 777 )
CustPaymModeFee ( Customer payment fee setup 1543 )
CustPaymModeFeeInterval ( Customer payment fee interval 1613 )
CustPaymModeSpec ( Customer specifications 1075 )
CustPaymModeTable ( Methods of payment - customers 70 )
CustPaymReconciliationPrint_DK_BSTmp ( Customer - payment reconciliation 5226 )
CustPaymSched ( Customer - payment schedules 68 )
CustPaymSchedLine ( Customer payment schedule lines 69 )
CustPostPaymJournalTmp ( Customer posted payment journal 4859 )
CustPrenote ( Customer prenotes 2913 )
CustProvisionalBalanceTmp ( Customers 7900 )
CustQuotationConfirmJour ( Quotation confirmation 120 )
CustQuotationConfirmSalesLink ( Sales quotation confirmation - sales order relation table 122 )
CustQuotationConfirmTrans ( Quotation confirmation lines 121 )
CustQuotationJour ( Quotation journal 73 )
CustQuotationSalesLink ( Sales quotation - sales order relation table 1497 )
CustQuotationTrans ( Quotation lines 74 )
CustRecurrenceInvoice ( Customer invoice recurrence setup 7152 )
CustRecurrenceInvoiceGroup ( Post recurring invoices 7635 )
CustRelatedInvoice ( Related invoices 4882 )
CustSalesItemGroupStatisticsTmp_NA ( Sales item group statistics 5620 )
CustSalesOpenLines ( Order lines 6284 )
CustSalesOpenOrders_NA ( Open sales orders 6111 )
CustSettlement ( Customer settlement 75 )
CustSettlementLine ( Customer settlement lines 3439 )
CustSettlementPriority ( Settlement priority 3132 )
CustSettlementTransactionPriority ( Settlement priority 4596 )
CustShippedNotInvoicedTmp_NA ( Shipped not invoiced 4855 )
CustStatementDirTmp ( Customer account statement 2369 )
CustStatisticsGroup ( Statistics group 76 )
CustTable ( Customers 77 )
CustTableCube ( Customers 5312 )
CustTmpAccountSum ( Account totals 1377 )
CustTrans ( Customer transactions 78 )
CustTransCashDisc ( Customer cash discount 1045 )
CustTransIdRef ( Customer transaction identifiers 2093 )
CustTransListTmp ( Customer transactions, that is, invoices, payments, etc. 5598 )
CustTransMarkedOpenLine ( Mark transaction lines 3440 )
CustTransOpen ( Open customer transactions 865 )
CustTransOpenLine ( Open customer transaction lines 3441 )
CustTransOpenPerDateTmp ( Open transactions 5599 )
CustTransOpenTmp_ES ( Open transactions 5630 )
CustTransTotalSales ( Total customer sales 5313 )
CustUserRequest ( Customer user requests 100051 )
CustVendAccountStatementIntTmp ( Account statement 5600 )
CustVendAgingStaticticsAutoReportTmp ( Account totals 10121 )
CustVendAifPaymTable ( Set up outbound ports for electronic payments 100052 )
CustVendCreditInvoicingJour ( Credit invoicing jour 1585 )
CustVendCreditInvoicingLine ( Credit invoicing lines 1592 )
CustVendCreditInvoicingTable ( Credit invoicing header 1593 )
CustVendCreditInvoicingTrans ( Credit invoicing transactions 1594 )
CustVendExchRateAdjustment ( Foreign currency revaluation 100276 )
CustVendExternalItem ( External item descriptions 768 )
CustVendGroup ( Customer and vendor group map 79 )
CustVendInvoiceJour ( Invoice journal 80 )
CustVendInvoiceTrans ( Invoice lines 81 )
CustVendItemGroup ( External item description group 769 )
CustVendLedger ( Customer and vendor posting profiles map 82 )
CustVendLedgerAccounts ( Customer and vendor ledger accounts map 83 )
CustVendLedgerDimensions ( Customer and vendor ledger accounts map 3687 )
CustVendNACHAIATInfoTable_US ( NACHA IAT information 6019 )
CustVendNegInstJour ( Customer and vendor negotiable instrument journal map 1954 )
CustVendNegInstTrans ( Customer and vendor negotiable instrument lines map 1955 )
CustVendOutTmp ( Electronic payment 5289 )
CustVendPaymentSched ( Customer and vendor payment schedule map 84 )
CustVendPaymentSchedLine ( Customer and vendor payment schedule lines map 85 )
CustVendPaymFormatTable ( Customer and vendor payment format map 1826 )
CustVendPaymJournalFee ( Payment journal fee 1545 )
CustVendPaymJournalTmp ( Payment lines 7776 )
CustVendPaymModeFeeIntervalMap ( Customer and vendor payment fee interval map 1714 )
CustVendPaymModeFeeMap ( Customer and vendor method of payment, payment fee map 1712 )
CustVendPaymModeSpec ( Customer and vendor payment specification map 1827 )
CustVendPaymModeTable ( Customer and vendor method of payment map 1589 )
CustVendPaymProcessingData ( Payment processing data 7242 )
CustVendPaymProposalLine ( Payment proposal line 470 )
CustVendPaymProposalTmp ( Invoices and payments 10600 )
CustVendPDCReceipt ( Temporary table 9856 )
CustVendPDCRegister ( Postdated checks register 7953 )
CustVendSettlement ( Customer and vendor settlements map 88 )
CustVendTable ( Customer and vendor table map 89 )
CustVendTmpCreditInvoicing ( Credit notes 1597 )
CustVendTmpOpenTransBalances ( Balance 2173 )
CustVendTmpPaymProposalReport ( Invoices and payments 117 )
CustVendTrans ( Customer and vendor transactions map 90 )
CustVendTransAging ( Customer or vendor account number 12143 )
CustVendTransCashDisc ( Customer and vendor cash discount transactions map 1385 )
CustVendTransOpen ( Customer and vendor open transactions map 877 )
CustVendTransportCalendarSetup ( Transport calendar 376 )
CustVendTransportPointLine ( Transport points 377 )
CustVendTransportTime ( Transport time 378 )
DataArea ( Companies 65533 )
DataAreaTemp ( The DataAreaTemp table stores data area IDs 100053 )
DatabaseLog ( Database logs 65508 )
DefaultDimensionView ( Default financial dimensions 10170 )
DestinationCode ( Destination code 929 )
DigitalCertificateTmp ( Digital certificate 100056 )
DimAttributeAssetGroup ( Fixed asset groups 11751 )
DimAttributeAssetTable ( Fixed assets 11752 )
DimAttributeBankAccountTable ( Bank accounts 11753 )
DimAttributeCompanyInfo ( Legal entities 11754 )
DimAttributeCustGroup ( Customer groups 11755 )
DimAttributeCustTable ( Customers 11756 )
DimAttributeHcmJob ( Jobs 11757 )
DimAttributeHcmPosition ( Positions 11758 )
DimAttributeHcmWorker ( Workers 11759 )
DimAttributeInventItemGroup ( Item groups 11760 )
DimAttributeInventTable ( Items 11761 )
DimAttributeMainAccount ( Main accounts 11762 )
DimAttributeOMBusinessUnit ( Business units 11763 )
DimAttributeOMCostCenter ( Cost centers 11764 )
DimAttributeOMDepartment ( Departments 11765 )
DimAttributeOMValueStream ( Value streams 11766 )
DimAttributeProjGroup ( Project groups 11767 )
DimAttributeProjInvoiceTable ( Project contracts 11768 )
DimAttributeProjTable ( Projects 11769 )
DimAttributeSmmBusRelTable ( Prospects 11770 )
DimAttributeSmmCampaignTable ( Campaigns 11771 )
DimAttributeTrvTravelTxt ( Expense purposes 11772 )
DimAttributeVendGroup ( Vendor groups 11773 )
DimAttributeVendTable ( Vendors 11774 )
DimAttributeWrkCtrResourceGroup ( Resource groups 11775 )
DimAttributeWrkCtrTable ( Resources 11776 )
DimensionAlias ( Ledger account alias 299 )
DimensionAttribute ( Dimension 362 )
DimensionAttributeDirCategory ( Dimension category 372 )
DimensionAttributeLevelValue ( Dimension code value 380 )
DimensionAttributeLevelValueAllView ( Dimension code value 100302 )
DimensionAttributeLevelValueView ( Dimension code value 4466 )
DimensionAttributeSet ( Dimension code set 3625 )
DimensionAttributeSetItem ( Dimension code set value 3626 )
DimensionAttributeTranslation ( Dimension attribute translation 100057 )
DimensionAttributeValue ( Dimension code 381 )
DimensionAttributeValueCombination ( Dimension code combination 385 )
DimensionAttributeValueCombinationStatus ( Dimension code combination status 388 )
DimensionAttributeValueConsolidation ( Dimension consolidation code 100058 )
DimensionAttributeValueCostAccounting ( Dimension code cost accounting 395 )
DimensionAttributeValueFinancialStmt ( Dimension code financial statement 420 )
DimensionAttributeValueGroup ( Dimension code group 467 )
DimensionAttributeValueGroupCombination ( Dimension code group combination 473 )
DimensionAttributeValueGroupStatus ( Dimension code group combination status 529 )
DimensionAttributeValueSet ( Dimension code set 3260 )
DimensionAttributeValueSetItem ( Dimension code set value 3261 )
DimensionAttributeValueSetItemView ( Dimension code set value 4467 )
DimensionAttributeValueTotallingCriteria ( From value 583 )
DimensionAttrValueCOAOverride ( Dimension code chart of accounts override 6908 )
DimensionAttrValueLedgerOverride ( Dimension code ledger override 6903 )
DimensionConstraintNode ( Dimension constraint 605 )
DimensionConstraintNodeCriteria ( Dimension constraint criteria 620 )
DimensionConstraintTree ( Dimension constraint tree 646 )
DimensionDefaultMap ( Default dimensions 6815 )
DimensionFinancialTag ( Custom list financial dimension 656 )
DimensionFocusBalance ( Dimension set balance 7399 )
DimensionFocusBalanceCalculationView ( Dimension set balance 7890 )
DimensionFocusBalanceCube ( Dimension set balance 9839 )
DimensionFocusBalanceTmp ( Dimension set balance temporary data 7931 )
DimensionFocusLedgerDimensionReference ( Dimension set ledger dimension reference 7403 )
DimensionFocusUnprocessedTransactions ( Dimension set unprocessed transactions 7402 )
DimensionHierarchy ( Dimension set 668 )
DimensionHierarchyLevel ( Dimension set level 684 )
DimensionHierarchyLevelView ( Dimension set level 5340 )
DimensionRelationshipConstraint ( Select relationships 7717 )
DimensionRule ( Dimension rule 5677 )
DimensionRuleAppliedHierarchy ( Dimension rule applied hierarchy 5678 )
DimensionRuleCriteria ( Dimension rule criteria 5679 )
DimensionRules ( Dimension rule 100303 )
DimensionSynchronize ( Dimension synchronize 100059 )
DimensionSynchronizeAccountStructure ( Dimension synchronize account structure 100060 )
DimensionSynchronizeLedger ( Dimension synchronize ledger 100061 )
DimensionValueGroupJournalControlStatus ( Dimension group journal status 2935 )
DIOTAdditionalInfoForNoVendor_MX ( DIOT additional information for no vendor 7292 )
DIOTAddlInfoForNoVendorLedger_MX ( DIOT additional information for no vendor 10677 )
DIOTAddlInfoForNoVendorProj_MX ( DIOT additional information for no vendor 10676 )
DIOTDeclarationConcept_MX ( DIOT declaration concept 7250 )
DIOTDeclarationTaxCode_MX ( DIOT concept tax code 7252 )
DIOTDeclarationTmp_MX ( DIOT declaration report 7606 )
DirAddressBook ( Address books 2948 )
DirAddressBookExternalPartyView ( System address book and external party relationships 100304 )
DirAddressBookInternalPersonView ( System address book and internal party relationships 100305 )
DirAddressBookParty ( Global address book party relationships 2949 )
DirAddressBookPartyAllView ( All address book and party relationships 100306 )
DirAddressBookPartyView ( Address book and party relationships 100307 )
DirAddressBookSecurityRole ( Enter address books and assign role permissions 7954 )
DirAddressBookTeam ( Address book and team association 100062 )
DirCheckFullNameTmp ( Check full name 7306 )
DirDunsNumber ( DUNS numbers 7736 )
DirExternalRole ( External role 9872 )
DirNameAffix ( Name affixes 2974 )
DirNameSequence ( Name sequences 2971 )
DirNameSequenceTranslation ( Name sequence translation 4410 )
DirOrganization ( Organizations 2978 )
DirOrganizationBase ( Internal and external organizations 6886 )
DirOrganizationName ( Organization name 4806 )
DirOrgPersonRelations ( Person relations 2604 )
DirParameters ( Global address book parameters 2750 )
DirPartyContactInfoView ( Party contact information view 5605 )
DirPartyEcoResCategory ( Set up categories 4071 )
DirPartyListPageView ( Global address book list view 9956 )
DirPartyLocation ( Party location relationships 2952 )
DirPartyLocationPrivateRoles ( Party location private roles 100063 )
DirPartyLocationRole ( Party location and role relationships 4264 )
DirPartyLookupGridView ( Party name components 7155 )
DirPartyMap ( Party map 7710 )
DirPartyNamePrimaryAddressView ( Location address view 6442 )
DirPartyNameView ( Global address book view 7957 )
DirPartyPostalAddressView ( Party postal address view 5078 )
DirPartyPrimaryContactInfoView ( Party contact information view 100308 )
DirPartyRelationship ( Party relationships 2601 )
DirPartyRelationships_Child ( Relationships 7806 )
DirPartyRelationships_Parent ( Relationships 7793 )
DirPartyRelationshipsUnionView ( Relationships 7808 )
DirPartyTable ( Global address book 2303 )
DirPartyTypeView ( Global address book type view 100518 )
DirPartyView ( Global address book roles 6095 )
DirPerson ( People 2975 )
DirPersonName ( Person name 4807 )
DirPersonUser ( User to person relationship 4830 )
DirRelationshipTypeTable ( Relationship types 2602 )
DirSubNameSequence ( Name sequence details 2972 )
DlvMode ( Mode of delivery 92 )
DlvReason ( Reason of delivery 1755 )
DlvTerm ( Terms of delivery 93 )
DOCommerceConfiguration ( Commerce Services configuration 100064 )
DOCommerceEntityGroupSyncState ( Synchronization state of entity groups 100065 )
DOCommerceMarketplaces ( Marketplaces 100066 )
DOCommerceOnlineStores ( Online stores 100067 )
DOCommercePriceDiscView ( Commerce Services price and discount view 100309 )
DOCommercePropertyBag ( Property bag 100068 )
DOCommonCloudErrors ( Cloud errors 100069 )
DOCommonPerformance ( Performance trace 100070 )
DOCommonPortServiceSubscription ( Port subscription mapping 100071 )
DOCommonRetryTable ( Retry this entity 100072 )
DOCommonServerState ( Server state 100073 )
DOCommonServiceCredentials ( Online services credentials 100074 )
DOCommonServicesAccount ( Online services account 100075 )
DOCommonServiceSubscription ( Online Services subscription 100076 )
DOCommonStagingTable ( Staging table 100077 )
DOCommonSyncStateTable ( Server state 100078 )
DocuDataSource ( Document data sources 100079 )
DocuDataSourcesView ( Data sources 100310 )
DocuField ( Document fields 94 )
DocuFileTypes ( Document file extensions 1133 )
DocuOpenFile ( Temporary files 1536 )
DocuParameters ( Document management parameters 96 )
DocuRef ( Document references 97 )
DocuTable ( Document tables 98 )
DocuTableEnabled ( Active document tables 1434 )
DocuTemplate ( Document templates 100080 )
DocuType ( Document types 99 )
DocuValue ( Document value 100 )
DocuValueMetaData ( Document file meta data 7367 )
DOSitesPageInfoTmp ( Page created date 100081 )
DOSitesSolution ( Sites solution table 100082 )
DOSitesSolutionPort ( Sites solution port 100083 )
DOSitesSolutionPortService ( SitesSolutionPortService 100084 )
EcoResApplicationControl ( Application control modifiers 4332 )
EcoResAttribute ( Attributes 4333 )
EcoResAttributeDefaultValue ( Default value for an attribute 4334 )
EcoResAttributeTranslation ( The localization of properties of the attributes 4335 )
EcoResAttributeType ( Attribute types 4343 )
EcoResAttributeTypeUnitOfMeasure ( Unit of measure for the attribute type 4344 )
EcoResAttributeValue ( Attribute values 4336 )
EcoResBooleanValue ( The value of the Boolean data type for the attributes 4337 )
EcoResBoundedAttributeTypeValue ( Attribute type boundaries 4338 )
EcoResCatalogControl ( Catalog control flags 4339 )
EcoResCategory ( Category 2665 )
EcoResCategoryAttribute ( Attributes 4340 )
EcoResCategoryAttributeLookup ( Category attribute lookup 7998 )
EcoResCategoryData ( Import commodity code 3263 )
EcoResCategoryHierarchy ( Category hierarchies 2660 )
EcoResCategoryHierarchyRole ( Category hierarchy roles 2664 )
EcoResCategoryHierarchyTranslation ( Category hierarchy translation 4589 )
EcoResCategoryInstanceValue ( Instance value for a category 5719 )
EcoResCategoryTranslation ( Category hierarchy translation 4593 )
EcoResColor ( Colors 3169 )
EcoResComponentControl ( Component control modifiers 4341 )
EcoResConfiguration ( Configurations 3170 )
EcoResCurrencyValue ( The value of the currency data type for the attributes 9996 )
EcoResDateTimeValue ( The value of the DateTime data type for the attributes 4342 )
EcoResDistinctProduct ( Products 3265 )
EcoResDistinctProductVariant ( Product variants 3266 )
EcoResEnumerationAttributeTypeValue ( Enumeration domain value 4345 )
EcoResFloatValue ( The value of the Float data type for the attributes 4346 )
EcoResInstanceValue ( Instance value 4347 )
EcoResIntValue ( The value of the Integer data type for the attributes 4348 )
EcoResProcurementCategoryExpanded ( Procurement category 6629 )
EcoResProduct ( Products 3270 )
EcoResProductAttributeValue ( Product attribute values 6460 )
EcoResProductCategory ( Product category assignment 3444 )
EcoResProductCategoryExpanded ( Product categories 7069 )
EcoResProductDimensionAttribute ( Product dimension attributes 3272 )
EcoResProductDimensionGroup ( Product dimension groups 3171 )
EcoResProductDimensionGroupFldSetup ( Product dimension group fields setup 3172 )
EcoResProductDimensionGroupProduct ( Products - dimension groups 10092 )
EcoResProductIdentifier ( Product number 4456 )
EcoResProductImage ( Image management 5213 )
EcoResProductInstanceValue ( Instance value for a product 4349 )
EcoResProductMaster ( Product masters 3267 )
EcoResProductMasterColor ( Colors assigned to product masters 3273 )
EcoResProductMasterConfiguration ( Configurations assigned to product masters 3274 )
EcoResProductMasterDimensionValue ( Product master - dimension values 3275 )
EcoResProductMasterModelingPolicy ( Product modeling policy 4457 )
EcoResProductMasterSize ( Sizes assigned to product masters 3277 )
EcoResProductParameters ( Product parameters 4144 )
EcoResProductRelation ( Posting status 5523 )
EcoResProductRelationTable ( The EcoResProductRelation table contains the defined relations between the products 2858 )
EcoResProductRelationType ( The types of relations that can be defined between the products 2859 )
EcoResProductRelationTypeTranslation ( The types of relations that can be defined between the products 6934 )
EcoResProductTranslation ( Product translation 6869 )
EcoResProductTranslations ( Product translation 7865 )
EcoResProductVariantColor ( Product variants colors 3280 )
EcoResProductVariantConfiguration ( Product variants configurations 3281 )
EcoResProductVariantDimensionValue ( Product variant - dimension values 3282 )
EcoResProductVariantSize ( Product variants sizes 3284 )
EcoResReleaseProductLegalEntity ( Legal entities assigned to products in release sessions 7050 )
EcoResReleaseProductLegalEntityLog ( Release product to legal entity log 7052 )
EcoResReleaseSession ( Release sessions 7028 )
EcoResReleaseSessionProduct ( Products in release sessions 7048 )
EcoResSalesCategoryExpanded ( Sales category 6628 )
EcoResShoppingPreferences ( Requisitioning options 4599 )
EcoResSize ( Sizes 3173 )
EcoResStorageDimensionGroup ( Storage dimension groups 6835 )
EcoResStorageDimensionGroupFldSetup ( Storage dimension group fields setup 6836 )
EcoResStorageDimensionGroupItem ( Items - storage dimension groups 6842 )
EcoResStorageDimensionGroupProduct ( Products - storage dimension groups 6837 )
EcoResTextValue ( The value of the Text data type for the attributes 4350 )
EcoResTextValueTranslation ( The localization of properties of the attributes 4351 )
EcoResTmpAttribute ( Temporary attributes 100085 )
EcoResTmpProductCategory ( Product procurement category 100086 )
EcoResTmpProductDimValue ( Product variant dimension value 3531 )
EcoResTmpProductImage ( Temporary image table 5214 )
EcoResTmpProductVariantSuggestion ( Product variant suggestions 3457 )
EcoResTrackingDimensionGroup ( Tracking dimension groups 6843 )
EcoResTrackingDimensionGroupFldSetup ( Tracking dimension group fields setup 6845 )
EcoResTrackingDimensionGroupItem ( Items - tracking dimension groups 6847 )
EcoResTrackingDimensionGroupProduct ( Products - tracking dimension groups 6848 )
EcoResValue ( The base table for other value tables that each stores values of a different data type 4352 )
ECPCustSignUp ( Sign up requests 992 )
ECPParameters ( Customer self-service parameters 948 )
ECPPresentation ( Presentations 975 )
EInvoiceJour_MX ( EInvoice 11154 )
EInvoiceParameters_MX ( Electronic invoice parameters  11196 )
EInvoiceReportTmp_MX ( EInvoice 100087 )
EInvoiceTrans_MX ( e-invoice lines 11349 )
EMSAssignment ( Assignment 5426 )
EMSConversion ( Environmental conversion 3540 )
EMSConversionFlowRelation ( Conversion flow relation 3548 )
EMSConversionLine ( Conversion lines 3541 )
EMSConversionProcessRelation ( Conversion process relation 4261 )
EMSDailyFlow ( Substance flow details 6229 )
EMSDailyFlowView ( Substance flow details 6279 )
EMSFlow ( Substance flow details 3546 )
EMSFlowBudget ( Substance budget 3543 )
EMSInvoiceRegisterFlowRelation ( Invoice register flow relation 3544 )
EMSMapFilterProcess ( Map filter to process relation 6552 )
EMSMapFilterSubstance ( Map filter to substance relation 6553 )
EMSMapFilterSubstanceCategory ( Map filter to substance category relation 6554 )
EMSMapPosition ( Process position 5793 )
EMSMeter ( Meters 3532 )
EMSMeterFlowRelation ( Meter flow relation 3547 )
EMSMeterReading ( Meter readings 3534 )
EMSParameter ( Parameter 3539 )
EMSProcess ( Process 3535 )
EMSProcessEquityShare ( Process equity share 4428 )
EMSProcessMap ( Process map 5646 )
EMSProcessMapFlowTmp ( Process map 5822 )
EMSProcessReference ( Process reference 3538 )
EMSProcessRelation ( Process relation 3542 )
EMSPurchOrderFlowRelation ( Purchase order  flow relation 3545 )
EMSSimulationRowTmp ( Environmental simulation 100088 )
EMSSimulationTriggerRowTmp ( Environmental simulation 100089 )
EMSSubstance ( Substance 3536 )
EMSSubstanceCategory ( Substance category 3537 )
EMSSubstanceEntryTmp ( EMSSubstanceEntryTmp 100090 )
EPDocuParameters ( Enterprise Portal document parameters 1557 )
EPGlobalParameters ( Enterprise Portal global parameters 2234 )
EPPersonalize ( Personalize 1484 )
EPPriceCalc ( Price query 1586 )
EPWebSiteParameters ( Web sites 6098 )
ESSActivitySite ( Activity site 6964 )
EUSalesList ( EU sales list 543 )
EUSalesListReportingGroup ( EU sales list reporting group 100091 )
EUSalesListReportingHeader ( EU sales list reporting header 100092 )
EUSalesListReportingLine ( EU sales list reporting line 100093 )
EventCompanyRule ( Alerts - companies with rules 1372 )
EventCUD ( Alerts - CUD event 288 )
EventInbox ( Alerts - event inbox 289 )
EventInboxData ( Alerts - event inbox data 290 )
EventParameters ( Alerts - parameters 291 )
EventRule ( Alerts - rule 292 )
EventRuleData ( Alerts - rule data 293 )
EventRuleField ( Alerts - rule field 294 )
EventRuleIgnore ( Alerts - due dates ignore log 295 )
EventRuleIgnoreAggregation ( Alerts - Ignore log 1703 )
EventRuleRel ( Alerts - rule relation 296 )
EventRuleRelData ( Alerts - rule relation data 297 )
EventSystemParameters ( Alerts - global parameters 7166 )
EventTmpAlertReport ( Event alert rule report 10128 )
EventTmpAlertTrackingReport ( Event alert rule report 100094 )
ExchangeRate ( Exchange rate 6885 )
ExchangeRateCurrencyPair ( Exchange rate currency pair 6883 )
ExchangeRateDenToDenAfterBothStart ( Exchange rates between denomination currencies 10281 )
ExchangeRateDenToDenBetweenStart ( Exchange rates between denomination currencies 10282 )
ExchangeRateDenToEuroAfterStart ( Exchange rates between a denomination currency and the triangulation currency 10283 )
ExchangeRateDenToVarAfterStartView ( Exchange rates between a currency and a denomination currency 10284 )
ExchangeRateEffectiveView ( Effective exchange rates 7541 )
ExchangeRateEuroDenominationView ( Denomination exchange rates 10285 )
ExchangeRateFixedCurrencyView ( Fixed currency exchange rates 7531 )
ExchangeRatePriorToStartDateView ( Exchange rates prior to denomination start date 10286 )
ExchangeRateSameFromToCurrencyView ( Exchange rates between the same currency 10287 )
ExchangeRateType ( Exchange rate type 6882 )
ExchangeRateUnionView ( Exchanges rates and reciprocal rates 10288 )
ExchangeRateVarToDenAfterStartView ( Exchange rates between a currency and a denomination currency 10289 )
ExchangeRateView ( Exchange rates 7644 )
ExpressionElement ( Expression element 7255 )
ExpressionPredicate ( Expression predicate 7256 )
ExpressionProjectionDatasource ( Expression datasource 7257 )
ExpressionProjectionField ( Expression field 7258 )
ExpressionStagingTable ( Expression staging table 10253 )
ExpressionTable ( Expression table 2223 )
ExtCodeTable ( External code 1340 )
ExtCodeValueTable ( External code value 1341 )
FinancialTagCategory ( Tag category 693 )
FiscalCalendar ( Fiscal calendar 6142 )
FiscalCalendarDate ( Fiscal calendar date view 7216 )
FiscalCalendarPeriod ( Fiscal calendar period 6143 )
FiscalCalendarYear ( Fiscal calendar year 6145 )
ForecastInvent ( Inventory forecast 142 )
ForecastItemAllocation ( Item allocation keys 150 )
ForecastItemAllocationLine ( Item allocation transactions 151 )
ForecastModel ( Forecast models 135 )
ForecastPurch ( Supply forecast 143 )
ForecastSales ( Demand forecast 144 )
ForecastSalesItemTmp ( Temporary table 100095 )
FormletterJournal ( Journal table 773 )
FormletterJournalTrans ( Journal lines 771 )
FormletterParmLine ( Order lines update tables 844 )
FormletterParmTable ( Orders update tables 1459 )
FormletterParmUpdate ( Order lines update tables 2232 )
FormLetterRemarks ( Form note 136 )
FormLetterSortingParameters ( Parameters for form sorting 1433 )
FreeTextInvoiceTmp ( FreeTextInvoiceTmp 10468 )
GanttColorTable ( Gantt color 1662 )
GanttLine ( Gantt transactions 236 )
GanttLineResourceGroups ( Gantt transactions 3488 )
GanttTable ( Gantt table 238 )
GanttTmpLink ( Gantt table 1173 )
GanttTmpReqExplosion ( Gantt table 1227 )
GanttTmpSMA ( Temporary table 2186 )
GanttTmpUndo ( Gantt table 1178 )
GanttTmpWrkCtrJob ( Gantt table 1579 )
GeneralJournalAccountEntry ( General journal account entry 3119 )
GeneralJournalAccountEntryDimension ( General journal account entry dimension 100096 )
GeneralJournalAccountEntryHash ( General journal account entry hash 100097 )
GeneralJournalAccountEntryTmp ( PlaceHolder 100098 )
GeneralJournalAccountEntryZakat_SA ( Journal lines 4115 )
GeneralJournalCube ( General journal 6022 )
GeneralJournalEntry ( General journal entry 3123 )
GeneralJournalEntryTmp ( PlaceHolder 100099 )
GiroReport ( GiroReport 100277 )
GiroReportTmp ( GIRO report data 100100 )
HcmAbsenceAdministrationTmp ( Absence administration 10678 )
HcmAbsenceStatusTmp ( Absence status 10423 )
HcmAccommodationType ( Accommodation type 4507 )
HcmADARequirement ( ADA requirements 4508 )
HcmADARequirementTmp ( ADA requirements 9808 )
HcmAgreementTerm ( Terms of employment 9699 )
HcmAnniversaryTmp ( Anniversaries 9898 )
HcmApplicant ( Applicants 6912 )
HcmApplicantLegalEntityView ( Applicant legal entities 100311 )
HcmApplicantReference ( Applicant reference 6915 )
HcmApplicantResumeTmpTable ( Applicant résumé 10411 )
HcmApplicantStatusTmp ( Applicants 9931 )
HcmApplicationBasketLocation ( Application basket location relationships 6879 )
HcmApplicationBasketLocationView ( Application basket location view 7158 )
HcmBeneficiaryRelationship ( Beneficiary relationship 9949 )
HcmBenefit ( Benefit 7553 )
HcmBenefitEnrollmentGroup ( Benefit enrollment group 100101 )
HcmBenefitEnrollmentResult ( Benefit enrollment result 100102 )
HcmBenefitEnrollmentStatus ( Benefit enrollment status 100103 )
HcmBenefitOption ( Benefit option 7552 )
HcmBenefitPlan ( Benefit plan 7549 )
HcmBenefitType ( Benefit type 4509 )
HcmBirthdayTmp ( Birthdays 9812 )
HcmCertificateType ( Certificate type 4510 )
HcmCompensationLevel ( Levels 6204 )
HcmCompLocation ( Compensation regions 10885 )
HcmCourseAgendaTmp ( Course agenda 9899 )
HcmCourseConfirmationTmp ( Course confirmation 9809 )
HcmCourseNotes ( Course descriptions 6868 )
HcmCourseType ( Course types 4794 )
HcmCourseTypeCertificateProfile ( Course type - certificates 4795 )
HcmCourseTypeDefaultDimension ( Course type default dimensions 7593 )
HcmCourseTypeEducationProfile ( Course type - education 4796 )
HcmCourseTypeGroup ( Course groups 4797 )
HcmCourseTypeNotes ( Course type descriptions 6861 )
HcmCourseTypeSkillProfile ( Course type - skills 4798 )
HcmCoveredBeneficiaryRelationship ( Covered beneficiary relationship 7557 )
HcmCoveredBeneficiaryRelationshipTmp ( Covered beneficiary relationship 100104 )
HcmCoveredDependentRelationship ( Covered dependent relationship 9698 )
HcmCoveredDependentRelationshipTmp ( Covered dependent relationship 100105 )
HcmDepartmentView ( Departments 9998 )
HcmDependentRelationship ( Dependent relationship 9950 )
HcmDiscussion ( Discussions 4511 )
HcmDiscussionType ( Discussion types 4512 )
HcmDueCertificateTmp ( Certificate competency 100106 )
HcmEducationDiscipline ( Education disciplines 4513 )
HcmEducationDisciplineCategory ( Grouping of educational studies 4514 )
HcmEducationDisciplineGroup ( Education and discipline category associations 4515 )
HcmEducationInstitution ( Institution 4516 )
HcmEducationLevel ( Level of education 4517 )
HcmEmergencyContactRelationship ( Emergency contact relationship 9951 )
HcmEmployment ( Employment 9704 )
HcmEmploymentAbsenceSetup ( Employee absence 9701 )
HcmEmploymentBonus ( Bonus 9708 )
HcmEmploymentContractor ( Employment contractor 9693 )
HcmEmploymentDetail ( Employment detail 9706 )
HcmEmploymentEmployee ( Employee detail 9705 )
HcmEmploymentInsurance ( Insurance 9700 )
HcmEmploymentLeave ( Employee leave 9702 )
HcmEmploymentStockOption ( Options 9692 )
HcmEmploymentTerm ( Employment term 9703 )
HcmEmploymentVacation ( Employment vacation 9707 )
HcmEPAbsenceTransListYearTmp ( Absence transactions 100107 )
HcmEPAnniversariesTmp ( Anniversaries 10188 )
HcmEPBirthdaysTmp ( Birthdays 10187 )
HcmEthnicOrigin ( Ethnic origins 4518 )
HcmGoal ( Goals 4519 )
HcmGoalActivity ( Goal activities 4520 )
HcmGoalComment ( Goal comments 4521 )
HcmGoalHeading ( Goal headings 4522 )
HcmGoalNote ( Goal notes 4523 )
HcmGoalType ( Goal types 4524 )
HcmGoalTypeTemplate ( Goal type templates 4525 )
Hcmi9Document ( I-9 document 5649 )
Hcmi9DocumentList ( I-9 list type - A, B, or C 4526 )
Hcmi9DocumentType ( I-9 document type 4527 )
HcmIdentificationType ( Identification type 4528 )
HcmIncomeTaxCategory ( Income tax category 4529 )
HcmIncomeTaxCode ( Income tax code 4530 )
HcmInsuranceType ( Insurance types 4531 )
HcmIssuingAgency ( Issuing agency 4557 )
HcmJob ( Jobs 4497 )
HcmJobADARequirement ( Job - ADA requirements 5168 )
HcmJobDetail ( Job detail 5167 )
HcmJobFunction ( Compensation job function 4916 )
HcmJobInformationTmp ( Jobs 100108 )
HcmJobPreferredCertificate ( Job - certificates 5169 )
HcmJobPreferredEducationDiscipline ( Job - education 5170 )
HcmJobPreferredSkill ( Job - skills 5171 )
HcmJobResponsibility ( Job - areas of responsibility 5172 )
HcmJobTask ( Job tasks 4553 )
HcmJobTaskAssignment ( Job - work tasks 5173 )
HcmJobTemplate ( Job templates 5143 )
HcmJobTemplateADARequirement ( Job template - ADA requirements 5146 )
HcmJobTemplateCertificate ( Job template - certificates 5147 )
HcmJobTemplateEducationDiscipline ( Job template - education 5144 )
HcmJobTemplateResponsibility ( Job template - areas of responsibility 5148 )
HcmJobTemplateSkill ( Job template - skills 5149 )
HcmJobTemplateTask ( Job template - work tasks 5145 )
HcmJobType ( Compensation job type 4928 )
HcmLanguageCode ( Language codes 4534 )
HcmLeaveType ( Leave types 4535 )
HcmLoanItem ( Loan items 4536 )
HcmLoanType ( Loan types 4537 )
HcmMyDepartments ( Departments for current user 100109 )
HcmMyDepartmentsNoAccess ( Restricted departments for current user 100110 )
HcmMyPersonalContactsNoAccess ( Global address book access view 100111 )
HcmNumberOfWorkersTmp ( Generate the number of workers per department 10302 )
HcmParentDepartmentTmp ( Departments 10209 )
HcmPayrollBasis ( Base payroll 5535 )
HcmPayrollCategory ( Payroll category 4538 )
HcmPayrollDeduction ( Deduction 5536 )
HcmPayrollDeductionType ( Salary deduction types 4539 )
HcmPayrollFrame ( Wage groups 4540 )
HcmPayrollFrameCategory ( Personnel category 4541 )
HcmPayrollLine ( Wage lines 5537 )
HcmPayrollPension ( Retirement 5538 )
HcmPayrollPremium ( Payroll allowance 4643 )
HcmPayrollScaleLevel ( Payroll scale level 4542 )
HcmPeopleDepartmentTmp ( Departments 163 )
HcmPersonAccommodation ( Accommodations 5150 )
HcmPersonalContactRelationship ( Personal contact relationship 10664 )
HcmPersonCertificate ( Certificate competency 5151 )
HcmPersonCourse ( Course competency 5152 )
HcmPersonDetails ( Person details 5261 )
HcmPersonEducation ( Education competency 5153 )
HcmPersonFieldMap ( Personal details 5409 )
HcmPersonIdentificationNumber ( Identification 5264 )
HcmPersonImage ( View  image files associated with person 6841 )
HcmPersonLaborUnion ( Labor union 5262 )
HcmPersonLoan ( Loan 5154 )
HcmPersonPrivateDetails ( Person private details 5263 )
HcmPersonProfessionalExperience ( Professional experience competency 5155 )
HcmPersonProjectRole ( Project experience competency 5156 )
HcmPersonSkill ( Skill competency 5157 )
HcmPersonSkillMapping ( Skill mapping 5158 )
HcmPersonTrustedPosition ( Position of trust competency 5159 )
HcmPersonView ( Competency tracked persons 6034 )
HcmPosition ( Positions 6202 )
HcmPositionDefaultDimension ( Position default dimensions 7594 )
HcmPositionDetail ( Position details 6266 )
HcmPositionDuration ( Position durations 7727 )
HcmPositionHierarchy ( Position hierarchies 6253 )
HcmPositionHierarchyType ( Position hierarchy types 6264 )
HcmPositionType ( Position type 6257 )
HcmPositionWorkerAssignment ( Position worker assignments 6259 )
HcmRatingLevel ( Levels 4543 )
HcmRatingModel ( Rating models 4544 )
HcmReasonCode ( Reason codes 4545 )
HcmRecruitingApplicationStatusTmp ( Application status by project 10422 )
HcmRelationshipTypeGroup ( Relationship type groups 9952 )
HcmReminderType ( Reminder types 4546 )
HcmResponsibility ( Areas of responsibility 4547 )
HcmSeniorityTmp ( Seniority list 10029 )
HcmSharedParameters ( Shared human resources parameters 10405 )
HcmSkill ( Skills 4548 )
HcmSkillBySkillTypeCountTmp ( Skill count by skill type 9900 )
HcmSkillBySkillTypeTmp ( Worker skills by skill type 10235 )
HcmSkillGapJobTmp ( Skill gap: job 10189 )
HcmSkillGapProfileTmp ( Skills gap 5585 )
HcmSkillMappingCertificate ( Skill-mapping - certificates 5587 )
HcmSkillMappingEducation ( Skill-mapping - education 5588 )
HcmSkillMappingHeader ( Skill-mapping - main 5589 )
HcmSkillMappingLine ( Skill-mapping - lines 5590 )
HcmSkillMappingRange ( Skill-mapping - criteria 5591 )
HcmSkillMappingSearchTmp ( Skill mapping 6314 )
HcmSkillMappingSkill ( Skill-mapping - skills 5592 )
HcmSkillProfileTmp ( Skill profile 10264 )
HcmSkillType ( Skill types 4552 )
HcmSurveyCompany ( Compensation survey companies 6207 )
HcmTitle ( Titles 5164 )
HcmTmpDepartmentMerge ( Move employees 5657 )
HcmTmpSkillGapReports ( Skills gap 5593 )
HcmUnions ( Labor unions 4554 )
HcmVeteranStatus ( Veteran status 4555 )
HcmWebMenuItemTmp ( Titles 10364 )
HcmWorker ( Worker 5116 )
HcmWorkerBankAccount ( Worker bank accounts 5650 )
HcmWorkerCubeDimension ( Cube dimension for worker 7876 )
HcmWorkerDefaultLocation ( Worker default locations 5385 )
HcmWorkerDetailsView ( Worker 100312 )
HcmWorkerEnrolledBenefit ( Worker enrolled benefit 7554 )
HcmWorkerLegalEntityView ( Worker legal entities 100313 )
HcmWorkerPrimaryPosition ( Worker primary position 6260 )
HcmWorkerReminder ( Worker reminders 5651 )
HcmWorkerResumeTmp ( Worker résumé 10238 )
HcmWorkerSkillTmp ( Skills by worker 10259 )
HcmWorkerTask ( Worker tasks 4556 )
HcmWorkerTaskAssignment ( Worker task assignments 5652 )
HcmWorkerTaxInfo ( Tax information 5653 )
HcmWorkerTitle ( Worker titles 5265 )
HcmWorkerUserRequest ( Worker user requests 100112 )
Hierarchy ( Hierarchies 2482 )
HierarchyLinkTable ( Hierarchy associations 2483 )
HierarchyTreeTable ( Hierarchy tree 2484 )
HRCComp ( Compensation 2276 )
HRCCompGrid ( Compensation grids 2278 )
HRCCompRefPointSetup ( Reference point setups 2280 )
HRCCompRefPointSetupLine ( Reference points 2281 )
HRCCompTmpGrid ( Compensation grid view 2282 )
HRMAbsenceAdministrationTmp ( Absence administration 8346 )
HRMAbsenceCode ( Absence codes 8347 )
HRMAbsenceCodeGroup ( Absence groups 8348 )
HRMAbsenceRequest ( Absence request 8600 )
HRMAbsenceSetup ( Absence setup 8349 )
HRMAbsenceStatusColumns ( Absence status list - columns 8370 )
HRMAbsenceStatusHeader ( Absence status 8371 )
HRMAbsenceStatusListTmp ( Absence status 8372 )
HRMAbsenceTable ( Absence registrations 8350 )
HRMAbsenceTrans ( Absence transactions 8351 )
HRMApplicantInterview ( Interview with applicants 8002 )
HRMApplicantRouting ( Application routing 8003 )
HRMApplication ( Applications 8005 )
HRMApplicationBasket ( Application basket 8601 )
HRMApplicationEmailTemplate ( Application e-mail templates 8549 )
HRMApplicationWordBookmark ( Application bookmarks 8550 )
HRMCompEligibility ( Compensation plan eligibility rules 2507 )
HRMCompEligibilityLevel ( Compensation eligibility levels 2508 )
HRMCompEvent ( Compensation events 2556 )
HRMCompEventEmpl ( Compensation employee event table 2557 )
HRMCompEventLine ( Compensation recommend event table 2558 )
HRMCompEventLineComposite ( Compensation recommend event composite lines 2559 )
HRMCompEventLineFixed ( Compensation recommend event fixed lines 2560 )
HRMCompEventLinePointInTime ( Compensation recommend event point in time lines 2561 )
HRMCompFixedAction ( Compensation fixed action table 2309 )
HRMCompFixedBudget ( Compensation fixed increase budget 2562 )
HRMCompFixedEmpl ( Employee fixed compensation 6121 )
HRMCompFixedPlanTable ( Compensation fixed plan 2510 )
HRMCompFixedPlanUtilMatrix ( Compensation fixed plan range utilization matrix 2511 )
HRMCompOrgPerf ( Compensation performance per organization unit 2563 )
HRMCompPayFrequency ( Compensation pay frequency 2314 )
HRMCompPayrollEntity ( Compensation external pay group table 2316 )
HRMCompPerfAllocation ( Compensation performance allocation 2564 )
HRMCompPerfAllocationLine ( Compensation performance allocation lines 2565 )
HRMCompPerfPlan ( Compensation performance plan 2566 )
HRMCompPerfPlanEmpl ( Compensation employee performance plan 2567 )
HRMCompPerfRating ( Compensation performance rating 2568 )
HRMCompProcess ( Compensation process table 2569 )
HRMCompProcessLine ( Compensation process lines 2570 )
HRMCompProcessLineAction ( Compensation process lines - actions allowed 2571 )
HRMCompVarAwardEmpl ( Employee variable compensation 2512 )
HRMCompVarEnrollEmpl ( Employee variable compensation enrollment 6125 )
HRMCompVarEnrollEmplLine ( Employee variable compensation enrollment overrides 2514 )
HRMCompVarPlanLevel ( Variable compensation level 2515 )
HRMCompVarPlanTable ( Compensation variable plan 6128 )
HRMCompVarPlanType ( Compensation variable type 2319 )
HRMCompVesting ( Compensation vesting rules 2320 )
HRMCourseAgenda ( Agenda 8426 )
HRMCourseAgendaLine ( Sessions on agenda 8427 )
HRMCourseAttendee ( Course participants 8012 )
HRMCourseAttendeeLine ( Registration list 8428 )
HRMCourseHotel ( Hotel 8430 )
HRMCourseInstructor ( Course instructors 8013 )
HRMCourseLocation ( Course locations 8014 )
HRMCourseLocationPicture ( Pictures of course locations 8435 )
HRMCourseRoom ( Classrooms 8015 )
HRMCourseRoomGroup ( Classroom groups 8016 )
HRMCourseSession ( Session 8445 )
HRMCourseSessionTrack ( Track 8446 )
HRMCourseTable ( Courses 8017 )
HRMCourseTableHotel ( Hotel for course 8447 )
HRMCourseTableInstructor ( Course instructors 8448 )
HRMInjuryBodyPart ( Injury and illness body parts 1058 )
HRMInjuryCostType ( Injury and illness cost types 1062 )
HRMInjuryFilingAgency ( Reporting agencies 1064 )
HRMInjuryIncident ( Injury or illness incidents 1065 )
HRMInjuryIncidentCostType ( Injury or illness costs 1073 )
HRMInjuryIncidentFilingAgency ( Injury or illness filings 1074 )
HRMInjuryIncidentTreatment ( Injury or illness treatments 1081 )
HRMInjuryOutcomeType ( Injury and illness outcome types 1076 )
HRMInjurySeverityLevel ( Injury and illness severity levels 2760 )
HRMInjuryTreatmentType ( Injury and illness treatment types 2758 )
HRMInjuryType ( Injury and illness types 1082 )
HRMMassHireLine ( Mass hire lines 8602 )
HRMMassHireProject ( Mass hire project 8603 )
HRMMedia ( Media 8038 )
HRMMediaType ( Media types 8039 )
HRMParameters ( Personnel parameters 8041 )
HRMRecruitingJobAd ( Job ads 8604 )
HRMRecruitingLastNews ( Recruitment - developments 8049 )
HRMRecruitingMedia ( Recruitment media 8055 )
HRMRecruitingTable ( Recruitment projects 8056 )
HRMVirtualNetworkGroup ( Questionnaire groups 8065 )
HRMVirtualNetworkGroupRelation ( Questionnaire group members 8066 )
HRMVirtualNetworkMap ( Personal details 8140 )
HRPApprovedLimit ( Approved signing limit 5442 )
HRPApprovedLimitAmount ( Approved signing limit amount 5447 )
HRPApprovedLimitAmountChangelog ( Approved signing limit amount changelog 5451 )
HRPDefaultLimit ( Default signing limit 5448 )
HRPDefaultLimitCompensationRule ( Default signing limit compensation rule 5452 )
HRPDefaultLimitDetail ( Default signing limit detail 5443 )
HRPDefaultLimitJobRule ( Default signing limit job rule 5453 )
HRPDefaultLimitRule ( Default signing limit rule 5438 )
HRPLimitAgreement ( Signing limit agreement 5434 )
HRPLimitAgreementAttestation ( Signing limit agreement confirmation 5444 )
HRPLimitAgreementCompException ( Signing limit agreement comp exception 5454 )
HRPLimitAgreementDetail ( Signing limit agreement detail 5445 )
HRPLimitAgreementException ( Signing limit agreement exception 5449 )
HRPLimitAgreementJobException ( Signing limit agreement job exception 5455 )
HRPLimitAgreementRule ( Signing limit agreement rule 5439 )
HRPLimitDocument ( Signing limit document 5435 )
HRPLimitParameters ( Signing limit policy parameters 5436 )
HRPLimitRequest ( Signing limit request 5440 )
HRPLimitRequestAmount ( Signing limit request amount 5446 )
HRPLimitRequestCurrencyRule ( Signing limit request currency rule 5441 )
HRPLimitRevocationReasonCode ( Signing limit revocation reason code 5437 )
HRPRevokedLimit ( Revoked signing limit 5450 )
HRPTmpApprovedLimitFactBox ( View selected signing limit request 100113 )
HRPTmpDefaultSigningLimitRule ( Default signing limit rule 100114 )
HRPTmpLimitAgreementRule ( Limit agreement rule 100115 )
HRPTmpMyReportFactBox ( Edit the request by manager 5573 )
IndirectCostOverviewTmp ( IndirectCostOverviewTmp 6984 )
InflationAdjJournal_MX ( The InflationAdjJournal_MX table is used to track Inflation adjustment journal records 6920 )
InpcRateTable_MX ( INPC rates 6921 )
InpcRateTmp_MX ( INPC rates 7672 )
IntercompanyActionPolicy ( Intercompany configuration 100116 )
IntercompanyAgreementActionPolicy ( Intercompany configuration for agreements 100117 )
InterCompanyEndpointActionPolicy ( Intercompany configuration 398 )
InterCompanyEndpointActionPolicyTransfer ( Intercompany synchronization configuration 399 )
InterCompanyError ( Intercompany errors 400 )
InterCompanyGoodsInTransitLineTotalsTmp ( Intercompany goods in transit order line totals 100118 )
InterCompanyGoodsInTransitOrdersTmp ( In transit intercompany orders 100119 )
InterCompanyGoodsInTransitTmp ( Intercompany goods in transit 100120 )
InterCompanyInventDim ( Inventory dimensions 408 )
InterCompanyInventSum ( Intercompany on-hand inventory 409 )
InterCompanyJour ( Intercompany journals 873 )
InterCompanyPurchSalesReference ( Sales/purchase references 1607 )
InterCompanyTradingPartner ( Trading partner 7059 )
InterCompanyTradingRelation ( Trading relationship 7058 )
InterCompanyTradingValueMap ( Intercompany value mapping 7472 )
InterCompanyTrans ( Intercompany journal lines 881 )
Intrastat ( Intrastat 542 )
IntrastatArchiveDetail ( Intrastat archive detail 647 )
IntrastatArchiveGeneral ( Intrastat archive 648 )
IntrastatCompressParameters ( Compression of Intrastat 1524 )
IntrastatCountryRegionParameters ( Intrastat code 4395 )
IntrastatFormLetter ( Intrastat 5633 )
IntrastatFormLetterListTmp ( Intrastat 7898 )
IntrastatFormLetterTmpFI ( Form FI 7243 )
IntrastatFormLetterTmpFR ( Form FI 7424 )
IntrastatFormLetterTmpSE ( Form SE 7439 )
IntrastatFormLetterUK ( Intrastat 5634 )
IntrastatItemCode ( Commodity code 541 )
IntrastatListNL ( Intrastat 5704 )
IntrastatListTmpUK ( List UK 7529 )
IntrastatParameters ( Foreign trade parameters 549 )
IntrastatPort ( Port 747 )
IntrastatServicePoint_FI ( Intrastat service point 2038 )
IntrastatStateParameters ( Intrastat code 4396 )
IntrastatStatProc ( Statistics procedure 786 )
IntrastatToProdcom ( Intrastat to PRODCOM conversion 132 )
IntrastatTransactionCode ( Transaction codes 31 )
IntrastatTransferMap ( Intrastat transfer map 6827 )
IntrastatTransportMode ( Transport method 743 )
InvAdjustmentReportTmp_MX ( Inventory report 6954 )
InventAdjustmentReportTmp ( InventAdjustmentReportTmp 156 )
InventAgeGroupDimTmp ( Inventory value and quantity by age 5817 )
InventAutoSalesPriceMap ( Create sales price automatically 2261 )
InventBatch ( Batches 752 )
InventBlocking ( Inventory blocking 2085 )
InventBlockingQualityOrder ( Inventory blocking to quality order relation 2755 )
InventBuyerGroup ( Buyer groups 714 )
InventCheckReceiptCostPricePcsTmp ( 2. Check cost prices 10222 )
InventClosing ( Inventory closing 145 )
InventClosingLog ( Log 1461 )
InventClosingNonFinancialInventTrans ( InventClosingNonFinancialInventTrans 100121 )
InventCostList ( Calculation list 1695 )
InventCostListTrans ( Lot level adjustments 1696 )
InventCostTmpItemFinancialInventDim ( InventCostTmpItemFinancialInventDim 100122 )
InventCostTmpRelationLookup ( Cost relation 2372 )
InventCostTmpTransBreakdown ( Breakdown of inventory cost transactions 2133 )
InventCostTrans ( Standard cost transactions 2188 )
InventCostTransMap ( Standard cost transactions 133 )
InventCostTransSum ( Inventory cost closing balances 2189 )
InventCostTransVariance ( Inventory cost variances 2190 )
InventCostTransView ( Standard cost transactions 2208 )
InventCountGroup ( Counting groups 148 )
InventCountJour ( Counting history 149 )
InventCountStatisticsTmp ( Counting statistics 6973 )
InventDim ( Inventory dimensions 698 )
InventDimCleanUp ( Clean up unused inventory dimensions 2762 )
InventDimCombination ( Released product variants 1626 )
InventDimParm ( Dimension parameters 704 )
InventDimPostedReportTmp ( Inventory value by inventory dimension 5425 )
InventDimSetupGrid ( View dimensions 758 )
InventFallbackWarehouse ( Fallback warehouse for site 2210 )
InventFiscalLIFOGroup ( Fiscal LIFO reporting group 1089 )
InventFiscalLIFOJournalName ( Fiscal LIFO journal tables 1091 )
InventFiscalLIFOJournalTable ( Fiscal LIFO journal table 1092 )
InventFiscalLIFOJournalTrans ( Fiscal LIFO journal lines 1093 )
InventFiscalLIFOJournalTransAdj ( Fiscal LIFO Journal line adjustments 2416 )
InventFiscalLIFOValuationTmp ( Fiscal LIFO journal lines 5905 )
InventItemBarcode ( Item - bar code 1213 )
InventItemCostGroupRollup ( Item/version price per cost group 2807 )
InventItemCostGroupRollupMap ( Item/version price per cost group 2598 )
InventItemCostGroupRollupSim ( Pending item/version price per cost group 1623 )
InventItemGroup ( Item groups 152 )
InventItemGroupForm ( Item groups 10135 )
InventItemGroupItem ( Relationship between items and item groups 7051 )
InventItemGTIN ( Item - GTIN 1104 )
InventItemInventSetup ( Item inventory order settings 1762 )
InventItemLocation ( Warehouse items 659 )
InventItemLocationCountingStatus ( Current counting status for items 11053 )
InventItemOrderSetupMap ( Item order settings map 1741 )
InventItemPrice ( Price 2479 )
InventItemPriceActive ( Active prices 2270 )
InventItemPriceFilter ( Active prices grouped by day 2269 )
InventItemPriceId ( Price 2266 )
InventItemPriceMap ( Inventory item prices 1360 )
InventItemPrices ( Item prices 2273 )
InventItemPricesFiltered ( Active and pending prices 2274 )
InventItemPriceSim ( Pending item prices 1358 )
InventItemPriceSimId ( Pending item prices 2267 )
InventItemPriceToleranceGroup ( Item price tolerance groups 2062 )
InventItemPurchSetup ( Item purchase order settings 1754 )
InventItemSalesSetup ( Item sales order settings 1764 )
InventItemSampling ( Item sampling 1927 )
InventItemSetupSupplyType ( Supply type setup 4572 )
InventJournalName ( Inventory journal names 153 )
InventJournalTable ( Inventory journal table 154 )
InventJournalTrans ( Inventory journal lines 155 )
InventJournalTrans_Tag ( Tag counting 1134 )
InventLedgerConciliationTmp ( Inventory 5692 )
InventLedgerConflictTmpBalance ( InventLedgerConflictTmpBalance 7202 )
InventLedgerConflictTmpConflict ( Inventory ledger conflicts 7201 )
InventLedgerConflictTmpConflictTmp ( Inventory ledger conflicts 100123 )
InventLocation ( Warehouses 158 )
InventLocationDefaultLocation ( Warehouse default locations 7533 )
InventLocationExpanded ( Warehouses 7167 )
InventLocationLogisticsLocation ( Warehouse location relationships 3510 )
InventLocationLogisticsLocationRole ( Warehouse location roles 7517 )
InventLocationLogisticsLocationRoleView ( Warehouse location roles 100314 )
InventModelGroup ( Item model groups 709 )
InventModelGroupItem ( Relationship between items and item model groups 7053 )
InventMovementTmp_TH ( Inventory movement 6286 )
InventNonConformanceHistory ( Non conformance history 2434 )
InventNonConformanceOrigin ( Non conformance origin 2440 )
InventNonConformanceRelation ( Non conformance references 2013 )
InventNonConformanceTable ( Non conformance 2002 )
InventNumGroup ( Number groups 159 )
InventOnhandTmp ( InventOnhandTmp 9903 )
InventOpenQtyCriticalTmp ( Open quantity 5361 )
InventOrderEntryDeadlineGroup ( Order entry deadline groups 1571 )
Inventorderentrydeadlineparameters ( Order entry deadline parameters 1581 )
InventOrderEntryDeadlineTable ( Order entry deadlines 1632 )
InventPackagingGroup ( Packing groups 1561 )
InventPackagingMaterialCode ( Packing material code 1564 )
InventPackagingMaterialFee ( Packing material fee 1565 )
InventPackagingMaterialTrans ( Packing material transactions 1566 )
InventPackagingMaterialTransPurch ( Packing material transactions - purchase 1567 )
InventPackagingUnit ( Packing units 1562 )
InventPackagingUnitMaterial ( Packing material 1563 )
InventParameters ( Inventory parameters 160 )
InventParmQuarantineOrder ( Update parameters for quarantine orders 947 )
InventPendingQuantity ( Pending inventory quantities 6888 )
InventPendingRegistrationDetail ( Pending registration details 6889 )
InventPhysicalPerWarehouseTransTmp_IT ( Inventory journal 9682 )
InventPosting ( Item, ledger posting 157 )
InventPostingParameters ( Inventory transaction combinations 1517 )
InventPriceMap ( Inventory price map 1667 )
InventPriceOverviewTmp ( Item prices 6209 )
InventProblemType ( Problem types 1918 )
InventProblemTypeSetup ( Problem/Non conformance types validation 1920 )
InventProdComLineDetail ( PRODCOM details 134 )
InventProdComLineWithCode ( Products on the PRODCOM list 139 )
InventProdComParameters ( PRODCOM parameters 141 )
InventProdcomSetup ( PRODCOM setup on item 322 )
InventProdComTable ( PRODCOM 472 )
InventProdComTmp_BE ( Print 100124 )
InventProductGroup ( Product groups 935 )
InventProductGroupBOM ( Product group structure 937 )
InventProductGroupItem ( Product group items 939 )
InventProductGroupItemMatching ( Product group - item group matching 575 )
InventQualityOrderLine ( Quality order lines 1989 )
InventQualityOrderLineResults ( Quality order line results 1993 )
InventQualityOrderTable ( Quality orders 1961 )
InventQualityOrderTableOrigin ( Quality order origin 2441 )
InventQuarantineOrder ( Quarantine order 944 )
InventQuarantineZone ( Quarantine zones 1924 )
InventReleaseOrderPickingTmp ( Invent release order picking 1102 )
InventReportDimHistory ( Dimension history for documents 1804 )
InventSerial ( Serial numbers 1204 )
InventSettlement ( Inventory settlement 173 )
InventSite ( Site 6064 )
InventSiteDefaultLocation ( Site default locations 7532 )
InventSiteDimensionLinkValidationTmp ( Linked dimension validation 10414 )
InventSiteLogisticsLocation ( Site location relationships 3509 )
InventSiteLogisticsLocationRole ( Site location roles 7503 )
InventSiteLogisticsLocationRoleView ( Site location roles 100315 )
InventStdCostConv ( Standard cost conversion 2204 )
InventStdCostConvCheckTmp ( Check 5894 )
InventStdCostConvItem ( Standard cost conversion items 2207 )
InventStdCostConvItemConverted ( Standard cost converted items 2503 )
InventStorageDimMap ( Inventory storage map 1122 )
InventSum ( On-hand inventory 174 )
InventSumCriticalTmp ( Critical on-hand inventory 10040 )
InventSumDateTable ( On-hand inventory periodic header 284 )
InventSumDateTrans ( On-hand inventory periodic transactions 1584 )
InventSumDateTransReport ( On-hand inventory periodic transactions 10271 )
InventSumDelta ( On-hand inventory changes 2397 )
InventSumDeltaDim ( On-hand inventory checks 2398 )
InventSumLogTTS ( Transaction list 1267 )
InventSupplyTmpOnhand ( On-hand 2137 )
InventSupplyTmpOrders ( Orders 2139 )
InventSupplyTmpStdLeadtime ( Standard lead times 2141 )
InventSupplyTmpVendors ( Vendors 2155 )
InventTable ( Items 175 )
InventTableExpanded ( Released products 6615 )
InventTableModule ( Inventory module parameters 176 )
InventTestAssociationTable ( Quality associations 1956 )
InventTestBlockProcessTmp ( Document blocking 100125 )
InventTestCertOfAnalysisLine ( Certificate of analysis lines 2040 )
InventTestCertOfAnalysisLineResults ( Certificate of analysis line results 2034 )
InventTestCertOfAnalysisTable ( Certificate of analysis 2033 )
InventTestCertOfAnalysisTmp ( Certificate of analysis 5518 )
InventTestCorrection ( Corrections 2014 )
InventTestDiagnosticType ( Diagnostic types 1810 )
InventTestDocumentTypeTmp ( Document type 2185 )
InventTestEmplResponsible ( Workers responsible for quality 2012 )
InventTestGroup ( Test groups 1795 )
InventTestGroupMember ( Test group members 1942 )
InventTestInstrument ( Test instruments 1925 )
InventTestItemQualityGroup ( Item quality groups 1904 )
InventTestMiscCharges ( Quality charges 1926 )
InventTestOperation ( Operations 1823 )
InventTestOperationItems ( Operation items 2023 )
InventTestOperationMiscCharges ( Charges transactions 2029 )
InventTestOperationTimeSheet ( Timesheet 2027 )
InventTestQualityGroup ( Quality groups 1822 )
InventTestRelatedOperations ( Related operations 2024 )
InventTestReportSetup ( Report setup for quality management 2083 )
InventTestTable ( Tests 1928 )
InventTestUpdatedQuantityTmp ( InventTestUpdatedQuantityTmp 100126 )
InventTestVariable ( Test variables 1824 )
InventTestVariableOutcome ( Test variable outcomes 1871 )
InventTrans ( Inventory transactions 177 )
InventTransDirection ( Inventory direction 2614 )
InventTransferJour ( Transfer order history 1706 )
InventTransferJourLine ( Transfer order line history 1710 )
InventTransferLine ( Transfer order lines 1705 )
InventTransferOrderOverviewTmp ( Transfer overview 6975 )
InventTransferParmLine ( Transfer order line - update table 1708 )
InventTransferParmTable ( Transfer order - update table 1707 )
InventTransferParmUpdate ( Transfer orders - general update table 2526 )
InventTransferTable ( Transfer orders 1704 )
InventTransGrouped ( Inventory transactions 7071 )
InventTransOrigin ( Inventory transactions originator 2938 )
InventTransOriginAssemblyComponent ( Relationship between an assembled item and its components 857 )
InventTransOriginBlockingIssue ( Relationship between the blocking order and the inventory transactions originator of the issued transactions 3254 )
InventTransOriginBlockingReceipt ( Relationship between the blocking order and the inventory transactions originator of the received transactions 3255 )
InventTransOriginJournalTrans ( Relationship between the inventory journal line and the inventory transactions originator 3224 )
InventTransOriginJournalTransReceipt ( Relationship between the inventory journal line and the inventory transactions originator of the transfer receipt transactions 3236 )
InventTransOriginKanbanEmptied ( Relationship between the kanban and the inventory transactions originator 3436 )
InventTransOriginKanbanJobPickList ( Relationship between the kanban job picking list and the inventory transactions originator 3435 )
InventTransOriginKanbanJobProcess ( Relationship between the process kanban job and the inventory transactions originator 3431 )
InventTransOriginKanbanJobTrsIssue ( Relationship between the transfer kanban job issue and the inventory transactions originator 3432 )
InventTransOriginKanbanJobTrsReceipt ( Relationship between the transfer kanban job receipt and the inventory transactions originator 3469 )
InventTransOriginKanbanJobWIP ( Relationship between the WIP kanban job and the inventory transaction originator 4289 )
InventTransOriginProdBOM ( Relationship between the production BOM and the inventory transactions originator 3221 )
InventTransOriginProdTable ( Relationship between the production order and the inventory transactions originator 3220 )
InventTransOriginPurchLine ( Relationship between the purchase order line and the inventory transactions originator 2989 )
InventTransOriginPurchRFQCaseLine ( Relationship between the purchase RFQ case line and the inventory transactions originator 3232 )
InventTransOriginPurchRFQLine ( Relationship between the purchase RFQ line and the inventory transactions originator 3251 )
InventTransOriginQualityOrder ( Relationship between the inventory quality order and the inventory transactions originator 3226 )
InventTransOriginQuarantineOrder ( Relationship between the inventory quarantine order and the inventory transactions originator 3225 )
InventTransOriginSalesLine ( Relationship between the sales order line and the inventory transactions originator 2983 )
InventTransOriginSalesQuotationLine ( Relationship between the sales quotation line and the inventory transactions originator 2987 )
InventTransOriginTransfer ( Transfer relations of the inventory transaction originator table 2643 )
InventTransOriginTransferReceive ( Relationship between the inventory transfer order line and the inventory transactions originator of the receipt transactions 3229 )
InventTransOriginTransferScrap ( Relationship between the inventory transfer order line and the inventory transactions originator of the scrap transactions 3231 )
InventTransOriginTransferShip ( Relationship between the inventory transfer order line and the inventory transactions originator of the shipment transactions 3230 )
InventTransOriginTransferTransitFrom ( Relationship between the inventory transfer order line and the inventory transactions originator of the transit source transactions 3227 )
InventTransOriginTransferTransitTo ( Relationship between the inventory transfer order line and the inventory transactions originator of the transit destination transactions 3228 )
InventTransOriginWMSOrder ( Relationship between the production order and the inventory transactions originator 3233 )
InventTransPosting ( Inventory transaction posting 553 )
InventValueReport ( Inventory value reports 7228 )
InventValueReportCostGroupIdLookup ( Cost group 7973 )
InventValueReportDimension ( Inventory dimensions for inventory value reports 7274 )
InventValueReportFinancialAdjustment ( InventValueReportFinancialAdjustment 7578 )
InventValueReportFinancialBalance ( InventValueReportFinancialBalance 7579 )
InventValueReportFinancialTransaction ( InventValueReportFinancialTransaction 7577 )
InventValueReportIndirectBalance ( Transaction data 7923 )
InventValueReportIndirectCostCodeLookup ( Indirect cost code 7933 )
InventValueReportIndirectFinTransaction ( Transaction data 7924 )
InventValueReportIndirectPhysTransaction ( Transaction data 7925 )
InventValueReportIndirectUnionAll ( Transaction data 7926 )
InventValueReportItemGroupIdLookup ( Item group 7971 )
InventValueReportItemIdLookup ( Item 7801 )
InventValueReportLine ( Reports on physical inventory and inventory value 5309 )
InventValueReportParm ( InventValueReportParm 7546 )
InventValueReportPhysicalAdjustment ( InventValueReportPhysicalAdjustment 7580 )
InventValueReportPhysicalBalance ( InventValueReportPhysicalBalance 7581 )
InventValueReportPhysicalReversed ( InventValueReportPhysicalReversed 7583 )
InventValueReportPhysicalSettlement ( InventValueReportPhysicalSettlement 7582 )
InventValueReportPhysicalTransaction ( InventValueReportPhysicalTransaction 7530 )
InventValueReportResourceGroupIdLookup ( Resource group 7974 )
InventValueReportResourceIdLookup ( Resource 10759 )
InventValueReportSubContBalance ( Transaction data 100316 )
InventValueReportSubContFinTransaction ( Transaction data 100317 )
InventValueReportSubContPhysTransaction ( Transaction data 100318 )
InventValueReportSubContUnionAll ( Transaction data 100319 )
InventValueReportTmpLedgerLine ( Cumulative ledger account value 7470 )
InventValueReportTmpLine ( Inventory value 7440 )
InventValueReportUnionAll ( InventValueReportUnionAll 10758 )
InventValueReportWrkCtrBalance ( Transaction data 7701 )
InventValueReportWrkCtrFinTransaction ( Transaction data 7703 )
InventValueReportWrkCtrGroupIdLookup ( Resource group 7972 )
InventValueReportWrkCtrIdLookup ( Resource 7802 )
InventValueReportWrkCtrPhysTransaction ( Transaction data 7702 )
InventValueReportWrkCtrUnionAll ( Transaction data 7705 )
ISOCurrencyCode ( ISO currency codes 2469 )
ISRConcept_MX ( ISR report setup 6617 )
ISRConceptMainAccount_MX ( Link main accounts 7182 )
ISRDetailedDeclarationTmp_MX ( Detailed report by concept and account 6949 )
ISRProvisonalDeclarationTmp_MX ( Summary report 7008 )
ISRRateTable_MX ( ISR rate table 6620 )
JmgAbsenceCalendar ( Absence registration 8168 )
JmgAssistance ( Assistant 8169 )
JmgAttendanceRegistration ( Attendance registrations 3203 )
JmgBulletinBoard ( Notice board 8170 )
JmgBulletinBoardRecipient ( Notice board recipients 8607 )
JmgBulletinBoardTerminalRecipient ( Notice board terminal recipients 8625 )
JmgBundleSlize ( Bundle allocation 8171 )
JmgChangeLog ( Change log 3350 )
JmgClientFieldTable ( Field setup 4893 )
JmgDocumentGroup ( Document groups 4226 )
JmgDocumentGroupMember ( Document group members 4228 )
JmgDocumentGroupType ( Document group types 4227 )
JmgDocumentLog ( Document log 5353 )
JmgEmployee ( Time registration workers 8172 )
JmgEventCtrl ( Switch code 8480 )
JmgExternalTerminalTable ( External terminals 8608 )
JmgFlexCorrection ( Flex correction 8173 )
JmgFlexGroup ( Flex groups 8609 )
JmgGroupApprove ( Groups 8174 )
JmgGroupCalc ( Groups 8175 )
JmgGroupSigningLine ( Collective registration lines 8176 )
JmgGroupSigningTable ( Collective registration 8177 )
JmgIllegalEventCodeCombination ( Invalid switch code combinations 8610 )
JmgIpcActivity ( Activities 8178 )
JmgIpcActivityCostPrice ( Indirect activity cost price 8611 )
JmgIpcCategory ( Indirect activities 8179 )
JmgIpcJournalTable ( IPC journal table 3206 )
JmgIpcJournalTrans ( IPC journal transactions 3207 )
JmgIpcLedgerJournal ( Post indirect activities costs 8319 )
JmgIpcLedgerTrans ( Ledger-posted indirect activities costs 8320 )
JmgIpcTrans ( Indirect activities costs transactions 3208 )
JmgJobDocuRef ( Document reference for jobs 5342 )
JmgJobTable ( Job table 8612 )
JmgOvertimeSlize ( Overtime allocation 8180 )
JmgParameters ( Time and attendance - parameters 8181 )
JmgPayAddTable ( Premium types 8182 )
JmgPayAddTrans ( Premium lines 8183 )
JmgPayAdjustCostType ( Pay adjustment 8593 )
JmgPayAdjustSetup ( Pay adjustment pay types 8594 )
JmgPayAgreementLine ( Pay agreement lines 8184 )
JmgPayAgreementLineMap ( Pay agreements 8208 )
JmgPayAgreementOverride ( Pay agreement override 8185 )
JmgPayAgreementOverrideLine ( Pay agreement override lines 8186 )
JmgPayAgreementTable ( Pay agreement 8187 )
JmgPayCountSum ( Worker balances 8188 )
JmgPayCountTable ( Count unit 8189 )
JmgPayEmployee ( Worker rates 8190 )
JmgPayEvents ( Pay items 8191 )
JmgPayLineDelimitation ( Pay line delimitation 3472 )
JmgPayRate ( Rates 2383 )
JmgPayrollPeriodTable ( Pay periods 8595 )
JmgPayrollPeriodTrans ( Pay period records 8596 )
JmgPayStatConfig ( Payroll statistics setup 8321 )
JmgPayStatGroup ( Payroll statistic groups 8322 )
JmgPayStatTrans ( Payroll statistics 8323 )
JmgPayTable ( Pay types 8192 )
JmgPieceRateEmpl ( View members of the piecework groups 8481 )
JmgPieceRateGroup ( Piecework groups 8482 )
JmgPieceRateLine ( Piecework productions 8483 )
JmgPieceRateTable ( Piecework 8484 )
JmgProdJobStatus ( Job status 7226 )
JmgProdParameters ( Manufacturing execution production parameters 2793 )
JmgProdParametersDim ( Manufacturing execution production parameters 2618 )
JmgProfileCalendar ( Profile calendar 8193 )
JmgProfileDay ( Profile start table 8194 )
JmgProfileGroup ( Profile group 8195 )
JmgProfileOverride ( Profile override 8196 )
JmgProfileOverrideSpec ( Profile time override 8197 )
JmgProfileRelation ( Profile relation 8198 )
JmgProfileReportWeekTmp ( Profiles 10132 )
JmgProfileSpec ( Profile timetable 8199 )
JmgProfileSpecMap ( Profile timetable 8209 )
JmgProfileTable ( Profile table 8200 )
JmgProfileTypeTable ( Profile types 9807 )
JmgRegistrationActionPaneTable ( Action Pane 7505 )
JmgRegistrationButtonTable ( Button setup 4894 )
JmgRegistrationGridTable ( Grid table 7610 )
JmgRegistrationSetup ( Registration setup 8626 )
JmgScheduledLoan ( Temporary group assignment 8627 )
JmgSpecialDayTable ( Special days 8628 )
JmgStampJournalTable ( Day's total 8201 )
JmgStampJournalTrans ( Logbook 8202 )
JmgStampTrans ( Transferred journal registrations 8203 )
JmgStampTransMap ( Logbook 8210 )
JmgTermReg ( Raw registrations 8485 )
JmgTermRegArchive ( Raw registrations archive 8616 )
JmgTermRegArchiveMap ( Raw registrations archive 8624 )
JmgTermRegTmp ( Raw registrations 8486 )
JmgTermTexts ( Send statistics 8490 )
JmgTimeCalcParmeters ( Calculation parameters 8491 )
JmgTimecardTable ( Electronic timecard 8618 )
JmgTimecardTrans ( Electronic timecard registrations 8619 )
JmgTmpAbsence ( Absence form 9942 )
JmgTmpAbsenceCalendarOutput ( Temporary absence administration table 8204 )
JmgTmpAbsenceStatistics ( Absence statistics 10162 )
JmgTmpActiveJobs ( Active jobs 10220 )
JmgTmpAttendance ( Attendance 10218 )
JmgTmpBOMConsump ( BOM consumption 8620 )
JmgTmpCalculationGroup ( Calculation group 10217 )
JmgTmpEmplSignedIn ( Attendance 8629 )
JmgTmpErrorSpecification ( Error specification 8621 )
JmgTmpFlexBalance ( Flex overview 10216 )
JmgTmpFlexCheck ( Flex overview 10211 )
JmgTmpIndirectActivity ( Indirect activity 9921 )
JmgTmpIpcBarcode ( Temporary table 9930 )
JmgTmpJobBundleProdFeedback ( Quantity reports 8622 )
JmgTmpJobBundleProjStartup ( Select cost categories 8623 )
JmgTmpJobStatus ( Job status 8630 )
JmgTmpPayExport ( Temporary payment file 8206 )
JmgTmpPaySpecification ( Pay specification 9945 )
JmgTmpPayStatTrans ( Temporary table 10133 )
JmgTmpProjBarcode ( Temporary table 10020 )
JmgTmpWorkerCard ( Worker ID card 9920 )
JmgTmpWorkPlanner ( Work planner 8631 )
JmgWorkPlannerEmployeeTmp ( Worker 9941 )
JmgWorkPlannerProfileTmp ( Worker 10064 )
JournalError ( Errors 1218 )
JournalizingDefinition ( Posting definition 3214 )
JournalizingDefinitionBudgetTrans ( Journalizing definition budget register entry 4777 )
JournalizingDefinitionMatch ( Ledger posting definition match account 3215 )
JournalizingDefinitionMatchDetail ( Ledger posting definition match account detail 3216 )
JournalizingDefinitionPayablesTrans ( Journalizing definition accounts payable 3495 )
JournalizingDefinitionPurchTrans ( Purchasing transaction journalizing definition 3365 )
JournalizingDefinitionRelatedDefinition ( Posting definition related definitions 3217 )
JournalizingDefinitionVersion ( Journalizing definition version 5779 )
JournalNameMap ( Journal names 1219 )
JournalTableMap ( Journal table 181 )
JournalTransMap ( Journal lines 182 )
Kanban ( Kanbans 2770 )
KanbanBoardTmpFilterCriteria ( Kanban board transfer job filter 6618 )
KanbanBoardTmpMessageBoard ( Kanban board - message board 3373 )
KanbanBoardTmpProcessJob ( Kanban board - list of process jobs 3176 )
KanbanBoardTmpTransferJob ( Kanban board - list of transfer jobs 3375 )
KanbanCard ( Card 2986 )
KanbanFlow ( Kanban flows 2960 )
KanbanFlowActivityRelationship ( Kanban flow activity relationships 4290 )
KanbanFlowTmpActivityRelations ( Kanban flow activity relationship 4923 )
KanbanJob ( Kanban jobs 2772 )
KanbanJobCapacitySum ( Kanban job capacity consumption 5115 )
KanbanJobIssue ( Kanban job issue 6918 )
KanbanJobPickingList ( Kanban job picking lists 2861 )
KanbanJobPlanActivityService ( Kanban jobs assigned to plan activity services 100127 )
KanbanJobPurchaseLine ( Kanban jobs assigned to purchase order lines 100128 )
KanbanJobQualityMeasure ( Kanban job quality measures 2871 )
KanbanJobReceipt ( Kanban job receipt 6919 )
KanbanJobReceiptAdviceLine ( Kanban jobs assigned to receipt advice lines 100129 )
KanbanJobSchedule ( Kanban job schedule 2870 )
KanbanJobScheduleCapacitySum ( Kanban job schedule capacities 5098 )
KanbanJobScheduleLock ( Kanban planning engine lock table 100130 )
KanbanJobStatusUpdate ( Kanban job status updates 2875 )
KanbanJobTmpPegging ( Pegging kanbans 3326 )
KanbanJobTmpPickList ( Picking list 3237 )
KanbanPageTmp ( Kanban page 6595 )
KanbanQuantityCalculation ( Kanban quantity calculations 7138 )
KanbanQuantityCalculationProposal ( Kanban quantity proposals 7139 )
KanbanQuantityDemandPeriodFence ( Time fence 7144 )
KanbanQuantityDemandPeriodSeason ( Season 7145 )
KanbanQuantityPolicy ( Kanban quantity calculation policies 7140 )
KanbanQuantityPolicyDemandPeriod ( Demand period 7143 )
KanbanQuantityPolicyKanbanRuleFixed ( Relationship between kanban quantity policy and kanban rule 7141 )
KanbanQuantityPolicySafetyStock ( Safety stock 7142 )
KanbanRule ( Kanban rules 2932 )
KanbanRuleEvent ( Kanban event rules 6828 )
KanbanRuleFixed ( Kanban fixed rules 2951 )
KanbanRuleVariable ( Kanban variable rules 6826 )
KanbanStatusUpdate ( Kanban handling unit status updates 2874 )
KanbanTmpFlow ( Kanban flows 2992 )
KMAnswer ( Answer 8084 )
KMAnswerCollection ( Answer groups 8085 )
KMCollection ( Questionnaires 8086 )
KMCollectionQuestion ( Questionnaire questions 8087 )
KMCollectionQuestionAnswer ( Questionnaire answer counting group 8369 )
KMCollectionRights ( Questionnaires - user rights 8467 )
KMCollectionTemplate ( Questionnaire templates 8088 )
KMCollectionType ( Questionnaire types 8089 )
KMConnectionType ( Reference types 8093 )
KMKnowledgeCollectorParameters ( Questionnaire parameters 8262 )
KMKnowledgeCollectorPlanningTable ( Scheduled questionnaires 8468 )
KMKnowledgeCollectorPlanningType ( Questionnaire planning - type 8469 )
KMQuestion ( Questions 8129 )
KMQuestionAnalyzeTmp ( Questions 7818 )
KMQuestionMedia ( Questionnaire media 8470 )
KMQuestionnaireStatisticsLine ( Questionnaire statistics - lines 8471 )
KMQuestionnaireStatisticsTable ( Questionnaire statistics - main 8472 )
KMQuestionResultGroup ( Question - result groups 8130 )
KMQuestionResultGroupText ( Question - point distribution 8131 )
KMQuestionRow ( Rows for question 8598 )
KMQuestionType ( Question types 8132 )
KMTmpKnowledgeCollectorPerson ( Knowledge collector person 7055 )
KMTmpQuestionFeedback ( Feedback analysis report 8473 )
KMTmpQuestionnaireList ( Questionnaires 442 )
KMVirtualNetworkAnswerGroup ( Group points in answered questionnaires 8263 )
KMVirtualNetworkAnswerLine ( Lines on answered/planned questionnaires 8138 )
KMVirtualNetworkAnswerTable ( Plan a questionnaire 8139 )
LanguageTable ( Languages 799 )
LanguageTxt ( Translations 185 )
LeanCosting ( Backflush costing calculation 3873 )
LeanCoverage ( Lean replenishment coverage 2984 )
LeanCoverageKanbanRule ( Replenishment rule validity record 2985 )
LeanProdFlowActivityPickingLocation ( Production flow activity picking locations 4291 )
LeanProdFlowPlanActivityRelation ( Production flow activity relations 4292 )
LeanProductionFlow ( Production flows 6032 )
LeanProductionFlowActivity ( Production flow activities 4293 )
LeanProductionFlowCosting ( Production flow backflush costing 3812 )
LeanProductionFlowCostingUnusedQty ( Production flow unused quantities 3874 )
LeanProductionFlowCycleTimeTmpLine ( Cycle time history 5416 )
LeanProductionFlowModel ( Production flow model 9143 )
LeanProductionFlowReference ( Production flow references 4295 )
LeanScheduleGroup ( Lean schedule groups 2993 )
LeanScheduleGroupEntryGroup ( Lean schedule items 3000 )
LeanScheduleGroupEntrySingle ( Lean schedule items 2999 )
LeanScheduleGroupItem ( Lean schedule items 2998 )
LeanTmpCarrier ( Lookup table 100131 )
LeanWorkCellCapacity ( Work cell capacities 4296 )
Ledger ( Ledger 7057 )
LedgerAccountCov ( Liquidity cash flow forecast 186 )
LedgerAccountSchedTmp ( Chart of accounts 10579 )
LedgerAccountStatementPerCurrencyTmp ( LedgerAccountStatementPerCurrencyTmp 10420 )
LedgerAccountSumTmp_FR ( Balance list with group total accounts 7761 )
LedgerAccountTypePrefix ( Account type prefix 1692 )
LedgerAccrualTable ( Accrual schemes 1698 )
LedgerActivityZakatTmp_SA ( Zakat information 10520 )
LedgerAllocateKey ( Period allocation key 187 )
LedgerAllocateTrans ( Period allocation line 188 )
LedgerAllocation ( Allocation key for ledger posting 189 )
LedgerAllocationBasisRule ( Ledger allocation basis 6074 )
LedgerAllocationBasisRuleSource ( Ledger allocation basis source 6065 )
LedgerAllocationRule ( Ledger allocation rule 6068 )
LedgerAllocationRuleDestination ( Ledger allocation rule destination 6069 )
LedgerAllocationRuleSource ( Ledger allocation rule source 6070 )
LedgerAllocationRulesTmp ( LedgerAllocationRulesTmp 10589 )
LedgerAllocationTmpSource ( Ledger allocation source amounts 2716 )
LedgerAuditFileTransactionLog_NL ( Table holding audit file transactions 10429 )
LedgerBalanceControl ( Balance control accounts 190 )
LedgerBalanceSheetDimFileFormat ( File formats for the export of the financial statement 1400 )
LedgerBalColumnsDim ( Columns 1938 )
LedgerBalColumnsDimQuery ( Query for columns on the financial statement 48 )
LedgerBalHeaderDim ( Ledger balance 1932 )
LedgerChartOfAccounts ( Chart of accounts 6904 )
LedgerChartOfAccountsStructure ( Chart of accounts structure 6905 )
LedgerCheckTrans ( General journal entry 10008 )
LedgerCheckVoucherTmp ( Check ledger transactions 5601 )
LedgerClosingSheet ( Closing sheet 198 )
LedgerClosingTable ( Closing accounts 199 )
LedgerClosingTmp ( Closing sheet 9916 )
LedgerClosingTrans ( Closing transactions 200 )
LedgerConsolidateCurrencyConversion ( Consolidation currency translation 10207 )
LedgerConsolidateHist ( Ledger consolidation history 1206 )
LedgerConsolidateHistRef ( Ledger consolidation reference history 1207 )
LedgerConsolidateSourceDimension ( Source dimension 5368 )
LedgerCov ( Cash flow forecasts 205 )
LedgerCurrencyConversionLog ( Ledger currency conversion 100132 )
LedgerCurrencyReq ( Currency requirement 206 )
LedgerCustPaymProposal ( Customer payment proposal 1386 )
LedgerDimTransactionMap ( Ledger transactions extract map 1937 )
LedgerEliminationRule ( Ledger elimination rule 6082 )
LedgerEliminationRuleLine ( Ledger elimination rule line 6081 )
LedgerEliminationRuleLineCriteria ( Source criteria 6031 )
LedgerEliminationTmpJournalLine ( General journal account entry 6061 )
LedgerEncumbranceReconciliationTmp ( Encumbrance and ledger reconciliation 7755 )
LedgerEntry ( Ledger entry 3122 )
LedgerEntryJournal ( Ledger entry journal 3120 )
LedgerEntryJournalizing ( Ledger entry journalizing 3121 )
LedgerFiscalCalendarPeriod ( Ledger fiscal calendar period 7080 )
LedgerFiscalCalendarYear ( Ledger fiscal calendar year 7079 )
LedgerFiscalJournalTmp_IT ( Print an Italian fiscal journal 10241 )
LedgerGainLossAccount ( Ledger revaluation account 6913 )
LedgerGDPdUField ( Data export fields 797 )
LedgerGDPdUGroup ( Data export definition groups 807 )
LedgerGDPdURelation ( Data export relations 823 )
LedgerGDPdUTable ( Data export tables 835 )
LedgerGDPdUTableSelection ( Data export table selections 837 )
LedgerImportMode ( Methods of importing account statements 1128 )
LedgerInAccountStatementTmpDE_DTAUS ( Import file 5901 )
LedgerInAccountStatementTmpDE_MT940 ( Import file 5902 )
LedgerInfoZakat_SA ( Ledger chart of accounts 4203 )
LedgerInterCompany ( Intercompany accounting 207 )
LedgerItemCodeZakat_SA ( Zakat item codes 4112 )
LedgerJournalAccountMovementTmp ( LedgerJournalAccountMovementTmp 10419 )
LedgerJournalCashReportTmp ( Cash report 10708 )
LedgerJournalControlDetail ( Journal control 6071 )
LedgerJournalControlHeader ( Journal control 6072 )
LedgerJournalizeReport ( Ledger journal totals 209 )
LedgerJournalizeReportTmp ( Journal list and Extended journal list 10385 )
LedgerJournalizeReportTmp_DE ( German journal list 5827 )
LedgerJournalName ( Name of journal 210 )
LedgerJournalParmPost ( Post journals 1988 )
LedgerJournalPeriodFinalPrintBE ( Journal reports final periods 1783 )
LedgerJournalPostControlTmp ( Posting restrictions 5602 )
LedgerJournalPostControlUser ( Ledger journal user posting restriction 2006 )
LedgerJournalPostControlUserGroup ( Ledger journal user group posting restriction 2007 )
LedgerJournalSummaryTmp_ES ( Summarized Spanish journal list 100133 )
LedgerJournalTable ( Ledger journal table 211 )
LedgerJournalTableTypeBE ( Journal type BE 1784 )
LedgerJournalTmp ( Print journal 10841 )
LedgerJournalTrans ( Journal lines 212 )
LedgerJournalTrans_Asset ( Asset journal lines 2213 )
LedgerJournalTrans_Project ( Project journal lines 1619 )
LedgerJournalTransAccountView ( Journal lines 5286 )
LedgerJournalTransAccrual ( Ledger accruals 1699 )
LedgerJournalTransAccrualTrans ( Ledger accrual transactions 1700 )
LedgerJournalTransBankLC ( Journal lines for bank letter of credit 100134 )
LedgerJournalTransLedgerDimensionView ( Journal lines 100320 )
LedgerJournalTransVoucherTemplate ( Voucher templates 2290 )
LedgerJournalTransZakat_SA ( Zakat transactions 7938 )
LedgerJournalTxt ( Ledger journal texts 563 )
LedgerJournalVendTrans_BE ( Journal lines 1987 )
LedgerJournalVoucherChanged ( Changed journal vouchers 850 )
LedgerLiquidity ( Liquidity accounts 216 )
LedgerMainZakatTmp_SA ( Zakat information 10521 )
LedgerOpeningSheet_ES ( Opening sheets 863 )
LedgerOpeningTable_ES ( Opening accounts 864 )
LedgerOpeningTrans_ES ( Opening transactions 867 )
LedgerParameters ( Ledger parameters 217 )
LedgerPeriodCode ( Date intervals 219 )
LedgerPeriodDateDimensionActualDatesView ( Ledger date dimension table 100321 )
LedgerPeriodDateDimensionNullDatesView ( Ledger date dimension table 100322 )
LedgerPeriodDateDimensionView ( Ledger date dimension table 5696 )
LedgerPeriodModuleAccessControl ( Period permissions 7375 )
LedgerPeriodSumTmp_FR ( Ledger totals by periods 6268 )
LedgerPostingJournal ( Posting journals 1013 )
LedgerPostingJournalListTmp ( Posting journal list 5020 )
LedgerPostingJournalTotalTmp ( Ledger transactions 5840 )
LedgerPostingJournalVoucherSeries ( Posting journal and voucher series 1014 )
LedgerPostingTransactionProjectTmp ( PlaceHolder 10823 )
LedgerPostingTransactionTaxTmp ( PlaceHolder 10824 )
LedgerPostingTransactionTmp ( PlaceHolder 10822 )
LedgerProvisionsTmp_SA ( Zakat information 10522 )
LedgerPurchaseJournalReportTmpBE ( Purchase journal report 10037 )
LedgerReconciliationTmp ( General ledger reconciliation 100135 )
LedgerRelatedAccounts_ES ( Related accounts 868 )
LedgerReportIndexZakat_SA ( Zakat reports 4114 )
LedgerReportJournal_IT ( Fiscal journal sum 1319 )
LedgerReportZakat_SA ( Zakat reports 4113 )
LedgerRevenueActivityTmp_SA ( Zakat information 10523 )
LedgerRowDef ( Row structures 1933 )
LedgerRowDefErrorLog ( Error log 302 )
LedgerRowDefinitionPrintTmp ( Print row definition 11001 )
LedgerRowDefLine ( Row structure lines 1934 )
LedgerRowDefLineCalc ( Expression arguments 1935 )
LedgerSystemAccounts ( System accounts 220 )
LedgerTmpAccountCategoryLink ( Ledger account category temp 1398 )
LedgerTmpGDPdUField ( Temporary data export field 838 )
LedgerTmpGDPdULookup ( Data export lookup 839 )
LedgerTotalAndBalanceListTmp ( Balance list 5940 )
LedgerTransAccountVoucherTmp_FR ( Transaction list by account 10197 )
LedgerTransactionListTmp ( Ledger transaction list 100136 )
LedgerTransBaseTmp ( Transaction origin 10764 )
LedgerTransferOpeningSumTmp ( Account totals 2795 )
LedgerTransferOpeningTmp ( Close-of-year transactions 10821 )
LedgerTransFurtherPosting ( Bridged postings 1384 )
LedgerTransPerJournalTmp ( Posted transactions by journal 10802 )
LedgerTransSettlement ( Ledger settlements 1054 )
LedgerTransStatementTmp ( Statement by dimensions 10780 )
LedgerTransVoucherLink ( Related ledger transaction vouchers 6100 )
LedgerTrialBalanceTmp ( Trial balance 10816 )
LedgerValueZakat_SA ( Value 4116 )
LedgerVendPaymProposal ( Vendor payment proposal 1382 )
LedgerXBorderActivityTmpAT ( Cross-border services 5288 )
LedgerXBRLProperties ( Path and file name for XBRL 7118 )
LedgerXBRLTransactionLog_NL ( Table holding XBRL transactions 10428 )
LedgerZakatHeaderTmp_SA ( Zakat information 10524 )
LegFinJourRepTmpLegTransBE ( Financial journal report 5307 )
LineOfBusiness ( Line of business 928 )
LogisticsAddressCountryRegion ( Country/region 2942 )
LogisticsAddressCountryRegionNameView ( Country/Region names 100323 )
LogisticsAddressCountryRegionTranslation ( Country/region translations 4405 )
LogisticsAddressCountryRegTranslFiltered ( Country/region labels in system language 6616 )
LogisticsAddressCounty ( Counties 2943 )
LogisticsAddressDateEffectiveMap ( Postal and electronic address date effective map 7689 )
LogisticsAddressDistrict ( Districts 4404 )
LogisticsAddressFormatHeading ( Address format 2944 )
LogisticsAddressFormatLines ( Address format lines 2945 )
LogisticsAddressParameters ( Address parameters 7966 )
LogisticsAddresssCity ( Cities 4427 )
LogisticsAddressState ( States 2946 )
LogisticsAddressZipCode ( ZIP/postal codes 2947 )
LogisticsContactInfoView ( Contact information view 5584 )
LogisticsCountryRegionPaymentIdType_NO ( Payment ID type 4435 )
LogisticsElectronicAddress ( Communication details 2956 )
LogisticsEntityContactInfoView ( Entity contact information view 7653 )
LogisticsEntityLocationMap ( Entity location map 7654 )
LogisticsEntityLocationRoleMap ( Entity location role map 7716 )
LogisticsEntityLocationView ( Entity location view 7650 )
LogisticsEntityPostalAddressView ( Entity postal address view 7652 )
LogisticsLESiteWarehouseLocation ( Legal entity, site, and warehouse locations view 7193 )
LogisticsLocation ( Locations 2954 )
LogisticsLocationAccessView ( Location access view 100324 )
LogisticsLocationDefaultTmp ( Default location 4866 )
LogisticsLocationExt ( Locations 3555 )
LogisticsLocationMap ( Location map 7680 )
LogisticsLocationParty ( Party location roles view 7196 )
LogisticsLocationRole ( Roles 2953 )
LogisticsLocationRoleTranslation ( Role translations 4409 )
LogisticsPostalAddress ( Addresses 2941 )
LogisticsPostalAddressExpanded ( Geographic location 7184 )
LogisticsPostalAddressMap ( Address mapping 3110 )
LogisticsPostalAddressView ( Address view 5076 )
LogMap ( Log map 326 )
MainAccount ( Main account 720 )
MainAccountCategory ( Main account categories 6840 )
MainAccountControlCurrencyCode ( Currency posting control 6187 )
MainAccountControlPosting ( Select the posting type of the current account 3776 )
MainAccountControlTaxCode ( Posting control for tax code 3779 )
MainAccountControlUser ( User posting control 3786 )
MainAccountCube ( Main account 7889 )
MainAccountForJournalControlView ( Main account 6426 )
MainAccountLedgerDimensionView ( Main account ledger dimension 9877 )
MainAccountLegalEntity ( Main account legal entity 6902 )
MainAccountTemplate ( Main account templates 6909 )
MarkupAutoLine ( Auto charges 226 )
MarkupAutoTable ( Auto charges transactions 227 )
MarkupGroup ( Charges groups 228 )
MarkupMatchingTrans ( Expected charges 3579 )
MarkupTable ( Charges code 229 )
MarkupTmpAllocation ( Charge allocation RecId values 6474 )
MarkupTmpDetails ( Invoice markup details 6119 )
MarkupTmpMaxAmountValidation ( Purchase order and invoice markup totals 6185 )
MarkupTmpTotals ( Invoice markup totals 6120 )
MarkupTmpTrans_FI ( Temporary 2109 )
MarkupTolerance ( Charges tolerances 2089 )
MarkupTrans ( Charges transactions 230 )
MarkupTransHistory ( Charges transactions history 4478 )
MarkupTransMap ( MarkupTrans and MarkupTransHistory map 4486 )
MarkupTransMapping ( MarkupTransMapping 4883 )
ModelSecPolRuntimeEx ( Model security policy runtime 65431 )
ModelSecPolRuntimeView ( Model security policy runtime view 65430 )
MyAddressBook ( Address books for current user 100137 )
MyAddressBookForXDS ( User defined and system address books for current user 100138 )
MyDepartments ( Departments for current user 100139 )
MyDirectReports ( Worker 100140 )
MyLegalEntities ( Legal entities associated with role 100141 )
MyLegalEntitiesForNS ( Legal entities 100142 )
MyLegalEntitiesForXDS ( Legal entities associated with role 100143 )
MyLegalEntityForWorker ( Legal entities associated with worker 100144 )
MyRoles ( Current user's roles 100145 )
NGPCodesTable_FR ( NGP codes 9729 )
NumberSequenceDatatype ( Datatype number sequence properties 4221 )
NumberSequenceDatatypeParameterType ( Number sequence datatype parameter type 4222 )
NumberSequenceGroup ( Number sequence group 772 )
NumberSequenceGroupRef ( Number sequence group references 793 )
NumberSequenceHistory ( History 521 )
NumberSequenceList ( Number sequence list 271 )
NumberSequenceParameterShortName ( Short name 7668 )
NumberSequenceReference ( Number sequence references 707 )
NumberSequenceScope ( Number sequence Scope 4224 )
NumberSequenceTable ( Number sequence code 273 )
NumberSequenceTTS ( Number sequence transaction tracking 270 )
OfficeAddinAccountStructureView ( Account structures 100325 )
OMDepartmentView ( Department 7123 )
OMExplodedOrganizationSecurityGraph ( Exploded organization structure 2444 )
OMHierarchyChangeLog ( Hierarchy change log 5068 )
OMHierarchyPurpose ( Purpose type 5069 )
OMHierarchyPurposesTmp ( Purposes 100146 )
OMHierarchyRelationship ( Hierarchy relationship 4967 )
OMHierarchyType ( Hierarchy 5067 )
OMHierPurposeOrgTypeMap ( Maps hierarchy purpose to the supported node types 7260 )
OMInternalOrganization ( Internal organization 2376 )
OMInternalOrganizationTmpType ( Internal organization type 100147 )
OMOperatingUnit ( Operating unit 2377 )
OMOperatingUnitView ( Operating unit 100326 )
OMRevisionEdit ( Revision table used for storing the model that is being edited 5898 )
OMTeam ( Team 5329 )
OMTeamMemberSelection ( Add team members 6270 )
OMTeamMembershipCriterion ( Team type 5200 )
OMUserRoleOrganization ( User role organization assignment 7919 )
OMUserRoleOrganizationTemp ( User role organization assignment 100148 )
OutlookSyncParameters ( Microsoft Outlook synchronization parameters 384 )
OutlookUserSetup ( Outlook worker 7887 )
ParmBuffer ( Parameter 858 )
ParmUpdate ( General parameters 2527 )
PaymDay ( Payment days 875 )
PaymDayLine ( Payment day lines 876 )
PaymInstruction ( Payment instruction 1677 )
PaymManStepTable ( Payment step 1262 )
PaymModeMap ( Customer and vendor method of payment map 1922 )
PaymSched ( Payment schedule 277 )
PaymSchedLine ( Payment schedule lines 278 )
PaymTerm ( Terms of payment 276 )
PBABOMRouteOccurrence ( BOM Route occurrence 8581 )
PBAConfiguratedItemTmp ( Configured item 10017 )
PBAConsistOfTmp ( Composed of 10065 )
PBACustGroup ( Product model group 8494 )
PBADefault ( Default values 8495 )
PBADefaultRoute ( Default route 8496 )
PBADefaultRouteTable ( Default route 8497 )
PBADefaultVar ( Default value 8498 )
PBAGraphicParameters ( Graphic parameters 8639 )
PBAGraphicParametersInterval ( Interval 138 )
PBAGraphicParametersVariable ( Graphic parameters variables 8640 )
PBAGroup ( Product model group 8499 )
PBAInventItemGroup ( Product model group 8500 )
PBAItemLine ( Item line 8586 )
PBALanguageTxt ( Translations 8501 )
PBANodeMap ( Product Builder tree node 8546 )
PBAParameters ( Product Builder parameters 8502 )
PBAReuseBOMRoute ( Reuse BOM & route 8582 )
PBARule ( Validation rule 8503 )
PBARuleAction ( Action 8504 )
PBARuleActionValue ( Value 8505 )
PBARuleActionValueCode ( Value 8506 )
PBARuleActionValueCodeParm ( Value 8641 )
PBARuleClause ( Validation rule 8642 )
PBARuleClauseSet ( Versions 8643 )
PBARuleClauseVersion ( Versions 8644 )
PBARuleCodeCompiled ( Compiled code 8645 )
PBARuleDebuggerTable ( Rule debugger 6063 )
PBARuleExprMap ( Rule expression map 8547 )
PBARuleLine ( Rule 8507 )
PBARuleLineCode ( Value 8583 )
PBARuleLineCodeParm ( Line code parameters 8646 )
PBARuleLineSimple ( Simple rule 8647 )
PBARulePBAId2ConsId ( Model mapping 8648 )
PBARuleTableConstraint ( Table constraints 2130 )
PBARuleTableConstraintColumn ( Table constraints 2129 )
PBARuleTableConstraintRef ( Table constraint references 2124 )
PBARuleVariable ( Rule sorting 8649 )
PBARuleVariableLine ( Rule sorting 8650 )
PBASalesHeader ( Sales header 2436 )
PBATable ( Product model 8509 )
PBATableGenerateItemId ( Generate item number 8584 )
PBATableGenerateItemVariables ( Generate items and dimensions 8585 )
PBATableGroup ( Product model group 8510 )
PBATableInstance ( Configuration details 8511 )
PBATablePBAInstance ( Configuration details 8512 )
PBATablePrice ( Price combinations 8513 )
PBATablePriceCurrencySetup ( Amount in transaction currency 8514 )
PBATablePriceSetup ( Rule 8515 )
PBATablePriceSetupCode ( Value 8587 )
PBATableVariable ( Modeling variables 8516 )
PBATableVariableDefaultVal ( Default value 8517 )
PBATableVariableVal ( Outcomes 8518 )
PBATmpBomId ( Generated BOM and route 8519 )
PBATmpBuildForm ( Value table 8520 )
PBATreeBOM ( BOM lines 8522 )
PBATreeCase ( Case node 8523 )
PBATreeCode ( Code node 8524 )
PBATreeDefault ( Default node 8525 )