Categorygithub.com/ovstepaniuk/go-odoo-17
modulepackage
0.0.0-20241018084948-83914dc247fa
Repository: https://github.com/ovstepaniuk/go-odoo-17.git
Documentation: pkg.go.dev

# README

go-odoo

An Odoo API client enabling Go programs to interact with Odoo in a simple and uniform way.

GitHub license GoDoc Go Report Card GitHub issues

Usage

Generate your models

./generator/generator -u admin_name -p admin_password -d database_name -o /the/directory/you/want/the/files/to/be/generated/in --url http://localhost:8069 -t ./generator/cmd/tmpl/model.tmpl -m crm.lead,res.users

That's it ! Your models have been generated !

Current generated models

Core models

Core models are ir_model.go and ir_model_fields.go since there are used to generate models.

It is highly recommanded to not remove them, since you would not be able to generate models again.

Custom skilld-labs models

All other models (not core one) are specific to skilld-labs usage. They use our own odoo instance which is version 11. (note that models structure changed between odoo major versions).

If you're ok to work with those models, you can use this library instance, if not you should fork the repository and generate you own models by following steps above.

Enjoy coding!

(All exemples on this README are based on model crm.lead)

package main

import (
	odoo "github.com/skilld-labs/go-odoo"
)

func main() {
	c, err := odoo.NewClient(&odoo.ClientConfig{
		Admin:    "admin_name",
		Password: "admin_password",
		Database: "database_name",
		URL:      "http://localhost:8069",
		SyncWriteRequests: true, // prevent concurrency issues in case of simultaneous write requests
	})
	if err != nil {
		log.Fatal(err)
	}
	crm := &odoo.CrmLead{
		Name: odoo.NewString("my first opportunity"),
	}
	if id, err := c.CreateCrmLead(crm); err != nil {
		log.Fatal(err)
	} else {
		fmt.Printf("the id of the new crm.lead is %d", id)
	}
}

Models

Generated models contains high level functions to interact with models in an easy and golang way. It covers the most common usage and contains for each model those functions :

Create

func (c *Client) CreateCrmLead(cl *CrmLead) (int64, error) {}
func (c *Client) CreateCrmLeads(cls []*CrmLead) ([]int64, error) {} // !! Only for odoo 12+ versions !!

Update

func (c *Client) UpdateCrmLead(cl *CrmLead) error {}
func (c *Client) UpdateCrmLeads(ids []int64, cl *CrmLead) error {}

Delete

func (c *Client) DeleteCrmLead(id int64) error {}
func (c *Client) DeleteCrmLeads(ids []int64) error {}

Get

func (c *Client) GetCrmLead(id int64) (*CrmLead, error) {}
func (c *Client) GetCrmLeads(ids []int64) (*CrmLeads, error) {}

Find

Find is powerful and allow you to query a model and filter results. Criteria and Options

func (c *Client) FindCrmLead(criteria *Criteria) (*CrmLead, error) {}
func (c *Client) FindCrmLeads(criteria *Criteria, options *Options) (*CrmLeads, error) {}

Conversion

Generated models can be converted to Many2One easily.

func (cl *CrmLead) Many2One() *Many2One {}

Types

The library contains custom types to improve the usability :

Basic types

func NewString(v string) *String {}
func (s *String) Get() string {}

func NewInt(v int64) *Int {}
func (i *Int) Get() int64 {}

func NewBool(v bool) *Bool {}
func (b *Bool) Get() bool {}

func NewSelection(v interface{}) *Selection {}
func (s *Selection) Get() (interface{}) {}

func NewTime(v time.Time) *Time {}
func (t *Time) Get() time.Time {}

func NewFloat(v float64) *Float {}
func (f *Float) Get() float64 {}

Relational types

func NewMany2One(id int64, name string) *Many2One {}
func NewUnassignedMany2One() *Many2One {}
func (m *Many2One) Get() int64 {}

func NewRelation() *Relation {}
func (r *Relation) Get() []int64 {}

one2many and many2many are represented by the Relation type and allow you to execute special actions as defined here.

Criteria and Options

Criteria is a set of Criterion and allow you to query models. More informations

Combined Criterions

Criterions can be combined using AND (arity 2), OR (arity 2) and NOT (arity 1) operators. Criteria have And, Or and Not methods to be able to do such query eg:

c := odoo.NewCriteria().Or(
	odoo.NewCriterion("user_id.name", "=", "Jane Doe"),
	odoo.NewCriterion("user_id.name", "=", "John Doe"),
)

Options allow you to filter results.

cls, err := c.FindCrmLeads(odoo.NewCriteria().Add("user_id.name", "=", "John Doe"), odoo.NewOptions().Limit(2))

Low level functions

All high level functions are based on basic odoo webservices functions.

These functions give you more flexibility but less usability. We recommend you to use models functions (high level).

Here are available low level functions :

func (c *Client) Create(model string, values []interface{}, options *Options) ([]int64, error) {} !! Creating multiple instances is only for odoo 12+ versions !!
func (c *Client) Update(model string, ids []int64, values interface{}, options *Options) error {}
func (c *Client) Delete(model string, ids []int64) error {}
func (c *Client) SearchRead(model string, criteria *Criteria, options *Options, elem interface{}) error {}
func (c *Client) Read(model string, ids []int64, options *Options, elem interface{}) error {}
func (c *Client) Count(model string, criteria *Criteria, options *Options) (int64, error) {}
func (c *Client) Search(model string, criteria *Criteria, options *Options) ([]int64, error) {}
func (c *Client) FieldsGet(model string, options *Options) (map[string]interface{}, error) {}
func (c *Client) ExecuteKw(method, model string, args []interface{}, options *Options) (interface{}, error) {}

Todo

  • Tests
  • Modular template

Issues

# Packages

No description provided by the author

# Functions

NewBool creates a new *Bool.
NewClient creates a new *Client.
NewCriteria creates a new *Criteria.
No description provided by the author
NewFloat creates a new *Float.
NewInt creates a new *Int.
NewMany2One create a new *Many2One.
NewOptions creates a new *Options.
NewRelation creates a new *Relation.
NewSelection creates a new *Selection.
NewString creates a new *String.
NewTime creates a new *Time.
NewUnassignedMany2One create *Many2One value that once set will unassign the current value.

# Constants

AccountAccountModel is the odoo model name.
AccountAccountTagModel is the odoo model name.
AccountAccruedOrdersWizardModel is the odoo model name.
AccountAnalyticAccountModel is the odoo model name.
AccountAnalyticApplicabilityModel is the odoo model name.
AccountAnalyticDistributionModelModel is the odoo model name.
AccountAnalyticLineModel is the odoo model name.
AccountAnalyticPlanModel is the odoo model name.
AccountAnalyticTagModel is the odoo model name.
AccountAutomaticEntryWizardModel is the odoo model name.
AccountBankStatementLineModel is the odoo model name.
AccountBankStatementModel is the odoo model name.
AccountCashRoundingModel is the odoo model name.
AccountFinancialYearOpModel is the odoo model name.
AccountFiscalPositionAccountModel is the odoo model name.
AccountFiscalPositionModel is the odoo model name.
AccountFiscalPositionTaxModel is the odoo model name.
AccountFrFecModel is the odoo model name.
AccountFullReconcileModel is the odoo model name.
AccountGroupModel is the odoo model name.
AccountIncotermsModel is the odoo model name.
AccountInvoiceReportModel is the odoo model name.
AccountJournalGroupModel is the odoo model name.
AccountJournalModel is the odoo model name.
AccountMoveLineModel is the odoo model name.
AccountMoveModel is the odoo model name.
AccountMoveReversalModel is the odoo model name.
AccountMoveSendModel is the odoo model name.
AccountPartialReconcileModel is the odoo model name.
AccountPaymentMethodLineModel is the odoo model name.
AccountPaymentMethodModel is the odoo model name.
AccountPaymentModel is the odoo model name.
AccountPaymentRegisterModel is the odoo model name.
AccountPaymentTermLineModel is the odoo model name.
AccountPaymentTermModel is the odoo model name.
AccountReconcileModelLineModel is the odoo model name.
AccountReconcileModelModel is the odoo model name.
AccountReconcileModelPartnerMappingModel is the odoo model name.
AccountReportColumnModel is the odoo model name.
AccountReportExpressionModel is the odoo model name.
AccountReportExternalValueModel is the odoo model name.
AccountReportLineModel is the odoo model name.
AccountReportModel is the odoo model name.
AccountResequenceWizardModel is the odoo model name.
AccountRootModel is the odoo model name.
AccountSetupBankManualConfigModel is the odoo model name.
AccountTaxGroupModel is the odoo model name.
AccountTaxModel is the odoo model name.
AccountTaxRepartitionLineModel is the odoo model name.
AccountTourUploadBillEmailConfirmModel is the odoo model name.
AccountTourUploadBillModel is the odoo model name.
AccountUnreconcileModel is the odoo model name.
AuthTotpDeviceModel is the odoo model name.
AuthTotpWizardModel is the odoo model name.
AutosalesConfigLineModel is the odoo model name.
AutosalesConfigModel is the odoo model name.
BarcodeNomenclatureModel is the odoo model name.
BarcodeRuleModel is the odoo model name.
BaseDocumentLayoutModel is the odoo model name.
BaseEnableProfilingWizardModel is the odoo model name.
BaseImportImportModel is the odoo model name.
BaseImportMappingModel is the odoo model name.
BaseImportModuleModel is the odoo model name.
BaseLanguageExportModel is the odoo model name.
BaseLanguageImportModel is the odoo model name.
BaseLanguageInstallModel is the odoo model name.
BaseModuleInstallRequestModel is the odoo model name.
BaseModuleInstallReviewModel is the odoo model name.
BaseModuleUninstallModel is the odoo model name.
BaseModuleUpdateModel is the odoo model name.
BaseModuleUpgradeModel is the odoo model name.
BasePartnerMergeAutomaticWizardModel is the odoo model name.
BasePartnerMergeLineModel is the odoo model name.
BoardBoardModel is the odoo model name.
BusBusModel is the odoo model name.
BusPresenceModel is the odoo model name.
CalendarAlarmModel is the odoo model name.
CalendarAttendeeModel is the odoo model name.
CalendarEventModel is the odoo model name.
CalendarEventTypeModel is the odoo model name.
CalendarFiltersModel is the odoo model name.
CalendarPopoverDeleteWizardModel is the odoo model name.
CalendarProviderConfigModel is the odoo model name.
CalendarRecurrenceModel is the odoo model name.
ChangePasswordOwnModel is the odoo model name.
ChangePasswordUserModel is the odoo model name.
ChangePasswordWizardModel is the odoo model name.
ChatbotMessageModel is the odoo model name.
ChatbotScriptAnswerModel is the odoo model name.
ChatbotScriptModel is the odoo model name.
ChatbotScriptStepModel is the odoo model name.
ConfirmStockSmsModel is the odoo model name.
CrmActivityReportModel is the odoo model name.
CrmIapLeadHelpersModel is the odoo model name.
CrmIapLeadIndustryModel is the odoo model name.
CrmIapLeadMiningRequestModel is the odoo model name.
CrmIapLeadRoleModel is the odoo model name.
CrmIapLeadSeniorityModel is the odoo model name.
CrmLead2OpportunityPartnerMassModel is the odoo model name.
CrmLead2OpportunityPartnerModel is the odoo model name.
CrmLeadLostModel is the odoo model name.
CrmLeadModel is the odoo model name.
CrmLeadPlsUpdateModel is the odoo model name.
CrmLeadScoringFrequencyFieldModel is the odoo model name.
CrmLeadScoringFrequencyModel is the odoo model name.
CrmLostReasonModel is the odoo model name.
CrmMergeOpportunityModel is the odoo model name.
CrmQuotationPartnerModel is the odoo model name.
CrmRecurringPlanModel is the odoo model name.
CrmStageModel is the odoo model name.
CrmTagModel is the odoo model name.
CrmTeamMemberModel is the odoo model name.
CrmTeamModel is the odoo model name.
DecimalPrecisionModel is the odoo model name.
DigestDigestModel is the odoo model name.
DigestTipModel is the odoo model name.
DiscussChannelMemberModel is the odoo model name.
DiscussChannelModel is the odoo model name.
DiscussChannelRtcSessionModel is the odoo model name.
DiscussGifFavoriteModel is the odoo model name.
DiscussVoiceMetadataModel is the odoo model name.
FetchmailServerModel is the odoo model name.
HrContractTypeModel is the odoo model name.
HrDepartmentModel is the odoo model name.
HrDepartureReasonModel is the odoo model name.
HrDepartureWizardModel is the odoo model name.
HrEmployeeCategoryModel is the odoo model name.
HrEmployeeCvWizardModel is the odoo model name.
HrEmployeeDeleteWizardModel is the odoo model name.
HrEmployeeModel is the odoo model name.
HrEmployeePublicModel is the odoo model name.
HrEmployeeSkillLogModel is the odoo model name.
HrEmployeeSkillModel is the odoo model name.
HrEmployeeSkillReportModel is the odoo model name.
HrHolidaysCancelLeaveModel is the odoo model name.
HrHolidaysSummaryEmployeeModel is the odoo model name.
HrJobModel is the odoo model name.
HrLeaveAccrualLevelModel is the odoo model name.
HrLeaveAccrualPlanModel is the odoo model name.
HrLeaveAllocationModel is the odoo model name.
HrLeaveEmployeeTypeReportModel is the odoo model name.
HrLeaveMandatoryDayModel is the odoo model name.
HrLeaveModel is the odoo model name.
HrLeaveReportCalendarModel is the odoo model name.
HrLeaveReportModel is the odoo model name.
HrLeaveTypeModel is the odoo model name.
HrResumeLineModel is the odoo model name.
HrResumeLineTypeModel is the odoo model name.
HrSkillLevelModel is the odoo model name.
HrSkillModel is the odoo model name.
HrSkillTypeModel is the odoo model name.
HrWorkLocationModel is the odoo model name.
IapAccountInfoModel is the odoo model name.
IapAccountModel is the odoo model name.
ImLivechatChannelModel is the odoo model name.
ImLivechatChannelRuleModel is the odoo model name.
ImLivechatReportChannelModel is the odoo model name.
ImLivechatReportOperatorModel is the odoo model name.
IrActionsActionsModel is the odoo model name.
IrActionsActUrlModel is the odoo model name.
IrActionsActWindowCloseModel is the odoo model name.
IrActionsActWindowModel is the odoo model name.
IrActionsActWindowViewModel is the odoo model name.
IrActionsClientModel is the odoo model name.
IrActionsReportModel is the odoo model name.
IrActionsServerModel is the odoo model name.
IrActionsTodoModel is the odoo model name.
IrAssetModel is the odoo model name.
IrAttachmentModel is the odoo model name.
IrConfigParameterModel is the odoo model name.
IrCronModel is the odoo model name.
IrCronTriggerModel is the odoo model name.
IrDefaultModel is the odoo model name.
IrDemoFailureModel is the odoo model name.
IrDemoFailureWizardModel is the odoo model name.
IrDemoModel is the odoo model name.
IrExportsLineModel is the odoo model name.
IrExportsModel is the odoo model name.
IrFiltersModel is the odoo model name.
IrLoggingModel is the odoo model name.
IrMailServerModel is the odoo model name.
IrModelAccessModel is the odoo model name.
IrModelConstraintModel is the odoo model name.
IrModelDataModel is the odoo model name.
IrModelFieldsModel is the odoo model name.
IrModelFieldsSelectionModel is the odoo model name.
IrModelInheritModel is the odoo model name.
IrModelModel is the odoo model name.
IrModelRelationModel is the odoo model name.
IrModuleCategoryModel is the odoo model name.
IrModuleModuleDependencyModel is the odoo model name.
IrModuleModuleExclusionModel is the odoo model name.
IrModuleModuleModel is the odoo model name.
IrProfileModel is the odoo model name.
IrPropertyModel is the odoo model name.
IrRuleModel is the odoo model name.
IrSequenceDateRangeModel is the odoo model name.
IrSequenceModel is the odoo model name.
IrUiMenuModel is the odoo model name.
IrUiViewCustomModel is the odoo model name.
IrUiViewModel is the odoo model name.
LinkTrackerClickModel is the odoo model name.
LinkTrackerCodeModel is the odoo model name.
LinkTrackerModel is the odoo model name.
LotLabelLayoutModel is the odoo model name.
MailActivityModel is the odoo model name.
MailActivityPlanModel is the odoo model name.
MailActivityPlanTemplateModel is the odoo model name.
MailActivityScheduleModel is the odoo model name.
MailActivityTodoCreateModel is the odoo model name.
MailActivityTypeModel is the odoo model name.
MailAliasDomainModel is the odoo model name.
MailAliasModel is the odoo model name.
MailBlacklistModel is the odoo model name.
MailBlacklistRemoveModel is the odoo model name.
MailComposeMessageModel is the odoo model name.
MailFollowersModel is the odoo model name.
MailGatewayAllowedModel is the odoo model name.
MailGuestModel is the odoo model name.
MailIceServerModel is the odoo model name.
MailingContactImportModel is the odoo model name.
MailingContactModel is the odoo model name.
MailingContactToListModel is the odoo model name.
MailingFilterModel is the odoo model name.
MailingListMergeModel is the odoo model name.
MailingListModel is the odoo model name.
MailingMailingModel is the odoo model name.
MailingMailingScheduleDateModel is the odoo model name.
MailingSubscriptionModel is the odoo model name.
MailingSubscriptionOptoutModel is the odoo model name.
MailingTraceModel is the odoo model name.
MailingTraceReportModel is the odoo model name.
MailLinkPreviewModel is the odoo model name.
MailMailModel is the odoo model name.
MailMessageModel is the odoo model name.
MailMessageReactionModel is the odoo model name.
MailMessageScheduleModel is the odoo model name.
MailMessageSubtypeModel is the odoo model name.
MailMessageTranslationModel is the odoo model name.
MailNotificationModel is the odoo model name.
MailNotificationWebPushModel is the odoo model name.
MailPartnerDeviceModel is the odoo model name.
MailResendMessageModel is the odoo model name.
MailResendPartnerModel is the odoo model name.
MailShortcodeModel is the odoo model name.
MailTemplateModel is the odoo model name.
MailTemplatePreviewModel is the odoo model name.
MailTemplateResetModel is the odoo model name.
MailTrackingValueModel is the odoo model name.
MailWizardInviteModel is the odoo model name.
OnboardingOnboardingModel is the odoo model name.
OnboardingOnboardingStepModel is the odoo model name.
OnboardingProgressModel is the odoo model name.
OnboardingProgressStepModel is the odoo model name.
PaymentCaptureWizardModel is the odoo model name.
PaymentLinkWizardModel is the odoo model name.
PaymentMethodModel is the odoo model name.
PaymentProviderModel is the odoo model name.
PaymentProviderOnboardingWizardModel is the odoo model name.
PaymentRefundWizardModel is the odoo model name.
PaymentTokenModel is the odoo model name.
PaymentTransactionModel is the odoo model name.
PhoneBlacklistModel is the odoo model name.
PhoneBlacklistRemoveModel is the odoo model name.
PickingLabelTypeModel is the odoo model name.
PortalShareModel is the odoo model name.
PortalWizardModel is the odoo model name.
PortalWizardUserModel is the odoo model name.
PrivacyLogModel is the odoo model name.
PrivacyLookupWizardLineModel is the odoo model name.
PrivacyLookupWizardModel is the odoo model name.
ProcurementGroupModel is the odoo model name.
ProductAttributeCustomValueModel is the odoo model name.
ProductAttributeModel is the odoo model name.
ProductAttributeValueModel is the odoo model name.
ProductCategoryModel is the odoo model name.
ProductDocumentModel is the odoo model name.
ProductLabelLayoutModel is the odoo model name.
ProductPackagingModel is the odoo model name.
ProductPricelistItemModel is the odoo model name.
ProductPricelistModel is the odoo model name.
ProductProductModel is the odoo model name.
ProductRemovalModel is the odoo model name.
ProductReplenishModel is the odoo model name.
ProductSupplierinfoModel is the odoo model name.
ProductTagModel is the odoo model name.
ProductTemplateAttributeExclusionModel is the odoo model name.
ProductTemplateAttributeLineModel is the odoo model name.
ProductTemplateAttributeValueModel is the odoo model name.
ProductTemplateModel is the odoo model name.
ProjectCollaboratorModel is the odoo model name.
ProjectCreateInvoiceModel is the odoo model name.
ProjectCreateSaleOrderLineModel is the odoo model name.
ProjectCreateSaleOrderModel is the odoo model name.
ProjectMilestoneModel is the odoo model name.
ProjectProjectModel is the odoo model name.
ProjectProjectStageDeleteWizardModel is the odoo model name.
ProjectProjectStageModel is the odoo model name.
ProjectSaleLineEmployeeMapModel is the odoo model name.
ProjectShareWizardModel is the odoo model name.
ProjectTagsModel is the odoo model name.
ProjectTaskModel is the odoo model name.
ProjectTaskRecurrenceModel is the odoo model name.
ProjectTaskStagePersonalModel is the odoo model name.
ProjectTaskTypeDeleteWizardModel is the odoo model name.
ProjectTaskTypeModel is the odoo model name.
ProjectUpdateModel is the odoo model name.
PurchaseBillUnionModel is the odoo model name.
PurchaseOrderLineModel is the odoo model name.
PurchaseOrderModel is the odoo model name.
PurchaseReportModel is the odoo model name.
RatingRatingModel is the odoo model name.
ReportLayoutModel is the odoo model name.
ReportPaperformatModel is the odoo model name.
ReportProjectTaskUserModel is the odoo model name.
ReportStockQuantityModel is the odoo model name.
ResBankModel is the odoo model name.
ResCompanyLdapModel is the odoo model name.
ResCompanyModel is the odoo model name.
ResConfigInstallerModel is the odoo model name.
ResConfigModel is the odoo model name.
ResConfigSettingsModel is the odoo model name.
ResCountryGroupModel is the odoo model name.
ResCountryModel is the odoo model name.
ResCountryStateModel is the odoo model name.
ResCurrencyModel is the odoo model name.
ResCurrencyRateModel is the odoo model name.
ResetViewArchWizardModel is the odoo model name.
ResGroupsModel is the odoo model name.
ResLangModel is the odoo model name.
ResourceCalendarAttendanceModel is the odoo model name.
ResourceCalendarLeavesModel is the odoo model name.
ResourceCalendarModel is the odoo model name.
ResourceResourceModel is the odoo model name.
ResPartnerAutocompleteSyncModel is the odoo model name.
ResPartnerBankModel is the odoo model name.
ResPartnerCategoryModel is the odoo model name.
ResPartnerIndustryModel is the odoo model name.
ResPartnerModel is the odoo model name.
ResPartnerTitleModel is the odoo model name.
ResUsersApikeysDescriptionModel is the odoo model name.
ResUsersApikeysModel is the odoo model name.
ResUsersApikeysShowModel is the odoo model name.
ResUsersDeletionModel is the odoo model name.
ResUsersIdentitycheckModel is the odoo model name.
ResUsersLogModel is the odoo model name.
ResUsersModel is the odoo model name.
ResUsersSettingsModel is the odoo model name.
ResUsersSettingsVolumesModel is the odoo model name.
SaleAdvancePaymentInvModel is the odoo model name.
SaleMassCancelOrdersModel is the odoo model name.
SaleOrderCancelModel is the odoo model name.
SaleOrderDiscountModel is the odoo model name.
SaleOrderLineModel is the odoo model name.
SaleOrderModel is the odoo model name.
SaleOrderOptionModel is the odoo model name.
SaleOrderTemplateLineModel is the odoo model name.
SaleOrderTemplateModel is the odoo model name.
SaleOrderTemplateOptionModel is the odoo model name.
SalePaymentProviderOnboardingWizardModel is the odoo model name.
SaleReportModel is the odoo model name.
SmsComposerModel is the odoo model name.
SmsResendModel is the odoo model name.
SmsResendRecipientModel is the odoo model name.
SmsSmsModel is the odoo model name.
SmsTemplateModel is the odoo model name.
SmsTemplatePreviewModel is the odoo model name.
SmsTemplateResetModel is the odoo model name.
SmsTrackerModel is the odoo model name.
SnailmailLetterFormatErrorModel is the odoo model name.
SnailmailLetterMissingRequiredFieldsModel is the odoo model name.
SnailmailLetterModel is the odoo model name.
SpreadsheetDashboardGroupModel is the odoo model name.
SpreadsheetDashboardModel is the odoo model name.
SpreadsheetDashboardShareModel is the odoo model name.
StockAssignSerialModel is the odoo model name.
StockBackorderConfirmationLineModel is the odoo model name.
StockBackorderConfirmationModel is the odoo model name.
StockChangeProductQtyModel is the odoo model name.
StockInventoryAdjustmentNameModel is the odoo model name.
StockInventoryConflictModel is the odoo model name.
StockInventoryWarningModel is the odoo model name.
StockLocationModel is the odoo model name.
StockLotModel is the odoo model name.
StockMoveLineModel is the odoo model name.
StockMoveModel is the odoo model name.
StockOrderpointSnoozeModel is the odoo model name.
StockPackageDestinationModel is the odoo model name.
StockPackageLevelModel is the odoo model name.
StockPackageTypeModel is the odoo model name.
StockPickingModel is the odoo model name.
StockPickingTypeModel is the odoo model name.
StockPutawayRuleModel is the odoo model name.
StockQuantityHistoryModel is the odoo model name.
StockQuantModel is the odoo model name.
StockQuantPackageModel is the odoo model name.
StockQuantRelocateModel is the odoo model name.
StockReplenishmentInfoModel is the odoo model name.
StockReplenishmentOptionModel is the odoo model name.
StockRequestCountModel is the odoo model name.
StockReturnPickingLineModel is the odoo model name.
StockReturnPickingModel is the odoo model name.
StockRouteModel is the odoo model name.
StockRuleModel is the odoo model name.
StockRulesReportModel is the odoo model name.
StockSchedulerComputeModel is the odoo model name.
StockScrapModel is the odoo model name.
StockStorageCategoryCapacityModel is the odoo model name.
StockStorageCategoryModel is the odoo model name.
StockTraceabilityReportModel is the odoo model name.
StockTrackConfirmationModel is the odoo model name.
StockTrackLineModel is the odoo model name.
StockValuationLayerModel is the odoo model name.
StockValuationLayerRevaluationModel is the odoo model name.
StockWarehouseModel is the odoo model name.
StockWarehouseOrderpointModel is the odoo model name.
StockWarnInsufficientQtyScrapModel is the odoo model name.
TimesheetsAnalysisReportModel is the odoo model name.
UomCategoryModel is the odoo model name.
UomUomModel is the odoo model name.
UtmCampaignModel is the odoo model name.
UtmMediumModel is the odoo model name.
UtmSourceModel is the odoo model name.
UtmStageModel is the odoo model name.
UtmTagModel is the odoo model name.
ValidateAccountMoveModel is the odoo model name.
VendorDelayReportModel is the odoo model name.
WebEditorConverterTestSubModel is the odoo model name.
WebTourTourModel is the odoo model name.
WizardIrModelMenuCreateModel is the odoo model name.

# Variables

No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author
No description provided by the author

# Structs

AccountAccount represents account.account model.
AccountAccountTag represents account.account.tag model.
AccountAccruedOrdersWizard represents account.accrued.orders.wizard model.
AccountAnalyticAccount represents account.analytic.account model.
AccountAnalyticApplicability represents account.analytic.applicability model.
AccountAnalyticDistributionModel represents account.analytic.distribution.model model.
AccountAnalyticLine represents account.analytic.line model.
AccountAnalyticPlan represents account.analytic.plan model.
AccountAnalyticTag represents account.analytic.tag model.
AccountAutomaticEntryWizard represents account.automatic.entry.wizard model.
AccountBankStatement represents account.bank.statement model.
AccountBankStatementLine represents account.bank.statement.line model.
AccountCashRounding represents account.cash.rounding model.
AccountFinancialYearOp represents account.financial.year.op model.
AccountFiscalPosition represents account.fiscal.position model.
AccountFiscalPositionAccount represents account.fiscal.position.account model.
AccountFiscalPositionTax represents account.fiscal.position.tax model.
AccountFrFec represents account.fr.fec model.
AccountFullReconcile represents account.full.reconcile model.
AccountGroup represents account.group model.
AccountIncoterms represents account.incoterms model.
AccountInvoiceReport represents account.invoice.report model.
AccountJournal represents account.journal model.
AccountJournalGroup represents account.journal.group model.
AccountMove represents account.move model.
AccountMoveLine represents account.move.line model.
AccountMoveReversal represents account.move.reversal model.
AccountMoveSend represents account.move.send model.
AccountPartialReconcile represents account.partial.reconcile model.
AccountPayment represents account.payment model.
AccountPaymentMethod represents account.payment.method model.
AccountPaymentMethodLine represents account.payment.method.line model.
AccountPaymentRegister represents account.payment.register model.
AccountPaymentTerm represents account.payment.term model.
AccountPaymentTermLine represents account.payment.term.line model.
AccountReconcileModel represents account.reconcile.model model.
AccountReconcileModelLine represents account.reconcile.model.line model.
AccountReconcileModelPartnerMapping represents account.reconcile.model.partner.mapping model.
AccountReport represents account.report model.
AccountReportColumn represents account.report.column model.
AccountReportExpression represents account.report.expression model.
AccountReportExternalValue represents account.report.external.value model.
AccountReportLine represents account.report.line model.
AccountResequenceWizard represents account.resequence.wizard model.
AccountRoot represents account.root model.
AccountSetupBankManualConfig represents account.setup.bank.manual.config model.
AccountTax represents account.tax model.
AccountTaxGroup represents account.tax.group model.
AccountTaxRepartitionLine represents account.tax.repartition.line model.
AccountTourUploadBill represents account.tour.upload.bill model.
AccountTourUploadBillEmailConfirm represents account.tour.upload.bill.email.confirm model.
AccountUnreconcile represents account.unreconcile model.
AuthTotpDevice represents auth_totp.device model.
AuthTotpWizard represents auth_totp.wizard model.
AutosalesConfig represents autosales.config model.
AutosalesConfigLine represents autosales.config.line model.
BarcodeNomenclature represents barcode.nomenclature model.
BarcodeRule represents barcode.rule model.
BaseDocumentLayout represents base.document.layout model.
BaseEnableProfilingWizard represents base.enable.profiling.wizard model.
BaseImportImport represents base_import.import model.
BaseImportMapping represents base_import.mapping model.
BaseImportModule represents base.import.module model.
BaseLanguageExport represents base.language.export model.
BaseLanguageImport represents base.language.import model.
BaseLanguageInstall represents base.language.install model.
BaseModuleInstallRequest represents base.module.install.request model.
BaseModuleInstallReview represents base.module.install.review model.
BaseModuleUninstall represents base.module.uninstall model.
BaseModuleUpdate represents base.module.update model.
BaseModuleUpgrade represents base.module.upgrade model.
BasePartnerMergeAutomaticWizard represents base.partner.merge.automatic.wizard model.
BasePartnerMergeLine represents base.partner.merge.line model.
BoardBoard represents board.board model.
Bool is a bool wrapper.
BusBus represents bus.bus model.
BusPresence represents bus.presence model.
CalendarAlarm represents calendar.alarm model.
CalendarAttendee represents calendar.attendee model.
CalendarEvent represents calendar.event model.
CalendarEventType represents calendar.event.type model.
CalendarFilters represents calendar.filters model.
CalendarPopoverDeleteWizard represents calendar.popover.delete.wizard model.
CalendarProviderConfig represents calendar.provider.config model.
CalendarRecurrence represents calendar.recurrence model.
ChangePasswordOwn represents change.password.own model.
ChangePasswordUser represents change.password.user model.
ChangePasswordWizard represents change.password.wizard model.
ChatbotMessage represents chatbot.message model.
ChatbotScript represents chatbot.script model.
ChatbotScriptAnswer represents chatbot.script.answer model.
ChatbotScriptStep represents chatbot.script.step model.
Client provides high and low level functions to interact with odoo.
ClientConfig is the configuration to create a new *Client by givin connection infomations.
ConfirmStockSms represents confirm.stock.sms model.
CrmActivityReport represents crm.activity.report model.
CrmIapLeadHelpers represents crm.iap.lead.helpers model.
CrmIapLeadIndustry represents crm.iap.lead.industry model.
CrmIapLeadMiningRequest represents crm.iap.lead.mining.request model.
CrmIapLeadRole represents crm.iap.lead.role model.
CrmIapLeadSeniority represents crm.iap.lead.seniority model.
CrmLead represents crm.lead model.
CrmLead2OpportunityPartner represents crm.lead2opportunity.partner model.
CrmLead2OpportunityPartnerMass represents crm.lead2opportunity.partner.mass model.
CrmLeadLost represents crm.lead.lost model.
CrmLeadPlsUpdate represents crm.lead.pls.update model.
CrmLeadScoringFrequency represents crm.lead.scoring.frequency model.
CrmLeadScoringFrequencyField represents crm.lead.scoring.frequency.field model.
CrmLostReason represents crm.lost.reason model.
CrmMergeOpportunity represents crm.merge.opportunity model.
CrmQuotationPartner represents crm.quotation.partner model.
CrmRecurringPlan represents crm.recurring.plan model.
CrmStage represents crm.stage model.
CrmTag represents crm.tag model.
CrmTeam represents crm.team model.
CrmTeamMember represents crm.team.member model.
DecimalPrecision represents decimal.precision model.
DigestDigest represents digest.digest model.
DigestTip represents digest.tip model.
DiscussChannel represents discuss.channel model.
DiscussChannelMember represents discuss.channel.member model.
DiscussChannelRtcSession represents discuss.channel.rtc.session model.
DiscussGifFavorite represents discuss.gif.favorite model.
DiscussVoiceMetadata represents discuss.voice.metadata model.
FetchmailServer represents fetchmail.server model.
Float is a float64 wrapper.
HrContractType represents hr.contract.type model.
HrDepartment represents hr.department model.
HrDepartureReason represents hr.departure.reason model.
HrDepartureWizard represents hr.departure.wizard model.
HrEmployee represents hr.employee model.
HrEmployeeCategory represents hr.employee.category model.
HrEmployeeCvWizard represents hr.employee.cv.wizard model.
HrEmployeeDeleteWizard represents hr.employee.delete.wizard model.
HrEmployeePublic represents hr.employee.public model.
HrEmployeeSkill represents hr.employee.skill model.
HrEmployeeSkillLog represents hr.employee.skill.log model.
HrEmployeeSkillReport represents hr.employee.skill.report model.
HrHolidaysCancelLeave represents hr.holidays.cancel.leave model.
HrHolidaysSummaryEmployee represents hr.holidays.summary.employee model.
HrJob represents hr.job model.
HrLeave represents hr.leave model.
HrLeaveAccrualLevel represents hr.leave.accrual.level model.
HrLeaveAccrualPlan represents hr.leave.accrual.plan model.
HrLeaveAllocation represents hr.leave.allocation model.
HrLeaveEmployeeTypeReport represents hr.leave.employee.type.report model.
HrLeaveMandatoryDay represents hr.leave.mandatory.day model.
HrLeaveReport represents hr.leave.report model.
HrLeaveReportCalendar represents hr.leave.report.calendar model.
HrLeaveType represents hr.leave.type model.
HrResumeLine represents hr.resume.line model.
HrResumeLineType represents hr.resume.line.type model.
HrSkill represents hr.skill model.
HrSkillLevel represents hr.skill.level model.
HrSkillType represents hr.skill.type model.
HrWorkLocation represents hr.work.location model.
IapAccount represents iap.account model.
IapAccountInfo represents iap.account.info model.
ImLivechatChannel represents im_livechat.channel model.
ImLivechatChannelRule represents im_livechat.channel.rule model.
ImLivechatReportChannel represents im_livechat.report.channel model.
ImLivechatReportOperator represents im_livechat.report.operator model.
Int is an int64 wrapper.
IrActionsActions represents ir.actions.actions model.
IrActionsActUrl represents ir.actions.act_url model.
IrActionsActWindow represents ir.actions.act_window model.
IrActionsActWindowClose represents ir.actions.act_window_close model.
IrActionsActWindowView represents ir.actions.act_window.view model.
IrActionsClient represents ir.actions.client model.
IrActionsReport represents ir.actions.report model.
IrActionsServer represents ir.actions.server model.
IrActionsTodo represents ir.actions.todo model.
IrAsset represents ir.asset model.
IrAttachment represents ir.attachment model.
IrConfigParameter represents ir.config_parameter model.
IrCron represents ir.cron model.
IrCronTrigger represents ir.cron.trigger model.
IrDefault represents ir.default model.
IrDemo represents ir.demo model.
IrDemoFailure represents ir.demo_failure model.
IrDemoFailureWizard represents ir.demo_failure.wizard model.
IrExports represents ir.exports model.
IrExportsLine represents ir.exports.line model.
IrFilters represents ir.filters model.
IrLogging represents ir.logging model.
IrMailServer represents ir.mail_server model.
IrModel represents ir.model model.
IrModelAccess represents ir.model.access model.
IrModelConstraint represents ir.model.constraint model.
IrModelData represents ir.model.data model.
IrModelFields represents ir.model.fields model.
IrModelFieldsSelection represents ir.model.fields.selection model.
IrModelInherit represents ir.model.inherit model.
IrModelRelation represents ir.model.relation model.
IrModuleCategory represents ir.module.category model.
IrModuleModule represents ir.module.module model.
IrModuleModuleDependency represents ir.module.module.dependency model.
IrModuleModuleExclusion represents ir.module.module.exclusion model.
IrProfile represents ir.profile model.
IrProperty represents ir.property model.
IrRule represents ir.rule model.
IrSequence represents ir.sequence model.
IrSequenceDateRange represents ir.sequence.date_range model.
IrUiMenu represents ir.ui.menu model.
IrUiView represents ir.ui.view model.
IrUiViewCustom represents ir.ui.view.custom model.
LinkTracker represents link.tracker model.
LinkTrackerClick represents link.tracker.click model.
LinkTrackerCode represents link.tracker.code model.
LotLabelLayout represents lot.label.layout model.
MailActivity represents mail.activity model.
MailActivityPlan represents mail.activity.plan model.
MailActivityPlanTemplate represents mail.activity.plan.template model.
MailActivitySchedule represents mail.activity.schedule model.
MailActivityTodoCreate represents mail.activity.todo.create model.
MailActivityType represents mail.activity.type model.
MailAlias represents mail.alias model.
MailAliasDomain represents mail.alias.domain model.
MailBlacklist represents mail.blacklist model.
MailBlacklistRemove represents mail.blacklist.remove model.
MailComposeMessage represents mail.compose.message model.
MailFollowers represents mail.followers model.
MailGatewayAllowed represents mail.gateway.allowed model.
MailGuest represents mail.guest model.
MailIceServer represents mail.ice.server model.
MailingContact represents mailing.contact model.
MailingContactImport represents mailing.contact.import model.
MailingContactToList represents mailing.contact.to.list model.
MailingFilter represents mailing.filter model.
MailingList represents mailing.list model.
MailingListMerge represents mailing.list.merge model.
MailingMailing represents mailing.mailing model.
MailingMailingScheduleDate represents mailing.mailing.schedule.date model.
MailingSubscription represents mailing.subscription model.
MailingSubscriptionOptout represents mailing.subscription.optout model.
MailingTrace represents mailing.trace model.
MailingTraceReport represents mailing.trace.report model.
MailLinkPreview represents mail.link.preview model.
MailMail represents mail.mail model.
MailMessage represents mail.message model.
MailMessageReaction represents mail.message.reaction model.
MailMessageSchedule represents mail.message.schedule model.
MailMessageSubtype represents mail.message.subtype model.
MailMessageTranslation represents mail.message.translation model.
MailNotification represents mail.notification model.
MailNotificationWebPush represents mail.notification.web.push model.
MailPartnerDevice represents mail.partner.device model.
MailResendMessage represents mail.resend.message model.
MailResendPartner represents mail.resend.partner model.
MailShortcode represents mail.shortcode model.
MailTemplate represents mail.template model.
MailTemplatePreview represents mail.template.preview model.
MailTemplateReset represents mail.template.reset model.
MailTrackingValue represents mail.tracking.value model.
MailWizardInvite represents mail.wizard.invite model.
Many2One represents odoo many2one type.
OnboardingOnboarding represents onboarding.onboarding model.
OnboardingOnboardingStep represents onboarding.onboarding.step model.
OnboardingProgress represents onboarding.progress model.
OnboardingProgressStep represents onboarding.progress.step model.
PaymentCaptureWizard represents payment.capture.wizard model.
PaymentLinkWizard represents payment.link.wizard model.
PaymentMethod represents payment.method model.
PaymentProvider represents payment.provider model.
PaymentProviderOnboardingWizard represents payment.provider.onboarding.wizard model.
PaymentRefundWizard represents payment.refund.wizard model.
PaymentToken represents payment.token model.
PaymentTransaction represents payment.transaction model.
PhoneBlacklist represents phone.blacklist model.
PhoneBlacklistRemove represents phone.blacklist.remove model.
PickingLabelType represents picking.label.type model.
PortalShare represents portal.share model.
PortalWizard represents portal.wizard model.
PortalWizardUser represents portal.wizard.user model.
PrivacyLog represents privacy.log model.
PrivacyLookupWizard represents privacy.lookup.wizard model.
PrivacyLookupWizardLine represents privacy.lookup.wizard.line model.
ProcurementGroup represents procurement.group model.
ProductAttribute represents product.attribute model.
ProductAttributeCustomValue represents product.attribute.custom.value model.
ProductAttributeValue represents product.attribute.value model.
ProductCategory represents product.category model.
ProductDocument represents product.document model.
ProductLabelLayout represents product.label.layout model.
ProductPackaging represents product.packaging model.
ProductPricelist represents product.pricelist model.
ProductPricelistItem represents product.pricelist.item model.
ProductProduct represents product.product model.
ProductRemoval represents product.removal model.
ProductReplenish represents product.replenish model.
ProductSupplierinfo represents product.supplierinfo model.
ProductTag represents product.tag model.
ProductTemplate represents product.template model.
ProductTemplateAttributeExclusion represents product.template.attribute.exclusion model.
ProductTemplateAttributeLine represents product.template.attribute.line model.
ProductTemplateAttributeValue represents product.template.attribute.value model.
ProjectCollaborator represents project.collaborator model.
ProjectCreateInvoice represents project.create.invoice model.
ProjectCreateSaleOrder represents project.create.sale.order model.
ProjectCreateSaleOrderLine represents project.create.sale.order.line model.
ProjectMilestone represents project.milestone model.
ProjectProject represents project.project model.
ProjectProjectStage represents project.project.stage model.
ProjectProjectStageDeleteWizard represents project.project.stage.delete.wizard model.
ProjectSaleLineEmployeeMap represents project.sale.line.employee.map model.
ProjectShareWizard represents project.share.wizard model.
ProjectTags represents project.tags model.
ProjectTask represents project.task model.
ProjectTaskRecurrence represents project.task.recurrence model.
ProjectTaskStagePersonal represents project.task.stage.personal model.
ProjectTaskType represents project.task.type model.
ProjectTaskTypeDeleteWizard represents project.task.type.delete.wizard model.
ProjectUpdate represents project.update model.
PurchaseBillUnion represents purchase.bill.union model.
PurchaseOrder represents purchase.order model.
PurchaseOrderLine represents purchase.order.line model.
PurchaseReport represents purchase.report model.
RatingRating represents rating.rating model.
Relation represents odoo one2many and many2many types.
ReportLayout represents report.layout model.
ReportPaperformat represents report.paperformat model.
ReportProjectTaskUser represents report.project.task.user model.
ReportStockQuantity represents report.stock.quantity model.
ResBank represents res.bank model.
ResCompany represents res.company model.
ResCompanyLdap represents res.company.ldap model.
ResConfig represents res.config model.
ResConfigInstaller represents res.config.installer model.
ResConfigSettings represents res.config.settings model.
ResCountry represents res.country model.
ResCountryGroup represents res.country.group model.
ResCountryState represents res.country.state model.
ResCurrency represents res.currency model.
ResCurrencyRate represents res.currency.rate model.
ResetViewArchWizard represents reset.view.arch.wizard model.
ResGroups represents res.groups model.
ResLang represents res.lang model.
ResourceCalendar represents resource.calendar model.
ResourceCalendarAttendance represents resource.calendar.attendance model.
ResourceCalendarLeaves represents resource.calendar.leaves model.
ResourceResource represents resource.resource model.
ResPartner represents res.partner model.
ResPartnerAutocompleteSync represents res.partner.autocomplete.sync model.
ResPartnerBank represents res.partner.bank model.
ResPartnerCategory represents res.partner.category model.
ResPartnerIndustry represents res.partner.industry model.
ResPartnerTitle represents res.partner.title model.
ResUsers represents res.users model.
ResUsersApikeys represents res.users.apikeys model.
ResUsersApikeysDescription represents res.users.apikeys.description model.
ResUsersApikeysShow represents res.users.apikeys.show model.
ResUsersDeletion represents res.users.deletion model.
ResUsersIdentitycheck represents res.users.identitycheck model.
ResUsersLog represents res.users.log model.
ResUsersSettings represents res.users.settings model.
ResUsersSettingsVolumes represents res.users.settings.volumes model.
SaleAdvancePaymentInv represents sale.advance.payment.inv model.
SaleMassCancelOrders represents sale.mass.cancel.orders model.
SaleOrder represents sale.order model.
SaleOrderCancel represents sale.order.cancel model.
SaleOrderDiscount represents sale.order.discount model.
SaleOrderLine represents sale.order.line model.
SaleOrderOption represents sale.order.option model.
SaleOrderTemplate represents sale.order.template model.
SaleOrderTemplateLine represents sale.order.template.line model.
SaleOrderTemplateOption represents sale.order.template.option model.
SalePaymentProviderOnboardingWizard represents sale.payment.provider.onboarding.wizard model.
SaleReport represents sale.report model.
Selection represents selection odoo type.
SmsComposer represents sms.composer model.
SmsResend represents sms.resend model.
SmsResendRecipient represents sms.resend.recipient model.
SmsSms represents sms.sms model.
SmsTemplate represents sms.template model.
SmsTemplatePreview represents sms.template.preview model.
SmsTemplateReset represents sms.template.reset model.
SmsTracker represents sms.tracker model.
SnailmailLetter represents snailmail.letter model.
SnailmailLetterFormatError represents snailmail.letter.format.error model.
SnailmailLetterMissingRequiredFields represents snailmail.letter.missing.required.fields model.
SpreadsheetDashboard represents spreadsheet.dashboard model.
SpreadsheetDashboardGroup represents spreadsheet.dashboard.group model.
SpreadsheetDashboardShare represents spreadsheet.dashboard.share model.
StockAssignSerial represents stock.assign.serial model.
StockBackorderConfirmation represents stock.backorder.confirmation model.
StockBackorderConfirmationLine represents stock.backorder.confirmation.line model.
StockChangeProductQty represents stock.change.product.qty model.
StockInventoryAdjustmentName represents stock.inventory.adjustment.name model.
StockInventoryConflict represents stock.inventory.conflict model.
StockInventoryWarning represents stock.inventory.warning model.
StockLocation represents stock.location model.
StockLot represents stock.lot model.
StockMove represents stock.move model.
StockMoveLine represents stock.move.line model.
StockOrderpointSnooze represents stock.orderpoint.snooze model.
StockPackageDestination represents stock.package.destination model.
StockPackageLevel represents stock.package_level model.
StockPackageType represents stock.package.type model.
StockPicking represents stock.picking model.
StockPickingType represents stock.picking.type model.
StockPutawayRule represents stock.putaway.rule model.
StockQuant represents stock.quant model.
StockQuantityHistory represents stock.quantity.history model.
StockQuantPackage represents stock.quant.package model.
StockQuantRelocate represents stock.quant.relocate model.
StockReplenishmentInfo represents stock.replenishment.info model.
StockReplenishmentOption represents stock.replenishment.option model.
StockRequestCount represents stock.request.count model.
StockReturnPicking represents stock.return.picking model.
StockReturnPickingLine represents stock.return.picking.line model.
StockRoute represents stock.route model.
StockRule represents stock.rule model.
StockRulesReport represents stock.rules.report model.
StockSchedulerCompute represents stock.scheduler.compute model.
StockScrap represents stock.scrap model.
StockStorageCategory represents stock.storage.category model.
StockStorageCategoryCapacity represents stock.storage.category.capacity model.
StockTraceabilityReport represents stock.traceability.report model.
StockTrackConfirmation represents stock.track.confirmation model.
StockTrackLine represents stock.track.line model.
StockValuationLayer represents stock.valuation.layer model.
StockValuationLayerRevaluation represents stock.valuation.layer.revaluation model.
StockWarehouse represents stock.warehouse model.
StockWarehouseOrderpoint represents stock.warehouse.orderpoint model.
StockWarnInsufficientQtyScrap represents stock.warn.insufficient.qty.scrap model.
String is a string wrapper.
Time is a time.Time wrapper.
TimesheetsAnalysisReport represents timesheets.analysis.report model.
UomCategory represents uom.category model.
UomUom represents uom.uom model.
UtmCampaign represents utm.campaign model.
UtmMedium represents utm.medium model.
UtmSource represents utm.source model.
UtmStage represents utm.stage model.
UtmTag represents utm.tag model.
ValidateAccountMove represents validate.account.move model.
VendorDelayReport represents vendor.delay.report model.
Version describes odoo instance version.
WebEditorConverterTestSub represents web_editor.converter.test.sub model.
WebTourTour represents web_tour.tour model.
WizardIrModelMenuCreate represents wizard.ir.model.menu.create model.

# Type aliases

AccountAccounts represents array of account.account model.
AccountAccountTags represents array of account.account.tag model.
AccountAccruedOrdersWizards represents array of account.accrued.orders.wizard model.
AccountAnalyticAccounts represents array of account.analytic.account model.
AccountAnalyticApplicabilitys represents array of account.analytic.applicability model.
AccountAnalyticDistributionModels represents array of account.analytic.distribution.model model.
AccountAnalyticLines represents array of account.analytic.line model.
AccountAnalyticPlans represents array of account.analytic.plan model.
AccountAnalyticTags represents array of account.analytic.tag model.
AccountAutomaticEntryWizards represents array of account.automatic.entry.wizard model.
AccountBankStatementLines represents array of account.bank.statement.line model.
AccountBankStatements represents array of account.bank.statement model.
AccountCashRoundings represents array of account.cash.rounding model.
AccountFinancialYearOps represents array of account.financial.year.op model.
AccountFiscalPositionAccounts represents array of account.fiscal.position.account model.
AccountFiscalPositions represents array of account.fiscal.position model.
AccountFiscalPositionTaxs represents array of account.fiscal.position.tax model.
AccountFrFecs represents array of account.fr.fec model.
AccountFullReconciles represents array of account.full.reconcile model.
AccountGroups represents array of account.group model.
AccountIncotermss represents array of account.incoterms model.
AccountInvoiceReports represents array of account.invoice.report model.
AccountJournalGroups represents array of account.journal.group model.
AccountJournals represents array of account.journal model.
AccountMoveLines represents array of account.move.line model.
AccountMoveReversals represents array of account.move.reversal model.
AccountMoves represents array of account.move model.
AccountMoveSends represents array of account.move.send model.
AccountPartialReconciles represents array of account.partial.reconcile model.
AccountPaymentMethodLines represents array of account.payment.method.line model.
AccountPaymentMethods represents array of account.payment.method model.
AccountPaymentRegisters represents array of account.payment.register model.
AccountPayments represents array of account.payment model.
AccountPaymentTermLines represents array of account.payment.term.line model.
AccountPaymentTerms represents array of account.payment.term model.
AccountReconcileModelLines represents array of account.reconcile.model.line model.
AccountReconcileModelPartnerMappings represents array of account.reconcile.model.partner.mapping model.
AccountReconcileModels represents array of account.reconcile.model model.
AccountReportColumns represents array of account.report.column model.
AccountReportExpressions represents array of account.report.expression model.
AccountReportExternalValues represents array of account.report.external.value model.
AccountReportLines represents array of account.report.line model.
AccountReports represents array of account.report model.
AccountResequenceWizards represents array of account.resequence.wizard model.
AccountRoots represents array of account.root model.
AccountSetupBankManualConfigs represents array of account.setup.bank.manual.config model.
AccountTaxGroups represents array of account.tax.group model.
AccountTaxRepartitionLines represents array of account.tax.repartition.line model.
AccountTaxs represents array of account.tax model.
AccountTourUploadBillEmailConfirms represents array of account.tour.upload.bill.email.confirm model.
AccountTourUploadBills represents array of account.tour.upload.bill model.
AccountUnreconciles represents array of account.unreconcile model.
AuthTotpDevices represents array of auth_totp.device model.
AuthTotpWizards represents array of auth_totp.wizard model.
AutosalesConfigLines represents array of autosales.config.line model.
AutosalesConfigs represents array of autosales.config model.
BarcodeNomenclatures represents array of barcode.nomenclature model.
BarcodeRules represents array of barcode.rule model.
BaseDocumentLayouts represents array of base.document.layout model.
BaseEnableProfilingWizards represents array of base.enable.profiling.wizard model.
BaseImportImports represents array of base_import.import model.
BaseImportMappings represents array of base_import.mapping model.
BaseImportModules represents array of base.import.module model.
BaseLanguageExports represents array of base.language.export model.
BaseLanguageImports represents array of base.language.import model.
BaseLanguageInstalls represents array of base.language.install model.
BaseModuleInstallRequests represents array of base.module.install.request model.
BaseModuleInstallReviews represents array of base.module.install.review model.
BaseModuleUninstalls represents array of base.module.uninstall model.
BaseModuleUpdates represents array of base.module.update model.
BaseModuleUpgrades represents array of base.module.upgrade model.
BasePartnerMergeAutomaticWizards represents array of base.partner.merge.automatic.wizard model.
BasePartnerMergeLines represents array of base.partner.merge.line model.
BoardBoards represents array of board.board model.
BusBuss represents array of bus.bus model.
BusPresences represents array of bus.presence model.
CalendarAlarms represents array of calendar.alarm model.
CalendarAttendees represents array of calendar.attendee model.
CalendarEvents represents array of calendar.event model.
CalendarEventTypes represents array of calendar.event.type model.
CalendarFilterss represents array of calendar.filters model.
CalendarPopoverDeleteWizards represents array of calendar.popover.delete.wizard model.
CalendarProviderConfigs represents array of calendar.provider.config model.
CalendarRecurrences represents array of calendar.recurrence model.
ChangePasswordOwns represents array of change.password.own model.
ChangePasswordUsers represents array of change.password.user model.
ChangePasswordWizards represents array of change.password.wizard model.
ChatbotMessages represents array of chatbot.message model.
ChatbotScriptAnswers represents array of chatbot.script.answer model.
ChatbotScripts represents array of chatbot.script model.
ChatbotScriptSteps represents array of chatbot.script.step model.
ConfirmStockSmss represents array of confirm.stock.sms model.
Criteria is a set of Criterion, each Criterion is a triple (field_name, operator, value).
No description provided by the author
CrmActivityReports represents array of crm.activity.report model.
CrmIapLeadHelperss represents array of crm.iap.lead.helpers model.
CrmIapLeadIndustrys represents array of crm.iap.lead.industry model.
CrmIapLeadMiningRequests represents array of crm.iap.lead.mining.request model.
CrmIapLeadRoles represents array of crm.iap.lead.role model.
CrmIapLeadSenioritys represents array of crm.iap.lead.seniority model.
CrmLead2OpportunityPartnerMasss represents array of crm.lead2opportunity.partner.mass model.
CrmLead2OpportunityPartners represents array of crm.lead2opportunity.partner model.
CrmLeadLosts represents array of crm.lead.lost model.
CrmLeadPlsUpdates represents array of crm.lead.pls.update model.
CrmLeads represents array of crm.lead model.
CrmLeadScoringFrequencyFields represents array of crm.lead.scoring.frequency.field model.
CrmLeadScoringFrequencys represents array of crm.lead.scoring.frequency model.
CrmLostReasons represents array of crm.lost.reason model.
CrmMergeOpportunitys represents array of crm.merge.opportunity model.
CrmQuotationPartners represents array of crm.quotation.partner model.
CrmRecurringPlans represents array of crm.recurring.plan model.
CrmStages represents array of crm.stage model.
CrmTags represents array of crm.tag model.
CrmTeamMembers represents array of crm.team.member model.
CrmTeams represents array of crm.team model.
DecimalPrecisions represents array of decimal.precision model.
DigestDigests represents array of digest.digest model.
DigestTips represents array of digest.tip model.
DiscussChannelMembers represents array of discuss.channel.member model.
DiscussChannelRtcSessions represents array of discuss.channel.rtc.session model.
DiscussChannels represents array of discuss.channel model.
DiscussGifFavorites represents array of discuss.gif.favorite model.
DiscussVoiceMetadatas represents array of discuss.voice.metadata model.
FetchmailServers represents array of fetchmail.server model.
HrContractTypes represents array of hr.contract.type model.
HrDepartments represents array of hr.department model.
HrDepartureReasons represents array of hr.departure.reason model.
HrDepartureWizards represents array of hr.departure.wizard model.
HrEmployeeCategorys represents array of hr.employee.category model.
HrEmployeeCvWizards represents array of hr.employee.cv.wizard model.
HrEmployeeDeleteWizards represents array of hr.employee.delete.wizard model.
HrEmployeePublics represents array of hr.employee.public model.
HrEmployees represents array of hr.employee model.
HrEmployeeSkillLogs represents array of hr.employee.skill.log model.
HrEmployeeSkillReports represents array of hr.employee.skill.report model.
HrEmployeeSkills represents array of hr.employee.skill model.
HrHolidaysCancelLeaves represents array of hr.holidays.cancel.leave model.
HrHolidaysSummaryEmployees represents array of hr.holidays.summary.employee model.
HrJobs represents array of hr.job model.
HrLeaveAccrualLevels represents array of hr.leave.accrual.level model.
HrLeaveAccrualPlans represents array of hr.leave.accrual.plan model.
HrLeaveAllocations represents array of hr.leave.allocation model.
HrLeaveEmployeeTypeReports represents array of hr.leave.employee.type.report model.
HrLeaveMandatoryDays represents array of hr.leave.mandatory.day model.
HrLeaveReportCalendars represents array of hr.leave.report.calendar model.
HrLeaveReports represents array of hr.leave.report model.
HrLeaves represents array of hr.leave model.
HrLeaveTypes represents array of hr.leave.type model.
HrResumeLines represents array of hr.resume.line model.
HrResumeLineTypes represents array of hr.resume.line.type model.
HrSkillLevels represents array of hr.skill.level model.
HrSkills represents array of hr.skill model.
HrSkillTypes represents array of hr.skill.type model.
HrWorkLocations represents array of hr.work.location model.
IapAccountInfos represents array of iap.account.info model.
IapAccounts represents array of iap.account model.
ImLivechatChannelRules represents array of im_livechat.channel.rule model.
ImLivechatChannels represents array of im_livechat.channel model.
ImLivechatReportChannels represents array of im_livechat.report.channel model.
ImLivechatReportOperators represents array of im_livechat.report.operator model.
IrActionsActionss represents array of ir.actions.actions model.
IrActionsActUrls represents array of ir.actions.act_url model.
IrActionsActWindowCloses represents array of ir.actions.act_window_close model.
IrActionsActWindows represents array of ir.actions.act_window model.
IrActionsActWindowViews represents array of ir.actions.act_window.view model.
IrActionsClients represents array of ir.actions.client model.
IrActionsReports represents array of ir.actions.report model.
IrActionsServers represents array of ir.actions.server model.
IrActionsTodos represents array of ir.actions.todo model.
IrAssets represents array of ir.asset model.
IrAttachments represents array of ir.attachment model.
IrConfigParameters represents array of ir.config_parameter model.
IrCrons represents array of ir.cron model.
IrCronTriggers represents array of ir.cron.trigger model.
IrDefaults represents array of ir.default model.
IrDemoFailures represents array of ir.demo_failure model.
IrDemoFailureWizards represents array of ir.demo_failure.wizard model.
IrDemos represents array of ir.demo model.
IrExportsLines represents array of ir.exports.line model.
IrExportss represents array of ir.exports model.
IrFilterss represents array of ir.filters model.
IrLoggings represents array of ir.logging model.
IrMailServers represents array of ir.mail_server model.
IrModelAccesss represents array of ir.model.access model.
IrModelConstraints represents array of ir.model.constraint model.
IrModelDatas represents array of ir.model.data model.
IrModelFieldss represents array of ir.model.fields model.
IrModelFieldsSelections represents array of ir.model.fields.selection model.
IrModelInherits represents array of ir.model.inherit model.
IrModelRelations represents array of ir.model.relation model.
IrModels represents array of ir.model model.
IrModuleCategorys represents array of ir.module.category model.
IrModuleModuleDependencys represents array of ir.module.module.dependency model.
IrModuleModuleExclusions represents array of ir.module.module.exclusion model.
IrModuleModules represents array of ir.module.module model.
IrProfiles represents array of ir.profile model.
IrPropertys represents array of ir.property model.
IrRules represents array of ir.rule model.
IrSequenceDateRanges represents array of ir.sequence.date_range model.
IrSequences represents array of ir.sequence model.
IrUiMenus represents array of ir.ui.menu model.
IrUiViewCustoms represents array of ir.ui.view.custom model.
IrUiViews represents array of ir.ui.view model.
LinkTrackerClicks represents array of link.tracker.click model.
LinkTrackerCodes represents array of link.tracker.code model.
LinkTrackers represents array of link.tracker model.
LotLabelLayouts represents array of lot.label.layout model.
MailActivityPlans represents array of mail.activity.plan model.
MailActivityPlanTemplates represents array of mail.activity.plan.template model.
MailActivitys represents array of mail.activity model.
MailActivitySchedules represents array of mail.activity.schedule model.
MailActivityTodoCreates represents array of mail.activity.todo.create model.
MailActivityTypes represents array of mail.activity.type model.
MailAliasDomains represents array of mail.alias.domain model.
MailAliass represents array of mail.alias model.
MailBlacklistRemoves represents array of mail.blacklist.remove model.
MailBlacklists represents array of mail.blacklist model.
MailComposeMessages represents array of mail.compose.message model.
MailFollowerss represents array of mail.followers model.
MailGatewayAlloweds represents array of mail.gateway.allowed model.
MailGuests represents array of mail.guest model.
MailIceServers represents array of mail.ice.server model.
MailingContactImports represents array of mailing.contact.import model.
MailingContacts represents array of mailing.contact model.
MailingContactToLists represents array of mailing.contact.to.list model.
MailingFilters represents array of mailing.filter model.
MailingListMerges represents array of mailing.list.merge model.
MailingLists represents array of mailing.list model.
MailingMailings represents array of mailing.mailing model.
MailingMailingScheduleDates represents array of mailing.mailing.schedule.date model.
MailingSubscriptionOptouts represents array of mailing.subscription.optout model.
MailingSubscriptions represents array of mailing.subscription model.
MailingTraceReports represents array of mailing.trace.report model.
MailingTraces represents array of mailing.trace model.
MailLinkPreviews represents array of mail.link.preview model.
MailMails represents array of mail.mail model.
MailMessageReactions represents array of mail.message.reaction model.
MailMessages represents array of mail.message model.
MailMessageSchedules represents array of mail.message.schedule model.
MailMessageSubtypes represents array of mail.message.subtype model.
MailMessageTranslations represents array of mail.message.translation model.
MailNotifications represents array of mail.notification model.
MailNotificationWebPushs represents array of mail.notification.web.push model.
MailPartnerDevices represents array of mail.partner.device model.
MailResendMessages represents array of mail.resend.message model.
MailResendPartners represents array of mail.resend.partner model.
MailShortcodes represents array of mail.shortcode model.
MailTemplatePreviews represents array of mail.template.preview model.
MailTemplateResets represents array of mail.template.reset model.
MailTemplates represents array of mail.template model.
MailTrackingValues represents array of mail.tracking.value model.
MailWizardInvites represents array of mail.wizard.invite model.
OnboardingOnboardings represents array of onboarding.onboarding model.
OnboardingOnboardingSteps represents array of onboarding.onboarding.step model.
OnboardingProgresss represents array of onboarding.progress model.
OnboardingProgressSteps represents array of onboarding.progress.step model.
Options allow you to filter search results.
PaymentCaptureWizards represents array of payment.capture.wizard model.
PaymentLinkWizards represents array of payment.link.wizard model.
PaymentMethods represents array of payment.method model.
PaymentProviderOnboardingWizards represents array of payment.provider.onboarding.wizard model.
PaymentProviders represents array of payment.provider model.
PaymentRefundWizards represents array of payment.refund.wizard model.
PaymentTokens represents array of payment.token model.
PaymentTransactions represents array of payment.transaction model.
PhoneBlacklistRemoves represents array of phone.blacklist.remove model.
PhoneBlacklists represents array of phone.blacklist model.
PickingLabelTypes represents array of picking.label.type model.
PortalShares represents array of portal.share model.
PortalWizards represents array of portal.wizard model.
PortalWizardUsers represents array of portal.wizard.user model.
PrivacyLogs represents array of privacy.log model.
PrivacyLookupWizardLines represents array of privacy.lookup.wizard.line model.
PrivacyLookupWizards represents array of privacy.lookup.wizard model.
ProcurementGroups represents array of procurement.group model.
ProductAttributeCustomValues represents array of product.attribute.custom.value model.
ProductAttributes represents array of product.attribute model.
ProductAttributeValues represents array of product.attribute.value model.
ProductCategorys represents array of product.category model.
ProductDocuments represents array of product.document model.
ProductLabelLayouts represents array of product.label.layout model.
ProductPackagings represents array of product.packaging model.
ProductPricelistItems represents array of product.pricelist.item model.
ProductPricelists represents array of product.pricelist model.
ProductProducts represents array of product.product model.
ProductRemovals represents array of product.removal model.
ProductReplenishs represents array of product.replenish model.
ProductSupplierinfos represents array of product.supplierinfo model.
ProductTags represents array of product.tag model.
ProductTemplateAttributeExclusions represents array of product.template.attribute.exclusion model.
ProductTemplateAttributeLines represents array of product.template.attribute.line model.
ProductTemplateAttributeValues represents array of product.template.attribute.value model.
ProductTemplates represents array of product.template model.
ProjectCollaborators represents array of project.collaborator model.
ProjectCreateInvoices represents array of project.create.invoice model.
ProjectCreateSaleOrderLines represents array of project.create.sale.order.line model.
ProjectCreateSaleOrders represents array of project.create.sale.order model.
ProjectMilestones represents array of project.milestone model.
ProjectProjects represents array of project.project model.
ProjectProjectStageDeleteWizards represents array of project.project.stage.delete.wizard model.
ProjectProjectStages represents array of project.project.stage model.
ProjectSaleLineEmployeeMaps represents array of project.sale.line.employee.map model.
ProjectShareWizards represents array of project.share.wizard model.
ProjectTagss represents array of project.tags model.
ProjectTaskRecurrences represents array of project.task.recurrence model.
ProjectTasks represents array of project.task model.
ProjectTaskStagePersonals represents array of project.task.stage.personal model.
ProjectTaskTypeDeleteWizards represents array of project.task.type.delete.wizard model.
ProjectTaskTypes represents array of project.task.type model.
ProjectUpdates represents array of project.update model.
PurchaseBillUnions represents array of purchase.bill.union model.
PurchaseOrderLines represents array of purchase.order.line model.
PurchaseOrders represents array of purchase.order model.
PurchaseReports represents array of purchase.report model.
RatingRatings represents array of rating.rating model.
ReportLayouts represents array of report.layout model.
ReportPaperformats represents array of report.paperformat model.
ReportProjectTaskUsers represents array of report.project.task.user model.
ReportStockQuantitys represents array of report.stock.quantity model.
ResBanks represents array of res.bank model.
ResCompanyLdaps represents array of res.company.ldap model.
ResCompanys represents array of res.company model.
ResConfigInstallers represents array of res.config.installer model.
ResConfigs represents array of res.config model.
ResConfigSettingss represents array of res.config.settings model.
ResCountryGroups represents array of res.country.group model.
ResCountrys represents array of res.country model.
ResCountryStates represents array of res.country.state model.
ResCurrencyRates represents array of res.currency.rate model.
ResCurrencys represents array of res.currency model.
ResetViewArchWizards represents array of reset.view.arch.wizard model.
ResGroupss represents array of res.groups model.
ResLangs represents array of res.lang model.
ResourceCalendarAttendances represents array of resource.calendar.attendance model.
ResourceCalendarLeavess represents array of resource.calendar.leaves model.
ResourceCalendars represents array of resource.calendar model.
ResourceResources represents array of resource.resource model.
ResPartnerAutocompleteSyncs represents array of res.partner.autocomplete.sync model.
ResPartnerBanks represents array of res.partner.bank model.
ResPartnerCategorys represents array of res.partner.category model.
ResPartnerIndustrys represents array of res.partner.industry model.
ResPartners represents array of res.partner model.
ResPartnerTitles represents array of res.partner.title model.
ResUsersApikeysDescriptions represents array of res.users.apikeys.description model.
ResUsersApikeyss represents array of res.users.apikeys model.
ResUsersApikeysShows represents array of res.users.apikeys.show model.
ResUsersDeletions represents array of res.users.deletion model.
ResUsersIdentitychecks represents array of res.users.identitycheck model.
ResUsersLogs represents array of res.users.log model.
ResUserss represents array of res.users model.
ResUsersSettingss represents array of res.users.settings model.
ResUsersSettingsVolumess represents array of res.users.settings.volumes model.
SaleAdvancePaymentInvs represents array of sale.advance.payment.inv model.
SaleMassCancelOrderss represents array of sale.mass.cancel.orders model.
SaleOrderCancels represents array of sale.order.cancel model.
SaleOrderDiscounts represents array of sale.order.discount model.
SaleOrderLines represents array of sale.order.line model.
SaleOrderOptions represents array of sale.order.option model.
SaleOrders represents array of sale.order model.
SaleOrderTemplateLines represents array of sale.order.template.line model.
SaleOrderTemplateOptions represents array of sale.order.template.option model.
SaleOrderTemplates represents array of sale.order.template model.
SalePaymentProviderOnboardingWizards represents array of sale.payment.provider.onboarding.wizard model.
SaleReports represents array of sale.report model.
SmsComposers represents array of sms.composer model.
SmsResendRecipients represents array of sms.resend.recipient model.
SmsResends represents array of sms.resend model.
SmsSmss represents array of sms.sms model.
SmsTemplatePreviews represents array of sms.template.preview model.
SmsTemplateResets represents array of sms.template.reset model.
SmsTemplates represents array of sms.template model.
SmsTrackers represents array of sms.tracker model.
SnailmailLetterFormatErrors represents array of snailmail.letter.format.error model.
SnailmailLetterMissingRequiredFieldss represents array of snailmail.letter.missing.required.fields model.
SnailmailLetters represents array of snailmail.letter model.
SpreadsheetDashboardGroups represents array of spreadsheet.dashboard.group model.
SpreadsheetDashboards represents array of spreadsheet.dashboard model.
SpreadsheetDashboardShares represents array of spreadsheet.dashboard.share model.
StockAssignSerials represents array of stock.assign.serial model.
StockBackorderConfirmationLines represents array of stock.backorder.confirmation.line model.
StockBackorderConfirmations represents array of stock.backorder.confirmation model.
StockChangeProductQtys represents array of stock.change.product.qty model.
StockInventoryAdjustmentNames represents array of stock.inventory.adjustment.name model.
StockInventoryConflicts represents array of stock.inventory.conflict model.
StockInventoryWarnings represents array of stock.inventory.warning model.
StockLocations represents array of stock.location model.
StockLots represents array of stock.lot model.
StockMoveLines represents array of stock.move.line model.
StockMoves represents array of stock.move model.
StockOrderpointSnoozes represents array of stock.orderpoint.snooze model.
StockPackageDestinations represents array of stock.package.destination model.
StockPackageLevels represents array of stock.package_level model.
StockPackageTypes represents array of stock.package.type model.
StockPickings represents array of stock.picking model.
StockPickingTypes represents array of stock.picking.type model.
StockPutawayRules represents array of stock.putaway.rule model.
StockQuantityHistorys represents array of stock.quantity.history model.
StockQuantPackages represents array of stock.quant.package model.
StockQuantRelocates represents array of stock.quant.relocate model.
StockQuants represents array of stock.quant model.
StockReplenishmentInfos represents array of stock.replenishment.info model.
StockReplenishmentOptions represents array of stock.replenishment.option model.
StockRequestCounts represents array of stock.request.count model.
StockReturnPickingLines represents array of stock.return.picking.line model.
StockReturnPickings represents array of stock.return.picking model.
StockRoutes represents array of stock.route model.
StockRules represents array of stock.rule model.
StockRulesReports represents array of stock.rules.report model.
StockSchedulerComputes represents array of stock.scheduler.compute model.
StockScraps represents array of stock.scrap model.
StockStorageCategoryCapacitys represents array of stock.storage.category.capacity model.
StockStorageCategorys represents array of stock.storage.category model.
StockTraceabilityReports represents array of stock.traceability.report model.
StockTrackConfirmations represents array of stock.track.confirmation model.
StockTrackLines represents array of stock.track.line model.
StockValuationLayerRevaluations represents array of stock.valuation.layer.revaluation model.
StockValuationLayers represents array of stock.valuation.layer model.
StockWarehouseOrderpoints represents array of stock.warehouse.orderpoint model.
StockWarehouses represents array of stock.warehouse model.
StockWarnInsufficientQtyScraps represents array of stock.warn.insufficient.qty.scrap model.
TimesheetsAnalysisReports represents array of timesheets.analysis.report model.
UomCategorys represents array of uom.category model.
UomUoms represents array of uom.uom model.
UtmCampaigns represents array of utm.campaign model.
UtmMediums represents array of utm.medium model.
UtmSources represents array of utm.source model.
UtmStages represents array of utm.stage model.
UtmTags represents array of utm.tag model.
ValidateAccountMoves represents array of validate.account.move model.
VendorDelayReports represents array of vendor.delay.report model.
WebEditorConverterTestSubs represents array of web_editor.converter.test.sub model.
WebTourTours represents array of web_tour.tour model.
WizardIrModelMenuCreates represents array of wizard.ir.model.menu.create model.